diff --git a/erpnext/__init__.py b/erpnext/__init__.py index f1e5fa0dfb9..0dfe6d391b3 100644 --- a/erpnext/__init__.py +++ b/erpnext/__init__.py @@ -4,7 +4,7 @@ import inspect import frappe from erpnext.hooks import regional_overrides -__version__ = '8.5.5' +__version__ = '8.6.0' def get_default_company(user=None): '''Get default company for user''' diff --git a/erpnext/tests/ui/accounts/test_account.js b/erpnext/accounts/doctype/account/test_account.js similarity index 77% rename from erpnext/tests/ui/accounts/test_account.js rename to erpnext/accounts/doctype/account/test_account.js index 6d7709b4157..7b23ef01dd6 100644 --- a/erpnext/tests/ui/accounts/test_account.js +++ b/erpnext/accounts/doctype/account/test_account.js @@ -5,16 +5,16 @@ QUnit.test("test account", function(assert) { let done = assert.async(); frappe.run_serially([ () => frappe.set_route('Tree', 'Account'), - () => frappe.tests.click_button('Expand All'), - () => frappe.tests.click_link('Debtors'), - () => frappe.tests.click_button('Edit'), + () => frappe.click_button('Expand All'), + () => frappe.click_link('Debtors'), + () => frappe.click_button('Edit'), () => frappe.timeout(1), () => { assert.ok(cur_frm.doc.root_type=='Asset'); assert.ok(cur_frm.doc.report_type=='Balance Sheet'); assert.ok(cur_frm.doc.account_type=='Receivable'); }, - () => frappe.tests.click_button('Ledger'), + () => frappe.click_button('Ledger'), () => frappe.timeout(1), () => { // check if general ledger report shown diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.js b/erpnext/accounts/doctype/journal_entry/journal_entry.js index ba4cc83a4a0..577c77f9589 100644 --- a/erpnext/accounts/doctype/journal_entry/journal_entry.js +++ b/erpnext/accounts/doctype/journal_entry/journal_entry.js @@ -129,10 +129,11 @@ erpnext.accounts.JournalEntry = frappe.ui.form.Controller.extend({ // account filter frappe.model.validate_missing(jvd, "account"); - var party_account_field = jvd.reference_type==="Sales Invoice" ? "debit_to": "credit_to"; out.filters.push([jvd.reference_type, party_account_field, "=", jvd.account]); - } else { + } + + if(in_list(["Sales Order", "Purchase Order"], jvd.reference_type)) { // party_type and party mandatory frappe.model.validate_missing(jvd, "party_type"); frappe.model.validate_missing(jvd, "party"); diff --git a/erpnext/accounts/party.py b/erpnext/accounts/party.py index bf509de84fe..005abe646d3 100644 --- a/erpnext/accounts/party.py +++ b/erpnext/accounts/party.py @@ -284,12 +284,14 @@ def get_credit_days(party_type, party, company): if not credit_days_based_on: if party_type == "Customer": credit_days_based_on, credit_days = \ - frappe.db.get_value("Customer Group", customer_group, ["credit_days_based_on", "credit_days"]) \ - or frappe.db.get_value("Company", company, ["credit_days_based_on", "credit_days"]) + frappe.db.get_value("Customer Group", customer_group, ["credit_days_based_on", "credit_days"]) else: credit_days_based_on, credit_days = \ - frappe.db.get_value("Supplier Type", supplier_type, ["credit_days_based_on", "credit_days"])\ - or frappe.db.get_value("Company", company, ["credit_days_based_on", "credit_days"] ) + frappe.db.get_value("Supplier Type", supplier_type, ["credit_days_based_on", "credit_days"]) + + if not credit_days_based_on: + credit_days_based_on, credit_days = \ + frappe.db.get_value("Company", company, ["credit_days_based_on", "credit_days"]) return credit_days_based_on, credit_days diff --git a/erpnext/controllers/tests/test_recurring_document.py b/erpnext/controllers/tests/test_recurring_document.py index d47c5c77013..e218fa6c9bb 100644 --- a/erpnext/controllers/tests/test_recurring_document.py +++ b/erpnext/controllers/tests/test_recurring_document.py @@ -27,7 +27,8 @@ def test_recurring_document(obj, test_records): base_doc.set(date_field, today) if base_doc.doctype == "Sales Order": - base_doc.set("delivery_date", add_days(today, 15)) + for d in base_doc.get("items"): + d.set("delivery_date", add_days(today, 15)) # monthly doc1 = frappe.copy_doc(base_doc) diff --git a/erpnext/crm/doctype/lead/test_lead.js b/erpnext/crm/doctype/lead/test_lead.js new file mode 100644 index 00000000000..66d33379ad1 --- /dev/null +++ b/erpnext/crm/doctype/lead/test_lead.js @@ -0,0 +1,43 @@ +QUnit.module("sales"); + +QUnit.test("test: lead", function (assert) { + assert.expect(4); + let done = assert.async(); + let lead_name = frappe.utils.get_random(10); + frappe.run_serially([ + // test lead creation + () => frappe.set_route("List", "Lead"), + () => frappe.new_doc("Lead"), + () => frappe.timeout(1), + () => cur_frm.set_value("lead_name", lead_name), + () => cur_frm.save(), + () => frappe.timeout(1), + () => { + assert.ok(cur_frm.doc.lead_name.includes(lead_name), + 'name correctly set'); + frappe.lead_name = cur_frm.doc.name; + }, + // create address and contact + () => frappe.click_link('Address & Contact'), + () => frappe.click_button('New Address'), + () => frappe.timeout(1), + () => frappe.set_control('address_line1', 'Gateway'), + () => frappe.set_control('city', 'Mumbai'), + () => cur_frm.save(), + () => frappe.timeout(3), + () => assert.equal(frappe.get_route()[1], 'Lead', + 'back to lead form'), + () => frappe.click_link('Address & Contact'), + () => assert.ok($('.address-box').text().includes('Mumbai'), + 'city is seen in address box'), + + // make opportunity + () => frappe.click_button('Make'), + () => frappe.click_link('Opportunity'), + () => frappe.timeout(2), + () => assert.equal(cur_frm.doc.lead, frappe.lead_name, + 'lead name correctly mapped'), + + () => done() + ]); +}); diff --git a/erpnext/crm/doctype/opportunity/test_opportunity.js b/erpnext/crm/doctype/opportunity/test_opportunity.js new file mode 100644 index 00000000000..f2b04f86474 --- /dev/null +++ b/erpnext/crm/doctype/opportunity/test_opportunity.js @@ -0,0 +1,56 @@ +QUnit.test("test: opportunity", function (assert) { + assert.expect(8); + let done = assert.async(); + frappe.run_serially([ + () => frappe.set_route('List', 'Opportunity'), + () => frappe.timeout(1), + () => frappe.click_button('New'), + () => frappe.timeout(1), + () => cur_frm.set_value('enquiry_from', 'Customer'), + () => cur_frm.set_value('customer', 'Test Customer 1'), + + // check items + () => cur_frm.set_value('with_items', 1), + () => frappe.tests.set_grid_values(cur_frm, 'items', [ + [ + {item_code:'Test Product 1'}, + {qty: 4} + ] + ]), + () => cur_frm.save(), + () => frappe.timeout(1), + () => { + assert.notOk(cur_frm.is_new(), 'saved'); + frappe.opportunity_name = cur_frm.doc.name; + }, + + // close and re-open + () => frappe.click_button('Close'), + () => frappe.timeout(1), + () => assert.equal(cur_frm.doc.status, 'Closed', + 'closed'), + + () => frappe.click_button('Reopen'), + () => assert.equal(cur_frm.doc.status, 'Open', + 'reopened'), + () => frappe.timeout(1), + + // make quotation + () => frappe.click_button('Make'), + () => frappe.click_link('Quotation', 1), + () => frappe.timeout(2), + () => { + assert.equal(frappe.get_route()[1], 'Quotation', + 'made quotation'); + assert.equal(cur_frm.doc.customer, 'Test Customer 1', + 'customer set in quotation'); + assert.equal(cur_frm.doc.items[0].item_code, 'Test Product 1', + 'item set in quotation'); + assert.equal(cur_frm.doc.items[0].qty, 4, + 'qty set in quotation'); + assert.equal(cur_frm.doc.items[0].prevdoc_docname, frappe.opportunity_name, + 'opportunity set in quotation'); + }, + () => done() + ]); +}); diff --git a/erpnext/demo/user/sales.py b/erpnext/demo/user/sales.py index ddd36efc369..666e201716e 100644 --- a/erpnext/demo/user/sales.py +++ b/erpnext/demo/user/sales.py @@ -118,7 +118,8 @@ def make_sales_order(): from erpnext.selling.doctype.quotation.quotation import make_sales_order so = frappe.get_doc(make_sales_order(q)) so.transaction_date = frappe.flags.current_date - so.delivery_date = frappe.utils.add_days(frappe.flags.current_date, 10) + for d in so.get("items"): + d.delivery_date = frappe.utils.add_days(frappe.flags.current_date, 10) so.insert() frappe.db.commit() so.submit() diff --git a/erpnext/docs/assets/img/sales_goal/__init__.py b/erpnext/docs/assets/img/sales_goal/__init__.py new file mode 100644 index 00000000000..e69de29bb2d diff --git a/erpnext/docs/assets/img/selling/make-so.gif b/erpnext/docs/assets/img/selling/make-so.gif index 5edd19b887a..0e568a8d3da 100644 Binary files a/erpnext/docs/assets/img/selling/make-so.gif and b/erpnext/docs/assets/img/selling/make-so.gif differ diff --git a/erpnext/docs/license.html b/erpnext/docs/license.html index 1d50b78b305..4740c5c1455 100644 --- a/erpnext/docs/license.html +++ b/erpnext/docs/license.html @@ -640,8 +640,8 @@ attach them to the start of each source file to most effectively state the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found.

-
    <one line="" to="" give="" the="" program's="" name="" and="" a="" brief="" idea="" of="" what="" it="" does.="">
-    Copyright (C) <year>  <name of="" author="">
+
    <one line to give the program's name and a brief idea of what it does.>
+    Copyright (C) <year>  <name of author>
 
     This program is free software: you can redistribute it and/or modify
     it under the terms of the GNU General Public License as published by
diff --git a/erpnext/docs/user/manual/en/selling/sales-order.md b/erpnext/docs/user/manual/en/selling/sales-order.md
index 99b9a85c252..b1030380365 100644
--- a/erpnext/docs/user/manual/en/selling/sales-order.md
+++ b/erpnext/docs/user/manual/en/selling/sales-order.md
@@ -31,7 +31,7 @@ Most of the information in your Sales Order is the same as the Quotation.
 There are a few amongst other things that a Sales Order will ask you to
 update.
 
-  * Expected date of delivery.
+  * Enter delivery date agaist each item. If there are multiple items and if you enter delivery date in the first row, the date will be copied to other rows as well where it is blank.
   * Customer Purchase Order number: If your customer has sent you a Purchase Order, you can update its number for future reference (in billing).
 
 ### Packing List
@@ -89,9 +89,9 @@ ERPNext will automatically create new Order and mail a notification to the Email
 Once you “Submit” your Sales Order, you can now trigger different aspects of
 your organization:
 
-  * To begin purchase click on “Make Purchase Request”
-  * To make a shipment entry click on “Make Delivery Note”
-  * To bill, make “Make Sales Invoice”
+  * To begin purchase click on Make -> Purchase Request
+  * To make a shipment entry click on Make -> Delivery Note. You can also make Delivery Note for selected items based on delivery date.
+  * To bill, make Make -> Sales Invoice
   * To stop further process on this Sales Order, click on “Stop”
 
 ### Submission
diff --git a/erpnext/hr/doctype/process_payroll/process_payroll.js b/erpnext/hr/doctype/process_payroll/process_payroll.js
index 0ec7f7052ff..a9ad4293547 100644
--- a/erpnext/hr/doctype/process_payroll/process_payroll.js
+++ b/erpnext/hr/doctype/process_payroll/process_payroll.js
@@ -1,6 +1,8 @@
 // Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors
 // License: GNU General Public License v3. See license.txt
 
+var in_progress = false;
+
 frappe.ui.form.on("Process Payroll", {
 	onload: function (frm) {
 		frm.doc.posting_date = frappe.datetime.nowdate();
@@ -47,11 +49,12 @@ frappe.ui.form.on("Process Payroll", {
 	},
 
 	start_date: function (frm) {
-		frm.trigger("set_start_end_dates");
-	},
-
-	end_date: function (frm) {
-		frm.trigger("set_start_end_dates");
+		if(!in_progress && frm.doc.start_date){
+			frm.trigger("set_end_date");
+		}else{
+			// reset flag
+			in_progress = false
+		}
 	},
 
 	salary_slip_based_on_timesheet: function (frm) {
@@ -68,10 +71,11 @@ frappe.ui.form.on("Process Payroll", {
 				method: 'erpnext.hr.doctype.process_payroll.process_payroll.get_start_end_dates',
 				args: {
 					payroll_frequency: frm.doc.payroll_frequency,
-					start_date: frm.doc.start_date || frm.doc.posting_date
+					start_date: frm.doc.posting_date
 				},
 				callback: function (r) {
 					if (r.message) {
+						in_progress = true;
 						frm.set_value('start_date', r.message.start_date);
 						frm.set_value('end_date', r.message.end_date);
 					}
@@ -79,6 +83,21 @@ frappe.ui.form.on("Process Payroll", {
 			})
 		}
 	},
+
+	set_end_date: function(frm){
+		frappe.call({
+			method: 'erpnext.hr.doctype.process_payroll.process_payroll.get_end_date',
+			args: {
+				frequency: frm.doc.payroll_frequency,
+				start_date: frm.doc.start_date
+			},
+			callback: function (r) {
+				if (r.message) {
+					frm.set_value('end_date', r.message.end_date);
+				}
+			}
+		})
+	}
 })
 
 cur_frm.cscript.display_activity_log = function (msg) {
diff --git a/erpnext/hr/doctype/process_payroll/process_payroll.py b/erpnext/hr/doctype/process_payroll/process_payroll.py
index 7ca94b86289..b58c7872ccf 100644
--- a/erpnext/hr/doctype/process_payroll/process_payroll.py
+++ b/erpnext/hr/doctype/process_payroll/process_payroll.py
@@ -3,7 +3,8 @@
 
 from __future__ import unicode_literals
 import frappe
-from frappe.utils import cint, flt, nowdate, add_days, getdate, fmt_money
+from dateutil.relativedelta import relativedelta
+from frappe.utils import cint, nowdate, add_days, getdate, fmt_money, add_to_date, DATE_FORMAT
 from frappe import _
 from erpnext.accounts.utils import get_fiscal_year
 
@@ -47,7 +48,6 @@ class ProcessPayroll(Document):
 			%s """% cond, {"sal_struct": sal_struct})
 			return emp_list
 
-
 	def get_filter_condition(self):
 		self.check_mandatory()
 
@@ -58,7 +58,6 @@ class ProcessPayroll(Document):
 
 		return cond
 
-
 	def get_joining_releiving_condition(self):
 		cond = """
 			and ifnull(t1.date_of_joining, '0000-00-00') <= '%(end_date)s'
@@ -66,7 +65,6 @@ class ProcessPayroll(Document):
 		""" % {"start_date": self.start_date, "end_date": self.end_date}
 		return cond
 
-
 	def check_mandatory(self):
 		for fieldname in ['company', 'start_date', 'end_date']:
 			if not self.get(fieldname):
@@ -110,7 +108,6 @@ class ProcessPayroll(Document):
 					ss_list.append(ss_dict)
 		return self.create_log(ss_list)
 
-
 	def create_log(self, ss_list):
 		if not ss_list or len(ss_list) < 1: 
 			log = "

" + _("No employee for the above selected criteria OR salary slip already created") + "

" @@ -134,7 +131,6 @@ class ProcessPayroll(Document): """ % ('%s', '%s', '%s','%s', cond), (ss_status, self.start_date, self.end_date, self.salary_slip_based_on_timesheet), as_dict=as_dict) return ss_list - def submit_salary_slips(self): """ Submit all salary slips based on selected criteria @@ -194,7 +190,6 @@ class ProcessPayroll(Document): def format_as_links(self, salary_slip): return ['{0}'.format(salary_slip)] - def get_total_salary_and_loan_amounts(self): """ Get total loan principal, loan interest and salary amount from submitted salary slip based on selected criteria @@ -257,7 +252,6 @@ class ProcessPayroll(Document): return payroll_payable_account - def make_accural_jv_entry(self): self.check_permission('write') earnings = self.get_salary_component_total(component_type = "earnings") or {} @@ -358,7 +352,6 @@ class ProcessPayroll(Document): self.update(get_start_end_dates(self.payroll_frequency, self.start_date or self.posting_date, self.company)) - @frappe.whitelist() def get_start_end_dates(payroll_frequency, start_date=None, company=None): '''Returns dict of start and end dates for given payroll frequency based on start_date''' @@ -391,6 +384,29 @@ def get_start_end_dates(payroll_frequency, start_date=None, company=None): 'start_date': start_date, 'end_date': end_date }) +def get_frequency_kwargs(frequency_name): + frequency_dict = { + 'monthly': {'months': 1}, + 'fortnightly': {'days': 14}, + 'weekly': {'days': 7}, + 'daily': {'days': 1} + } + return frequency_dict.get(frequency_name) + +@frappe.whitelist() +def get_end_date(start_date, frequency): + start_date = getdate(start_date) + frequency = frequency.lower() if frequency else 'monthly' + kwargs = get_frequency_kwargs(frequency) if frequency != 'bimonthly' else get_frequency_kwargs('monthly') + + # weekly, fortnightly and daily intervals have fixed days so no problems + end_date = add_to_date(start_date, **kwargs) - relativedelta(days=1) + if frequency != 'bimonthly': + return dict(end_date=end_date.strftime(DATE_FORMAT)) + + else: + return dict(end_date='') + def get_month_details(year, month): ysd = frappe.db.get_value("Fiscal Year", year, "year_start_date") if ysd: diff --git a/erpnext/hr/doctype/process_payroll/test_process_payroll.py b/erpnext/hr/doctype/process_payroll/test_process_payroll.py index 6347a2a2353..1f9ba267488 100644 --- a/erpnext/hr/doctype/process_payroll/test_process_payroll.py +++ b/erpnext/hr/doctype/process_payroll/test_process_payroll.py @@ -3,10 +3,12 @@ from __future__ import unicode_literals import unittest -import frappe + import erpnext -from frappe.utils import flt, add_months, cint, nowdate, getdate, add_days, random_string -from frappe.utils.make_random import get_random +import frappe +from frappe.utils import nowdate +from erpnext.hr.doctype.process_payroll.process_payroll import get_end_date + class TestProcessPayroll(unittest.TestCase): def test_process_payroll(self): @@ -30,6 +32,16 @@ class TestProcessPayroll(unittest.TestCase): process_payroll.submit_salary_slips() if process_payroll.get_sal_slip_list(ss_status = 1): r = process_payroll.make_payment_entry() + + def test_get_end_date(self): + self.assertEqual(get_end_date('2017-01-01', 'monthly'), {'end_date': '2017-01-31'}) + self.assertEqual(get_end_date('2017-02-01', 'monthly'), {'end_date': '2017-02-28'}) + self.assertEqual(get_end_date('2017-02-01', 'fortnightly'), {'end_date': '2017-02-14'}) + self.assertEqual(get_end_date('2017-02-01', 'bimonthly'), {'end_date': ''}) + self.assertEqual(get_end_date('2017-01-01', 'bimonthly'), {'end_date': ''}) + self.assertEqual(get_end_date('2020-02-15', 'bimonthly'), {'end_date': ''}) + self.assertEqual(get_end_date('2017-02-15', 'monthly'), {'end_date': '2017-03-14'}) + self.assertEqual(get_end_date('2017-02-15', 'daily'), {'end_date': '2017-02-15'}) def get_salary_component_account(sal_comp): diff --git a/erpnext/hr/doctype/salary_slip/salary_slip.js b/erpnext/hr/doctype/salary_slip/salary_slip.js index a96347a8518..de3276c8e3f 100644 --- a/erpnext/hr/doctype/salary_slip/salary_slip.js +++ b/erpnext/hr/doctype/salary_slip/salary_slip.js @@ -29,6 +29,27 @@ frappe.ui.form.on("Salary Slip", { }) }, + start_date: function(frm){ + if(frm.doc.start_date){ + frm.trigger("set_end_date"); + } + }, + + set_end_date: function(frm){ + frappe.call({ + method: 'erpnext.hr.doctype.process_payroll.process_payroll.get_end_date', + args: { + frequency: frm.doc.payroll_frequency, + start_date: frm.doc.start_date + }, + callback: function (r) { + if (r.message) { + frm.set_value('end_date', r.message.end_date); + } + } + }) + }, + company: function(frm) { var company = locals[':Company'][frm.doc.company]; if(!frm.doc.letter_head && company.default_letter_head) { @@ -45,11 +66,17 @@ frappe.ui.form.on("Salary Slip", { }, salary_slip_based_on_timesheet: function(frm) { - frm.trigger("toggle_fields") + frm.trigger("toggle_fields"); + frm.set_value('start_date', ''); }, payroll_frequency: function(frm) { - frm.trigger("toggle_fields") + frm.trigger("toggle_fields"); + frm.set_value('start_date', ''); + }, + + employee: function(frm){ + frm.set_value('start_date', ''); }, toggle_fields: function(frm) { @@ -74,18 +101,19 @@ frappe.ui.form.on('Salary Detail', { // Get leave details //--------------------------------------------------------------------- cur_frm.cscript.start_date = function(doc, dt, dn){ - return frappe.call({ - method: 'get_emp_and_leave_details', - doc: locals[dt][dn], - callback: function(r, rt) { - cur_frm.refresh(); - calculate_all(doc, dt, dn); - } - }); + if(!doc.start_date){ + return frappe.call({ + method: 'get_emp_and_leave_details', + doc: locals[dt][dn], + callback: function(r, rt) { + cur_frm.refresh(); + calculate_all(doc, dt, dn); + } + }); + } } cur_frm.cscript.payroll_frequency = cur_frm.cscript.salary_slip_based_on_timesheet = cur_frm.cscript.start_date; -cur_frm.cscript.end_date = cur_frm.cscript.start_date; cur_frm.cscript.employee = function(doc,dt,dn){ doc.salary_structure = '' diff --git a/erpnext/manufacturing/doctype/bom/bom.py b/erpnext/manufacturing/doctype/bom/bom.py index 681b62f726c..ce89589886a 100644 --- a/erpnext/manufacturing/doctype/bom/bom.py +++ b/erpnext/manufacturing/doctype/bom/bom.py @@ -51,6 +51,7 @@ class BOM(WebsiteGenerator): from erpnext.utilities.transaction_base import validate_uom_is_integer validate_uom_is_integer(self, "stock_uom", "stock_qty", "BOM Item") + self.update_stock_qty() self.validate_materials() self.set_bom_material_details() self.validate_operations() diff --git a/erpnext/manufacturing/doctype/production_order/production_order.js b/erpnext/manufacturing/doctype/production_order/production_order.js index 657819a0b02..c61eec620ae 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.js +++ b/erpnext/manufacturing/doctype/production_order/production_order.js @@ -77,7 +77,6 @@ frappe.ui.form.on("Production Order", { if (!frm.doc.status) frm.doc.status = 'Draft'; - frm.add_fetch("sales_order", "delivery_date", "expected_delivery_date"); frm.add_fetch("sales_order", "project", "project"); if(frm.doc.__islocal) { diff --git a/erpnext/manufacturing/doctype/production_order/production_order.py b/erpnext/manufacturing/doctype/production_order/production_order.py index 8506c180715..95336137cb5 100644 --- a/erpnext/manufacturing/doctype/production_order/production_order.py +++ b/erpnext/manufacturing/doctype/production_order/production_order.py @@ -50,8 +50,12 @@ class ProductionOrder(Document): def validate_sales_order(self): if self.sales_order: - so = frappe.db.sql("""select name, delivery_date, project from `tabSales Order` - where name=%s and docstatus = 1""", self.sales_order, as_dict=1) + so = frappe.db.sql(""" + select so.name, so_item.delivery_date, so.project + from `tabSales Order` so, `tabSales Order Item` so_item + where so.name=%s and so.name=so_item.parent + and so.docstatus = 1 and so_item.item_code=%s + """, (self.sales_order, self.production_item), as_dict=1) if len(so): if not self.expected_delivery_date: diff --git a/erpnext/manufacturing/doctype/workstation/_test_workstation.js b/erpnext/manufacturing/doctype/workstation/_test_workstation.js new file mode 100644 index 00000000000..0f09bd1c61f --- /dev/null +++ b/erpnext/manufacturing/doctype/workstation/_test_workstation.js @@ -0,0 +1,23 @@ +/* eslint-disable */ +// rename this file from _test_[name] to test_[name] to activate +// and remove above this line + +QUnit.test("test: Workstation", function (assert) { + let done = assert.async(); + + // number of asserts + assert.expect(1); + + frappe.run_serially('Workstation', [ + // insert a new Workstation + () => frappe.tests.make([ + // values to be set + {key: 'value'} + ]), + () => { + assert.equal(cur_frm.doc.key, 'value'); + }, + () => done() + ]); + +}); diff --git a/erpnext/manufacturing/doctype/workstation/workstation.json b/erpnext/manufacturing/doctype/workstation/workstation.json index 38188be2aaf..dca9891277f 100644 --- a/erpnext/manufacturing/doctype/workstation/workstation.json +++ b/erpnext/manufacturing/doctype/workstation/workstation.json @@ -1,5 +1,6 @@ { "allow_copy": 0, + "allow_guest_to_view": 0, "allow_import": 1, "allow_rename": 1, "autoname": "field:workstation_name", @@ -12,11 +13,12 @@ "editable_grid": 0, "fields": [ { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, - "collapsible": 0, + "collapsible": 1, "columns": 0, - "fieldname": "description_and_warehouse", + "fieldname": "description_section", "fieldtype": "Section Break", "hidden": 0, "ignore_user_permissions": 0, @@ -25,7 +27,7 @@ "in_global_search": 0, "in_list_view": 0, "in_standard_filter": 0, - "label": "", + "label": "Description", "length": 0, "no_copy": 0, "permlevel": 0, @@ -41,6 +43,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -71,6 +74,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -102,65 +106,7 @@ "width": "300px" }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_4", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "unique": 0 - }, - { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "", - "fieldname": "holiday_list", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "label": "Holiday List", - "length": 0, - "no_copy": 0, - "options": "Holiday List", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "unique": 0 - }, - { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -190,6 +136,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -221,6 +168,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -252,6 +200,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -280,6 +229,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -311,6 +261,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -342,6 +293,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -373,6 +325,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -402,6 +355,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -430,20 +384,52 @@ "search_index": 0, "set_only_once": 0, "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "default": "", + "fieldname": "holiday_list", + "fieldtype": "Link", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Holiday List", + "length": 0, + "no_copy": 0, + "options": "Holiday List", + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 } ], + "has_web_view": 0, "hide_heading": 0, "hide_toolbar": 0, "icon": "icon-wrench", "idx": 1, "image_view": 0, "in_create": 0, - "in_dialog": 0, "is_submittable": 0, "issingle": 0, "istable": 0, "max_attachments": 0, - "modified": "2017-02-17 17:26:57.238167", + "modified": "2017-07-18 22:28:50.163219", "modified_by": "Administrator", "module": "Manufacturing", "name": "Workstation", @@ -470,11 +456,11 @@ "write": 1 } ], - "quick_entry": 0, + "quick_entry": 1, "read_only": 0, "read_only_onload": 0, "show_name_in_global_search": 1, "sort_order": "ASC", - "track_changes": 0, + "track_changes": 1, "track_seen": 0 } \ No newline at end of file diff --git a/erpnext/manufacturing/doctype/workstation/workstation_list.js b/erpnext/manufacturing/doctype/workstation/workstation_list.js new file mode 100644 index 00000000000..6a89d21e1ef --- /dev/null +++ b/erpnext/manufacturing/doctype/workstation/workstation_list.js @@ -0,0 +1,5 @@ +/* eslint-disable */ +frappe.listview_settings['Workstation'] = { + // add_fields: ["status"], + // filters:[["status","=", "Open"]] +}; diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 48e3a351e1e..fb8f02e94b5 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -422,4 +422,5 @@ erpnext.patches.v8_1.add_indexes_in_transaction_doctypes erpnext.patches.v8_3.set_restrict_to_domain_for_module_def erpnext.patches.v8_1.update_expense_claim_status erpnext.patches.v8_3.update_company_total_sales +erpnext.patches.v8_1.set_delivery_date_in_so_item erpnext.patches.v8_5.fix_tax_breakup_for_non_invoice_docs \ No newline at end of file diff --git a/erpnext/patches/v8_1/set_delivery_date_in_so_item.py b/erpnext/patches/v8_1/set_delivery_date_in_so_item.py new file mode 100644 index 00000000000..68404247748 --- /dev/null +++ b/erpnext/patches/v8_1/set_delivery_date_in_so_item.py @@ -0,0 +1,13 @@ +import frappe + +def execute(): + frappe.reload_doctype("Sales Order") + frappe.reload_doctype("Sales Order Item") + + frappe.db.sql("""update `tabSales Order` set final_delivery_date = delivery_date where docstatus=1""") + + frappe.db.sql(""" + update `tabSales Order` so, `tabSales Order Item` so_item + set so_item.delivery_date = so.delivery_date + where so.name = so_item.parent + """) \ No newline at end of file diff --git a/erpnext/projects/doctype/project/project.js b/erpnext/projects/doctype/project/project.js index 78cdb13ece8..f16cf07d2a8 100644 --- a/erpnext/projects/doctype/project/project.js +++ b/erpnext/projects/doctype/project/project.js @@ -3,6 +3,22 @@ frappe.ui.form.on("Project", { onload: function(frm) { + frm.set_indicator_formatter('title', + function(doc) { + let indicator = 'orange'; + if (doc.status == 'Overdue') { + indicator = 'red'; + } + else if (doc.status == 'Cancelled') { + indicator = 'dark grey'; + } + else if (doc.status == 'Closed') { + indicator = 'green'; + } + return indicator; + } + ); + var so = frappe.meta.get_docfield("Project", "sales_order"); so.get_route_options_for_new_doc = function(field) { if(frm.is_new()) return; @@ -35,6 +51,7 @@ frappe.ui.form.on("Project", { } }); }, + refresh: function(frm) { if(frm.doc.__islocal) { frm.web_link && frm.web_link.remove(); diff --git a/erpnext/projects/doctype/project/project.json b/erpnext/projects/doctype/project/project.json index 32a3ffd3351..28eb7305971 100644 --- a/erpnext/projects/doctype/project/project.json +++ b/erpnext/projects/doctype/project/project.json @@ -14,6 +14,7 @@ "engine": "InnoDB", "fields": [ { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -44,6 +45,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -76,6 +78,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -107,6 +110,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -138,6 +142,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -169,6 +174,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -197,6 +203,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -228,6 +235,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -258,6 +266,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 1, "collapsible": 0, @@ -269,7 +278,7 @@ "ignore_xss_filter": 0, "in_filter": 0, "in_global_search": 0, - "in_list_view": 0, + "in_list_view": 1, "in_standard_filter": 0, "label": "Expected End Date", "length": 0, @@ -288,6 +297,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 1, "collapsible": 0, @@ -316,6 +326,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 1, @@ -346,6 +357,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -377,6 +389,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -405,6 +418,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -435,6 +449,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 1, @@ -464,6 +479,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -495,6 +511,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -525,6 +542,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -555,6 +573,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -584,6 +603,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 1, @@ -614,6 +634,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -644,6 +665,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 1, @@ -673,6 +695,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -702,6 +725,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -731,6 +755,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -759,6 +784,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -789,6 +815,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 1, @@ -819,6 +846,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -850,6 +878,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -880,6 +909,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -910,6 +940,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -939,6 +970,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -968,6 +1000,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -996,6 +1029,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1026,6 +1060,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1055,6 +1090,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1084,6 +1120,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 1, @@ -1114,6 +1151,7 @@ "width": "50%" }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1145,6 +1183,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1173,6 +1212,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1215,8 +1255,8 @@ "issingle": 0, "istable": 0, "max_attachments": 4, - "modified": "2017-04-19 13:16:32.462005", - "modified_by": "faris@erpnext.com", + "modified": "2017-07-19 14:36:20.857673", + "modified_by": "Administrator", "module": "Projects", "name": "Project", "owner": "Administrator", diff --git a/erpnext/projects/doctype/task/test_task.js b/erpnext/projects/doctype/task/test_task.js new file mode 100644 index 00000000000..8a1a5bf6822 --- /dev/null +++ b/erpnext/projects/doctype/task/test_task.js @@ -0,0 +1,24 @@ +/* eslint-disable */ +// rename this file from _test_[name] to test_[name] to activate +// and remove above this line + +QUnit.test("test: Task", function (assert) { + let done = assert.async(); + + // number of asserts + assert.expect(2); + + frappe.run_serially([ + // insert a new Task + () => frappe.tests.make('Task', [ + // values to be set + {subject: 'new task'} + ]), + () => { + assert.equal(cur_frm.doc.status, 'Open'); + assert.equal(cur_frm.doc.priority, 'Low'); + }, + () => done() + ]); + +}); diff --git a/erpnext/projects/doctype/timesheet/timesheet.js b/erpnext/projects/doctype/timesheet/timesheet.js index 2edfa9e8106..441ab1afb02 100644 --- a/erpnext/projects/doctype/timesheet/timesheet.js +++ b/erpnext/projects/doctype/timesheet/timesheet.js @@ -133,10 +133,15 @@ var calculate_end_time = function(frm, cdt, cdn) { var child = locals[cdt][cdn]; var d = moment(child.from_time); - d.add(child.hours, "hours"); - frm._setting_hours = true; - frappe.model.set_value(cdt, cdn, "to_time", d.format(moment.defaultDatetimeFormat)); - frm._setting_hours = false; + if(child.hours) { + d.add(child.hours, "hours"); + frm._setting_hours = true; + frappe.model.set_value(cdt, cdn, "to_time", + d.format(moment.defaultDatetimeFormat)).then(() => { + frm._setting_hours = false; + }); + } + if((frm.doc.__islocal || frm.doc.__onload.maintain_bill_work_hours_same) && child.hours){ frappe.model.set_value(cdt, cdn, "billing_hours", child.hours); diff --git a/erpnext/tests/ui/selling/_test_quotation.js b/erpnext/selling/doctype/quotation/test_quotation.js similarity index 50% rename from erpnext/tests/ui/selling/_test_quotation.js rename to erpnext/selling/doctype/quotation/test_quotation.js index 62dd05dc848..44173cc0e1f 100644 --- a/erpnext/tests/ui/selling/_test_quotation.js +++ b/erpnext/selling/doctype/quotation/test_quotation.js @@ -1,29 +1,16 @@ QUnit.test("test: quotation", function (assert) { - assert.expect(18); + assert.expect(10); let done = assert.async(); frappe.run_serially([ - () => frappe.tests.setup_doctype("Customer"), - () => frappe.tests.setup_doctype("Item"), - () => frappe.tests.setup_doctype("Address"), - () => frappe.tests.setup_doctype("Contact"), - () => frappe.tests.setup_doctype("Price List"), - () => frappe.tests.setup_doctype("Terms and Conditions"), - () => frappe.tests.setup_doctype("Sales Taxes and Charges Template"), () => { - return frappe.tests.make("Quotation", [{ - customer: "Test Customer 1" - }, - { - items: [ - [{ - "item_code": "Test Product 1" - }, - { - "qty": 5 - } - ] - ] - } + return frappe.tests.make("Quotation", [ + {customer: "Test Customer 1"}, + {items: [ + [ + {"item_code": "Test Product 1"}, + {"qty": 5} + ]] + } ]); }, () => { @@ -43,7 +30,6 @@ QUnit.test("test: quotation", function (assert) { () => cur_frm.doc.items[0].rate = 200, () => frappe.timeout(0.3), () => cur_frm.set_value("tc_name", "Test Term 1"), - () => cur_frm.set_value("taxes_and_charges", "TEST In State GST"), () => frappe.timeout(0.3), () => cur_frm.save(), () => { @@ -56,26 +42,12 @@ QUnit.test("test: quotation", function (assert) { assert.ok(cur_frm.doc_currency == "USD", "Currency Changed"); assert.ok(cur_frm.doc.selling_price_list == "Test-Selling-USD", "Price List Changed"); assert.ok(cur_frm.doc.items[0].rate == 200, "Price Changed Manually"); - assert.ok(cur_frm.doc.total == 1000, "New Total Calculated"); + assert.equal(cur_frm.doc.total, 1000, "New Total Calculated"); // Check Terms and Condtions assert.ok(cur_frm.doc.tc_name == "Test Term 1", "Terms and Conditions Checked"); - // Check Taxes - assert.ok(cur_frm.doc.taxes[0].account_head.includes("CGST")); - assert.ok(cur_frm.doc.taxes[1].account_head.includes("SGST")); - assert.ok(cur_frm.doc.grand_total == 1180, "Tax Amount Added to Total"); - assert.ok(cur_frm.doc.taxes_and_charges == "TEST In State GST", "Tax Template Selected"); }, - () => frappe.timeout(0.3), - () => cur_frm.print_doc(), - () => frappe.timeout(1), - () => assert.ok($('.btn-print-print').is(':visible'), "Print Format Available"), - () => assert.ok(RegExp(/QTN-\d\d\d\d\d/g).test($("#header-html small").text())), - () => assert.ok($(".important .text-right.value").text().includes("$ 1,180.00")), - () => assert.ok($(".section-break+ .section-break .column-break:nth-child(1) .data-field:nth-child(1) .value").text().includes("Billing Street 1"), "Print Preview Works As Expected"), - () => frappe.timeout(0.3), - () => cur_frm.print_doc(), () => done() ]); }); \ No newline at end of file diff --git a/erpnext/selling/doctype/quotation/test_quotation.py b/erpnext/selling/doctype/quotation/test_quotation.py index 640c026c662..7fb40748f01 100644 --- a/erpnext/selling/doctype/quotation/test_quotation.py +++ b/erpnext/selling/doctype/quotation/test_quotation.py @@ -27,7 +27,8 @@ class TestQuotation(unittest.TestCase): self.assertEquals(sales_order.get("items")[0].prevdoc_docname, quotation.name) self.assertEquals(sales_order.customer, "_Test Customer") - sales_order.delivery_date = "2014-01-01" + for d in sales_order.get("items"): + d.delivery_date = "2014-01-01" sales_order.naming_series = "_T-Quotation-" sales_order.transaction_date = "2013-05-12" sales_order.insert() @@ -51,9 +52,11 @@ class TestQuotation(unittest.TestCase): quotation.submit() sales_order = make_sales_order(quotation.name) - sales_order.delivery_date = "2016-01-02" sales_order.naming_series = "_T-Quotation-" sales_order.transaction_date = "2016-01-01" + for d in sales_order.get("items"): + d.delivery_date = "2016-01-02" + sales_order.insert() self.assertEquals(quotation.get("items")[0].rate, rate_with_margin) @@ -86,4 +89,4 @@ def get_quotation_dict(customer=None, item_code=None): 'rate': 100 } ] - } \ No newline at end of file + } diff --git a/erpnext/selling/doctype/sales_order/sales_order.js b/erpnext/selling/doctype/sales_order/sales_order.js index 457b6aad84c..2e01a083592 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.js +++ b/erpnext/selling/doctype/sales_order/sales_order.js @@ -33,7 +33,13 @@ frappe.ui.form.on("Sales Order", { function(doc) { return (doc.stock_qty<=doc.delivered_qty) ? "green" : "orange" }) erpnext.queries.setup_warehouse_query(frm); - } + }, +}); + +frappe.ui.form.on("Sales Order Item", { + delivery_date: function(frm, cdt, cdn) { + erpnext.utils.copy_value_in_all_row(frm.doc, cdt, cdn, "items", "delivery_date"); + } }); erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend({ @@ -77,7 +83,7 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( // delivery note if(flt(doc.per_delivered, 2) < 100 && ["Sales", "Shopping Cart"].indexOf(doc.order_type)!==-1 && allow_delivery) { this.frm.add_custom_button(__('Delivery'), - function() { me.make_delivery_note() }, __("Make")); + function() { me.make_delivery_note_based_on_delivery_note(); }, __("Make")); this.frm.add_custom_button(__('Production Order'), function() { me.make_production_order() }, __("Make")); @@ -235,7 +241,7 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( }, order_type: function() { - this.frm.toggle_reqd("delivery_date", this.frm.doc.order_type == "Sales"); + this.frm.fields_dict.items.grid.toggle_reqd("delivery_date", this.frm.doc.order_type == "Sales"); }, tc_name: function() { @@ -249,10 +255,72 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( }) }, + make_delivery_note_based_on_delivery_note: function() { + var me = this; + + var delivery_dates = []; + $.each(this.frm.doc.items || [], function(i, d) { + if(!delivery_dates.includes(d.delivery_date)) { + delivery_dates.push(d.delivery_date); + } + }); + + var item_grid = this.frm.fields_dict["items"].grid; + if(!item_grid.get_selected().length && delivery_dates.length > 1) { + var dialog = new frappe.ui.Dialog({ + title: __("Select Items based on Delivery Date"), + fields: [{fieldtype: "HTML", fieldname: "dates_html"}] + }); + + var html = $(` +
+
+
+ ${__('Delivery Date')} +
+
+ ${delivery_dates.map(date => ` +
+
+ +
+
+ `).join("")} +
+ `); + + var wrapper = dialog.fields_dict.dates_html.$wrapper; + wrapper.html(html); + + dialog.set_primary_action(__("Select"), function() { + var dates = wrapper.find('input[type=checkbox]:checked') + .map((i, el) => $(el).attr('data-date')).toArray(); + + if(!dates) return; + + $.each(dates, function(i, d) { + $.each(item_grid.grid_rows || [], function(j, row) { + if(row.doc.delivery_date == d) { + row.doc.__checked = 1; + } + }); + }) + me.make_delivery_note(); + dialog.hide(); + }); + dialog.show(); + } else { + this.make_delivery_note(); + } + }, + make_delivery_note: function() { frappe.model.open_mapped_doc({ method: "erpnext.selling.doctype.sales_order.sales_order.make_delivery_note", - frm: this.frm + frm: me.frm }) }, @@ -344,6 +412,11 @@ erpnext.selling.SalesOrderController = erpnext.selling.SellingController.extend( if(cint(frappe.boot.notification_settings.sales_order)) { this.frm.email_doc(frappe.boot.notification_settings.sales_order_message); } + }, + + items_add: function(doc, cdt, cdn) { + var row = frappe.get_doc(cdt, cdn); + this.frm.script_manager.copy_from_first_row("items", row, ["delivery_date"]); } }); diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index c7c5ea22452..8d19083f50c 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -367,32 +367,29 @@ "bold": 0, "collapsible": 0, "columns": 0, - "depends_on": "eval:doc.order_type == 'Sales'", - "fieldname": "delivery_date", + "fieldname": "final_delivery_date", "fieldtype": "Date", - "hidden": 0, + "hidden": 1, "ignore_user_permissions": 0, "ignore_xss_filter": 0, "in_filter": 0, "in_global_search": 0, - "in_list_view": 0, + "in_list_view": 1, "in_standard_filter": 0, - "label": "Delivery Date", + "label": "Final Delivery Date", "length": 0, "no_copy": 1, - "oldfieldname": "delivery_date", - "oldfieldtype": "Date", "permlevel": 0, - "print_hide": 0, + "precision": "", + "print_hide": 1, "print_hide_if_no_value": 0, - "read_only": 0, + "read_only": 1, "remember_last_selected_value": 0, "report_hide": 0, "reqd": 0, "search_index": 0, "set_only_once": 0, - "unique": 0, - "width": "160px" + "unique": 0 }, { "allow_bulk_edit": 0, diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py index da9660bcba6..fd80dc86622 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.py +++ b/erpnext/selling/doctype/sales_order/sales_order.py @@ -30,7 +30,6 @@ class SalesOrder(SellingController): self.validate_order_type() self.validate_delivery_date() - self.validate_mandatory() self.validate_proj_cust() self.validate_po() self.validate_uom_is_integer("stock_uom", "stock_qty") @@ -48,25 +47,20 @@ class SalesOrder(SellingController): if not self.billing_status: self.billing_status = 'Not Billed' if not self.delivery_status: self.delivery_status = 'Not Delivered' - def validate_mandatory(self): - # validate transaction date v/s delivery date - if self.delivery_date: - if getdate(self.transaction_date) > getdate(self.delivery_date): - frappe.msgprint(_("Expected Delivery Date is be before Sales Order Date"), - indicator='orange', - title=_('Warning')) - def validate_po(self): # validate p.o date v/s delivery date - if self.po_date and self.delivery_date and getdate(self.po_date) > getdate(self.delivery_date): - frappe.throw(_("Expected Delivery Date cannot be before Purchase Order Date")) + if self.po_date: + for d in self.get("items"): + if d.delivery_date and getdate(self.po_date) > getdate(d.delivery_date): + frappe.throw(_("Row #{0}: Expected Delivery Date cannot be before Purchase Order Date") + .format(d.idx)) if self.po_no and self.customer: so = frappe.db.sql("select name from `tabSales Order` \ where ifnull(po_no, '') = %s and name != %s and docstatus < 2\ and customer = %s", (self.po_no, self.name, self.customer)) - if so and so[0][0] and not \ - cint(frappe.db.get_single_value("Selling Settings", "allow_against_multiple_purchase_orders")): + if so and so[0][0] and not cint(frappe.db.get_single_value("Selling Settings", + "allow_against_multiple_purchase_orders")): frappe.msgprint(_("Warning: Sales Order {0} already exists against Customer's Purchase Order {1}").format(so[0][0], self.po_no)) def validate_for_items(self): @@ -78,7 +72,7 @@ class SalesOrder(SellingController): d.transaction_date = self.transaction_date tot_avail_qty = frappe.db.sql("select projected_qty from `tabBin` \ - where item_code = %s and warehouse = %s", (d.item_code,d.warehouse)) + where item_code = %s and warehouse = %s", (d.item_code, d.warehouse)) d.projected_qty = tot_avail_qty and flt(tot_avail_qty[0][0]) or 0 # check for same entry multiple times @@ -97,16 +91,30 @@ class SalesOrder(SellingController): def validate_sales_mntc_quotation(self): for d in self.get('items'): if d.prevdoc_docname: - res = frappe.db.sql("select name from `tabQuotation` where name=%s and order_type = %s", (d.prevdoc_docname, self.order_type)) + res = frappe.db.sql("select name from `tabQuotation` where name=%s and order_type = %s", + (d.prevdoc_docname, self.order_type)) if not res: - frappe.msgprint(_("Quotation {0} not of type {1}").format(d.prevdoc_docname, self.order_type)) + frappe.msgprint(_("Quotation {0} not of type {1}") + .format(d.prevdoc_docname, self.order_type)) def validate_order_type(self): super(SalesOrder, self).validate_order_type() def validate_delivery_date(self): - if self.order_type == 'Sales' and not self.delivery_date: - frappe.throw(_("Please enter 'Expected Delivery Date'")) + self.final_delivery_date = None + if self.order_type == 'Sales': + for d in self.get("items"): + if not d.delivery_date: + frappe.throw(_("Row #{0}: Please enter Delivery Date against item {1}") + .format(d.idx, d.item_code)) + + if getdate(self.transaction_date) > getdate(d.delivery_date): + frappe.msgprint(_("Expected Delivery Date should be after Sales Order Date"), + indicator='orange', title=_('Warning')) + + if not self.final_delivery_date or \ + (d.delivery_date and getdate(d.delivery_date) > getdate(self.final_delivery_date)): + self.final_delivery_date = d.delivery_date self.validate_sales_mntc_quotation() @@ -122,7 +130,7 @@ class SalesOrder(SellingController): super(SalesOrder, self).validate_warehouse() for d in self.get("items"): - if (frappe.db.get_value("Item", d.item_code, "is_stock_item")==1 or + if (frappe.db.get_value("Item", d.item_code, "is_stock_item") == 1 or (self.has_product_bundle(d.item_code) and self.product_bundle_has_stock_item(d.item_code))) \ and not d.warehouse and not cint(d.delivered_by_supplier): frappe.throw(_("Delivery warehouse required for stock item {0}").format(d.item_code), @@ -337,11 +345,14 @@ class SalesOrder(SellingController): return items - def on_recurring(self, reference_doc): mcount = month_map[reference_doc.recurring_type] - self.set("delivery_date", get_next_date(reference_doc.delivery_date, mcount, - cint(reference_doc.repeat_on_day_of_month))) + for d in self.get("items"): + reference_delivery_date = frappe.db.get_value("Sales Order Item", + {"parent": reference_doc.name, "item_code": d.item_code, "idx": d.idx}, "delivery_date") + + d.set("delivery_date", + get_next_date(reference_delivery_date, mcount, cint(reference_doc.repeat_on_day_of_month))) def get_list_context(context=None): from erpnext.controllers.website_list_for_contact import get_list_context @@ -424,7 +435,6 @@ def make_project(source_name, target_doc=None): }, "field_map":{ "name" : "sales_order", - "delivery_date" : "expected_end_date", "base_grand_total" : "estimated_costing", } }, @@ -615,12 +625,18 @@ def get_events(start, end, filters=None): from frappe.desk.calendar import get_event_conditions conditions = get_event_conditions("Sales Order", filters) - data = frappe.db.sql("""select name, customer_name, status, delivery_status, billing_status, delivery_date - from `tabSales Order` - where (ifnull(delivery_date, '0000-00-00')!= '0000-00-00') \ - and (delivery_date between %(start)s and %(end)s) - and docstatus < 2 - {conditions} + data = frappe.db.sql(""" + select + `tabSales Order`.name, `tabSales Order`.customer_name, `tabSales Order`.status, + `tabSales Order`.delivery_status, `tabSales Order`.billing_status, + `tabSales Order Item`.delivery_date + from + `tabSales Order`, `tabSales Order Item` + where `tabSales Order`.name = `tabSales Order Item`.parent + and (ifnull(`tabSales Order Item`.delivery_date, '0000-00-00')!= '0000-00-00') \ + and (`tabSales Order Item`.delivery_date between %(start)s and %(end)s) + and `tabSales Order`.docstatus < 2 + {conditions} """.format(conditions=conditions), { "start": start, "end": end @@ -660,7 +676,7 @@ def make_purchase_order_for_drop_shipment(source_name, for_supplier, target_doc= target.run_method("calculate_taxes_and_totals") def update_item(source, target, source_parent): - target.schedule_date = source_parent.delivery_date + target.schedule_date = source.delivery_date target.qty = flt(source.qty) - flt(source.ordered_qty) target.stock_qty = (flt(source.qty) - flt(source.ordered_qty)) * flt(source.conversion_factor) diff --git a/erpnext/selling/doctype/sales_order/sales_order_list.js b/erpnext/selling/doctype/sales_order/sales_order_list.js index d1ac6d92bfa..0ee9cf34f08 100644 --- a/erpnext/selling/doctype/sales_order/sales_order_list.js +++ b/erpnext/selling/doctype/sales_order/sales_order_list.js @@ -1,14 +1,14 @@ frappe.listview_settings['Sales Order'] = { - add_fields: ["base_grand_total", "customer_name", "currency", "delivery_date", "per_delivered", "per_billed", - "status", "order_type"], + add_fields: ["base_grand_total", "customer_name", "currency", "final_delivery_date", + "per_delivered", "per_billed", "status", "order_type", "name"], get_indicator: function(doc) { if(doc.status==="Closed"){ return [__("Closed"), "green", "status,=,Closed"]; } else if (doc.order_type !== "Maintenance" - && flt(doc.per_delivered, 2) < 100 && frappe.datetime.get_diff(doc.delivery_date) < 0) { + && flt(doc.per_delivered, 2) < 100 && frappe.datetime.get_diff(doc.final_delivery_date) < 0) { // to bill & overdue - return [__("Overdue"), "red", "per_delivered,<,100|delivery_date,<,Today|status,!=,Closed"]; + return [__("Overdue"), "red", "per_delivered,<,100|final_delivery_date,<,Today|status,!=,Closed"]; } else if (doc.order_type !== "Maintenance" && flt(doc.per_delivered, 2) < 100 && doc.status!=="Closed") { diff --git a/erpnext/selling/doctype/sales_order/test_records.json b/erpnext/selling/doctype/sales_order/test_records.json index 12e953a1b63..6cbd6c2fc17 100644 --- a/erpnext/selling/doctype/sales_order/test_records.json +++ b/erpnext/selling/doctype/sales_order/test_records.json @@ -7,7 +7,6 @@ "customer": "_Test Customer", "customer_group": "_Test Customer Group", "customer_name": "_Test Customer", - "delivery_date": "2013-02-23", "doctype": "Sales Order", "base_grand_total": 1000.0, "grand_total": 1000.0, @@ -23,6 +22,7 @@ "doctype": "Sales Order Item", "item_code": "_Test Item Home Desktop 100", "item_name": "CPU", + "delivery_date": "2013-02-23", "parentfield": "items", "qty": 10.0, "rate": 100.0, diff --git a/erpnext/selling/doctype/sales_order/test_sales_order.py b/erpnext/selling/doctype/sales_order/test_sales_order.py index 0417e5e37c3..8c0711870be 100644 --- a/erpnext/selling/doctype/sales_order/test_sales_order.py +++ b/erpnext/selling/doctype/sales_order/test_sales_order.py @@ -512,7 +512,6 @@ def make_sales_order(**args): so.company = args.company or "_Test Company" so.customer = args.customer or "_Test Customer" - so.delivery_date = add_days(so.transaction_date, 10) so.currency = args.currency or "INR" if args.selling_price_list: so.selling_price_list = args.selling_price_list @@ -533,6 +532,9 @@ def make_sales_order(**args): "rate": args.rate or 100 }) + for d in so.get("items"): + d.delivery_date = add_days(so.transaction_date, 10) + if not args.do_not_save: so.insert() if not args.do_not_submit: diff --git a/erpnext/selling/doctype/sales_order_item/sales_order_item.json b/erpnext/selling/doctype/sales_order_item/sales_order_item.json index 2aae9118ffc..f14f50dedd9 100644 --- a/erpnext/selling/doctype/sales_order_item/sales_order_item.json +++ b/erpnext/selling/doctype/sales_order_item/sales_order_item.json @@ -18,7 +18,7 @@ "allow_on_submit": 0, "bold": 1, "collapsible": 0, - "columns": 4, + "columns": 3, "fieldname": "item_code", "fieldtype": "Link", "hidden": 0, @@ -200,6 +200,36 @@ "unique": 0, "width": "300px" }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 2, + "fieldname": "delivery_date", + "fieldtype": "Date", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 1, + "in_standard_filter": 0, + "label": "Delivery Date", + "length": 0, + "no_copy": 1, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, { "allow_bulk_edit": 0, "allow_on_submit": 0, @@ -324,7 +354,7 @@ "allow_on_submit": 0, "bold": 0, "collapsible": 0, - "columns": 2, + "columns": 1, "fieldname": "qty", "fieldtype": "Float", "hidden": 0, @@ -1933,7 +1963,7 @@ "istable": 1, "max_attachments": 0, "menu_index": 0, - "modified": "2017-05-10 17:14:48.277982", + "modified": "2017-07-18 18:26:36.870342", "modified_by": "Administrator", "module": "Selling", "name": "Sales Order Item", diff --git a/erpnext/setup/doctype/company/company.json b/erpnext/setup/doctype/company/company.json index 1baa8432cde..271755e117d 100644 --- a/erpnext/setup/doctype/company/company.json +++ b/erpnext/setup/doctype/company/company.json @@ -547,7 +547,7 @@ "in_standard_filter": 0, "label": "Sales Monthly History", "length": 0, - "no_copy": 0, + "no_copy": 1, "permlevel": 0, "precision": "", "print_hide": 0, @@ -577,7 +577,7 @@ "in_standard_filter": 0, "label": "Sales Target", "length": 0, - "no_copy": 0, + "no_copy": 1, "options": "default_currency", "permlevel": 0, "precision": "", @@ -637,7 +637,7 @@ "in_standard_filter": 0, "label": "Total Monthly Sales", "length": 0, - "no_copy": 0, + "no_copy": 1, "options": "default_currency", "permlevel": 0, "precision": "", @@ -1961,7 +1961,7 @@ "istable": 0, "max_attachments": 0, "menu_index": 0, - "modified": "2017-07-17 15:50:27.218951", + "modified": "2017-07-19 03:16:27.171189", "modified_by": "Administrator", "module": "Setup", "name": "Company", diff --git a/erpnext/setup/doctype/company/company.py b/erpnext/setup/doctype/company/company.py index c8a0507e8e5..29630eeb843 100644 --- a/erpnext/setup/doctype/company/company.py +++ b/erpnext/setup/doctype/company/company.py @@ -317,7 +317,7 @@ def update_company_current_month_sales(company): results = frappe.db.sql((''' select - sum(grand_total) as total, date_format(posting_date, '%m-%Y') as month_year + sum(base_grand_total) as total, date_format(posting_date, '%m-%Y') as month_year from `tabSales Invoice` where @@ -340,7 +340,7 @@ def update_company_monthly_sales(company): from frappe.utils.goal import get_monthly_results import json filter_str = "company = '{0}' and status != 'Draft'".format(frappe.db.escape(company)) - month_to_value_dict = get_monthly_results("Sales Invoice", "grand_total", "posting_date", filter_str, "sum") + month_to_value_dict = get_monthly_results("Sales Invoice", "base_grand_total", "posting_date", filter_str, "sum") frappe.db.sql((''' update tabCompany set sales_monthly_history = %s where name=%s diff --git a/erpnext/setup/doctype/company/company_dashboard.py b/erpnext/setup/doctype/company/company_dashboard.py index 32ad0201323..da7f2b582a7 100644 --- a/erpnext/setup/doctype/company/company_dashboard.py +++ b/erpnext/setup/doctype/company/company_dashboard.py @@ -14,7 +14,7 @@ def get_data(): 'goal_history_field': 'sales_monthly_history', 'goal_doctype': 'Sales Invoice', 'goal_doctype_link': 'company', - 'goal_field': 'grand_total', + 'goal_field': 'base_grand_total', 'date_field': 'posting_date', 'filter_str': 'status != "Draft"', 'aggregation': 'sum' diff --git a/erpnext/stock/report/ordered_items_to_be_delivered/ordered_items_to_be_delivered.json b/erpnext/stock/report/ordered_items_to_be_delivered/ordered_items_to_be_delivered.json index f82a52b5256..557847abb6f 100644 --- a/erpnext/stock/report/ordered_items_to_be_delivered/ordered_items_to_be_delivered.json +++ b/erpnext/stock/report/ordered_items_to_be_delivered/ordered_items_to_be_delivered.json @@ -7,12 +7,12 @@ "doctype": "Report", "idx": 3, "is_standard": "Yes", - "modified": "2017-04-28 12:18:15.362019", + "modified": "2017-07-22 09:24:30.201487", "modified_by": "Administrator", "module": "Stock", "name": "Ordered Items To Be Delivered", "owner": "Administrator", - "query": "select \n `tabSales Order`.`name` as \"Sales Order:Link/Sales Order:120\",\n `tabSales Order`.`customer` as \"Customer:Link/Customer:120\",\n `tabSales Order`.`customer_name` as \"Customer Name::150\",\n `tabSales Order`.`transaction_date` as \"Date:Date\",\n `tabSales Order`.`project` as \"Project:Link/Project:120\",\n `tabSales Order Item`.item_code as \"Item:Link/Item:120\",\n `tabSales Order Item`.qty as \"Qty:Float:140\",\n `tabSales Order Item`.delivered_qty as \"Delivered Qty:Float:140\",\n (`tabSales Order Item`.qty - ifnull(`tabSales Order Item`.delivered_qty, 0)) as \"Qty to Deliver:Float:140\",\n `tabSales Order Item`.base_rate as \"Rate:Float:140\",\n `tabSales Order Item`.base_amount as \"Amount:Float:140\",\n ((`tabSales Order Item`.qty - ifnull(`tabSales Order Item`.delivered_qty, 0))*`tabSales Order Item`.base_rate) as \"Amount to Deliver:Float:140\",\n `tabBin`.actual_qty as \"Available Qty:Float:120\",\n `tabBin`.projected_qty as \"Projected Qty:Float:120\",\n `tabSales Order`.`delivery_date` as \"Expected Delivery Date:Date:120\",\n `tabSales Order Item`.item_name as \"Item Name::150\",\n `tabSales Order Item`.description as \"Description::200\",\n `tabSales Order Item`.item_group as \"Item Group:Link/Item Group:120\",\n `tabSales Order Item`.warehouse as \"Warehouse:Link/Warehouse:200\"\nfrom\n `tabSales Order` JOIN `tabSales Order Item` \n LEFT JOIN `tabBin` ON (`tabBin`.item_code = `tabSales Order Item`.item_code\n and `tabBin`.warehouse = `tabSales Order Item`.warehouse)\nwhere\n `tabSales Order Item`.`parent` = `tabSales Order`.`name`\n and `tabSales Order`.docstatus = 1\n and `tabSales Order`.status not in (\"Stopped\", \"Closed\")\n and ifnull(`tabSales Order Item`.delivered_qty,0) < ifnull(`tabSales Order Item`.qty,0)\norder by `tabSales Order`.transaction_date asc", + "query": "select \n `tabSales Order`.`name` as \"Sales Order:Link/Sales Order:120\",\n `tabSales Order`.`customer` as \"Customer:Link/Customer:120\",\n `tabSales Order`.`customer_name` as \"Customer Name::150\",\n `tabSales Order`.`transaction_date` as \"Date:Date\",\n `tabSales Order`.`project` as \"Project:Link/Project:120\",\n `tabSales Order Item`.item_code as \"Item:Link/Item:120\",\n `tabSales Order Item`.qty as \"Qty:Float:140\",\n `tabSales Order Item`.delivered_qty as \"Delivered Qty:Float:140\",\n (`tabSales Order Item`.qty - ifnull(`tabSales Order Item`.delivered_qty, 0)) as \"Qty to Deliver:Float:140\",\n `tabSales Order Item`.base_rate as \"Rate:Float:140\",\n `tabSales Order Item`.base_amount as \"Amount:Float:140\",\n ((`tabSales Order Item`.qty - ifnull(`tabSales Order Item`.delivered_qty, 0))*`tabSales Order Item`.base_rate) as \"Amount to Deliver:Float:140\",\n `tabBin`.actual_qty as \"Available Qty:Float:120\",\n `tabBin`.projected_qty as \"Projected Qty:Float:120\",\n `tabSales Order Item`.`delivery_date` as \"Item Delivery Date:Date:120\",\n `tabSales Order Item`.item_name as \"Item Name::150\",\n `tabSales Order Item`.description as \"Description::200\",\n `tabSales Order Item`.item_group as \"Item Group:Link/Item Group:120\",\n `tabSales Order Item`.warehouse as \"Warehouse:Link/Warehouse:200\"\nfrom\n `tabSales Order` JOIN `tabSales Order Item` \n LEFT JOIN `tabBin` ON (`tabBin`.item_code = `tabSales Order Item`.item_code\n and `tabBin`.warehouse = `tabSales Order Item`.warehouse)\nwhere\n `tabSales Order Item`.`parent` = `tabSales Order`.`name`\n and `tabSales Order`.docstatus = 1\n and `tabSales Order`.status not in (\"Stopped\", \"Closed\")\n and ifnull(`tabSales Order Item`.delivered_qty,0) < ifnull(`tabSales Order Item`.qty,0)\norder by `tabSales Order`.transaction_date asc", "ref_doctype": "Delivery Note", "report_name": "Ordered Items To Be Delivered", "report_type": "Query Report", diff --git a/erpnext/templates/includes/products_as_list.html b/erpnext/templates/includes/products_as_list.html index 20ca59daf35..8418a90ba09 100644 --- a/erpnext/templates/includes/products_as_list.html +++ b/erpnext/templates/includes/products_as_list.html @@ -6,12 +6,12 @@ {{ product_image_square(thumbnail or website_image) }}
-
{{ item_name }}
+
{{ item_name }}
{% set website_description = website_description or description %} {% if website_description != item_name %} -
{{ website_description or description }}
+
{{ website_description or description }}
{% elif item_code != item_name %} -
{{ _('Item Code') }}: {{ item_code }}
+
{{ _('Item Code') }}: {{ item_code }}
{% endif %}
diff --git a/erpnext/tests/ui/data/test_fixtures.js b/erpnext/tests/ui/make_fixtures.js similarity index 87% rename from erpnext/tests/ui/data/test_fixtures.js rename to erpnext/tests/ui/make_fixtures.js index 2ba5db56069..0c5b4beebe1 100644 --- a/erpnext/tests/ui/data/test_fixtures.js +++ b/erpnext/tests/ui/make_fixtures.js @@ -1,4 +1,11 @@ $.extend(frappe.test_data, { + // "Fiscal Year": { + // "2017-18": [ + // {"year": "2017-18"}, + // {"year_start_date": "2017-04-01"}, + // {"year_end_date": "2018-03-31"}, + // ] + // }, "Customer": { "Test Customer 1": [ {customer_name: "Test Customer 1"} @@ -198,19 +205,20 @@ $.extend(frappe.test_data, { {title: "Test Term 2"} ] }, - "Sales Taxes and Charges Template": { - "TEST In State GST": [ - {title: "TEST In State GST"}, - {taxes:[ - [ - {charge_type:"On Net Total"}, - {account_head:"CGST - "+frappe.get_abbr(frappe.defaults.get_default("Company")) } - ], - [ - {charge_type:"On Net Total"}, - {account_head:"SGST - "+frappe.get_abbr(frappe.defaults.get_default("Company")) } - ] - ]} - ] - } +}); + + +// this is a script that creates all fixtures +// called as a test +QUnit.module('fixture'); + +QUnit.test('Make fixtures', assert => { + // create all fixtures first + assert.expect(0); + let done = assert.async(); + let tasks = []; + Object.keys(frappe.test_data).forEach(function(doctype) { + tasks.push(function() { return frappe.tests.setup_doctype(doctype); }); + }); + frappe.run_serially(tasks).then(() => done()); }); diff --git a/erpnext/tests/ui/selling/_test_lead.js b/erpnext/tests/ui/selling/_test_lead.js deleted file mode 100644 index 2b895d953a9..00000000000 --- a/erpnext/tests/ui/selling/_test_lead.js +++ /dev/null @@ -1,18 +0,0 @@ -QUnit.module("sales"); - -QUnit.test("test: lead", function (assert) { - assert.expect(1); - let done = assert.async(); - let random = frappe.utils.get_random(10); - frappe.run_serially([ - () => frappe.tests.setup_doctype("Lead"), - () => frappe.set_route("List", "Lead"), - () => frappe.new_doc("Lead"), - () => cur_frm.set_value("lead_name", random), - () => cur_frm.save(), - () => { - assert.ok(cur_frm.doc.lead_name.includes(random)); - return done(); - } - ]); -}); diff --git a/erpnext/tests/ui/selling/_test_opportunity.js b/erpnext/tests/ui/selling/_test_opportunity.js deleted file mode 100644 index 716a36e7e3b..00000000000 --- a/erpnext/tests/ui/selling/_test_opportunity.js +++ /dev/null @@ -1,19 +0,0 @@ -QUnit.test("test: opportunity", function (assert) { - assert.expect(1); - let done = assert.async(); - frappe.run_serially([ - () => { - return frappe.tests.make("Opportunity", [{ - enquiry_from: "Lead" - }, - { - lead: "LEAD-00002" - } - ]); - }, - () => { - assert.ok(cur_frm.doc.lead === "LEAD-00002"); - return done(); - } - ]); -}); diff --git a/erpnext/tests/ui/tests.txt b/erpnext/tests/ui/tests.txt new file mode 100644 index 00000000000..42233dc8009 --- /dev/null +++ b/erpnext/tests/ui/tests.txt @@ -0,0 +1,5 @@ +erpnext/tests/ui/make_fixtures.js #long +erpnext/accounts/doctype/account/test_account.js +erpnext/crm/doctype/lead/test_lead.js +erpnext/crm/doctype/opportunity/test_opportunity.js +erpnext/selling/doctype/quotation/test_quotation.js \ No newline at end of file diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv index cf281889e9d..ca56b0a9622 100644 --- a/erpnext/translations/am.csv +++ b/erpnext/translations/am.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,ሻጭ DocType: Employee,Rented,ተከራይቷል DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,ተጠቃሚ ተገቢነት -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","አቁሟል የምርት ትዕዛዝ ሊሰረዝ አይችልም, ለመሰረዝ መጀመሪያ Unstop" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","አቁሟል የምርት ትዕዛዝ ሊሰረዝ አይችልም, ለመሰረዝ መጀመሪያ Unstop" DocType: Vehicle Service,Mileage,ርቀት apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,እርግጠኛ ነዎት ይህን ንብረት ቁራጭ ትፈልጋለህ? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,ይምረጡ ነባሪ አቅራቢ @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% የሚከፈል apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),የውጭ ምንዛሪ ተመን ጋር ተመሳሳይ መሆን አለበት {0} {1} ({2}) DocType: Sales Invoice,Customer Name,የደንበኛ ስም DocType: Vehicle,Natural Gas,የተፈጥሮ ጋዝ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},የባንክ ሂሳብ እንደ የሚባል አይችልም {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},የባንክ ሂሳብ እንደ የሚባል አይችልም {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ኃላፊዎች (ወይም ቡድኖች) ይህም ላይ አካውንቲንግ ግቤቶችን ናቸው እና ሚዛን ጠብቆ ነው. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ያልተከፈሉ {0} ሊሆን አይችልም ከ ዜሮ ({1}) DocType: Manufacturing Settings,Default 10 mins,10 ደቂቃ ነባሪ @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,አይነት ስም ውጣ apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ክፍት አሳይ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,ተከታታይ በተሳካ ሁኔታ ዘምኗል apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,ጨርሰህ ውጣ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural ጆርናል Entry ተረክቧል +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural ጆርናል Entry ተረክቧል DocType: Pricing Rule,Apply On,ላይ ተግብር DocType: Item Price,Multiple Item prices.,በርካታ ንጥል ዋጋዎች. ,Purchase Order Items To Be Received,የግዢ ትዕዛዝ ንጥሎች ይቀበሉ ዘንድ @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,የክፍያ መለያ apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,አሳይ አይነቶች DocType: Academic Term,Academic Term,ትምህርታዊ የሚቆይበት ጊዜ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ቁሳዊ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,ብዛት +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,ብዛት apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,መለያዎች ሰንጠረዥ ባዶ መሆን አይችልም. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ብድር (ተጠያቂነቶች) DocType: Employee Education,Year of Passing,ያለፉት ዓመት @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,የጤና ጥበቃ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ክፍያ መዘግየት (ቀኖች) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,የአገልግሎት የወጪ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},መለያ ቁጥር: {0} አስቀድሞ የሽያጭ ደረሰኝ ውስጥ የተጠቆመው ነው: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,የዋጋ ዝርዝር +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},መለያ ቁጥር: {0} አስቀድሞ የሽያጭ ደረሰኝ ውስጥ የተጠቆመው ነው: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,የዋጋ ዝርዝር DocType: Maintenance Schedule Item,Periodicity,PERIODICITY apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,በጀት ዓመት {0} ያስፈልጋል -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,የሚጠበቀው የመላኪያ ቀን የሽያጭ ትዕዛዝ ቀን በፊት ሊሆን ነው apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,መከላከያ DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),ውጤት (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,የረድፍ # {0}: DocType: Timesheet,Total Costing Amount,ጠቅላላ የኳንቲቲ መጠን DocType: Delivery Note,Vehicle No,የተሽከርካሪ ምንም -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,የዋጋ ዝርዝር እባክዎ ይምረጡ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,የዋጋ ዝርዝር እባክዎ ይምረጡ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,የረድፍ # {0}: የክፍያ ሰነዱን trasaction ለማጠናቀቅ ያስፈልጋል DocType: Production Order Operation,Work In Progress,ገና በሂደት ላይ ያለ ስራ apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ቀን ይምረጡ @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} እንጂ ማንኛውም ገባሪ በጀት ዓመት ውስጥ. DocType: Packed Item,Parent Detail docname,የወላጅ ዝርዝር DOCNAME apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ማጣቀሻ: {0}, የእቃ ኮድ: {1} እና የደንበኞች: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,ኪግ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,ኪግ DocType: Student Log,Log,ምዝግብ ማስታወሻ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,የሥራ ዕድል። DocType: Item Attribute,Increment,ጨምር @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,ያገባ apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},አይፈቀድም {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,ከ ንጥሎችን ያግኙ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},የአክሲዮን አሰጣጥ ማስታወሻ ላይ መዘመን አይችልም {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},የአክሲዮን አሰጣጥ ማስታወሻ ላይ መዘመን አይችልም {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},የምርት {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,የተዘረዘሩት ምንም ንጥሎች የሉም DocType: Payment Reconciliation,Reconcile,ያስታርቅ @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,የ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,ቀጣይ የእርጅና ቀን ግዢ ቀን በፊት ሊሆን አይችልም DocType: SMS Center,All Sales Person,ሁሉም ሽያጭ ሰው DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ወርሃዊ ስርጭት ** የእርስዎን ንግድ ውስጥ ወቅታዊ ቢኖራችሁ ወራት በመላ በጀት / ዒላማ ለማሰራጨት ይረዳል. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,ንጥሎች አልተገኘም +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,ንጥሎች አልተገኘም apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,ደመወዝ መዋቅር ይጎድላል DocType: Lead,Person Name,ሰው ስም DocType: Sales Invoice Item,Sales Invoice Item,የሽያጭ ደረሰኝ ንጥል @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",የንብረት ዘገባ ንጥል ላይ አለ እንደ ካልተደረገበት ሊሆን አይችልም "ቋሚ ንብረት ነው" DocType: Vehicle Service,Brake Oil,ፍሬን ኦይል DocType: Tax Rule,Tax Type,የግብር አይነት -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,ግብር የሚከፈልበት መጠን +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,ግብር የሚከፈልበት መጠን apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},ከእናንተ በፊት ግቤቶችን ማከል ወይም ዝማኔ ስልጣን አይደለም {0} DocType: BOM,Item Image (if not slideshow),ንጥል ምስል (የተንሸራታች አይደለም ከሆነ) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,አንድ የደንበኛ በተመሳሳይ ስም አለ DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(ሰዓት ተመን / 60) * ትክክለኛ ኦፕሬሽን ሰዓት -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,ይምረጡ BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,ይምረጡ BOM DocType: SMS Log,SMS Log,ኤስ ኤም ኤስ ምዝግብ ማስታወሻ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,የደረሱ ንጥሎች መካከል ወጪ apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} ላይ ያለው የበዓል ቀን ጀምሮ እና ቀን ወደ መካከል አይደለም @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,ትምህርት ቤቶች DocType: School Settings,Validate Batch for Students in Student Group,የተማሪ ቡድን ውስጥ ተማሪዎች ለ ባች Validate apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ሠራተኛ አልተገኘም ምንም ፈቃድ መዝገብ {0} ለ {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,መጀመሪያ ኩባንያ ያስገቡ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,መጀመሪያ ኩባንያ እባክዎ ይምረጡ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,መጀመሪያ ኩባንያ እባክዎ ይምረጡ DocType: Employee Education,Under Graduate,ምረቃ በታች apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ዒላማ ላይ DocType: BOM,Total Cost,ጠቅላላ ወጪ DocType: Journal Entry Account,Employee Loan,የሰራተኛ ብድር -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,የእንቅስቃሴ ምዝግብ ማስታወሻ: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} ንጥል ሥርዓት ውስጥ የለም ወይም ጊዜው አልፎበታል +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,የእንቅስቃሴ ምዝግብ ማስታወሻ: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,{0} ንጥል ሥርዓት ውስጥ የለም ወይም ጊዜው አልፎበታል apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,መጠነሰፊ የቤት ግንባታ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,መለያ መግለጫ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ፋርማሱቲካልስ @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,የይገባኛል መጠን apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,የ cutomer ቡድን ሠንጠረዥ ውስጥ አልተገኘም አባዛ ደንበኛ ቡድን apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,አቅራቢው አይነት / አቅራቢዎች DocType: Naming Series,Prefix,ባዕድ መነሻ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,እባክዎን በቅንብር> ቅንጅቶች> የስምሪት ስሞች በኩል ለ {0} ስም ዝርዝር ያዘጋጁ -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumable +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumable DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,አስመጣ ምዝግብ ማስታወሻ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ከላይ መስፈርቶች ላይ የተመሠረቱ አይነት ማምረት በቁሳዊ ረገድ ጥያቄ ይጎትቱ DocType: Training Result Employee,Grade,ደረጃ DocType: Sales Invoice Item,Delivered By Supplier,አቅራቢ በ ደርሷል DocType: SMS Center,All Contact,ሁሉም እውቂያ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,የምርት ትዕዛዝ አስቀድሞ BOM ጋር ሁሉም ንጥሎች የተፈጠሩ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,የምርት ትዕዛዝ አስቀድሞ BOM ጋር ሁሉም ንጥሎች የተፈጠሩ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,ዓመታዊ ደመወዝ DocType: Daily Work Summary,Daily Work Summary,ዕለታዊ የስራ ማጠቃለያ DocType: Period Closing Voucher,Closing Fiscal Year,በጀት ዓመት መዝጊያ -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} የታሰሩ ነው +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} የታሰሩ ነው apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,መለያዎች ገበታ ለመፍጠር የወቅቱ ኩባንያ ይምረጡ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,የክምችት ወጪ apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ዒላማ መጋዘን ይምረጡ @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ብዛት ተቀባይነት አላገኘም ተቀባይነት + ንጥል ለማግኘት የተቀበልከው ብዛት ጋር እኩል መሆን አለባቸው {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,አቅርቦት ጥሬ እቃዎች ግዢ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,የክፍያ ቢያንስ አንድ ሁነታ POS መጠየቂያ ያስፈልጋል. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,የክፍያ ቢያንስ አንድ ሁነታ POS መጠየቂያ ያስፈልጋል. DocType: Products Settings,Show Products as a List,አሳይ ምርቶች አንድ እንደ ዝርዝር DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","ወደ መለጠፊያ አውርድ ተገቢ የውሂብ መሙላት እና የተሻሻለው ፋይል ማያያዝ. በተመረጠው ክፍለ ጊዜ ውስጥ ሁሉም ቀኖች እና ሠራተኛ ጥምረት አሁን ያሉ ክትትል መዛግብት ጋር, በአብነት ውስጥ ይመጣል" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} ንጥል ንቁ አይደለም ወይም የሕይወት መጨረሻ ደርሷል -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,ምሳሌ: መሰረታዊ የሂሳብ ትምህርት -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ንጥል መጠን ረድፍ {0} ውስጥ ግብርን ማካተት, ረድፎች ውስጥ ቀረጥ {1} ደግሞ መካተት አለበት" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,ምሳሌ: መሰረታዊ የሂሳብ ትምህርት +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ንጥል መጠን ረድፍ {0} ውስጥ ግብርን ማካተት, ረድፎች ውስጥ ቀረጥ {1} ደግሞ መካተት አለበት" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,የሰው ሀይል ሞዱል ቅንብሮች DocType: SMS Center,SMS Center,ኤስ ኤም ኤስ ማዕከል DocType: Sales Invoice,Change Amount,ለውጥ መጠን @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},ጭነትን ቀን ንጥል ለ የመላኪያ ቀን በፊት ሊሆን አይችልም {0} DocType: Pricing Rule,Discount on Price List Rate (%),የዋጋ ዝርዝር ተመን ላይ ቅናሽ (%) DocType: Offer Letter,Select Terms and Conditions,ይምረጡ ውሎች እና ሁኔታዎች -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,ውጪ ዋጋ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,ውጪ ዋጋ DocType: Production Planning Tool,Sales Orders,የሽያጭ ትዕዛዞች DocType: Purchase Taxes and Charges,Valuation,መገመት ,Purchase Order Trends,ትዕዛዝ በመታየት ላይ ይግዙ @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Entry በመክፈት ላይ ነው DocType: Customer Group,Mention if non-standard receivable account applicable,ጥቀስ መደበኛ ያልሆነ እንደተቀበለ መለያ ተገቢነት ካለው DocType: Course Schedule,Instructor Name,አስተማሪ ስም -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,መጋዘን አስገባ በፊት ያስፈልጋል +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,መጋዘን አስገባ በፊት ያስፈልጋል apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,ላይ ተቀብሏል DocType: Sales Partner,Reseller,ሻጭ DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","ከተመረጠ, ቁሳዊ ጥያቄዎች ውስጥ ያልሆኑ-የአክሲዮን ንጥሎች ያካትታል." @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,የሽያጭ ደረሰኝ ንጥል ላይ ,Production Orders in Progress,በሂደት ላይ የምርት ትዕዛዞች apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,በገንዘብ ከ የተጣራ ገንዘብ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","የአካባቢ ማከማቻ ሙሉ ነው, ሊያድን አይችልም ነበር" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","የአካባቢ ማከማቻ ሙሉ ነው, ሊያድን አይችልም ነበር" DocType: Lead,Address & Contact,አድራሻ እና ዕውቂያ DocType: Leave Allocation,Add unused leaves from previous allocations,ወደ ቀዳሚው አመዳደብ ጀምሮ ጥቅም ላይ ያልዋለ ቅጠሎችን አክል apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},ቀጣይ ተደጋጋሚ {0} ላይ ይፈጠራል {1} DocType: Sales Partner,Partner website,የአጋር ድር ጣቢያ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,ንጥል አክል -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,የዕውቂያ ስም +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,የዕውቂያ ስም DocType: Course Assessment Criteria,Course Assessment Criteria,የኮርስ ግምገማ መስፈርት DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ከላይ የተጠቀሱትን መስፈርት የደመወዝ ወረቀት ይፈጥራል. DocType: POS Customer Group,POS Customer Group,POS የደንበኛ ቡድን @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ረድፍ {0}: ያረጋግጡ መለያ ላይ 'Advance ነው' {1} ይህን የቅድሚያ ግቤት ከሆነ. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},{0} የመጋዘን ኩባንያ የእርሱ ወገን አይደለም {1} DocType: Email Digest,Profit & Loss,ትርፍ እና ኪሳራ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),(ጊዜ ሉህ በኩል) ጠቅላላ ዋጋና መጠን DocType: Item Website Specification,Item Website Specification,ንጥል የድር ጣቢያ ዝርዝር apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ውጣ የታገዱ @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,የሽያጭ ደረሰኝ የለም DocType: Material Request Item,Min Order Qty,ዝቅተኛ ትዕዛዝ ብዛት DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,የተማሪ ቡድን የፈጠራ መሣሪያ ኮርስ DocType: Lead,Do Not Contact,ያነጋግሩ አትበል -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,በእርስዎ ድርጅት ውስጥ የሚያስተምሩ ሰዎች +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,በእርስዎ ድርጅት ውስጥ የሚያስተምሩ ሰዎች DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,ሁሉም ተደጋጋሚ ደረሰኞችን መከታተያ የ ልዩ መታወቂያ. ማስገባት ላይ የመነጨ ነው. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,ሶፍትዌር ገንቢ DocType: Item,Minimum Order Qty,የስራ ልምድ ትዕዛዝ ብዛት @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,ማዕከል ውስጥ አትም DocType: Student Admission,Student Admission,የተማሪ ምዝገባ ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} ንጥል ተሰርዟል -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,ቁሳዊ ጥያቄ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,ቁሳዊ ጥያቄ DocType: Bank Reconciliation,Update Clearance Date,አዘምን መልቀቂያ ቀን DocType: Item,Purchase Details,የግዢ ዝርዝሮች apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},የግዥ ትዕዛዝ ውስጥ 'ጥሬ እቃዎች አቅርቦት' ሠንጠረዥ ውስጥ አልተገኘም ንጥል {0} {1} @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,መርከቦች ሥራ አስኪያጅ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},የረድፍ # {0}: {1} ንጥል አሉታዊ ሊሆን አይችልም {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,የተሳሳተ የይለፍ ቃል DocType: Item,Variant Of,ነው ተለዋጭ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',ይልቅ 'ብዛት ለማምረት' ተጠናቋል ብዛት የበለጠ መሆን አይችልም +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',ይልቅ 'ብዛት ለማምረት' ተጠናቋል ብዛት የበለጠ መሆን አይችልም DocType: Period Closing Voucher,Closing Account Head,የመለያ ኃላፊ በመዝጋት ላይ DocType: Employee,External Work History,ውጫዊ የስራ ታሪክ apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,ክብ ማጣቀሻ ስህተት @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,ግራ ጠርዝ ያለ apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] ክፍሎች (# ፎርም / ንጥል / {1}) [{2}] ውስጥ ይገኛል (# ፎርም / መጋዘን / {2}) DocType: Lead,Industry,ኢንድስትሪ DocType: Employee,Job Profile,የሥራው መገለጫ +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,ይህ በኩባንያው ግዥዎች ላይ የተመሠረተ ነው. ለዝርዝሮች ከታች ያለውን የጊዜ መስመር ይመልከቱ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ራስ-ሰር የቁስ ጥያቄ መፍጠር ላይ በኢሜይል አሳውቅ DocType: Journal Entry,Multi Currency,ባለብዙ ምንዛሬ DocType: Payment Reconciliation Invoice,Invoice Type,የደረሰኝ አይነት -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,የመላኪያ ማስታወሻ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,የመላኪያ ማስታወሻ apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ግብሮች በማቀናበር ላይ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,የተሸጠ ንብረት ዋጋ apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,አንተም አፈረሰ በኋላ የክፍያ Entry ተቀይሯል. እንደገና ጎትተው እባክህ. @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,ያስገቡ የመስክ እሴት «ቀን ቀን ወር መካከል ላይ ድገም 'እባክህ DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,የደንበኛ ምንዛሬ ደንበኛ መሰረታዊ ምንዛሬ በመለወጥ ነው በ ተመን DocType: Course Scheduling Tool,Course Scheduling Tool,የኮርስ ዕቅድ መሣሪያ -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},የረድፍ # {0}: የግዢ ደረሰኝ አንድ ነባር ንብረት ላይ ማድረግ አይቻልም {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},የረድፍ # {0}: የግዢ ደረሰኝ አንድ ነባር ንብረት ላይ ማድረግ አይቻልም {1} DocType: Item Tax,Tax Rate,የግብር ተመን apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} አስቀድሞ የሰራተኛ የተመደበው {1} ወደ ጊዜ {2} ለ {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,ንጥል ምረጥ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,ንጥል ምረጥ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,የደረሰኝ {0} አስቀድሞ ገብቷል ነው ይግዙ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},የረድፍ # {0}: የጅምላ ምንም እንደ አንድ አይነት መሆን አለበት {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,ያልሆኑ ቡድን መቀየር @@ -443,7 +442,7 @@ DocType: Employee,Widowed,የሞተባት DocType: Request for Quotation,Request for Quotation,ትዕምርተ ጥያቄ DocType: Salary Slip Timesheet,Working Hours,የስራ ሰዓት DocType: Naming Series,Change the starting / current sequence number of an existing series.,አንድ ነባር ተከታታይ ጀምሮ / የአሁኑ ቅደም ተከተል ቁጥር ለውጥ. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,አዲስ ደንበኛ ይፍጠሩ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,አዲስ ደንበኛ ይፍጠሩ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","በርካታ የዋጋ ደንቦች አይችሉአትም የሚቀጥሉ ከሆነ, ተጠቃሚዎች ግጭት ለመፍታት በእጅ ቅድሚያ ለማዘጋጀት ይጠየቃሉ." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,የግዢ ትዕዛዞች ፍጠር ,Purchase Register,የግዢ ይመዝገቡ @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,መርማሪ ስም DocType: Purchase Invoice Item,Quantity and Rate,ብዛት እና ደረጃ ይስጡ DocType: Delivery Note,% Installed,% ተጭኗል -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,ክፍሎች / ንግግሮች መርሐግብር ይቻላል የት ቤተ ሙከራ ወዘተ. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,ክፍሎች / ንግግሮች መርሐግብር ይቻላል የት ቤተ ሙከራ ወዘተ. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,የመጀመሪያ የኩባንያ ስም ያስገቡ DocType: Purchase Invoice,Supplier Name,አቅራቢው ስም apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,የ ERPNext መመሪያ ያንብቡ @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,የሰርጥ ባልደረባ DocType: Account,Old Parent,የድሮ ወላጅ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,አስገዳጅ መስክ - የትምህርት ዓመት DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,በዛ ኢሜይል አንድ ክፍል ሆኖ ይሄዳል ያለውን የመግቢያ ጽሑፍ ያብጁ. እያንዳንዱ ግብይት የተለየ የመግቢያ ጽሑፍ አለው. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},ኩባንያው ነባሪ ተከፋይ መለያ ለማዘጋጀት እባክዎ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},ኩባንያው ነባሪ ተከፋይ መለያ ለማዘጋጀት እባክዎ {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,"በሙሉ አቅማቸው ባለማምረታቸው, ሂደቶች ዓለም አቀፍ ቅንብሮች." DocType: Accounts Settings,Accounts Frozen Upto,Frozen እስከሁለት መለያዎች DocType: SMS Log,Sent On,ላይ የተላከ @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,ተከፋይ መለያዎች apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,የተመረጡት BOMs ተመሳሳይ ንጥል አይደሉም DocType: Pricing Rule,Valid Upto,ልክ እስከሁለት DocType: Training Event,Workshop,መሥሪያ -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,የእርስዎ ደንበኞች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,የእርስዎ ደንበኞች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,በቂ ክፍሎች መመሥረት የሚቻለው apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,ቀጥታ ገቢ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","መለያ ተመድበው ከሆነ, መለያ ላይ የተመሠረተ ማጣሪያ አይቻልም" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,አስተዳደር ክፍል ኃላፊ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,ኮርስ ይምረጡ DocType: Timesheet Detail,Hrs,ሰዓቶች -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,ኩባንያ ይምረጡ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,ኩባንያ ይምረጡ DocType: Stock Entry Detail,Difference Account,ልዩነት መለያ DocType: Purchase Invoice,Supplier GSTIN,አቅራቢ GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,በሥሯ ተግባር {0} ዝግ አይደለም የቅርብ ተግባር አይችሉም. @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,ከመስመር ውጭ POS ስም apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,ገደብ 0% የሚሆን ክፍል ለመወሰን እባክዎ DocType: Sales Order,To Deliver,ለማዳን DocType: Purchase Invoice Item,Item,ንጥል -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,ተከታታይ ምንም ንጥል ክፍልፋይ ሊሆን አይችልም +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,ተከታታይ ምንም ንጥል ክፍልፋይ ሊሆን አይችልም DocType: Journal Entry,Difference (Dr - Cr),ልዩነት (ዶክተር - CR) DocType: Account,Profit and Loss,ትርፍ ማጣት apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,ማኔጂንግ Subcontracting @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),የዋስትና ክፍለ ጊዜ (ቀ DocType: Installation Note Item,Installation Note Item,የአጫጫን ማስታወሻ ንጥል DocType: Production Plan Item,Pending Qty,በመጠባበቅ ላይ ብዛት DocType: Budget,Ignore,ችላ -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} ንቁ አይደለም +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} ንቁ አይደለም apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},ኤስ ኤም ኤስ የሚከተሉትን ቁጥሮች ላከ: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,የህትመት ማዋቀር ቼክ ልኬቶችን DocType: Salary Slip,Salary Slip Timesheet,የቀጣሪ Timesheet @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,A ንችልም DocType: Production Order Operation,In minutes,ደቂቃዎች ውስጥ DocType: Issue,Resolution Date,ጥራት ቀን DocType: Student Batch Name,Batch Name,ባች ስም -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet ተፈጥሯል: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},የክፍያ ሁነታ ላይ ነባሪ በጥሬ ገንዘብ ወይም በባንክ መለያ ማዘጋጀት እባክዎ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet ተፈጥሯል: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},የክፍያ ሁነታ ላይ ነባሪ በጥሬ ገንዘብ ወይም በባንክ መለያ ማዘጋጀት እባክዎ {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ይመዝገቡ DocType: GST Settings,GST Settings,GST ቅንብሮች DocType: Selling Settings,Customer Naming By,በ የደንበኛ አሰያየም @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,ፕሮጀክቶች ተጠቃሚ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,ፍጆታ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} የደረሰኝ ዝርዝሮች ሠንጠረዥ ውስጥ አልተገኘም DocType: Company,Round Off Cost Center,ወጪ ማዕከል ጠፍቷል በዙሪያቸው -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ጥገና ይጎብኙ {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ጥገና ይጎብኙ {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት DocType: Item,Material Transfer,ቁሳዊ ማስተላለፍ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),በመክፈት ላይ (ዶክተር) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},መለጠፍ ማህተም በኋላ መሆን አለበት {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,ተከፋይ ጠቅላላ የወ DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ደረስን ወጪ ግብሮች እና ክፍያዎች DocType: Production Order Operation,Actual Start Time,ትክክለኛው የማስጀመሪያ ሰዓት DocType: BOM Operation,Operation Time,ኦፕሬሽን ሰዓት -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,ጪረሰ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,ጪረሰ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,መሠረት DocType: Timesheet,Total Billed Hours,ጠቅላላ የሚከፈል ሰዓቶች DocType: Journal Entry,Write Off Amount,መጠን ጠፍቷል ይጻፉ @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),ቆጣሪው ዋጋ (የመጨረሻ) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,ማርኬቲንግ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,የክፍያ Entry አስቀድሞ የተፈጠረ ነው DocType: Purchase Receipt Item Supplied,Current Stock,የአሁኑ የአክሲዮን -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},የረድፍ # {0}: {1} የንብረት ንጥል ጋር የተገናኘ አይደለም {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},የረድፍ # {0}: {1} የንብረት ንጥል ጋር የተገናኘ አይደለም {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,ቅድመ-የቀጣሪ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,መለያ {0} በርካታ ጊዜ ገብቷል ታይቷል DocType: Account,Expenses Included In Valuation,ወጪዎች ግምቱ ውስጥ ተካቷል @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ኤሮስ DocType: Journal Entry,Credit Card Entry,ክሬዲት ካርድ Entry apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,ኩባንያ እና መለያዎች apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,ዕቃዎች አቅራቢዎች ደርሷል. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,እሴት ውስጥ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,እሴት ውስጥ DocType: Lead,Campaign Name,የዘመቻ ስም DocType: Selling Settings,Close Opportunity After Days,ቀናት በኋላ ዝጋ አጋጣሚ ,Reserved,የተያዘ @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,ኃይል DocType: Opportunity,Opportunity From,ከ አጋጣሚ apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,ወርሃዊ ደመወዝ መግለጫ. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ረድፍ {0}: {1} የቁጥር ቁጥሮች ለ Item {2} ያስፈልጋሉ. {3} ሰጥተሃል. DocType: BOM,Website Specifications,የድር ጣቢያ ዝርዝር apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: ከ {0} አይነት {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ረድፍ {0}: የልወጣ ምክንያት የግዴታ ነው DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","በርካታ ዋጋ ደንቦች ተመሳሳይ መስፈርት ጋር አለ, ቅድሚያ ሰጥቷቸዋል ግጭት ለመፍታት ይሞክሩ. ዋጋ: ሕጎች: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,አቦዝን ወይም ሌሎች BOMs ጋር የተያያዘ ነው እንደ BOM ማስቀረት አይቻልም +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,አቦዝን ወይም ሌሎች BOMs ጋር የተያያዘ ነው እንደ BOM ማስቀረት አይቻልም DocType: Opportunity,Maintenance,ጥገና DocType: Item Attribute Value,Item Attribute Value,ንጥል ዋጋ የአይነት apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,የሽያጭ ዘመቻዎች. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Timesheet አድርግ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Timesheet አድርግ DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,የኢሜይል መለያ በማቀናበር ላይ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,መጀመሪያ ንጥል ያስገቡ DocType: Account,Liability,ኃላፊነት -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ማዕቀብ መጠን ረድፍ ውስጥ የይገባኛል ጥያቄ መጠን መብለጥ አይችልም {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ማዕቀብ መጠን ረድፍ ውስጥ የይገባኛል ጥያቄ መጠን መብለጥ አይችልም {0}. DocType: Company,Default Cost of Goods Sold Account,ጥሪታቸውንም እየሸጡ መለያ ነባሪ ዋጋ apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,የዋጋ ዝርዝር አልተመረጠም DocType: Employee,Family Background,የቤተሰብ ዳራ @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,ነባሪ የባንክ ሂሳብ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",የድግስ ላይ የተመሠረተ ለማጣራት ይምረጡ ፓርቲ በመጀመሪያ ይተይቡ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},ንጥሎች በኩል ነፃ አይደለም; ምክንያቱም 'ያዘምኑ Stock' ሊረጋገጥ አልቻለም {0} DocType: Vehicle,Acquisition Date,ማግኛ ቀን -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,ቁጥሮች +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,ቁጥሮች DocType: Item,Items with higher weightage will be shown higher,ከፍተኛ weightage ጋር ንጥሎች ከፍተኛ ይታያል DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ባንክ ማስታረቅ ዝርዝር -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,የረድፍ # {0}: የንብረት {1} መቅረብ አለበት +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,የረድፍ # {0}: የንብረት {1} መቅረብ አለበት apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ምንም ሰራተኛ አልተገኘም DocType: Supplier Quotation,Stopped,አቁሟል DocType: Item,If subcontracted to a vendor,አንድ አቅራቢው subcontracted ከሆነ @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,ዝቅተኛው የደረ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: የወጪ ማዕከል {2} ኩባንያ የእርሱ ወገን አይደለም {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: መለያ {2} አንድ ቡድን ሊሆን አይችልም apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ንጥል ረድፍ {idx}: {doctype} {DOCNAME} ከላይ ውስጥ የለም '{doctype} »ሰንጠረዥ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} አስቀድሞ የተጠናቀቁ ወይም ተሰርዟል +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} አስቀድሞ የተጠናቀቁ ወይም ተሰርዟል apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ምንም ተግባራት DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ራስ መጠየቂያ 05, 28, ወዘተ ለምሳሌ ይፈጠራል ይህም ላይ ያለው ወር ቀን" DocType: Asset,Opening Accumulated Depreciation,ክምችት መቀነስ በመክፈት ላይ @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,ተጠይቋል ዘኍልቍ DocType: Production Planning Tool,Only Obtain Raw Materials,ብቻ ጥሬ እቃዎች ያግኙ apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,የአፈጻጸም መርምር. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",ማንቃት ወደ ግዢ ሳጥን ጨመር የነቃ ነው እንደ 'ወደ ግዢ ሳጥን ጨመር ተጠቀም' እና ወደ ግዢ ሳጥን ጨመር ቢያንስ አንድ የግብር ሕግ ሊኖር ይገባል -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",የክፍያ Entry {0} ትዕዛዝ በዚህ መጠየቂያ ውስጥ አስቀድሞ እንደ አፈረሰ ያለበት ከሆነ {1} ፈትሽ ላይ የተያያዘ ነው. +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",የክፍያ Entry {0} ትዕዛዝ በዚህ መጠየቂያ ውስጥ አስቀድሞ እንደ አፈረሰ ያለበት ከሆነ {1} ፈትሽ ላይ የተያያዘ ነው. DocType: Sales Invoice Item,Stock Details,የክምችት ዝርዝሮች apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,የፕሮጀክት ዋጋ apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,ነጥብ-መካከል-ሽያጭ @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,አዘምን ተከታታይ DocType: Supplier Quotation,Is Subcontracted,Subcontracted ነው DocType: Item Attribute,Item Attribute Values,ንጥል መገለጫ ባህሪ እሴቶች DocType: Examination Result,Examination Result,ምርመራ ውጤት -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,የግዢ ደረሰኝ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,የግዢ ደረሰኝ ,Received Items To Be Billed,ተቀብሏል ንጥሎች እንዲከፍሉ ለማድረግ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ገብቷል ደመወዝ ቡቃያ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,ገብቷል ደመወዝ ቡቃያ apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,ምንዛሬ ተመን ጌታቸው. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},ማጣቀሻ Doctype ውስጥ አንዱ መሆን አለበት {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ድርጊቱ ለ ቀጣዩ {0} ቀናት ውስጥ ጊዜ ማስገቢያ ማግኘት አልተቻለም {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ድርጊቱ ለ ቀጣዩ {0} ቀናት ውስጥ ጊዜ ማስገቢያ ማግኘት አልተቻለም {1} DocType: Production Order,Plan material for sub-assemblies,ንዑስ-አብያተ ክርስቲያናት ለ እቅድ ቁሳዊ apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,የሽያጭ አጋሮች እና ግዛት -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} ገባሪ መሆን አለበት +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} ገባሪ መሆን አለበት DocType: Journal Entry,Depreciation Entry,የእርጅና Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,በመጀመሪያ ስለ ሰነዱ አይነት ይምረጡ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ይህ ጥገና ይጎብኙ በመሰረዝ በፊት ይቅር ቁሳዊ ጥገናዎች {0} @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,አጠቃላይ ድምሩ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,የኢንተርኔት ህትመት DocType: Production Planning Tool,Production Orders,የምርት ትዕዛዞች -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,ቀሪ ዋጋ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,ቀሪ ዋጋ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,የሽያጭ ዋጋ ዝርዝር apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,ንጥሎችን ለማስመር ያትሙ DocType: Bank Reconciliation,Account Currency,መለያ ምንዛሬ @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,መውጫ ቃለ ዝርዝሮች DocType: Item,Is Purchase Item,የግዢ ንጥል ነው DocType: Asset,Purchase Invoice,የግዢ ደረሰኝ DocType: Stock Ledger Entry,Voucher Detail No,የቫውቸር ዝርዝር የለም -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,አዲስ የሽያጭ ደረሰኝ +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,አዲስ የሽያጭ ደረሰኝ DocType: Stock Entry,Total Outgoing Value,ጠቅላላ የወጪ ዋጋ apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,ቀን እና መዝጊያ ቀን በመክፈት ተመሳሳይ በጀት ዓመት ውስጥ መሆን አለበት DocType: Lead,Request for Information,መረጃ ጥያቄ ,LeaderBoard,የመሪዎች ሰሌዳ -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,አመሳስል ከመስመር ደረሰኞች +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,አመሳስል ከመስመር ደረሰኞች DocType: Payment Request,Paid,የሚከፈልበት DocType: Program Fee,Program Fee,ፕሮግራም ክፍያ DocType: Salary Slip,Total in words,ቃላት ውስጥ አጠቃላይ @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,በእርሳስ ሰዓት ቀን DocType: Guardian,Guardian Name,አሳዳጊ ስም DocType: Cheque Print Template,Has Print Format,አትም ቅርጸት አለው DocType: Employee Loan,Sanctioned,ማዕቀብ -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,የግዴታ ነው. ምናልባት የገንዘብ ምንዛሪ መዝገብ አልተፈጠረም ነው +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,የግዴታ ነው. ምናልባት የገንዘብ ምንዛሪ መዝገብ አልተፈጠረም ነው apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},የረድፍ # {0}: ንጥል ምንም መለያ ይግለጹ {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","«የምርት ጥቅል 'ንጥሎች, መጋዘን, መለያ የለም እና ባች ምንም የ« ማሸጊያ ዝርዝር »ማዕድ ይብራራል. መጋዘን እና የጅምላ የለም ማንኛውም 'የምርት ጥቅል' ንጥል ሁሉ ማሸጊያ ንጥሎች ተመሳሳይ ከሆነ, እነዚህ እሴቶች በዋናው ንጥል ሰንጠረዥ ውስጥ ገብቶ ሊሆን ይችላል, እሴቶች ማዕድ 'ዝርዝር ማሸግ' ይገለበጣሉ." DocType: Job Opening,Publish on website,ድር ላይ ያትሙ @@ -1006,7 +1006,7 @@ DocType: Cheque Print Template,Date Settings,ቀን ቅንብሮች apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ልዩነት ,Company Name,የድርጅት ስም DocType: SMS Center,Total Message(s),ጠቅላላ መልዕክት (ዎች) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,ሰደዳ ይምረጡ ንጥል +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,ሰደዳ ይምረጡ ንጥል DocType: Purchase Invoice,Additional Discount Percentage,ተጨማሪ የቅናሽ መቶኛ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,ሁሉም እርዳታ ቪዲዮዎች ዝርዝር ይመልከቱ DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ቼክ ገቢ የት ባንኩ መለያ ምረጥ ራስ. @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),ጥሬ ሐሳብ ወጪ (የኩባንያ የምንዛሬ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,ሁሉም ንጥሎች አስቀድሞ በዚህ የምርት ትዕዛዝ ለ ተላልፈዋል. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},የረድፍ # {0}: ተመን ላይ የዋለውን መጠን መብለጥ አይችልም {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,መቁጠሪያ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,መቁጠሪያ DocType: Workstation,Electricity Cost,ኤሌክትሪክ ወጪ DocType: HR Settings,Don't send Employee Birthday Reminders,የተቀጣሪ የልደት አስታዋሾች አትላክ DocType: Item,Inspection Criteria,የምርመራ መስፈርት @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),ሁሉም ቀዳሚ (ክፈት) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ረድፍ {0}: ለ ብዛት አይገኝም {4} መጋዘን ውስጥ {1} መግቢያ ጊዜ መለጠፍ (በ {2} {3}) DocType: Purchase Invoice,Get Advances Paid,እድገት የሚከፈልበት ያግኙ DocType: Item,Automatically Create New Batch,በራስ-ሰር አዲስ ባች ፍጠር -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,አድርግ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,አድርግ DocType: Student Admission,Admission Start Date,ምዝገባ መጀመሪያ ቀን DocType: Journal Entry,Total Amount in Words,ቃላት ውስጥ ጠቅላላ መጠን apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,አንድ ስህተት ነበር. አንዱ ሊሆን ምክንያት በቅጹ አላስቀመጡም ሊሆን ይችላል. ችግሩ ከቀጠለ support@erpnext.com ያነጋግሩ. @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,የእኔ ጨመር apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ትዕዛዝ አይነት ውስጥ አንዱ መሆን አለበት {0} DocType: Lead,Next Contact Date,ቀጣይ የእውቂያ ቀን apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ብዛት በመክፈት ላይ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,ለውጥ መጠን ለ መለያ ያስገቡ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,ለውጥ መጠን ለ መለያ ያስገቡ DocType: Student Batch Name,Student Batch Name,የተማሪ የቡድን ስም DocType: Holiday List,Holiday List Name,የበዓል ዝርዝር ስም DocType: Repayment Schedule,Balance Loan Amount,ቀሪ የብድር መጠን @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,የክምችት አማራጮች DocType: Journal Entry Account,Expense Claim,የወጪ የይገባኛል ጥያቄ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,በእርግጥ ይህን በመዛጉ ንብረት እነበረበት መመለስ ትፈልጋለህ? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},ለ ብዛት {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},ለ ብዛት {0} DocType: Leave Application,Leave Application,አይተውህም ማመልከቻ apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,ምደባዎች መሣሪያ ውጣ DocType: Leave Block List,Leave Block List Dates,አግድ ዝርዝር ቀኖች ውጣ @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,ላይ DocType: Item,Default Selling Cost Center,ነባሪ ሽያጭ ወጪ ማዕከል DocType: Sales Partner,Implementation Partner,የትግበራ አጋር -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,አካባቢያዊ መለያ ቁጥር +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,አካባቢያዊ መለያ ቁጥር apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},የሽያጭ ትዕዛዝ {0} ነው {1} DocType: Opportunity,Contact Info,የመገኛ አድራሻ apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,የክምችት ግቤቶችን ማድረግ @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},ወ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,አማካይ ዕድሜ DocType: School Settings,Attendance Freeze Date,በስብሰባው እሰር ቀን DocType: Opportunity,Your sales person who will contact the customer in future,ወደፊት ደንበኛው ማነጋገር ማን የእርስዎ የሽያጭ ሰው -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,የእርስዎ አቅራቢዎች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,የእርስዎ አቅራቢዎች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,ሁሉም ምርቶች ይመልከቱ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),ዝቅተኛው ሊድ ዕድሜ (ቀኖች) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,ሁሉም BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,ሁሉም BOMs DocType: Company,Default Currency,ነባሪ ምንዛሬ DocType: Expense Claim,From Employee,የሰራተኛ ከ -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ማስጠንቀቂያ: የስርዓት ንጥል ለ መጠን ጀምሮ overbilling ይመልከቱ በ {0} ውስጥ {1} ዜሮ ነው +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ማስጠንቀቂያ: የስርዓት ንጥል ለ መጠን ጀምሮ overbilling ይመልከቱ በ {0} ውስጥ {1} ዜሮ ነው DocType: Journal Entry,Make Difference Entry,ለችግሮችህ Entry አድርግ DocType: Upload Attendance,Attendance From Date,ቀን ጀምሮ በስብሰባው DocType: Appraisal Template Goal,Key Performance Area,ቁልፍ አፈጻጸም አካባቢ @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,የእርስዎ ማጣቀሻ የኩባንያ ምዝገባ ቁጥሮች. የግብር ቁጥሮች ወዘተ DocType: Sales Partner,Distributor,አከፋፋይ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ወደ ግዢ ሳጥን ጨመር መላኪያ ደንብ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,የምርት ትዕዛዝ {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,የምርት ትዕዛዝ {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',ለማዘጋጀት 'ላይ ተጨማሪ ቅናሽ ተግብር' እባክህ ,Ordered Items To Be Billed,የዕቃው ንጥሎች እንዲከፍሉ ለማድረግ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ክልል ያነሰ መሆን አለበት ከ ይልቅ ወደ ክልል @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,ቅናሽ DocType: Leave Allocation,LAL/,ሱንደር / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,የጀመረበት ዓመት -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN የመጀመሪያው 2 አሃዞች ስቴት ቁጥር ጋር መዛመድ አለበት {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN የመጀመሪያው 2 አሃዞች ስቴት ቁጥር ጋር መዛመድ አለበት {0} DocType: Purchase Invoice,Start date of current invoice's period,የአሁኑ መጠየቂያ ያለው ጊዜ የመጀመሪያ ቀን DocType: Salary Slip,Leave Without Pay,Pay ያለ ውጣ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,የአቅም ዕቅድ ስህተት +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,የአቅም ዕቅድ ስህተት ,Trial Balance for Party,ፓርቲው በችሎት ባላንስ DocType: Lead,Consultant,አማካሪ DocType: Salary Slip,Earnings,ገቢዎች @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,ከፋዩ ቅንብሮች DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ይህ ተለዋጭ ያለውን ንጥል ኮድ ተጨምሯል ይሆናል. የእርስዎ በምህፃረ ቃል "SM" ነው; ለምሳሌ ያህል, ንጥል ኮድ "ቲሸርት", "ቲሸርት-SM" ይሆናል ተለዋጭ ያለውን ንጥል ኮድ ነው" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,የ የቀጣሪ ለማዳን አንዴ (ቃላት) የተጣራ ክፍያ የሚታይ ይሆናል. DocType: Purchase Invoice,Is Return,መመለሻ ነው -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,ተመለስ / ዴቢት ማስታወሻ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,ተመለስ / ዴቢት ማስታወሻ DocType: Price List Country,Price List Country,የዋጋ ዝርዝር አገር DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} ንጥል ትክክለኛ ተከታታይ ቁጥሮች {1} @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,በከፊል በመገኘቱ apps/erpnext/erpnext/config/buying.py +38,Supplier database.,አቅራቢው ጎታ. DocType: Account,Balance Sheet,ወጭና ገቢ ሂሳብ መመዝገቢያ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ','ንጥል ኮድ ጋር ንጥል ለማግኘት ማዕከል ያስከፍላል -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","የክፍያ ሁነታ አልተዋቀረም. የመለያ ክፍያዎች ሁነታ ላይ ወይም POS መገለጫ ላይ ተዘጋጅቷል እንደሆነ, ያረጋግጡ." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","የክፍያ ሁነታ አልተዋቀረም. የመለያ ክፍያዎች ሁነታ ላይ ወይም POS መገለጫ ላይ ተዘጋጅቷል እንደሆነ, ያረጋግጡ." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,የእርስዎ የሽያጭ ሰው የደንበኛ ለማነጋገር በዚህ ቀን ላይ አስታዋሽ ያገኛሉ apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ብዙ ጊዜ ተመሳሳይ ንጥል ሊገቡ አይችሉም. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","ተጨማሪ መለያዎች ቡድኖች ስር ሊሆን ይችላል, ነገር ግን ግቤቶች ያልሆኑ ቡድኖች ላይ ሊሆን ይችላል" @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,ብድር መክፈል መረ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'ግቤቶች' ባዶ ሊሆን አይችልም apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},ጋር የተባዛ ረድፍ {0} ተመሳሳይ {1} ,Trial Balance,በችሎት ሒሳብ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,አልተገኘም በጀት ዓመት {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,አልተገኘም በጀት ዓመት {0} apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,ሰራተኞች በማቀናበር ላይ DocType: Sales Order,SO-,ነቅሸ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,መጀመሪያ ቅድመ ቅጥያ ይምረጡ @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,ክፍተቶች apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,የጥንቶቹ apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","አንድ ንጥል ቡድን በተመሳሳይ ስም አለ, ወደ ንጥል ስም መቀየር ወይም ንጥል ቡድን ዳግም መሰየም እባክዎ" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,የተማሪ የተንቀሳቃሽ ስልክ ቁጥር -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ወደ ተቀረው ዓለም +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,ወደ ተቀረው ዓለም apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,የ ንጥል {0} ባች ሊኖረው አይችልም ,Budget Variance Report,በጀት ልዩነት ሪፖርት DocType: Salary Slip,Gross Pay,አጠቃላይ ክፍያ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ረድፍ {0}: የእንቅስቃሴ አይነት የግዴታ ነው. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,ረድፍ {0}: የእንቅስቃሴ አይነት የግዴታ ነው. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ትርፍ የሚከፈልበት apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,አካውንቲንግ የሒሳብ መዝገብ DocType: Stock Reconciliation,Difference Amount,ልዩነት መጠን @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,የሰራተኛ ፈቃድ ሒሳብ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},መለያ ቀሪ {0} ሁልጊዜ መሆን አለበት {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},ረድፍ ውስጥ ንጥል ያስፈልጋል ከግምቱ ተመን {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ምሳሌ: የኮምፒውተር ሳይንስ ሊቃውንት +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,ምሳሌ: የኮምፒውተር ሳይንስ ሊቃውንት DocType: Purchase Invoice,Rejected Warehouse,ውድቅ መጋዘን DocType: GL Entry,Against Voucher,ቫውቸር ላይ DocType: Item,Default Buying Cost Center,ነባሪ መግዛትና ወጪ ማዕከል apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext ውጭ የተሻለ ለማግኘት, እኛ የተወሰነ ጊዜ ሊወስድ እና እነዚህ እርዳታ ቪዲዮዎችን ለመመልከት እንመክራለን." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,ወደ +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,ወደ DocType: Supplier Quotation Item,Lead Time in days,ቀናት ውስጥ በእርሳስ ሰዓት apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,መለያዎች ተከፋይ ማጠቃለያ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},ወደ {0} ከ ደመወዝ ክፍያ {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},ወደ {0} ከ ደመወዝ ክፍያ {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},የታሰረው መለያ አርትዕ ለማድረግ ፈቃድ የለውም {0} DocType: Journal Entry,Get Outstanding Invoices,ያልተከፈሉ ደረሰኞች ያግኙ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,የሽያጭ ትዕዛዝ {0} ልክ ያልሆነ ነው +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,የሽያጭ ትዕዛዝ {0} ልክ ያልሆነ ነው apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,የግዢ ትዕዛዞች ዕቅድ ለማገዝ እና ግዢዎች ላይ መከታተል apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","ይቅርታ, ኩባንያዎች ይዋሃዳሉ አይችልም" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,በተዘዋዋሪ ወጪዎች apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ረድፍ {0}: ብዛት የግዴታ ነው apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,ግብርና -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,አመሳስል መምህር ውሂብ -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,የእርስዎ ምርቶች ወይም አገልግሎቶች +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,አመሳስል መምህር ውሂብ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,የእርስዎ ምርቶች ወይም አገልግሎቶች DocType: Mode of Payment,Mode of Payment,የክፍያ ሁነታ apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,የድር ጣቢያ ምስል ይፋዊ ፋይል ወይም ድር ጣቢያ ዩ አር ኤል መሆን አለበት DocType: Student Applicant,AP,የ AP @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,ንጥል የግብር ተመን DocType: Student Group Student,Group Roll Number,የቡድን ጥቅል ቁጥር apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0}: ብቻ የክሬዲት መለያዎች ሌላ ዴቢት ግቤት ላይ የተገናኘ ሊሆን ይችላል apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,ሁሉ ተግባር ክብደት ጠቅላላ 1. መሰረት በሁሉም የፕሮጀክቱ ተግባራት ክብደት ለማስተካከል እባክዎ መሆን አለበት -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,የመላኪያ ማስታወሻ {0} ማቅረብ አይደለም +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,የመላኪያ ማስታወሻ {0} ማቅረብ አይደለም apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,ንጥል {0} አንድ ንዑስ-ኮንትራት ንጥል መሆን አለበት apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,የካፒታል ዕቃዎች apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","የዋጋ ደ መጀመሪያ ላይ በመመስረት ነው ንጥል, ንጥል ቡድን ወይም የምርት ስም ሊሆን ይችላል, ይህም መስክ ላይ ተግብር. '" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,እባክህ መጀመሪያ የንጥል ኮድ አዘጋጅ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,እባክህ መጀመሪያ የንጥል ኮድ አዘጋጅ DocType: Hub Settings,Seller Website,ሻጭ ድር ጣቢያ DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,የሽያጭ ቡድን ጠቅላላ የተመደበ መቶኛ 100 መሆን አለበት DocType: Appraisal Goal,Goal,ግብ DocType: Sales Invoice Item,Edit Description,አርትዕ መግለጫ ,Team Updates,ቡድን ዝማኔዎች -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,አቅራቢ ለ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,አቅራቢ ለ DocType: Account,Setting Account Type helps in selecting this Account in transactions.,የመለያ አይነት በማዘጋጀት ላይ ግብይቶችን በዚህ መለያ በመምረጥ ረገድ ይረዳል. DocType: Purchase Invoice,Grand Total (Company Currency),ጠቅላላ ድምር (የኩባንያ የምንዛሬ) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,አትም ቅርጸት ፍጠር @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,የድር ጣቢያ ንጥል ቡድኖች DocType: Purchase Invoice,Total (Company Currency),ጠቅላላ (የኩባንያ የምንዛሬ) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,{0} መለያ ቁጥር ከአንድ ጊዜ በላይ ገባ DocType: Depreciation Schedule,Journal Entry,ጆርናል የሚመዘገብ መረጃ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,በሂደት ላይ {0} ንጥሎች +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,በሂደት ላይ {0} ንጥሎች DocType: Workstation,Workstation Name,ከገቢር ስም DocType: Grading Scale Interval,Grade Code,ኛ ክፍል ኮድ DocType: POS Item Group,POS Item Group,POS ንጥል ቡድን apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ጥንቅር ኢሜይል: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} ንጥል የእርሱ ወገን አይደለም {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} ንጥል የእርሱ ወገን አይደለም {1} DocType: Sales Partner,Target Distribution,ዒላማ ስርጭት DocType: Salary Slip,Bank Account No.,የባንክ ሂሳብ ቁጥር DocType: Naming Series,This is the number of the last created transaction with this prefix,ይህ የዚህ ቅጥያ ጋር የመጨረሻ የፈጠረው የግብይት ቁጥር ነው @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,ወደ ግዢ ሳጥን ጨመር apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,አማካኝ ዕለታዊ የወጪ DocType: POS Profile,Campaign,ዘመቻ DocType: Supplier,Name and Type,ስም እና አይነት -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',የማጽደቅ ሁኔታ 'የጸደቀ' ወይም 'ተቀባይነት አላገኘም »መሆን አለበት +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',የማጽደቅ ሁኔታ 'የጸደቀ' ወይም 'ተቀባይነት አላገኘም »መሆን አለበት DocType: Purchase Invoice,Contact Person,የሚያነጋግሩት ሰው apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','የሚጠበቀው መጀመሪያ ቀን' ከዜሮ በላይ 'የሚጠበቀው መጨረሻ ቀን' ሊሆን አይችልም DocType: Course Scheduling Tool,Course End Date,የኮርስ መጨረሻ ቀን @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Prefered ኢሜይል apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,ቋሚ ንብረት ውስጥ የተጣራ ለውጥ DocType: Leave Control Panel,Leave blank if considered for all designations,ሁሉንም ስያሜዎች እየታሰቡ ከሆነ ባዶውን ይተው -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,አይነት 'ትክክለኛው' ረድፍ ውስጥ ኃላፊነት {0} ንጥል ተመን ውስጥ ሊካተቱ አይችሉም -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},ከፍተኛ: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,አይነት 'ትክክለኛው' ረድፍ ውስጥ ኃላፊነት {0} ንጥል ተመን ውስጥ ሊካተቱ አይችሉም +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},ከፍተኛ: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ከ DATETIME DocType: Email Digest,For Company,ኩባንያ ለ apps/erpnext/erpnext/config/support.py +17,Communication log.,ኮሙኒኬሽን መዝገብ. @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","ኢዮብ መ DocType: Journal Entry Account,Account Balance,የመለያ ቀሪ ሂሳብ apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ግብይቶች ለ የግብር ሕግ. DocType: Rename Tool,Type of document to rename.,ሰነድ አይነት ስም አወጡላቸው. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,ይህ ንጥል ለመግዛት +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,ይህ ንጥል ለመግዛት apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: የደንበኛ የሚሰበሰብ መለያ ላይ ያስፈልጋል {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ጠቅላላ ግብሮች እና ክፍያዎች (ኩባንያ ምንዛሬ) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,ያልተዘጋ በጀት ዓመት አ & ኤል ሚዛን አሳይ @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,ንባብ DocType: Stock Entry,Total Additional Costs,ጠቅላላ ተጨማሪ ወጪዎች DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),ቁራጭ የቁስ ዋጋ (የኩባንያ የምንዛሬ) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,ንዑስ ትላልቅ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,ንዑስ ትላልቅ DocType: Asset,Asset Name,የንብረት ስም DocType: Project,Task Weight,ተግባር ክብደት DocType: Shipping Rule Condition,To Value,እሴት ወደ @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,ንጥል አይነቶ DocType: Company,Services,አገልግሎቶች DocType: HR Settings,Email Salary Slip to Employee,የተቀጣሪ ወደ የኢሜይል የቀጣሪ DocType: Cost Center,Parent Cost Center,የወላጅ ወጪ ማዕከል -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,ይቻላል አቅራቢ ይምረጡ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,ይቻላል አቅራቢ ይምረጡ DocType: Sales Invoice,Source,ምንጭ apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,አሳይ ተዘግቷል DocType: Leave Type,Is Leave Without Pay,ይክፈሉ ያለ ውጣ ነው @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,ቅናሽ ተግብር DocType: GST HSN Code,GST HSN Code,GST HSN ኮድ DocType: Employee External Work History,Total Experience,ጠቅላላ የሥራ ልምድ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ክፍት ፕሮጀክቶች -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,ተሰርዟል ማሸጊያ የማያፈስ (ዎች) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,ተሰርዟል ማሸጊያ የማያፈስ (ዎች) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ንዋይ ከ የገንዘብ ፍሰት DocType: Program Course,Program Course,ፕሮግራም ኮርስ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ጭነት እና ማስተላለፍ ክፍያዎች @@ -1538,9 +1538,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,ፕሮግራም የመመዝገቢያ DocType: Sales Invoice Item,Brand Name,የምርት ስም DocType: Purchase Receipt,Transporter Details,አጓጓዥ ዝርዝሮች -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,ነባሪ መጋዘን የተመረጠው ንጥል ያስፈልጋል -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,ሳጥን -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,በተቻለ አቅራቢ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,ነባሪ መጋዘን የተመረጠው ንጥል ያስፈልጋል +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,ሳጥን +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,በተቻለ አቅራቢ DocType: Budget,Monthly Distribution,ወርሃዊ ስርጭት apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ተቀባይ ዝርዝር ባዶ ነው. ተቀባይ ዝርዝር ይፍጠሩ DocType: Production Plan Sales Order,Production Plan Sales Order,የምርት ዕቅድ የሽያጭ ትዕዛዝ @@ -1572,7 +1572,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,ኩባንያ apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","ተማሪዎች ሥርዓት ልብ ላይ, ሁሉም ተማሪዎች ማከል ነው" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},የረድፍ # {0}: የከፈሉ ቀን {1} ቼክ ቀን በፊት ሊሆን አይችልም {2} DocType: Company,Default Holiday List,የበዓል ዝርዝር ነባሪ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ረድፍ {0}: ታይም እና ወደ ጊዜ ጀምሮ {1} ጋር ተደራቢ ነው {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},ረድፍ {0}: ታይም እና ወደ ጊዜ ጀምሮ {1} ጋር ተደራቢ ነው {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,የክምችት ተጠያቂነቶች DocType: Purchase Invoice,Supplier Warehouse,አቅራቢው መጋዘን DocType: Opportunity,Contact Mobile No,የእውቂያ ሞባይል የለም @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},አይነት ፈቃድ {0} በላይ ሊሆን አይችልም {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,አስቀድሞ X ቀኖች ለ ቀዶ ዕቅድ ይሞክሩ. DocType: HR Settings,Stop Birthday Reminders,አቁም የልደት ቀን አስታዋሾች -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},ኩባንያ ውስጥ ነባሪ የደመወዝ ክፍያ ሊከፈል መለያ ማዘጋጀት እባክዎ {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},ኩባንያ ውስጥ ነባሪ የደመወዝ ክፍያ ሊከፈል መለያ ማዘጋጀት እባክዎ {0} DocType: SMS Center,Receiver List,ተቀባይ ዝርዝር -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,የፍለጋ ንጥል +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,የፍለጋ ንጥል apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ፍጆታ መጠን apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,በጥሬ ገንዘብ ውስጥ የተጣራ ለውጥ DocType: Assessment Plan,Grading Scale,አሰጣጥ በስምምነት apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ይለኩ {0} መለኪያ የልወጣ ምክንያቶች የርዕስ ማውጫ ውስጥ ከአንድ ጊዜ በላይ ገባ ተደርጓል -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,ቀድሞውኑ ተጠናቋል +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,ቀድሞውኑ ተጠናቋል apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,የእጅ ውስጥ የአክሲዮን apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},የክፍያ መጠየቂያ አስቀድሞ አለ {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,የተሰጠው ንጥሎች መካከል ወጪ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},ብዛት የበለጠ መሆን አለበት {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},ብዛት የበለጠ መሆን አለበት {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,ቀዳሚ የፋይናንስ ዓመት ዝግ ነው apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),የእድሜ (ቀኖች) DocType: Quotation Item,Quotation Item,ትዕምርተ ንጥል @@ -1613,6 +1613,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,የማጣቀሻ ሰነድ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ተሰርዟል ወይም አቁሟል ነው DocType: Accounts Settings,Credit Controller,የብድር መቆጣጠሪያ +DocType: Sales Order,Final Delivery Date,የመጨረሻ ማቅረቢያ ቀን DocType: Delivery Note,Vehicle Dispatch Date,የተሽከርካሪ አስወገደ ቀን DocType: Purchase Invoice Item,HSN/SAC,HSN / ከረጢት apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,የግዢ ደረሰኝ {0} ማቅረብ አይደለም @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,ጡረታ ነው ቀን DocType: Upload Attendance,Get Template,አብነት ያግኙ DocType: Material Request,Transferred,ተላልፈዋል DocType: Vehicle,Doors,በሮች -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext ማዋቀር ተጠናቋል! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext ማዋቀር ተጠናቋል! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,የግብር የፈጠረብኝን +DocType: Purchase Invoice,Tax Breakup,የግብር የፈጠረብኝን DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: የወጪ ማዕከል 'ትርፍ እና ኪሳራ' መለያ ያስፈልጋል {2}. ካምፓኒው ነባሪ ዋጋ ማዕከል ያዘጋጁ. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,አንድ የደንበኛ ቡድን በተመሳሳይ ስም አለ ያለውን የደንበኛ ስም መቀየር ወይም የደንበኛ ቡድን ዳግም መሰየም እባክዎ @@ -1716,14 +1717,14 @@ DocType: Announcement,Instructor,አሠልታኝ DocType: Employee,AB+,ኤቢ + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ይህ ንጥል ተለዋጮች ያለው ከሆነ, ከዚያም የሽያጭ ትዕዛዞች ወዘተ መመረጥ አይችልም" DocType: Lead,Next Contact By,በ ቀጣይ እውቂያ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},ረድፍ ውስጥ ንጥል {0} ያስፈልጋል ብዛት {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},ረድፍ ውስጥ ንጥል {0} ያስፈልጋል ብዛት {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},የብዛት ንጥል የለም እንደ መጋዘን {0} ሊሰረዝ አይችልም {1} DocType: Quotation,Order Type,ትዕዛዝ አይነት DocType: Purchase Invoice,Notification Email Address,ማሳወቂያ ኢሜይል አድራሻ ,Item-wise Sales Register,ንጥል-ጥበብ የሽያጭ መመዝገቢያ DocType: Asset,Gross Purchase Amount,አጠቃላይ የግዢ መጠን DocType: Asset,Depreciation Method,የእርጅና ስልት -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ከመስመር ውጭ +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ከመስመር ውጭ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,መሰረታዊ ተመን ውስጥ ተካትቷል ይህ ታክስ ነው? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,ጠቅላላ ዒላማ DocType: Job Applicant,Applicant for a Job,ሥራ አመልካች @@ -1744,7 +1745,7 @@ DocType: Employee,Leave Encashed?,Encashed ይውጡ? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,መስክ ከ አጋጣሚ የግዴታ ነው DocType: Email Digest,Annual Expenses,ዓመታዊ ወጪዎች DocType: Item,Variants,ተለዋጮች -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,የግዢ ትዕዛዝ አድርግ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,የግዢ ትዕዛዝ አድርግ DocType: SMS Center,Send To,ወደ ላክ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},አይተውህም አይነት የሚበቃ ፈቃድ ቀሪ የለም {0} DocType: Payment Reconciliation Payment,Allocated amount,በጀት መጠን @@ -1752,7 +1753,7 @@ DocType: Sales Team,Contribution to Net Total,ኔት ጠቅላላ መዋጮ DocType: Sales Invoice Item,Customer's Item Code,ደንበኛ ንጥል ኮድ DocType: Stock Reconciliation,Stock Reconciliation,የክምችት ማስታረቅ DocType: Territory,Territory Name,ግዛት ስም -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,የስራ-በ-እድገት መጋዘን አስገባ በፊት ያስፈልጋል +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,የስራ-በ-እድገት መጋዘን አስገባ በፊት ያስፈልጋል apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,ሥራ አመልካች DocType: Purchase Order Item,Warehouse and Reference,መጋዘን እና ማጣቀሻ DocType: Supplier,Statutory info and other general information about your Supplier,የእርስዎ አቅራቢው ስለ ህጋዊ መረጃ እና ሌሎች አጠቃላይ መረጃ @@ -1763,16 +1764,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,ማስተመኖች apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},ተከታታይ ምንም ንጥል ገባ አባዛ {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,አንድ መላኪያ አገዛዝ አንድ ሁኔታ apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ያስገቡ -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ረድፍ ውስጥ ንጥል {0} ለ overbill አይቻልም {1} ይልቅ {2}. በላይ-አከፋፈል መፍቀድ, ቅንብሮች መግዛት ውስጥ ለማዘጋጀት እባክዎ" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,ንጥል ወይም መጋዘን ላይ የተመሠረተ ማጣሪያ ማዘጋጀት እባክዎ +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ረድፍ ውስጥ ንጥል {0} ለ overbill አይቻልም {1} ይልቅ {2}. በላይ-አከፋፈል መፍቀድ, ቅንብሮች መግዛት ውስጥ ለማዘጋጀት እባክዎ" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,ንጥል ወይም መጋዘን ላይ የተመሠረተ ማጣሪያ ማዘጋጀት እባክዎ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),በዚህ ጥቅል የተጣራ ክብደት. (ንጥሎች ውስጥ የተጣራ ክብደት ድምር እንደ ሰር የሚሰላው) DocType: Sales Order,To Deliver and Bill,አድርስ እና ቢል DocType: Student Group,Instructors,መምህራን DocType: GL Entry,Credit Amount in Account Currency,መለያ ምንዛሬ ውስጥ የብድር መጠን -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} መቅረብ አለበት +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} መቅረብ አለበት DocType: Authorization Control,Authorization Control,ፈቀዳ ቁጥጥር apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},የረድፍ # {0}: መጋዘን አላገኘም ውድቅ ንጥል ላይ ግዴታ ነው {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,ክፍያ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,ክፍያ apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","መጋዘን {0} ማንኛውም መለያ የተገናኘ አይደለም, ኩባንያ ውስጥ በመጋዘን መዝገብ ውስጥ መለያ ወይም ማዘጋጀት ነባሪ ቆጠራ መለያ መጥቀስ እባክዎ {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,የእርስዎን ትዕዛዞች ያቀናብሩ DocType: Production Order Operation,Actual Time and Cost,ትክክለኛው ጊዜ እና ወጪ @@ -1788,12 +1789,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,በሽ DocType: Quotation Item,Actual Qty,ትክክለኛ ብዛት DocType: Sales Invoice Item,References,ማጣቀሻዎች DocType: Quality Inspection Reading,Reading 10,10 ማንበብ -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","እርስዎ ሊገዛ ወይም ሊሸጥ የእርስዎን ምርቶች ወይም አገልግሎቶች ዘርዝር. ከመጀመርዎ ጊዜ ይለኩ እና ሌሎች ንብረቶች ላይ ንጥል ቡድን, ክፍል ለመመልከት እርግጠኛ ይሁኑ." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","እርስዎ ሊገዛ ወይም ሊሸጥ የእርስዎን ምርቶች ወይም አገልግሎቶች ዘርዝር. ከመጀመርዎ ጊዜ ይለኩ እና ሌሎች ንብረቶች ላይ ንጥል ቡድን, ክፍል ለመመልከት እርግጠኛ ይሁኑ." DocType: Hub Settings,Hub Node,ማዕከል መስቀለኛ መንገድ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,አንተ የተባዙ ንጥሎች አስገብተዋል. ለማስተካከል እና እንደገና ይሞክሩ. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,የሥራ ጓደኛ +DocType: Company,Sales Target,የሽያጭ ዒላማ DocType: Asset Movement,Asset Movement,የንብረት ንቅናቄ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,አዲስ ጨመር +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,አዲስ ጨመር apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} ንጥል አንድ serialized ንጥል አይደለም DocType: SMS Center,Create Receiver List,ተቀባይ ዝርዝር ፍጠር DocType: Vehicle,Wheels,መንኮራኩሮች @@ -1834,13 +1836,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,ፕሮጀክቶች DocType: Supplier,Supplier of Goods or Services.,ምርቶች ወይም አገልግሎቶች አቅራቢ. DocType: Budget,Fiscal Year,በጀት ዓመት DocType: Vehicle Log,Fuel Price,የነዳጅ ዋጋ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎ በአካባቢያዊ ቅንጅቶች በኩል የቁጥር ተከታታይ ቁጥሮች ያስተካክሉ> በስልክ ቁጥር DocType: Budget,Budget,ባጀት apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,የተወሰነ የንብረት ንጥል ያልሆነ-የአክሲዮን ንጥል መሆን አለበት. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ይህ የገቢ ወይም የወጪ መለያ አይደለም እንደ በጀት, ላይ {0} ሊመደብ አይችልም" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,አሳክቷል DocType: Student Admission,Application Form Route,ማመልከቻ ቅጽ መስመር apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,ግዛት / የደንበኛ -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,ለምሳሌ: 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,ለምሳሌ: 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ይህ ክፍያ ያለ መተው ነው ጀምሮ ዓይነት {0} ይመደባል አይችልም ይነሱ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ረድፍ {0}: የተመደበ መጠን {1} ከ ያነሰ መሆን ወይም የላቀ መጠን ደረሰኝ ጋር እኩል መሆን አለበት {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,አንተ ወደ የሽያጭ ደረሰኝ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል. @@ -1849,11 +1852,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} ንጥል መለያ ቁጥሮች ለ ማዋቀር አይደለም. ንጥል ጌታ ይመልከቱ DocType: Maintenance Visit,Maintenance Time,ጥገና ሰዓት ,Amount to Deliver,መጠን ለማዳን -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,አንድ ምርት ወይም አገልግሎት +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,አንድ ምርት ወይም አገልግሎት apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,የሚለው ቃል መጀመሪያ ቀን የሚለው ቃል ጋር የተያያዘ ነው ይህም ወደ የትምህርት ዓመት ዓመት የመጀመሪያ ቀን ከ ቀደም ሊሆን አይችልም (የትምህርት ዓመት {}). ቀናት ለማረም እና እንደገና ይሞክሩ. DocType: Guardian,Guardian Interests,አሳዳጊ ፍላጎቶች DocType: Naming Series,Current Value,የአሁኑ ዋጋ -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,በርካታ የበጀት ዓመታት ቀን {0} አገልግሎቶች አሉ. በጀት ዓመት ውስጥ ኩባንያ ማዘጋጀት እባክዎ +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,በርካታ የበጀት ዓመታት ቀን {0} አገልግሎቶች አሉ. በጀት ዓመት ውስጥ ኩባንያ ማዘጋጀት እባክዎ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} ተፈጥሯል DocType: Delivery Note Item,Against Sales Order,የሽያጭ ትዕዛዝ ላይ ,Serial No Status,ተከታታይ ምንም ሁኔታ @@ -1866,7 +1869,7 @@ DocType: Pricing Rule,Selling,ሽያጭ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},የገንዘብ መጠን {0} {1} ላይ የሚቀነስ {2} DocType: Employee,Salary Information,ደመወዝ መረጃ DocType: Sales Person,Name and Employee ID,ስም እና የሰራተኛ መታወቂያ -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,መጠናቀቅ ያለበት ቀን ቀን መለጠፍ በፊት ሊሆን አይችልም +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,መጠናቀቅ ያለበት ቀን ቀን መለጠፍ በፊት ሊሆን አይችልም DocType: Website Item Group,Website Item Group,የድር ጣቢያ ንጥል ቡድን apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,ተግባርና ግብሮች apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,የማጣቀሻ ቀን ያስገቡ @@ -1921,9 +1924,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},ሠራተኛ ለማግኘት በመቀላቀል ቀን ማዘጋጀት እባክዎ {0} DocType: Task,Total Billing Amount (via Time Sheet),ጠቅላላ የሂሳብ አከፋፈል መጠን (ጊዜ ሉህ በኩል) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ድገም የደንበኛ ገቢ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ሚና 'የወጪ አጽዳቂ' ሊኖረው ይገባል -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,ሁለት -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,ለምርት BOM እና ብዛት ይምረጡ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ሚና 'የወጪ አጽዳቂ' ሊኖረው ይገባል +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,ሁለት +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,ለምርት BOM እና ብዛት ይምረጡ DocType: Asset,Depreciation Schedule,የእርጅና ፕሮግራም apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,የሽያጭ አጋር አድራሻዎች እና እውቂያዎች DocType: Bank Reconciliation Detail,Against Account,መለያ ላይ @@ -1933,7 +1936,7 @@ DocType: Item,Has Batch No,የጅምላ አይ አለው apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},ዓመታዊ አከፋፈል: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),የቁሳቁስና የአገለግሎት ቀረጥ (GST ህንድ) DocType: Delivery Note,Excise Page Number,ኤክሳይስ የገጽ ቁጥር -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","ኩባንያ, ቀን ጀምሮ እና ቀን ወደ የግዴታ ነው" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","ኩባንያ, ቀን ጀምሮ እና ቀን ወደ የግዴታ ነው" DocType: Asset,Purchase Date,የተገዛበት ቀን DocType: Employee,Personal Details,የግል መረጃ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},ኩባንያ ውስጥ 'የንብረት የእርጅና ወጪ ማዕከል' ለማዘጋጀት እባክዎ {0} @@ -1942,9 +1945,9 @@ DocType: Task,Actual End Date (via Time Sheet),ትክክለኛው መጨረሻ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},የገንዘብ መጠን {0} {1} ላይ {2} {3} ,Quotation Trends,በትዕምርተ ጥቅስ አዝማሚያዎች apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ንጥል ቡድን ንጥል ንጥል ጌታ ውስጥ የተጠቀሰው አይደለም {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,መለያ ወደ ዴቢት አንድ የሚሰበሰብ መለያ መሆን አለበት +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,መለያ ወደ ዴቢት አንድ የሚሰበሰብ መለያ መሆን አለበት DocType: Shipping Rule Condition,Shipping Amount,መላኪያ መጠን -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,ደንበኞች ያክሉ +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,ደንበኞች ያክሉ apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,በመጠባበቅ ላይ ያለ መጠን DocType: Purchase Invoice Item,Conversion Factor,የልወጣ መንስኤ DocType: Purchase Order,Delivered,ደርሷል @@ -1966,7 +1969,6 @@ DocType: Production Order,Use Multi-Level BOM,ባለብዙ-ደረጃ BOM ይጠ DocType: Bank Reconciliation,Include Reconciled Entries,የታረቀ ምዝግቦችን አካትት DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","የወላጅ ኮርስ (በዚህ ወላጅ የትምህርት ክፍል አይደለም ከሆነ, ባዶ ይተዉት)" DocType: Leave Control Panel,Leave blank if considered for all employee types,ሁሉም ሠራተኛ አይነቶች ተደርጎ ከሆነ ባዶውን ይተው -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ደንበኛ> የሽያጭ ቡድን> ግዛት DocType: Landed Cost Voucher,Distribute Charges Based On,አሰራጭ ክፍያዎች ላይ የተመሠረተ apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,የሰው ኃይል ቅንብሮች @@ -1974,7 +1976,7 @@ DocType: Salary Slip,net pay info,የተጣራ ክፍያ መረጃ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,ወጪ የይገባኛል ጥያቄ ተቀባይነት በመጠባበቅ ላይ ነው. ብቻ ኪሳራውን አጽዳቂ ሁኔታ ማዘመን ይችላሉ. DocType: Email Digest,New Expenses,አዲስ ወጪዎች DocType: Purchase Invoice,Additional Discount Amount,ተጨማሪ የቅናሽ መጠን -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",የረድፍ # {0}: ንጥል ቋሚ ንብረት ነው እንደ ብዛት: 1 መሆን አለበት. በርካታ ብዛት የተለያየ ረድፍ ይጠቀሙ. +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",የረድፍ # {0}: ንጥል ቋሚ ንብረት ነው እንደ ብዛት: 1 መሆን አለበት. በርካታ ብዛት የተለያየ ረድፍ ይጠቀሙ. DocType: Leave Block List Allow,Leave Block List Allow,አግድ ዝርዝር ፍቀድ ይነሱ apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ባዶ ወይም ባዶ መሆን አይችልም apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,ያልሆኑ ቡድን ቡድን @@ -1982,7 +1984,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ስፖርት DocType: Loan Type,Loan Name,ብድር ስም apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,ትክክለኛ ጠቅላላ DocType: Student Siblings,Student Siblings,የተማሪ እህቶቼ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,መለኪያ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,መለኪያ apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,ኩባንያ እባክዎን ይግለጹ ,Customer Acquisition and Loyalty,የደንበኛ ማግኛ እና ታማኝነት DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,እናንተ ተቀባይነት ንጥሎች የአክሲዮን ጠብቆ የት መጋዘን @@ -2000,12 +2002,12 @@ DocType: Workstation,Wages per hour,በሰዓት የደመወዝ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ባች ውስጥ የአክሲዮን ቀሪ {0} ይሆናል አሉታዊ {1} መጋዘን ላይ ንጥል {2} ለ {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ቁሳዊ ጥያቄዎች የሚከተሉት ንጥል ዳግም-ትዕዛዝ ደረጃ ላይ ተመስርቶ በራስ-ሰር ከፍ ተደርጓል DocType: Email Digest,Pending Sales Orders,የሽያጭ ትዕዛዞች በመጠባበቅ ላይ -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},መለያ {0} ልክ ያልሆነ ነው. መለያ ምንዛሬ መሆን አለበት {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},መለያ {0} ልክ ያልሆነ ነው. መለያ ምንዛሬ መሆን አለበት {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM የመለወጥ ምክንያት ረድፍ ውስጥ ያስፈልጋል {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የሽያጭ ትዕዛዝ አንዱ ሽያጭ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት DocType: Salary Component,Deduction,ቅናሽ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ረድፍ {0}: ሰዓት ጀምሮ እና ሰዓት ወደ የግዴታ ነው. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,ረድፍ {0}: ሰዓት ጀምሮ እና ሰዓት ወደ የግዴታ ነው. DocType: Stock Reconciliation Item,Amount Difference,መጠን ያለው ልዩነት apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},ንጥል ዋጋ ለ ታክሏል {0} የዋጋ ዝርዝር ውስጥ {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ይህ የሽያጭ ሰው የሰራተኛ መታወቂያ ያስገቡ @@ -2015,11 +2017,11 @@ DocType: Project,Gross Margin,ግዙፍ ኅዳግ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,በመጀመሪያ የምርት ንጥል ያስገቡ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,የተሰላው ባንክ መግለጫ ቀሪ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ተሰናክሏል ተጠቃሚ -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,ጥቅስ +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,ጥቅስ DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,ጠቅላላ ተቀናሽ ,Production Analytics,የምርት ትንታኔ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ወጪ ዘምኗል +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,ወጪ ዘምኗል DocType: Employee,Date of Birth,የትውልድ ቀን apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,ንጥል {0} አስቀድሞ ተመለሱ ተደርጓል DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** በጀት ዓመት ** አንድ የፋይናንስ ዓመት ይወክላል. ሁሉም የሂሳብ ግቤቶች እና ሌሎች ዋና ዋና ግብይቶች ** ** በጀት ዓመት ላይ ክትትል ነው. @@ -2064,18 +2066,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,ኩባንያ ይምረጡ ... DocType: Leave Control Panel,Leave blank if considered for all departments,ሁሉም ክፍሎች እየታሰቡ ከሆነ ባዶውን ይተው apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","የሥራ ዓይነቶች (ቋሚ, ውል, እሥረኛ ወዘተ)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} ንጥል ግዴታ ነው {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} ንጥል ግዴታ ነው {1} DocType: Process Payroll,Fortnightly,በየሁለት ሳምንቱ DocType: Currency Exchange,From Currency,ምንዛሬ ከ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ቢያንስ አንድ ረድፍ ውስጥ የተመደበ መጠን, የደረሰኝ አይነት እና የደረሰኝ ቁጥር እባክዎ ይምረጡ" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,አዲስ ግዢ ወጪ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},ንጥል ያስፈልጋል የሽያጭ ትዕዛዝ {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},ንጥል ያስፈልጋል የሽያጭ ትዕዛዝ {0} DocType: Purchase Invoice Item,Rate (Company Currency),መጠን (የኩባንያ የምንዛሬ) DocType: Student Guardian,Others,ሌሎች DocType: Payment Entry,Unallocated Amount,unallocated መጠን apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,አንድ ተዛማጅ ንጥል ማግኘት አልተቻለም. ለ {0} ሌላ ዋጋ ይምረጡ. DocType: POS Profile,Taxes and Charges,ግብሮች እና ክፍያዎች DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",አንድ ምርት ወይም ገዙ ይሸጣሉ ወይም በስቶክ ውስጥ የተቀመጠ ነው አንድ አገልግሎት. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,የእንጥል ኮድ> የንጥል ቡድን> ብራንድ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,ምንም ተጨማሪ ዝማኔዎች apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,የመጀመሪያውን ረድፍ ለ 'ቀዳሚ ረድፍ ጠቅላላ ላይ' 'ቀዳሚ የረድፍ መጠን ላይ' እንደ ክፍያ አይነት መምረጥ ወይም አይቻልም apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,የልጅ ንጥል አንድ ምርት ጥቅል መሆን የለበትም. ንጥል ለማስወገድ `{0}` እና ያስቀምጡ @@ -2101,7 +2104,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,ጠቅላላ የሂሳብ አከፋፈል መጠን apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ለዚህ እንዲሰራ ነቅቷል ነባሪ ገቢ የኢሜይል መለያ መኖር አለበት. እባክዎ ማዋቀር ነባሪ ገቢ የኢሜይል መለያ (POP / IMAP) እና እንደገና ይሞክሩ. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,የሚሰበሰብ መለያ -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},የረድፍ # {0}: የንብረት {1} አስቀድሞ ነው; {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},የረድፍ # {0}: የንብረት {1} አስቀድሞ ነው; {2} DocType: Quotation Item,Stock Balance,የአክሲዮን ቀሪ apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ክፍያ የሽያጭ ትዕዛዝ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,ዋና ሥራ አስኪያጅ @@ -2126,10 +2129,11 @@ DocType: C-Form,Received Date,የተቀበልከው ቀን DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","እናንተ የሽያጭ ግብሮች እና ክፍያዎች መለጠፊያ ውስጥ መደበኛ አብነት ፈጥረዋል ከሆነ, አንዱን ይምረጡ እና ከታች ያለውን አዝራር ላይ ጠቅ ያድርጉ." DocType: BOM Scrap Item,Basic Amount (Company Currency),መሰረታዊ መጠን (የኩባንያ የምንዛሬ) DocType: Student,Guardians,አሳዳጊዎች +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,አቅራቢ> አቅራቢ አይነት DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,የዋጋ ዝርዝር ካልተዋቀረ ዋጋዎች አይታይም apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ለዚህ መላኪያ አገዛዝ አንድ አገር መግለጽ ወይም ዓለም አቀፍ መላኪያ ያረጋግጡ DocType: Stock Entry,Total Incoming Value,ጠቅላላ ገቢ ዋጋ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,ዴት ወደ ያስፈልጋል +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,ዴት ወደ ያስፈልጋል apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets በእርስዎ ቡድን እንዳደረገ activites ጊዜ, ወጪ እና የማስከፈያ እንዲከታተሉ ለመርዳት" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,የግዢ ዋጋ ዝርዝር DocType: Offer Letter Term,Offer Term,ቅናሽ የሚቆይበት ጊዜ @@ -2148,11 +2152,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,የ DocType: Timesheet Detail,To Time,ጊዜ ወደ DocType: Authorization Rule,Approving Role (above authorized value),(ፍቃድ ዋጋ በላይ) ሚና ማጽደቅ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,መለያ ወደ ብድር የሚከፈል መለያ መሆን አለበት -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM Recursion: {0} መካከል ወላጅ ወይም ልጅ ሊሆን አይችልም {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM Recursion: {0} መካከል ወላጅ ወይም ልጅ ሊሆን አይችልም {2} DocType: Production Order Operation,Completed Qty,ተጠናቋል ብዛት apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0}: ብቻ ዴቢት መለያዎች ሌላ ክሬዲት ግቤት ላይ የተገናኘ ሊሆን ይችላል apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,የዋጋ ዝርዝር {0} ተሰናክሏል -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},ረድፍ {0}: ተጠናቋል ብዛት በላይ ሊሆን አይችልም {1} ክወና {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},ረድፍ {0}: ተጠናቋል ብዛት በላይ ሊሆን አይችልም {1} ክወና {2} DocType: Manufacturing Settings,Allow Overtime,የትርፍ ሰዓት ፍቀድ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serialized ንጥል {0} መጠቀም እባክዎ የአክሲዮን የገባበት የአክሲዮን ማስታረቅ በመጠቀም መዘመን አይችልም DocType: Training Event Employee,Training Event Employee,ስልጠና ክስተት ሰራተኛ @@ -2170,10 +2174,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,ውጫዊ apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ተጠቃሚዎች እና ፈቃዶች DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},የምርት ትዕዛዞች ተፈጠረ: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},የምርት ትዕዛዞች ተፈጠረ: {0} DocType: Branch,Branch,ቅርንጫፍ DocType: Guardian,Mobile Number,ስልክ ቁጥር apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ፕሪንቲንግ እና የምርት +DocType: Company,Total Monthly Sales,ጠቅላላ የወጪ ሽያጭ DocType: Bin,Actual Quantity,ትክክለኛ ብዛት DocType: Shipping Rule,example: Next Day Shipping,ለምሳሌ: ቀጣይ ቀን መላኪያ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,አልተገኘም ተከታታይ ምንም {0} @@ -2203,7 +2208,7 @@ DocType: Payment Request,Make Sales Invoice,የሽያጭ ደረሰኝ አድር apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,ሶፍትዌሮችን apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ቀጣይ የእውቂያ ቀን ያለፈ መሆን አይችልም DocType: Company,For Reference Only.,ማጣቀሻ ያህል ብቻ. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,ምረጥ የጅምላ አይ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,ምረጥ የጅምላ አይ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},ልክ ያልሆነ {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,የቅድሚያ ክፍያ መጠን @@ -2216,7 +2221,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},ባር ኮድ ጋር ምንም ንጥል {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,የጉዳይ ቁጥር 0 መሆን አይችልም DocType: Item,Show a slideshow at the top of the page,በገጹ ላይኛው ክፍል ላይ አንድ ስላይድ ትዕይንት አሳይ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,መደብሮች DocType: Serial No,Delivery Time,የማስረከቢያ ቀን ገደብ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,ላይ የተመሠረተ ጥበቃና @@ -2230,16 +2235,16 @@ DocType: Rename Tool,Rename Tool,መሣሪያ ዳግም ሰይም apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,አዘምን ወጪ DocType: Item Reorder,Item Reorder,ንጥል አስይዝ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,አሳይ የቀጣሪ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,አስተላልፍ ሐሳብ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,አስተላልፍ ሐሳብ DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","የ ክወናዎች, የክወና ወጪ ይጥቀሱ እና ቀዶ ሕክምና ምንም ልዩ ክወና መስጠት." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ይህ ሰነድ በ ገደብ በላይ ነው {0} {1} ንጥል {4}. እናንተ እያደረግን ነው በዚያው ላይ ሌላ {3} {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,በማስቀመጥ ላይ በኋላ ተደጋጋሚ ማዘጋጀት እባክዎ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,ይምረጡ ለውጥ መጠን መለያ +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,በማስቀመጥ ላይ በኋላ ተደጋጋሚ ማዘጋጀት እባክዎ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,ይምረጡ ለውጥ መጠን መለያ DocType: Purchase Invoice,Price List Currency,የዋጋ ዝርዝር ምንዛሬ DocType: Naming Series,User must always select,ተጠቃሚው ሁልጊዜ መምረጥ አለብዎ DocType: Stock Settings,Allow Negative Stock,አሉታዊ የአክሲዮን ፍቀድ DocType: Installation Note,Installation Note,የአጫጫን ማስታወሻ -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,ግብሮች ያክሉ +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,ግብሮች ያክሉ DocType: Topic,Topic,አርእስት apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,በገንዘብ ከ የገንዘብ ፍሰት DocType: Budget Account,Budget Account,የበጀት መለያ @@ -2253,7 +2258,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Trace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),የገንዘብ ምንጭ (ተጠያቂነቶች) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ረድፍ ውስጥ ብዛት {0} ({1}) የሚመረተው ብዛት እንደ አንድ አይነት መሆን አለበት {2} DocType: Appraisal,Employee,ተቀጣሪ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,ምረጥ ባች +DocType: Company,Sales Monthly History,ሽያጭ ወርሃዊ ታሪክ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,ምረጥ ባች apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} ሙሉ በሙሉ እንዲከፍሉ ነው DocType: Training Event,End Time,መጨረሻ ሰዓት apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ለተሰጠው ቀኖች ሰራተኛ {1} አልተገኘም ገባሪ ደመወዝ መዋቅር {0} @@ -2261,15 +2267,14 @@ DocType: Payment Entry,Payment Deductions or Loss,የክፍያ ተቀናሾች apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,የሽያጭ ወይም ግዢ መደበኛ የኮንትራት ውል. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,ቫውቸር መድብ apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,የሽያጭ Pipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},ደመወዝ ክፍለ አካል ውስጥ ነባሪ መለያ ማዘጋጀት እባክዎ {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},ደመወዝ ክፍለ አካል ውስጥ ነባሪ መለያ ማዘጋጀት እባክዎ {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ያስፈልጋል ላይ DocType: Rename Tool,File to Rename,ዳግም ሰይም ፋይል apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},ረድፍ ውስጥ ንጥል ለማግኘት BOM ይምረጡ {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},መለያ {0} {1} መለያ ሁነታ ውስጥ ኩባንያ ጋር አይዛመድም: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},ንጥል ለማግኘት የለም የተጠቀሰዉ BOM {0} {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ጥገና ፕሮግራም {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ጥገና ፕሮግራም {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት DocType: Notification Control,Expense Claim Approved,የወጪ የይገባኛል ጥያቄ ተፈቅዷል -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎ በአካባቢያዊ ቅንጅቶች በኩል የቁጥር ተከታታይ ቁጥሮች ያስተካክሉ> በስልክ ቁጥር apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ሠራተኛ የቀጣሪ {0} አስቀድሞ በዚህ ጊዜ የተፈጠሩ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,የህክምና apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,የተገዙ ንጥሎች መካከል ወጪ @@ -2286,7 +2291,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,አንድ ያለቀ DocType: Upload Attendance,Attendance To Date,ቀን ወደ በስብሰባው DocType: Warranty Claim,Raised By,በ አስነስቷል DocType: Payment Gateway Account,Payment Account,የክፍያ መለያ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,ለመቀጠል ኩባንያ ይግለጹ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,ለመቀጠል ኩባንያ ይግለጹ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,መለያዎች የሚሰበሰብ ሂሳብ ውስጥ የተጣራ ለውጥ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,የማካካሻ አጥፋ DocType: Offer Letter,Accepted,ተቀባይነት አግኝቷል @@ -2295,12 +2300,12 @@ DocType: SG Creation Tool Course,Student Group Name,የተማሪ የቡድን apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,በእርግጥ ይህ ኩባንያ ሁሉንም ግብይቶችን መሰረዝ ይፈልጋሉ እርግጠኛ ይሁኑ. ነው እንደ ዋና ውሂብ ይቆያል. ይህ እርምጃ ሊቀለበስ አይችልም. DocType: Room,Room Number,የክፍል ቁጥር apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},ልክ ያልሆነ ማጣቀሻ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ታቅዶ quanitity መብለጥ አይችልም ({2}) በምርት ላይ ትእዛዝ {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ታቅዶ quanitity መብለጥ አይችልም ({2}) በምርት ላይ ትእዛዝ {3} DocType: Shipping Rule,Shipping Rule Label,መላኪያ ደንብ መሰየሚያ apps/erpnext/erpnext/public/js/conf.js +28,User Forum,የተጠቃሚ መድረክ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,ጥሬ እቃዎች ባዶ መሆን አይችልም. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","የአክሲዮን ማዘመን አልተቻለም, መጠየቂያ ጠብታ መላኪያ ንጥል ይዟል." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ፈጣን ጆርናል የሚመዘገብ መረጃ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,ጥሬ እቃዎች ባዶ መሆን አይችልም. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","የአክሲዮን ማዘመን አልተቻለም, መጠየቂያ ጠብታ መላኪያ ንጥል ይዟል." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,ፈጣን ጆርናል የሚመዘገብ መረጃ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,BOM ማንኛውም ንጥል agianst የተጠቀሰው ከሆነ መጠን መቀየር አይችሉም DocType: Employee,Previous Work Experience,ቀዳሚ የሥራ ልምድ DocType: Stock Entry,For Quantity,ብዛት ለ @@ -2357,7 +2362,7 @@ DocType: SMS Log,No of Requested SMS,ተጠይቋል ኤስ የለም apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,ተቀባይነት ፈቃድ ማመልከቻ መዛግብት ጋር አይዛመድም Pay ያለ ይነሱ DocType: Campaign,Campaign-.####,የዘመቻ -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ቀጣይ እርምጃዎች -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,ምርጥ በተቻለ ፍጥነት በተጠቀሰው ንጥሎች አቅርብ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,ምርጥ በተቻለ ፍጥነት በተጠቀሰው ንጥሎች አቅርብ DocType: Selling Settings,Auto close Opportunity after 15 days,15 ቀናት በኋላ ራስ የቅርብ አጋጣሚ apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,የመጨረሻ ዓመት apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / በእርሳስ% @@ -2394,7 +2399,7 @@ DocType: Homepage,Homepage,መነሻ ገጽ DocType: Purchase Receipt Item,Recd Quantity,Recd ብዛት apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},ክፍያ መዛግብት ፈጥሯል - {0} DocType: Asset Category Account,Asset Category Account,የንብረት ምድብ መለያ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},የሽያጭ ትዕዛዝ ብዛት የበለጠ ንጥል {0} ማፍራት የማይችሉ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},የሽያጭ ትዕዛዝ ብዛት የበለጠ ንጥል {0} ማፍራት የማይችሉ {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,የክምችት Entry {0} ማቅረብ አይደለም DocType: Payment Reconciliation,Bank / Cash Account,ባንክ / በጥሬ ገንዘብ መለያ apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,ቀጣይ የእውቂያ በ ቀዳሚ የኢሜይል አድራሻ ጋር ተመሳሳይ ሊሆን አይችልም @@ -2427,7 +2432,7 @@ DocType: Salary Structure,Total Earning,ጠቅላላ ማግኘት DocType: Purchase Receipt,Time at which materials were received,ቁሳቁስ ተሰጥቷቸዋል ነበር ይህም በ ጊዜ DocType: Stock Ledger Entry,Outgoing Rate,የወጪ ተመን apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ድርጅት ቅርንጫፍ ጌታቸው. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ወይም +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ወይም DocType: Sales Order,Billing Status,አከፋፈል ሁኔታ apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ችግር ሪፖርት ያድርጉ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,መገልገያ ወጪ @@ -2435,7 +2440,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,የረድፍ # {0}: ጆርናል የሚመዘገብ {1} መለያ የለውም {2} ወይም አስቀድሞ በሌላ ቫውቸር ጋር ይዛመዳሉ DocType: Buying Settings,Default Buying Price List,ነባሪ መግዛትና ዋጋ ዝርዝር DocType: Process Payroll,Salary Slip Based on Timesheet,Timesheet ላይ የተመሠረተ የቀጣሪ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ከላይ የተመረጡ መመዘኛዎች ወይም የቀጣሪ ምንም ሠራተኛ አስቀድሞ የተፈጠረ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,ከላይ የተመረጡ መመዘኛዎች ወይም የቀጣሪ ምንም ሠራተኛ አስቀድሞ የተፈጠረ DocType: Notification Control,Sales Order Message,የሽያጭ ትዕዛዝ መልዕክት apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ወዘተ ኩባንያ, የምንዛሬ, የአሁኑ የበጀት ዓመት, እንደ አዘጋጅ ነባሪ እሴቶች" DocType: Payment Entry,Payment Type,የክፍያ አይነት @@ -2459,7 +2464,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ደረሰኝ ሰነድ ማቅረብ ይኖርባቸዋል DocType: Purchase Invoice Item,Received Qty,ተቀብሏል ብዛት DocType: Stock Entry Detail,Serial No / Batch,ተከታታይ አይ / ባች -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,አይደለም የሚከፈልበት እና ደርሷል አይደለም +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,አይደለም የሚከፈልበት እና ደርሷል አይደለም DocType: Product Bundle,Parent Item,የወላጅ ንጥል DocType: Account,Account Type,የመለያ አይነት DocType: Delivery Note,DN-RET-,DN-RET- @@ -2489,8 +2494,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,ጠቅላላ የተመደበ መጠን apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ዘላቂ በመጋዘኑ አዘጋጅ ነባሪ ቆጠራ መለያ DocType: Item Reorder,Material Request Type,ቁሳዊ ጥያቄ አይነት -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} ከ ደምወዝ ለ Accural ጆርናል የሚመዘገብ {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage ሙሉ ነው, ሊያድን አይችልም ነበር" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},{0} ከ ደምወዝ ለ Accural ጆርናል የሚመዘገብ {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage ሙሉ ነው, ሊያድን አይችልም ነበር" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ረድፍ {0}: UOM የልወጣ ምክንያት የግዴታ ነው apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,ማጣቀሻ DocType: Budget,Cost Center,የወጭ ማዕከል @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,የ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","የተመረጠውን የዋጋ ደ 'ዋጋ ለ' ነው ከሆነ, የዋጋ ዝርዝር እንዲተኩ ያደርጋል. የዋጋ አሰጣጥ ደንብ ዋጋ የመጨረሻው ዋጋ ነው, ስለዚህ ምንም ተጨማሪ ቅናሽ የሚሠራ መሆን ይኖርበታል. በመሆኑም, ወዘተ የሽያጭ ትዕዛዝ, የግዥ ትዕዛዝ እንደ ግብይቶችን, ይልቁን 'የዋጋ ዝርዝር ተመን' እርሻ ይልቅ 'ደረጃ »መስክ ውስጥ ማምጣት ይሆናል." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,የትራክ ኢንዱስትሪ ዓይነት ይመራል. DocType: Item Supplier,Item Supplier,ንጥል አቅራቢ -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,ባች ምንም ለማግኘት ንጥል ኮድ ያስገቡ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,ባች ምንም ለማግኘት ንጥል ኮድ ያስገቡ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},{0} quotation_to እሴት ይምረጡ {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ሁሉም አድራሻዎች. DocType: Company,Stock Settings,የክምችት ቅንብሮች @@ -2535,7 +2540,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ግብይት በኋላ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},መካከል ምንም ደመወዝ ወረቀት {0} እና {1} ,Pending SO Items For Purchase Request,የግዢ ጥያቄ ስለዚህ ንጥሎች በመጠባበቅ ላይ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,የተማሪ ምዝገባ -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} ተሰናክሏል +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} ተሰናክሏል DocType: Supplier,Billing Currency,አከፋፈል ምንዛሬ DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,በጣም ትልቅ @@ -2565,7 +2570,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,የመተግበሪያ ሁኔታ DocType: Fees,Fees,ክፍያዎች DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ምንዛሪ ተመን ወደ ሌላ በአንድ ምንዛሬ መለወጥ ግለፅ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,ጥቅስ {0} ተሰርዟል +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,ጥቅስ {0} ተሰርዟል apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,ጠቅላላ ያልተወራረደ መጠን DocType: Sales Partner,Targets,ዒላማዎች DocType: Price List,Price List Master,የዋጋ ዝርዝር መምህር @@ -2582,7 +2587,7 @@ DocType: POS Profile,Ignore Pricing Rule,የዋጋ አሰጣጥ ደንብ ችላ DocType: Employee Education,Graduate,ምረቃ DocType: Leave Block List,Block Days,አግድ ቀኖች DocType: Journal Entry,Excise Entry,ኤክሳይስ የሚመዘገብ መረጃ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ማስጠንቀቂያ: የሽያጭ ትዕዛዝ {0} አስቀድሞ የደንበኛ የግዥ ትዕዛዝ ላይ አለ {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ማስጠንቀቂያ: የሽያጭ ትዕዛዝ {0} አስቀድሞ የደንበኛ የግዥ ትዕዛዝ ላይ አለ {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2608,7 +2613,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),ከ ,Salary Register,ደመወዝ ይመዝገቡ DocType: Warehouse,Parent Warehouse,የወላጅ መጋዘን DocType: C-Form Invoice Detail,Net Total,የተጣራ ጠቅላላ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},ነባሪ BOM ንጥል አልተገኘም {0} እና ፕሮጀክት {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},ነባሪ BOM ንጥል አልተገኘም {0} እና ፕሮጀክት {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,የተለያዩ የብድር ዓይነቶችን በይን DocType: Bin,FCFS Rate,FCFS ተመን DocType: Payment Reconciliation Invoice,Outstanding Amount,ያልተከፈሉ መጠን @@ -2645,7 +2650,7 @@ DocType: Salary Detail,Condition and Formula Help,ሁኔታ እና የቀመር apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,ግዛት ዛፍ ያቀናብሩ. DocType: Journal Entry Account,Sales Invoice,የሽያጭ ደረሰኝ DocType: Journal Entry Account,Party Balance,የድግስ ሒሳብ -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,ቅናሽ ላይ ተግብር እባክዎ ይምረጡ +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,ቅናሽ ላይ ተግብር እባክዎ ይምረጡ DocType: Company,Default Receivable Account,ነባሪ የሚሰበሰብ መለያ DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,ከላይ የተመረጡ መስፈርት የሚከፈለው ጠቅላላ ደመወዝ ስለ ባንክ የሚመዘገብ መረጃ ይፍጠሩ DocType: Stock Entry,Material Transfer for Manufacture,ማምረት ቁሳዊ ማስተላለፍ @@ -2659,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,የደንበኛ አድራሻ DocType: Employee Loan,Loan Details,ብድር ዝርዝሮች DocType: Company,Default Inventory Account,ነባሪ ቆጠራ መለያ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ረድፍ {0}: ተጠናቋል ብዛት ከዜሮ በላይ መሆን አለበት. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,ረድፍ {0}: ተጠናቋል ብዛት ከዜሮ በላይ መሆን አለበት. DocType: Purchase Invoice,Apply Additional Discount On,ተጨማሪ የቅናሽ ላይ ተግብር DocType: Account,Root Type,ስርወ አይነት DocType: Item,FIFO,FIFO @@ -2676,7 +2681,7 @@ DocType: Purchase Invoice Item,Quality Inspection,የጥራት ምርመራ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,የበለጠ አነስተኛ DocType: Company,Standard Template,መደበኛ አብነት DocType: Training Event,Theory,ፍልስፍና -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,ማስጠንቀቂያ: ብዛት ጠይቀዋል ሐሳብ ያለው አነስተኛ ትዕዛዝ ብዛት ያነሰ ነው +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,ማስጠንቀቂያ: ብዛት ጠይቀዋል ሐሳብ ያለው አነስተኛ ትዕዛዝ ብዛት ያነሰ ነው apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,መለያ {0} የታሰሩ ነው DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ወደ ድርጅት ንብረት መለያዎች የተለየ ሰንጠረዥ ጋር ሕጋዊ አካሌ / ንዑስ. DocType: Payment Request,Mute Email,ድምጸ-ኢሜይል @@ -2700,7 +2705,7 @@ DocType: Training Event,Scheduled,የተያዘለት apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ጥቅስ ለማግኘት ይጠይቁ. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","አይ" እና "የሽያጭ ንጥል ነው" "የአክሲዮን ንጥል ነው" የት "አዎ" ነው ንጥል ይምረጡ እና ሌላ የምርት ጥቅል አለ እባክህ DocType: Student Log,Academic,የቀለም -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ጠቅላላ የቅድሚያ ({0}) ትዕዛዝ ላይ {1} ግራንድ ጠቅላላ መብለጥ አይችልም ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ጠቅላላ የቅድሚያ ({0}) ትዕዛዝ ላይ {1} ግራንድ ጠቅላላ መብለጥ አይችልም ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ከማያምኑ ወራት በመላ ዒላማ ማሰራጨት ወርሃዊ ስርጭት ይምረጡ. DocType: Purchase Invoice Item,Valuation Rate,ግምቱ ተመን DocType: Stock Reconciliation,SR/,ድራይቨር / @@ -2764,6 +2769,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,ጥያቄ ምንጭ ዘመቻ ከሆነ ዘመቻ ስም ያስገቡ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,የጋዜጣ አሳታሚዎች apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,በጀት ዓመት ይምረጡ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,የተያዘው የመላኪያ ቀን ከሽያጭ ትእዛዝ ቀን በኋላ መሆን አለበት apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,አስይዝ ደረጃ DocType: Company,Chart Of Accounts Template,መለያዎች አብነት ነው ገበታ DocType: Attendance,Attendance Date,በስብሰባው ቀን @@ -2795,7 +2801,7 @@ DocType: Pricing Rule,Discount Percentage,የቅናሽ መቶኛ DocType: Payment Reconciliation Invoice,Invoice Number,የክፍያ መጠየቂያ ቁጥር DocType: Shopping Cart Settings,Orders,ትዕዛዞች DocType: Employee Leave Approver,Leave Approver,አጽዳቂ ውጣ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,ስብስብ ይምረጡ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,ስብስብ ይምረጡ DocType: Assessment Group,Assessment Group Name,ግምገማ ቡድን ስም DocType: Manufacturing Settings,Material Transferred for Manufacture,ቁሳዊ ማምረት ለ ተላልፈዋል DocType: Expense Claim,"A user with ""Expense Approver"" role","የወጪ አጽዳቂ" ሚና ጋር አንድ ተጠቃሚ @@ -2831,7 +2837,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,ወደ ቀጣዩ ወር የመጨረሻ ቀን DocType: Support Settings,Auto close Issue after 7 days,7 ቀናት በኋላ ራስ የቅርብ እትም apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","በፊት የተመደበ አይችልም ይተዉት {0}, ፈቃድ ቀሪ አስቀድሞ የማስቀመጫ-በሚተላለፈው ወደፊት ፈቃድ አመዳደብ መዝገብ ውስጥ ቆይቷል እንደ {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ማስታወሻ: የፍትህ / ማጣቀሻ ቀን {0} ቀን አይፈቀድም የደንበኛ ክሬዲት ቀናት አልፏል (ዎች) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ማስታወሻ: የፍትህ / ማጣቀሻ ቀን {0} ቀን አይፈቀድም የደንበኛ ክሬዲት ቀናት አልፏል (ዎች) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,የተማሪ ማመልከቻ DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ተቀባይ ORIGINAL DocType: Asset Category Account,Accumulated Depreciation Account,ሲጠራቀሙ የእርጅና መለያ @@ -2842,7 +2848,7 @@ DocType: Item,Reorder level based on Warehouse,መጋዘን ላይ የተመሠ DocType: Activity Cost,Billing Rate,አከፋፈል ተመን ,Qty to Deliver,ለማዳን ብዛት ,Stock Analytics,የክምችት ትንታኔ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ክወናዎች ባዶ ሊተው አይችልም +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,ክወናዎች ባዶ ሊተው አይችልም DocType: Maintenance Visit Purpose,Against Document Detail No,የሰነድ ዝርዝር ላይ የለም apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,የድግስ አይነት ግዴታ ነው DocType: Quality Inspection,Outgoing,የወጪ @@ -2883,15 +2889,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,መጋዘን ላይ ይገኛል ብዛት apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,የሚከፈል መጠን DocType: Asset,Double Declining Balance,ድርብ ካልተቀበሉት ቀሪ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,ዝግ ትዕዛዝ ተሰርዟል አይችልም. ለመሰረዝ Unclose. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,ዝግ ትዕዛዝ ተሰርዟል አይችልም. ለመሰረዝ Unclose. DocType: Student Guardian,Father,አባት -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'አዘምን Stock' ቋሚ ንብረት ለሽያጭ ሊረጋገጥ አልቻለም +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'አዘምን Stock' ቋሚ ንብረት ለሽያጭ ሊረጋገጥ አልቻለም DocType: Bank Reconciliation,Bank Reconciliation,ባንክ ማስታረቅ DocType: Attendance,On Leave,አረፍት ላይ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ዝማኔዎች አግኝ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: መለያ {2} ኩባንያ የእርሱ ወገን አይደለም {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,ቁሳዊ ጥያቄ {0} ተሰርዟል ወይም አቁሟል ነው -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,ጥቂት ናሙና መዝገቦች ያክሉ +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,ጥቂት ናሙና መዝገቦች ያክሉ apps/erpnext/erpnext/config/hr.py +301,Leave Management,አስተዳደር ውጣ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,መለያ ቡድን DocType: Sales Order,Fully Delivered,ሙሉ በሙሉ ደርሷል @@ -2900,12 +2906,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ይህ የክምችት ማስታረቅ አንድ በመክፈት Entry በመሆኑ ልዩነት መለያ, አንድ ንብረት / የተጠያቂነት ዓይነት መለያ መሆን አለበት" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},በመገኘቱ መጠን የብድር መጠን መብለጥ አይችልም {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},ንጥል ያስፈልጋል ትዕዛዝ ቁጥር ይግዙ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,የምርት ትዕዛዝ አልተፈጠረም +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,የምርት ትዕዛዝ አልተፈጠረም apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','ቀን ጀምሮ' በኋላ 'እስከ ቀን' መሆን አለበት apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ተማሪ ሁኔታ መለወጥ አይቻልም {0} የተማሪ ማመልከቻ ጋር የተያያዘ ነው {1} DocType: Asset,Fully Depreciated,ሙሉ በሙሉ የቀነሰበት ,Stock Projected Qty,የክምችት ብዛት የታቀደበት -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},ይኸው የእርሱ ወገን አይደለም {0} የደንበኛ ፕሮጀክት ወደ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},ይኸው የእርሱ ወገን አይደለም {0} የደንበኛ ፕሮጀክት ወደ {1} DocType: Employee Attendance Tool,Marked Attendance HTML,ምልክት ተደርጎበታል ክትትል ኤችቲኤምኤል apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","ጥቅሶች, የእርስዎ ደንበኞች ልከዋል ተጫራቾች ሀሳቦች ናቸው" DocType: Sales Order,Customer's Purchase Order,ደንበኛ የግዢ ትዕዛዝ @@ -2915,7 +2921,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations ብዛት የተመዘገበ ማዘጋጀት እባክዎ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,እሴት ወይም ብዛት apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,ፕሮዳክሽን ትዕዛዞች ስለ ማጽደቅም የተነሣውን አይችልም: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,ደቂቃ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,ደቂቃ DocType: Purchase Invoice,Purchase Taxes and Charges,ግብሮች እና ክፍያዎች ይግዙ ,Qty to Receive,ይቀበሉ ዘንድ ብዛት DocType: Leave Block List,Leave Block List Allowed,አግድ ዝርዝር ተፈቅዷል ይነሱ @@ -2928,7 +2934,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ሁሉም አቅራቢው አይነቶች DocType: Global Defaults,Disable In Words,ቃላት ውስጥ አሰናክል apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"ንጥል በራስ-ሰር ቁጥር አይደለም, ምክንያቱም ንጥል ኮድ የግዴታ ነው" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},ጥቅስ {0} ሳይሆን አይነት {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},ጥቅስ {0} ሳይሆን አይነት {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,ጥገና ፕሮግራም ንጥል DocType: Sales Order,% Delivered,% ደርሷል DocType: Production Order,PRO-,የተገኙና @@ -2951,7 +2957,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,ሻጭ ኢሜይል DocType: Project,Total Purchase Cost (via Purchase Invoice),ጠቅላላ የግዢ ዋጋ (የግዢ ደረሰኝ በኩል) DocType: Training Event,Start Time,ጀምር ሰዓት -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,ይምረጡ ብዛት +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,ይምረጡ ብዛት DocType: Customs Tariff Number,Customs Tariff Number,የጉምሩክ ታሪፍ ቁጥር apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ሚና ማጽደቅ ያለውን አገዛዝ ወደ የሚመለከታቸው ነው ሚና ጋር ተመሳሳይ ሊሆን አይችልም apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ይህን የኢሜይል ጥንቅር ምዝገባ ይውጡ @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,የህዝብ ግንኙነት ዝርዝር DocType: Sales Order,Fully Billed,ሙሉ በሙሉ የሚከፈል apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,የእጅ ውስጥ በጥሬ ገንዘብ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},የመላኪያ መጋዘን የአክሲዮን ንጥል ያስፈልጋል {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},የመላኪያ መጋዘን የአክሲዮን ንጥል ያስፈልጋል {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),የጥቅል ያለው አጠቃላይ ክብደት. አብዛኛውን ጊዜ የተጣራ ክብደት + ጥቅል ቁሳዊ ክብደት. (የህትመት ለ) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,ፕሮግራም DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ይህን ሚና ያላቸው ተጠቃሚዎች የታሰሩ መለያዎች ላይ የሂሳብ ግቤቶች የታሰሩ መለያዎች ማዘጋጀት እና ለመፍጠር ቀይር / የተፈቀደላቸው @@ -2984,7 +2990,7 @@ DocType: Student Group,Group Based On,የቡድን የተመረኮዘ ላይ DocType: Journal Entry,Bill Date,ቢል ቀን apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","የአገልግሎት ንጥል, ዓይነት, ብዛት እና ወጪ መጠን ያስፈልጋሉ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ከፍተኛ ቅድሚያ ጋር በርካታ የዋጋ ደንቦች አሉ እንኳ, ከዚያም የሚከተሉትን የውስጥ ቅድሚያ ተግባራዊ ይሆናሉ:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},በእርግጥ {0} ወደ ሁሉ የቀጣሪ አስገባ ይፈልጋሉ {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},በእርግጥ {0} ወደ ሁሉ የቀጣሪ አስገባ ይፈልጋሉ {1} DocType: Cheque Print Template,Cheque Height,ቼክ ቁመት DocType: Supplier,Supplier Details,አቅራቢ ዝርዝሮች DocType: Expense Claim,Approval Status,የማጽደቅ ሁኔታ @@ -3006,7 +3012,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,ትዕምርተ የ apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,የበለጠ ምንም ነገር ለማሳየት. DocType: Lead,From Customer,የደንበኛ ከ apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ጊዜ ጥሪዎች -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,ቡድኖች +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,ቡድኖች DocType: Project,Total Costing Amount (via Time Logs),ጠቅላላ የኳንቲቲ መጠን (ጊዜ ምዝግብ ማስታወሻዎች በኩል) DocType: Purchase Order Item Supplied,Stock UOM,የክምችት UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ትዕዛዝ {0} አልተካተተም ነው ይግዙ @@ -3037,7 +3043,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,ላይ የግዢ ደ DocType: Item,Warranty Period (in days),(ቀናት ውስጥ) የዋስትና ክፍለ ጊዜ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 ጋር በተያያዘ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ክወናዎች ከ የተጣራ ገንዘብ -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,ለምሳሌ ቫት +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,ለምሳሌ ቫት apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,ንጥል 4 DocType: Student Admission,Admission End Date,የመግቢያ መጨረሻ ቀን apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ንዑስ-የኮንትራት @@ -3045,7 +3051,7 @@ DocType: Journal Entry Account,Journal Entry Account,ጆርናል Entry መለ apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,የተማሪ ቡድን DocType: Shopping Cart Settings,Quotation Series,በትዕምርተ ጥቅስ ተከታታይ apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","አንድ ንጥል በተመሳሳይ ስም አለ ({0}), ወደ ንጥል የቡድን ስም መቀየር ወይም ንጥል ዳግም መሰየም እባክዎ" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,የደንበኛ ይምረጡ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,የደንበኛ ይምረጡ DocType: C-Form,I,እኔ DocType: Company,Asset Depreciation Cost Center,የንብረት ዋጋ መቀነስ ወጪ ማዕከል DocType: Sales Order Item,Sales Order Date,የሽያጭ ትዕዛዝ ቀን @@ -3056,6 +3062,7 @@ DocType: Stock Settings,Limit Percent,ገድብ መቶኛ ,Payment Period Based On Invoice Date,ደረሰኝ ቀን ላይ የተመሠረተ የክፍያ ክፍለ ጊዜ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},ለ የጠፋ የገንዘብ ምንዛሪ ተመኖች {0} DocType: Assessment Plan,Examiner,መርማሪ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,እባክዎን በቅንብር> ቅንጅቶች> የስምሪት ስሞች በኩል ለ {0} ስም ዝርዝር ያዘጋጁ DocType: Student,Siblings,እህትማማቾች DocType: Journal Entry,Stock Entry,የክምችት የሚመዘገብ መረጃ DocType: Payment Entry,Payment References,የክፍያ ማጣቀሻዎች @@ -3080,7 +3087,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"ባለማምረታቸው, ቀዶ የት ተሸክመው ነው." DocType: Asset Movement,Source Warehouse,ምንጭ መጋዘን DocType: Installation Note,Installation Date,መጫን ቀን -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},የረድፍ # {0}: የንብረት {1} ኩባንያ የእርሱ ወገን አይደለም {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},የረድፍ # {0}: የንብረት {1} ኩባንያ የእርሱ ወገን አይደለም {2} DocType: Employee,Confirmation Date,ማረጋገጫ ቀን DocType: C-Form,Total Invoiced Amount,ጠቅላላ በደረሰኝ የተቀመጠው መጠን apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,ዝቅተኛ ብዛት ማክስ ብዛት በላይ ሊሆን አይችልም @@ -3153,7 +3160,7 @@ DocType: Company,Default Letter Head,ደብዳቤ ኃላፊ ነባሪ DocType: Purchase Order,Get Items from Open Material Requests,ክፈት ቁሳዊ ጥያቄዎች ከ ንጥሎች ያግኙ DocType: Item,Standard Selling Rate,መደበኛ ሽያጭ ተመን DocType: Account,Rate at which this tax is applied,ይህ ግብር ተግባራዊ ሲሆን በ ተመን -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,አስይዝ ብዛት +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,አስይዝ ብዛት apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,የአሁኑ ክፍት የሥራ ቦታዎች DocType: Company,Stock Adjustment Account,የአክሲዮን የማስተካከያ መለያ apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,ሰረዘ @@ -3167,7 +3174,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,አቅራቢው የደንበኛ ወደ ያድነዋል apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ፎርም / ንጥል / {0}) የአክሲዮን ውጭ ነው apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,ቀጣይ ቀን መለጠፍ ቀን የበለጠ መሆን አለበት -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},ምክንያት / ማጣቀሻ ቀን በኋላ መሆን አይችልም {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},ምክንያት / ማጣቀሻ ቀን በኋላ መሆን አይችልም {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,የውሂብ ያስመጡ እና ወደ ውጪ ላክ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ምንም ተማሪዎች አልተገኙም apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,የደረሰኝ መለጠፍ ቀን @@ -3187,12 +3194,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ይህ የዚህ ተማሪ በስብሰባው ላይ የተመሠረተ ነው apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,ምንም ተማሪዎች ውስጥ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,ተጨማሪ ንጥሎች ወይም ክፍት ሙሉ ቅጽ ያክሉ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','የሚጠበቀው የመላኪያ ቀን' ያስገቡ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,የመላኪያ ማስታወሻዎች {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,የመላኪያ ማስታወሻዎች {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,የሚከፈልበት መጠን መጠን ግራንድ ጠቅላላ በላይ ሊሆን አይችልም ጠፍቷል ጻፍ; + apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ንጥል ትክክለኛ ባች ቁጥር አይደለም {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},ማስታወሻ: አይተውህም ዓይነት በቂ ፈቃድ ቀሪ የለም {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,ልክ ያልሆነ GSTIN ወይም ያልተመዘገበ ለ NA ያስገቡ +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,ልክ ያልሆነ GSTIN ወይም ያልተመዘገበ ለ NA ያስገቡ DocType: Training Event,Seminar,ሴሚናሩ DocType: Program Enrollment Fee,Program Enrollment Fee,ፕሮግራም ምዝገባ ክፍያ DocType: Item,Supplier Items,አቅራቢው ንጥሎች @@ -3210,7 +3216,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,የክምችት ጥበቃና apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},ተማሪ {0} ተማሪ አመልካች ላይ እንዳሉ {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} »{1}» ተሰናክሏል +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} »{1}» ተሰናክሏል apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ክፍት እንደ አዘጋጅ DocType: Cheque Print Template,Scanned Cheque,የተቃኘው ቼክ DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,በማስገባት ላይ ግብይቶች ላይ እውቂያዎች ራስ-ሰር ኢሜይሎች ይላኩ. @@ -3256,7 +3262,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,የዋጋ ዝርዝር ምንዛሪ ተመን DocType: Purchase Invoice Item,Rate,ደረጃ ይስጡ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,እሥረኛ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,አድራሻ ስም +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,አድራሻ ስም DocType: Stock Entry,From BOM,BOM ከ DocType: Assessment Code,Assessment Code,ግምገማ ኮድ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,መሠረታዊ @@ -3269,20 +3275,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,ደመወዝ መዋቅር DocType: Account,Bank,ባንክ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,የአየር መንገድ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,እትም ይዘት +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,እትም ይዘት DocType: Material Request Item,For Warehouse,መጋዘን ለ DocType: Employee,Offer Date,ቅናሽ ቀን apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ጥቅሶች -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,ከመስመር ውጪ ሁነታ ላይ ነው ያሉት. እርስዎ መረብ ድረስ ዳግም አይችሉም. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,ከመስመር ውጪ ሁነታ ላይ ነው ያሉት. እርስዎ መረብ ድረስ ዳግም አይችሉም. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ምንም የተማሪ ቡድኖች ተፈጥሯል. DocType: Purchase Invoice Item,Serial No,መለያ ቁጥር apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,ወርሃዊ የሚያየን መጠን ብድር መጠን በላይ ሊሆን አይችልም apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,በመጀመሪያ Maintaince ዝርዝሮችን ያስገቡ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,ረድፍ # {0}: የተጠበቀው የትዕዛዝ ቀን ከግዢ ትዕዛዝ ቀን በፊት ሊሆን አይችልም DocType: Purchase Invoice,Print Language,የህትመት ቋንቋ DocType: Salary Slip,Total Working Hours,ጠቅላላ የሥራ ሰዓቶች DocType: Stock Entry,Including items for sub assemblies,ንዑስ አብያተ ክርስቲያናት ለ ንጥሎችን በማካተት ላይ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,ያስገቡ እሴት አዎንታዊ መሆን አለበት -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,የእንጥል ኮድ> የንጥል ቡድን> ብራንድ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,ያስገቡ እሴት አዎንታዊ መሆን አለበት apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ሁሉም ግዛቶች DocType: Purchase Invoice,Items,ንጥሎች apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ተማሪው አስቀድሞ ተመዝግቧል. @@ -3304,7 +3310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ተለዋጭ ለ ይለኩ ነባሪ ክፍል «{0}» መለጠፊያ ውስጥ እንደ አንድ አይነት መሆን አለበት '{1} » DocType: Shipping Rule,Calculate Based On,የተመረኮዘ ላይ ማስላት DocType: Delivery Note Item,From Warehouse,መጋዘን ከ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,ዕቃዎች መካከል ቢል ጋር ምንም ንጥሎች ለማምረት +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,ዕቃዎች መካከል ቢል ጋር ምንም ንጥሎች ለማምረት DocType: Assessment Plan,Supervisor Name,ሱፐርቫይዘር ስም DocType: Program Enrollment Course,Program Enrollment Course,ፕሮግራም ምዝገባ ኮርስ DocType: Purchase Taxes and Charges,Valuation and Total,ግምቱ እና ጠቅላላ @@ -3319,32 +3325,33 @@ DocType: Training Event Employee,Attended,ተምረዋል apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'የመጨረሻ ትዕዛዝ ጀምሮ ዘመን' ዜሮ ይበልጣል ወይም እኩል መሆን አለበት DocType: Process Payroll,Payroll Frequency,የመክፈል ዝርዝር ድግግሞሽ DocType: Asset,Amended From,ከ እንደተሻሻለው -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,ጥሬ ሐሳብ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,ጥሬ ሐሳብ DocType: Leave Application,Follow via Email,በኢሜይል በኩል ተከተል apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,እጽዋት እና መሳሪያዎች DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,የቅናሽ መጠን በኋላ የግብር መጠን DocType: Daily Work Summary Settings,Daily Work Summary Settings,ዕለታዊ የስራ ማጠቃለያ ቅንብሮች -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},የዋጋ ዝርዝር {0} ምንዛሬ በተመረጠው ምንዛሬ ጋር ተመሳሳይ ነው {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},የዋጋ ዝርዝር {0} ምንዛሬ በተመረጠው ምንዛሬ ጋር ተመሳሳይ ነው {1} DocType: Payment Entry,Internal Transfer,ውስጣዊ ማስተላለፍ apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,የልጅ መለያ ለዚህ መለያ አለ. ይህን መለያ መሰረዝ አይችሉም. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ወይ የዒላማ ብዛት ወይም የዒላማ መጠን የግዴታ ነው apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},ምንም ነባሪ BOM ንጥል የለም {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,በመጀመሪያ መለጠፍ ቀን ይምረጡ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,በመጀመሪያ መለጠፍ ቀን ይምረጡ apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,ቀን በመክፈት ቀን መዝጋት በፊት መሆን አለበት DocType: Leave Control Panel,Carry Forward,አስተላልፍ መሸከም apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,አሁን ያሉ ግብይቶችን ጋር ወጪ ማዕከል የሒሳብ መዝገብ ላይ ሊቀየር አይችልም DocType: Department,Days for which Holidays are blocked for this department.,ቀኖች ስለ በዓላት በዚህ ክፍል ታግደዋል. ,Produced,ፕሮዲዩስ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,የተፈጠረው በ ደመወዝ ቡቃያ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,የተፈጠረው በ ደመወዝ ቡቃያ DocType: Item,Item Code for Suppliers,አቅራቢዎች ለ ንጥል ኮድ DocType: Issue,Raised By (Email),በ አስነስቷል (ኢሜይል) DocType: Training Event,Trainer Name,አሰልጣኝ ስም DocType: Mode of Payment,General,ጠቅላላ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,የመጨረሻው ኮሙኒኬሽን apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',በምድብ «ግምቱ 'ወይም' ግምቱ እና ጠቅላላ 'ነው ጊዜ ቀነሰ አይቻልም -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","የግብር ራሶች ዘርዝር (ለምሳሌ የተጨማሪ እሴት ታክስ, የጉምሩክ ወዘተ; እነዚህ ልዩ ስሞች ሊኖራቸው ይገባል) እና መደበኛ ተመኖች. ይህ ማርትዕ እና ተጨማሪ በኋላ ላይ ማከል ይችላሉ ይህም መደበኛ አብነት, ይፈጥራል." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","የግብር ራሶች ዘርዝር (ለምሳሌ የተጨማሪ እሴት ታክስ, የጉምሩክ ወዘተ; እነዚህ ልዩ ስሞች ሊኖራቸው ይገባል) እና መደበኛ ተመኖች. ይህ ማርትዕ እና ተጨማሪ በኋላ ላይ ማከል ይችላሉ ይህም መደበኛ አብነት, ይፈጥራል." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serialized ንጥል ሲሪያል ቁጥሮች ያስፈልጋል {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ደረሰኞች ጋር አዛምድ ክፍያዎች +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},ረድፍ # {0}: እባክዎ በንጥል {1} ላይ ያለው የመላኪያ ቀን ያስገቡ DocType: Journal Entry,Bank Entry,ባንክ የሚመዘገብ መረጃ DocType: Authorization Rule,Applicable To (Designation),የሚመለከታቸው ለማድረግ (ምደባ) ,Profitability Analysis,ትርፋማ ትንታኔ @@ -3360,17 +3367,18 @@ DocType: Quality Inspection,Item Serial No,ንጥል ተከታታይ ምንም apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,የሰራተኛ መዛግብት ፍጠር apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,ጠቅላላ አቅርብ apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,አካውንቲንግ መግለጫ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,ሰአት +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,ሰአት apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,አዲስ መለያ ምንም መጋዘን ሊኖረው አይችልም. መጋዘን የክምችት Entry ወይም የግዢ ደረሰኝ በ መዘጋጀት አለበት DocType: Lead,Lead Type,በእርሳስ አይነት apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,አንተ አግድ ቀኖች ላይ ቅጠል ለማፅደቅ ስልጣን አይደለም -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,እነዚህ ሁሉ ንጥሎች ቀደም ሲል ደረሰኝ ተደርጓል +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,እነዚህ ሁሉ ንጥሎች ቀደም ሲል ደረሰኝ ተደርጓል +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,ወርሃዊ የሽያጭ ዒላማ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},መጽደቅ ይችላል {0} DocType: Item,Default Material Request Type,ነባሪ የቁስ ጥያቄ አይነት apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,ያልታወቀ DocType: Shipping Rule,Shipping Rule Conditions,የመርከብ ደ ሁኔታዎች DocType: BOM Replace Tool,The new BOM after replacement,ምትክ በኋላ ወደ አዲሱ BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,የሽያጭ ነጥብ +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,የሽያጭ ነጥብ DocType: Payment Entry,Received Amount,የተቀበልከው መጠን DocType: GST Settings,GSTIN Email Sent On,GSTIN ኢሜይል ላይ የተላከ DocType: Program Enrollment,Pick/Drop by Guardian,አሳዳጊ በ / ጣል ይምረጡ @@ -3385,8 +3393,8 @@ DocType: C-Form,Invoices,ደረሰኞች DocType: Batch,Source Document Name,ምንጭ ሰነድ ስም DocType: Job Opening,Job Title,የስራ መደቡ መጠሪያ apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ተጠቃሚዎች ፍጠር -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,ግራም -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,ለማምረት ብዛት 0 የበለጠ መሆን አለበት. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,ግራም +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,ለማምረት ብዛት 0 የበለጠ መሆን አለበት. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,የጥገና ጥሪ ሪፖርት ይጎብኙ. DocType: Stock Entry,Update Rate and Availability,አዘምን ደረጃ እና ተገኝነት DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,መቶኛ መቀበል ወይም አዘዘ መጠን ላይ ተጨማሪ ማድረስ ይፈቀዳል. ለምሳሌ: 100 ቤቶች ትእዛዝ ከሆነ. እና በል ከዚያም 110 ቤቶች ለመቀበል የተፈቀደላቸው 10% ነው. @@ -3398,7 +3406,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,በመጀመሪያ የግዢ ደረሰኝ {0} ይቅር እባክዎ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","የኢሜይል አድራሻ አስቀድሞ ስለ አለ, ልዩ መሆን አለበት {0}" DocType: Serial No,AMC Expiry Date,AMC የሚቃጠልበት ቀን -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,ደረሰኝ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,ደረሰኝ ,Sales Register,የሽያጭ መመዝገቢያ DocType: Daily Work Summary Settings Company,Send Emails At,ላይ ኢሜይሎች ላክ DocType: Quotation,Quotation Lost Reason,ጥቅስ የጠፋ ምክንያት @@ -3411,14 +3419,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,ገና ምን apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,የገንዘብ ፍሰት መግለጫ apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},የብድር መጠን ከፍተኛ የብድር መጠን መብለጥ አይችልም {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ፈቃድ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},ሲ-ቅጽ ይህን የደረሰኝ {0} ያስወግዱ እባክዎ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},ሲ-ቅጽ ይህን የደረሰኝ {0} ያስወግዱ እባክዎ {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,እናንተ ደግሞ ካለፈው በጀት ዓመት ሚዛን በዚህ የበጀት ዓመት ወደ ቅጠሎች ማካተት የሚፈልጉ ከሆነ ወደፊት አኗኗራችሁ እባክዎ ይምረጡ DocType: GL Entry,Against Voucher Type,ቫውቸር አይነት ላይ DocType: Item,Attributes,ባህሪያት apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,መለያ ጠፍቷል ይጻፉ ያስገቡ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,የመጨረሻ ትዕዛዝ ቀን apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},መለያ {0} ነው ኩባንያ ንብረት አይደለም {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,{0} ረድፍ ላይ መለያ ቁጥር አሰጣጥ ማስታወሻ ጋር አይዛመድም +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,{0} ረድፍ ላይ መለያ ቁጥር አሰጣጥ ማስታወሻ ጋር አይዛመድም DocType: Student,Guardian Details,አሳዳጊ ዝርዝሮች DocType: C-Form,C-Form,ሲ-ቅጽ apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,በርካታ ሠራተኞች ምልክት ክትትል @@ -3450,16 +3458,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,የሽያጭ DocType: Stock Entry Detail,Basic Amount,መሰረታዊ መጠን DocType: Training Event,Exam,ፈተና -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},የመጋዘን የአክሲዮን ንጥል ያስፈልጋል {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},የመጋዘን የአክሲዮን ንጥል ያስፈልጋል {0} DocType: Leave Allocation,Unused leaves,ያልዋለ ቅጠሎች -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,CR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,CR DocType: Tax Rule,Billing State,አከፋፈል መንግስት apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ያስተላልፉ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ፓርቲ መለያዎ ጋር የሚዛመድ አይደለም {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(ንዑስ-አብያተ ክርስቲያናት ጨምሮ) ፈንድቶ BOM ሰብስብ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(ንዑስ-አብያተ ክርስቲያናት ጨምሮ) ፈንድቶ BOM ሰብስብ DocType: Authorization Rule,Applicable To (Employee),የሚመለከታቸው ለማድረግ (ሰራተኛ) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,መጠናቀቅ ያለበት ቀን የግዴታ ነው apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,አይነታ ጭማሬ {0} 0 መሆን አይችልም +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ደንበኛ> የሽያጭ ቡድን> ግዛት DocType: Journal Entry,Pay To / Recd From,ከ / Recd ወደ ይክፈሉ DocType: Naming Series,Setup Series,ማዋቀር ተከታታይ DocType: Payment Reconciliation,To Invoice Date,ቀን ደረሰኝ @@ -3486,7 +3495,7 @@ DocType: Journal Entry,Write Off Based On,ላይ የተመሠረተ ላይ ጠ apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ሊድ አድርግ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,አትም የጽህፈት DocType: Stock Settings,Show Barcode Field,አሳይ ባርኮድ መስክ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,አቅራቢው ኢሜይሎች ላክ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,አቅራቢው ኢሜይሎች ላክ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ደመወዝ አስቀድሞ {0} እና {1}, ለዚህ የቀን ክልል መካከል ሊሆን አይችልም የማመልከቻ ጊዜ ተወው መካከል ለተወሰነ ጊዜ በሂደት ላይ." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,አንድ መለያ ቁጥር መጫን መዝገብ DocType: Guardian Interest,Guardian Interest,አሳዳጊ የወለድ @@ -3499,7 +3508,7 @@ DocType: Offer Letter,Awaiting Response,ምላሽ በመጠባበቅ ላይ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ከላይ apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},ልክ ያልሆነ አይነታ {0} {1} DocType: Supplier,Mention if non-standard payable account,መጥቀስ መደበኛ ያልሆኑ ተከፋይ ሂሳብ ከሆነ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ተመሳሳይ ንጥል በርካታ ጊዜ ገብቷል ተደርጓል. {ዝርዝር} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},ተመሳሳይ ንጥል በርካታ ጊዜ ገብቷል ተደርጓል. {ዝርዝር} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups','ሁሉም ግምገማ ቡድኖች' ይልቅ ሌላ ግምገማ ቡድን ይምረጡ DocType: Salary Slip,Earning & Deduction,ገቢ እና ተቀናሽ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ከተፈለገ. ይህ ቅንብር በተለያዩ ግብይቶችን ለማጣራት ጥቅም ላይ ይውላል. @@ -3518,7 +3527,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,በመዛጉ ንብረት ዋጋ apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ወጪ ማዕከል ንጥል ግዴታ ነው; {2} DocType: Vehicle,Policy No,መመሪያ የለም -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,የምርት ጥቅል ከ ንጥሎች ያግኙ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,የምርት ጥቅል ከ ንጥሎች ያግኙ DocType: Asset,Straight Line,ቀጥተኛ መስመር DocType: Project User,Project User,የፕሮጀክት ተጠቃሚ apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,ሰነጠቀ @@ -3530,6 +3539,7 @@ DocType: Sales Team,Contact No.,የእውቂያ ቁጥር DocType: Bank Reconciliation,Payment Entries,የክፍያ ግቤቶች DocType: Production Order,Scrap Warehouse,ቁራጭ መጋዘን DocType: Production Order,Check if material transfer entry is not required,ቁሳዊ ማስተላለፍ ግቤት አያስፈልግም ከሆነ ያረጋግጡ +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,እባክዎ የሰራተኛ ስም ማስቀመጫ ሲስተም በ HR HR> HR ቅንጅቶች ያዘጋጁ DocType: Program Enrollment Tool,Get Students From,ከ ተማሪዎች ያግኙ DocType: Hub Settings,Seller Country,ሻጭ አገር apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,ድህረ ገጽ ላይ ንጥሎች አትም @@ -3547,19 +3557,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,የ DocType: Shipping Rule,Specify conditions to calculate shipping amount,መላኪያ መጠን ለማስላት ሁኔታ ግለፅ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ሚና Frozen መለያዎች & አርትዕ Frozen ግቤቶችን አዘጋጅ የሚፈቀድለት apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,ይህ ልጅ መገናኛ ነጥቦች አሉት እንደ የመቁጠር ወደ ወጪ ማዕከል መለወጥ አይቻልም -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,በመክፈት ላይ እሴት +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,በመክፈት ላይ እሴት DocType: Salary Detail,Formula,ፎርሙላ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,ተከታታይ # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,የሽያጭ ላይ ኮሚሽን DocType: Offer Letter Term,Value / Description,እሴት / መግለጫ -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","የረድፍ # {0}: የንብረት {1} ማስገባት አይችልም, ቀድሞውንም ነው {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","የረድፍ # {0}: የንብረት {1} ማስገባት አይችልም, ቀድሞውንም ነው {2}" DocType: Tax Rule,Billing Country,አከፋፈል አገር DocType: Purchase Order Item,Expected Delivery Date,የሚጠበቀው የመላኪያ ቀን apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ዴቢት እና የብድር {0} ለ # እኩል አይደለም {1}. ልዩነት ነው; {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,መዝናኛ ወጪ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,የቁስ ጥያቄ አድርግ apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ክፍት ንጥል {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት የደረሰኝ {0} ተሰርዟል አለበት የሽያጭ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት የደረሰኝ {0} ተሰርዟል አለበት የሽያጭ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ዕድሜ DocType: Sales Invoice Timesheet,Billing Amount,አከፋፈል መጠን apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ንጥል የተጠቀሰው ልክ ያልሆነ ብዛት {0}. ብዛት 0 የበለጠ መሆን አለበት. @@ -3582,7 +3592,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,አዲስ ደንበኛ ገቢ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,የጉዞ ወጪ DocType: Maintenance Visit,Breakdown,መሰባበር -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,መለያ: {0} ምንዛሬ ጋር: {1} መመረጥ አይችልም +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,መለያ: {0} ምንዛሬ ጋር: {1} መመረጥ አይችልም DocType: Bank Reconciliation Detail,Cheque Date,ቼክ ቀን apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},መለያ {0}: የወላጅ መለያ {1} ኩባንያ የእርሱ ወገን አይደለም: {2} DocType: Program Enrollment Tool,Student Applicants,የተማሪ አመልካቾች @@ -3602,11 +3612,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ማቀ DocType: Material Request,Issued,የተሰጠበት apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,የተማሪ እንቅስቃሴ DocType: Project,Total Billing Amount (via Time Logs),ጠቅላላ የሂሳብ አከፋፈል መጠን (ጊዜ ምዝግብ ማስታወሻዎች በኩል) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,ይህ ንጥል መሸጥ +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,ይህ ንጥል መሸጥ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,አቅራቢ መታወቂያ DocType: Payment Request,Payment Gateway Details,ክፍያ ፍኖት ዝርዝሮች -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,ብዛት 0 የበለጠ መሆን አለበት -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,የናሙና ውሂብ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,ብዛት 0 የበለጠ መሆን አለበት +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,የናሙና ውሂብ DocType: Journal Entry,Cash Entry,ጥሬ ገንዘብ የሚመዘገብ መረጃ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,የልጆች እባጮች ብቻ 'ቡድን' አይነት አንጓዎች ስር ሊፈጠር ይችላል DocType: Leave Application,Half Day Date,ግማሾቹ ቀን ቀን @@ -3615,17 +3625,18 @@ DocType: Sales Partner,Contact Desc,የእውቂያ DESC apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","ድንገተኛ እንደ ቅጠል አይነት, ታሞ ወዘተ" DocType: Email Digest,Send regular summary reports via Email.,በኢሜይል በኩል መደበኛ የማጠቃለያ ሪፖርቶች ላክ. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},የወጪ የይገባኛል ጥያቄ አይነት ውስጥ ነባሪ መለያ ማዘጋጀት እባክዎ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},የወጪ የይገባኛል ጥያቄ አይነት ውስጥ ነባሪ መለያ ማዘጋጀት እባክዎ {0} DocType: Assessment Result,Student Name,የተማሪ ስም DocType: Brand,Item Manager,ንጥል አስተዳዳሪ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,ተከፋይ የመክፈል ዝርዝር DocType: Buying Settings,Default Supplier Type,ነባሪ አቅራቢ አይነት DocType: Production Order,Total Operating Cost,ጠቅላላ ማስኬጃ ወጪ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,ማስታወሻ: ንጥል {0} በርካታ ጊዜ ገብቷል +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,ማስታወሻ: ንጥል {0} በርካታ ጊዜ ገብቷል apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ሁሉም እውቅያዎች. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,ዒላማህን አዘጋጅ apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,ኩባንያ ምህፃረ ቃል apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,አባል {0} የለም -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,ጥሬ ዋና ንጥል ጋር ተመሳሳይ ሊሆን አይችልም +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,ጥሬ ዋና ንጥል ጋር ተመሳሳይ ሊሆን አይችልም DocType: Item Attribute Value,Abbreviation,ማላጠር apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,የክፍያ Entry አስቀድሞ አለ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ገደብ አልፏል ጀምሮ authroized አይደለም @@ -3643,7 +3654,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,ሚና የታሰረው ,Territory Target Variance Item Group-Wise,ክልል ዒላማ ልዩነት ንጥል ቡድን ጥበበኛ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ሁሉም የደንበኛ ቡድኖች apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,ሲጠራቀሙ ወርሃዊ -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} የግዴታ ነው. ምናልባት የገንዘብ ምንዛሪ ዘገባ {1} {2} ዘንድ አልተፈጠረም ነው. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} የግዴታ ነው. ምናልባት የገንዘብ ምንዛሪ ዘገባ {1} {2} ዘንድ አልተፈጠረም ነው. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,የግብር መለጠፊያ የግዴታ ነው. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,መለያ {0}: የወላጅ መለያ {1} የለም DocType: Purchase Invoice Item,Price List Rate (Company Currency),ዋጋ ዝርዝር ተመን (የኩባንያ የምንዛሬ) @@ -3654,7 +3665,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,መቶኛ ምደ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,ጸሐፊ DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","አቦዝን ከሆነ, መስክ ቃላት ውስጥ 'ምንም ግብይት ውስጥ የሚታይ አይሆንም" DocType: Serial No,Distinct unit of an Item,አንድ ንጥል ላይ የተለዩ አሃድ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,ኩባንያ ማዘጋጀት እባክዎ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,ኩባንያ ማዘጋጀት እባክዎ DocType: Pricing Rule,Buying,ሊገዙ DocType: HR Settings,Employee Records to be created by,ሠራተኛ መዛግብት መፈጠር አለበት DocType: POS Profile,Apply Discount On,ቅናሽ ላይ ተግብር @@ -3665,7 +3676,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ንጥል ጥበበኛ የግብር ዝርዝር apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ተቋም ምህፃረ ቃል ,Item-wise Price List Rate,ንጥል-ጥበብ ዋጋ ዝርዝር ተመን -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,አቅራቢው ትዕምርተ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,አቅራቢው ትዕምርተ DocType: Quotation,In Words will be visible once you save the Quotation.,የ ትዕምርተ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ብዛት ({0}) ረድፍ ውስጥ ክፍልፋይ ሊሆን አይችልም {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ክፍያዎች ሰብስብ @@ -3688,7 +3699,7 @@ Updated via 'Time Log'",ደቂቃዎች ውስጥ «ጊዜ Log" በኩል DocType: Customer,From Lead,ሊድ ከ apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ትዕዛዞች ምርት ከእስር. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,በጀት ዓመት ይምረጡ ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS መገለጫ POS የሚመዘገብ ለማድረግ ያስፈልጋል +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS መገለጫ POS የሚመዘገብ ለማድረግ ያስፈልጋል DocType: Program Enrollment Tool,Enroll Students,ተማሪዎች ይመዝገቡ DocType: Hub Settings,Name Token,ስም ማስመሰያ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,መደበኛ ሽያጭ @@ -3706,7 +3717,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,የአክሲዮን ዋጋ ያ apps/erpnext/erpnext/config/learn.py +234,Human Resource,የሰው ኃይል DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,የክፍያ ማስታረቅ ክፍያ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,የግብር ንብረቶች -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},የምርት ትዕዛዝ ቆይቷል {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},የምርት ትዕዛዝ ቆይቷል {0} DocType: BOM Item,BOM No,BOM ምንም DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ጆርናል Entry {0} {1} ወይም አስቀድመው በሌሎች ቫውቸር ጋር የሚዛመድ መለያ የለውም @@ -3720,7 +3731,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,አን apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ያልተከፈሉ Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,አዘጋጅ ግቦች ንጥል ቡድን-ጥበብ ይህን የሽያጭ ሰው ነውና. DocType: Stock Settings,Freeze Stocks Older Than [Days],እሰር አክሲዮኖች የቆየ ይልቅ [ቀኖች] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,የረድፍ # {0}: ንብረት ቋሚ ንብረት ግዢ / ለሽያጭ ግዴታ ነው +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,የረድፍ # {0}: ንብረት ቋሚ ንብረት ግዢ / ለሽያጭ ግዴታ ነው apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","ሁለት ወይም ከዚያ በላይ የዋጋ ደንቦች ከላይ ሁኔታዎች ላይ ተመስርቶ አልተገኙም ከሆነ, ቅድሚያ ተፈጻሚ ነው. ነባሪ እሴት ዜሮ (ባዶ) ነው እያለ ቅድሚያ 20 0 መካከል ያለ ቁጥር ነው. ከፍተኛ ቁጥር ተመሳሳይ ሁኔታዎች ጋር በርካታ የዋጋ ደንቦች አሉ ከሆነ የበላይነቱን የሚወስዱ ይሆናል ማለት ነው." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,በጀት ዓመት: {0} ነው አይደለም አለ DocType: Currency Exchange,To Currency,ምንዛሬ ወደ @@ -3728,7 +3739,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,የወጪ የይገባኛል ዓይነቶች. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ንጥል ፍጥነት መሸጥ {0} ያነሰ ነው ያለው {1}. ተመን መሸጥ መሆን አለበት atleast {2} DocType: Item,Taxes,ግብሮች -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,የሚከፈልበት እና ደርሷል አይደለም +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,የሚከፈልበት እና ደርሷል አይደለም DocType: Project,Default Cost Center,ነባሪ ዋጋ ማዕከል DocType: Bank Guarantee,End Date,የመጨረሻ ቀን apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,የክምችት ግብይቶች @@ -3745,7 +3756,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,ዕለታዊ የሥራ ማጠቃለያ ቅንብሮች ኩባንያ apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,ይህ ጀምሮ ችላ ንጥል {0} አንድ የአክሲዮን ንጥል አይደለም DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,ተጨማሪ ሂደት ይህን የምርት ትዕዛዝ ያስገቡ. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,ተጨማሪ ሂደት ይህን የምርት ትዕዛዝ ያስገቡ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",በተወሰነ ግብይት ውስጥ የዋጋ ሕግ ተግባራዊ ሳይሆን ወደ ሁሉም የሚመለከታቸው የዋጋ ደንቦች መሰናከል ያለበት. DocType: Assessment Group,Parent Assessment Group,የወላጅ ግምገማ ቡድን apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ሥራዎች @@ -3753,10 +3764,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ሥራዎች DocType: Employee,Held On,የተያዙ ላይ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,የምርት ንጥል ,Employee Information,የሰራተኛ መረጃ -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),መጠን (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),መጠን (%) DocType: Stock Entry Detail,Additional Cost,ተጨማሪ ወጪ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ቫውቸር ምንም ላይ የተመሠረተ ማጣሪያ አይችሉም, ቫውቸር በ ተመድበው ከሆነ" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,አቅራቢው ትዕምርተ አድርግ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,አቅራቢው ትዕምርተ አድርግ DocType: Quality Inspection,Incoming,ገቢ DocType: BOM,Materials Required (Exploded),ቁሳቁሶች (የፈነዳ) ያስፈልጋል apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","ራስህን ሌላ, የእርስዎ ድርጅት ተጠቃሚዎችን ያክሉ" @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,መለያ: {0} ብቻ የአክሲዮን ግብይቶች በኩል መዘመን ይችላሉ DocType: Student Group Creation Tool,Get Courses,ኮርሶች ያግኙ DocType: GL Entry,Party,ግብዣ -DocType: Sales Order,Delivery Date,መላኪያ ቀን +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,መላኪያ ቀን DocType: Opportunity,Opportunity Date,አጋጣሚ ቀን DocType: Purchase Receipt,Return Against Purchase Receipt,የግዢ ደረሰኝ ላይ ይመለሱ DocType: Request for Quotation Item,Request for Quotation Item,ትዕምርተ ንጥል ጥያቄ @@ -3786,7 +3797,7 @@ DocType: Task,Actual Time (in Hours),(ሰዓቶች ውስጥ) ትክክለኛ DocType: Employee,History In Company,ኩባንያ ውስጥ ታሪክ apps/erpnext/erpnext/config/learn.py +107,Newsletters,ጋዜጣዎች DocType: Stock Ledger Entry,Stock Ledger Entry,የክምችት የሒሳብ መዝገብ የሚመዘገብ መረጃ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,ተመሳሳይ ንጥል በርካታ ጊዜ ገብቷል ታይቷል +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,ተመሳሳይ ንጥል በርካታ ጊዜ ገብቷል ታይቷል DocType: Department,Leave Block List,አግድ ዝርዝር ውጣ DocType: Sales Invoice,Tax ID,የግብር መታወቂያ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} ንጥል መለያ ቁጥሮች ለ ማዋቀር አይደለም. አምድ ባዶ መሆን አለበት @@ -3804,25 +3815,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ጥቁር DocType: BOM Explosion Item,BOM Explosion Item,BOM ፍንዳታ ንጥል DocType: Account,Auditor,ኦዲተር -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,ምርት {0} ንጥሎች +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,ምርት {0} ንጥሎች DocType: Cheque Print Template,Distance from top edge,ከላይ ጠርዝ ያለው ርቀት apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,የዋጋ ዝርዝር {0} ተሰናክሏል ወይም የለም DocType: Purchase Invoice,Return,ተመለስ DocType: Production Order Operation,Production Order Operation,የምርት ትዕዛዝ ኦፕሬሽን DocType: Pricing Rule,Disable,አሰናክል -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,የክፍያ ሁነታ ክፍያ ለመሥራት የግድ አስፈላጊ ነው +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,የክፍያ ሁነታ ክፍያ ለመሥራት የግድ አስፈላጊ ነው DocType: Project Task,Pending Review,በመጠባበቅ ላይ ያለ ክለሳ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} በ ባች ውስጥ አልተመዘገበም ነው {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",አስቀድሞ እንደ የንብረት {0} በመዛጉ አይችልም {1} DocType: Task,Total Expense Claim (via Expense Claim),(የወጪ የይገባኛል በኩል) ጠቅላላ የወጪ የይገባኛል ጥያቄ apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,ማርቆስ የተዉ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ረድፍ {0}: ወደ BOM # ምንዛሬ {1} በተመረጠው ምንዛሬ እኩል መሆን አለበት {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ረድፍ {0}: ወደ BOM # ምንዛሬ {1} በተመረጠው ምንዛሬ እኩል መሆን አለበት {2} DocType: Journal Entry Account,Exchange Rate,የመለወጫ ተመን -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,የሽያጭ ትዕዛዝ {0} ማቅረብ አይደለም +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,የሽያጭ ትዕዛዝ {0} ማቅረብ አይደለም DocType: Homepage,Tag Line,መለያ መስመር DocType: Fee Component,Fee Component,የክፍያ ክፍለ አካል apps/erpnext/erpnext/config/hr.py +195,Fleet Management,መርከቦች አስተዳደር -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,ከ ንጥሎችን ያክሉ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,ከ ንጥሎችን ያክሉ DocType: Cheque Print Template,Regular,መደበኛ apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,ሁሉም የግምገማ መስፈርት ጠቅላላ Weightage 100% መሆን አለበት DocType: BOM,Last Purchase Rate,የመጨረሻው የግዢ ተመን @@ -3843,12 +3854,12 @@ DocType: Employee,Reports to,ወደ ሪፖርቶች DocType: SMS Settings,Enter url parameter for receiver nos,ተቀባይ ቁጥሮች ለ አር ኤል ግቤት ያስገቡ DocType: Payment Entry,Paid Amount,የሚከፈልበት መጠን DocType: Assessment Plan,Supervisor,ተቆጣጣሪ -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,የመስመር ላይ +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,የመስመር ላይ ,Available Stock for Packing Items,ማሸግ ንጥሎች አይገኝም የአክሲዮን DocType: Item Variant,Item Variant,ንጥል ተለዋጭ DocType: Assessment Result Tool,Assessment Result Tool,ግምገማ ውጤት መሣሪያ DocType: BOM Scrap Item,BOM Scrap Item,BOM ቁራጭ ንጥል -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,የተረከቡት ትዕዛዞች ሊሰረዝ አይችልም +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,የተረከቡት ትዕዛዞች ሊሰረዝ አይችልም apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","አስቀድሞ ዴቢት ውስጥ ቀሪ ሒሳብ, አንተ 'ምንጭ' እንደ 'ሚዛናዊ መሆን አለብህ' እንዲያዘጋጁ ያልተፈቀደላቸው ነው" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,የጥራት ሥራ አመራር apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} ንጥል ተሰናክሏል @@ -3879,7 +3890,7 @@ DocType: Item Group,Default Expense Account,ነባሪ የወጪ መለያ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,የተማሪ የኢሜይል መታወቂያ DocType: Employee,Notice (days),ማስታወቂያ (ቀናት) DocType: Tax Rule,Sales Tax Template,የሽያጭ ግብር አብነት -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ወደ መጠየቂያ ለማስቀመጥ ንጥሎችን ምረጥ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,ወደ መጠየቂያ ለማስቀመጥ ንጥሎችን ምረጥ DocType: Employee,Encashment Date,Encashment ቀን DocType: Training Event,Internet,በይነመረብ DocType: Account,Stock Adjustment,የአክሲዮን ማስተካከያ @@ -3927,10 +3938,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,የደ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ንጥል የሚፈቀደው ከፍተኛ ቅናሽ: {0} {1}% ነው apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,የተጣራ የንብረት እሴት ላይ DocType: Account,Receivable,የሚሰበሰብ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,የረድፍ # {0}: የግዢ ትዕዛዝ አስቀድሞ አለ እንደ አቅራቢው ለመለወጥ አይፈቀድም +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,የረድፍ # {0}: የግዢ ትዕዛዝ አስቀድሞ አለ እንደ አቅራቢው ለመለወጥ አይፈቀድም DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ካልተዋቀረ የብድር ገደብ መብለጥ መሆኑን ግብይቶችን ማቅረብ አይፈቀድም ነው ሚና. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,ለማምረት ንጥሎች ይምረጡ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","መምህር ውሂብ ማመሳሰል, ይህ የተወሰነ ጊዜ ሊወስድ ይችላል" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,ለማምረት ንጥሎች ይምረጡ +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","መምህር ውሂብ ማመሳሰል, ይህ የተወሰነ ጊዜ ሊወስድ ይችላል" DocType: Item,Material Issue,ቁሳዊ ችግር DocType: Hub Settings,Seller Description,ሻጭ መግለጫ DocType: Employee Education,Qualification,እዉቀት @@ -3951,11 +3962,10 @@ DocType: BOM,Rate Of Materials Based On,ደረጃ ይስጡ እቃዎች ላይ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,የድጋፍ Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,ሁሉንም አታመልክት DocType: POS Profile,Terms and Conditions,አተገባበሩና መመሪያው -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,እባክዎ የሰራተኛ ስም ማስቀመጫ ሲስተም በ HR HR> HR ቅንጅቶች ያዘጋጁ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},ቀን ወደ የበጀት ዓመት ውስጥ መሆን አለበት. = ቀን ወደ ከወሰድን {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","እዚህ ወዘተ ቁመት, ክብደት, አለርጂ, የሕክምና ጉዳዮች ጠብቀን መኖር እንችላለን" DocType: Leave Block List,Applies to Company,ኩባንያ የሚመለከተው ለ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,ገብቷል የክምችት Entry {0} መኖሩን ምክንያቱም ማስቀረት አይቻልም +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,ገብቷል የክምችት Entry {0} መኖሩን ምክንያቱም ማስቀረት አይቻልም DocType: Employee Loan,Disbursement Date,ከተዛወሩ ቀን DocType: Vehicle,Vehicle,ተሽከርካሪ DocType: Purchase Invoice,In Words,ቃላት ውስጥ @@ -3993,7 +4003,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,ዓለም አቀፍ ቅ DocType: Assessment Result Detail,Assessment Result Detail,ግምገማ ውጤት ዝርዝር DocType: Employee Education,Employee Education,የሰራተኛ ትምህርት apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ንጥል ቡድን ሠንጠረዥ ውስጥ አልተገኘም አባዛ ንጥል ቡድን -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,ይህ የዕቃው መረጃ ማምጣት ያስፈልጋል. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,ይህ የዕቃው መረጃ ማምጣት ያስፈልጋል. DocType: Salary Slip,Net Pay,የተጣራ ክፍያ DocType: Account,Account,ሒሳብ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,ተከታታይ አይ {0} አስቀድሞ ደርሷል @@ -4001,7 +4011,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,የተሽከርካሪ ምዝግብ ማስታወሻ DocType: Purchase Invoice,Recurring Id,ተደጋጋሚ መታወቂያ DocType: Customer,Sales Team Details,የሽያጭ ቡድን ዝርዝሮች -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,እስከመጨረሻው ይሰረዝ? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,እስከመጨረሻው ይሰረዝ? DocType: Expense Claim,Total Claimed Amount,ጠቅላላ የቀረበበት የገንዘብ መጠን apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,መሸጥ የሚሆን እምቅ ዕድል. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ልክ ያልሆነ {0} @@ -4013,7 +4023,7 @@ DocType: Warehouse,PIN,ፒን apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext ውስጥ ማዋቀር ትምህርት ቤት DocType: Sales Invoice,Base Change Amount (Company Currency),የመሠረት ለውጥ መጠን (የኩባንያ የምንዛሬ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,የሚከተሉትን መጋዘኖችን ምንም የሂሳብ ግቤቶች -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,በመጀመሪያ ሰነዱን አስቀምጥ. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,በመጀመሪያ ሰነዱን አስቀምጥ. DocType: Account,Chargeable,እንዳንከብድበት DocType: Company,Change Abbreviation,ለውጥ ምህፃረ ቃል DocType: Expense Claim Detail,Expense Date,የወጪ ቀን @@ -4027,7 +4037,6 @@ DocType: BOM,Manufacturing User,ማኑፋክቸሪንግ ተጠቃሚ DocType: Purchase Invoice,Raw Materials Supplied,ጥሬ እቃዎች አቅርቦት DocType: Purchase Invoice,Recurring Print Format,ተደጋጋሚ የህትመት ቅርጸት DocType: C-Form,Series,ተከታታይ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,የሚጠበቀው የመላኪያ ቀን የግዢ ትዕዛዝ ቀን በፊት ሊሆን አይችልም DocType: Appraisal,Appraisal Template,ግምገማ አብነት DocType: Item Group,Item Classification,ንጥል ምደባ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,የንግድ ልማት ሥራ አስኪያጅ @@ -4066,12 +4075,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ይምረ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,ክስተቶች / ውጤቶች ማሠልጠን apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,እንደ ላይ የእርጅና ሲጠራቀሙ DocType: Sales Invoice,C-Form Applicable,ሲ-ቅጽ የሚመለከታቸው -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},ኦፕሬሽን ጊዜ ክወና ለ ከ 0 በላይ መሆን አለበት {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},ኦፕሬሽን ጊዜ ክወና ለ ከ 0 በላይ መሆን አለበት {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,መጋዘን የግዴታ ነው DocType: Supplier,Address and Contacts,አድራሻ እና እውቂያዎች DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ልወጣ ዝርዝር DocType: Program,Program Abbreviation,ፕሮግራም ምህፃረ ቃል -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,የምርት ትዕዛዝ አንድ ንጥል መለጠፊያ ላይ ይነሣሉ አይችልም +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,የምርት ትዕዛዝ አንድ ንጥል መለጠፊያ ላይ ይነሣሉ አይችልም apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ክፍያዎች እያንዳንዱ ንጥል ላይ የግዢ ደረሰኝ ውስጥ መዘመን ነው DocType: Warranty Claim,Resolved By,በ የተፈታ DocType: Bank Guarantee,Start Date,ቀን ጀምር @@ -4106,6 +4115,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,ስልጠና ግብረ መልስ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ትዕዛዝ {0} መቅረብ አለበት ፕሮዳክሽን apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},ንጥል ለ የመጀመሪያ ቀን እና ማብቂያ ቀን ይምረጡ {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,ሊያገኙዋቸው የሚፈልጓቸውን የሽያጭ ኢላማ ያዘጋጁ. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},ኮርስ ረድፍ ላይ ግዴታ ነው {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ቀን ወደ ቀን ጀምሮ በፊት መሆን አይችልም DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4123,7 +4133,7 @@ DocType: Account,Income,ገቢ DocType: Industry Type,Industry Type,ኢንዱስትሪ አይነት apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,የሆነ ስህተት ተከስቷል! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,ማስጠንቀቂያ: ውጣ መተግበሪያ የሚከተለውን የማገጃ ቀናት ይዟል -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,የደረሰኝ {0} አስቀድሞ ገብቷል የሽያጭ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,የደረሰኝ {0} አስቀድሞ ገብቷል የሽያጭ DocType: Assessment Result Detail,Score,ግብ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,በጀት ዓመት {0} የለም apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,ማጠናቀቂያ ቀን @@ -4153,7 +4163,7 @@ DocType: Naming Series,Help HTML,የእገዛ ኤችቲኤምኤል DocType: Student Group Creation Tool,Student Group Creation Tool,የተማሪ ቡድን የፈጠራ መሣሪያ DocType: Item,Variant Based On,ተለዋጭ የተመረኮዘ ላይ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},100% መሆን አለበት የተመደበ ጠቅላላ weightage. ይህ ነው {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,የእርስዎ አቅራቢዎች +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,የእርስዎ አቅራቢዎች apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,የሽያጭ ትዕዛዝ ነው እንደ የጠፋ እንደ ማዘጋጀት አልተቻለም. DocType: Request for Quotation Item,Supplier Part No,አቅራቢው ክፍል የለም apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',በምድብ «ግምቱ 'ወይም' Vaulation እና ጠቅላላ 'ነው ጊዜ ቀነሰ አይቻልም @@ -4163,14 +4173,14 @@ DocType: Item,Has Serial No,ተከታታይ ምንም አለው DocType: Employee,Date of Issue,የተሰጠበት ቀን apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: ከ {0} ለ {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","የ ሊገዙ ቅንብሮች መሰረት የግዥ Reciept ያስፈልጋል == 'አዎ' ከዚያም የግዥ ደረሰኝ ለመፍጠር, የተጠቃሚ ንጥል መጀመሪያ የግዢ ደረሰኝ መፍጠር አለብዎት ከሆነ {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},የረድፍ # {0}: ንጥል አዘጋጅ አቅራቢው {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ረድፍ {0}: ሰዓቶች ዋጋ ከዜሮ በላይ መሆን አለበት. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},የረድፍ # {0}: ንጥል አዘጋጅ አቅራቢው {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,ረድፍ {0}: ሰዓቶች ዋጋ ከዜሮ በላይ መሆን አለበት. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,ንጥል {1} ጋር ተያይዞ ድር ጣቢያ ምስል {0} ሊገኝ አልቻለም DocType: Issue,Content Type,የይዘት አይነት apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,ኮምፕዩተር DocType: Item,List this Item in multiple groups on the website.,ድር ላይ በርካታ ቡድኖች ውስጥ ይህን ንጥል ዘርዝር. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,ሌሎች የምንዛሬ ጋር መለያዎች አትፍቀድ ወደ ባለብዙ የምንዛሬ አማራጭ ያረጋግጡ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ንጥል: {0} ሥርዓት ውስጥ የለም +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,ንጥል: {0} ሥርዓት ውስጥ የለም apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,አንተ ቀጥ እሴት ለማዘጋጀት ፍቃድ አይደለም DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled ግቤቶችን ያግኙ DocType: Payment Reconciliation,From Invoice Date,የደረሰኝ ቀን ጀምሮ @@ -4196,7 +4206,7 @@ DocType: Stock Entry,Default Source Warehouse,ነባሪ ምንጭ መጋዘን DocType: Item,Customer Code,የደንበኛ ኮድ apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},ለ የልደት አስታዋሽ {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,የመጨረሻ ትዕዛዝ ጀምሮ ቀናት -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,መለያ ወደ ዴቢት አንድ ሚዛን ሉህ መለያ መሆን አለበት +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,መለያ ወደ ዴቢት አንድ ሚዛን ሉህ መለያ መሆን አለበት DocType: Buying Settings,Naming Series,መሰየምን ተከታታይ DocType: Leave Block List,Leave Block List Name,አግድ ዝርዝር ስም ውጣ apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ኢንሹራንስ የመጀመሪያ ቀን መድን የመጨረሻ ቀን ያነሰ መሆን አለበት @@ -4213,7 +4223,7 @@ DocType: Vehicle Log,Odometer,ቆጣሪው DocType: Sales Order Item,Ordered Qty,የዕቃው መረጃ ብዛት apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,ንጥል {0} ተሰናክሏል DocType: Stock Settings,Stock Frozen Upto,የክምችት Frozen እስከሁለት -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ማንኛውም የአክሲዮን ንጥል አልያዘም +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM ማንኛውም የአክሲዮን ንጥል አልያዘም apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},ጀምሮ እና ክፍለ ጊዜ ተደጋጋሚ ግዴታ ቀናት ወደ ጊዜ {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,የፕሮጀክት እንቅስቃሴ / ተግባር. DocType: Vehicle Log,Refuelling Details,Refuelling ዝርዝሮች @@ -4223,7 +4233,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,የመጨረሻው የግዢ መጠን አልተገኘም DocType: Purchase Invoice,Write Off Amount (Company Currency),መጠን ጠፍቷል ጻፍ (የኩባንያ የምንዛሬ) DocType: Sales Invoice Timesheet,Billing Hours,አከፋፈል ሰዓቶች -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,{0} አልተገኘም ነባሪ BOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,{0} አልተገኘም ነባሪ BOM apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,የረድፍ # {0}: ዳግምስርዓትአስይዝ ብዛት ማዘጋጀት እባክዎ apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,እዚህ ላይ ማከል ንጥሎችን መታ DocType: Fees,Program Enrollment,ፕሮግራም ምዝገባ @@ -4255,6 +4265,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,ጥበቃና ክልል 2 DocType: SG Creation Tool Course,Max Strength,ከፍተኛ ጥንካሬ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM ተተክቷል +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,በሚላክበት ቀን መሰረት የሆኑ ንጥሎችን ይምረጡ ,Sales Analytics,የሽያጭ ትንታኔ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},ይገኛል {0} ,Prospects Engaged But Not Converted,ተስፋ ታጭተዋል ግን አይለወጡም @@ -4301,7 +4312,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ቅናሽ apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,ተግባራት ለ Timesheet. DocType: Purchase Invoice,Against Expense Account,የወጪ ሒሳብ ላይ DocType: Production Order,Production Order,የምርት ትዕዛዝ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,የአጫጫን ማስታወሻ {0} አስቀድሞ ገብቷል +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,የአጫጫን ማስታወሻ {0} አስቀድሞ ገብቷል DocType: Bank Reconciliation,Get Payment Entries,የክፍያ ምዝግቦችን ያግኙ DocType: Quotation Item,Against Docname,DOCNAME ላይ DocType: SMS Center,All Employee (Active),ሁሉም ሰራተኛ (ንቁ) @@ -4310,7 +4321,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,ጥሬ የቁሳዊ ወጪ DocType: Item Reorder,Re-Order Level,ዳግም-ትዕዛዝ ደረጃ DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,እርስዎ የምርት ትዕዛዞችን ማሳደግ ወይም ትንተና ጥሬ ዕቃዎች ማውረድ ይፈልጋሉ ለዚህም ንጥሎች እና የታቀዱ ብዛት ያስገቡ. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt ገበታ +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt ገበታ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ትርፍ ጊዜ DocType: Employee,Applicable Holiday List,አግባብነት ያለው የበዓል ዝርዝር DocType: Employee,Cheque,ቼክ @@ -4366,11 +4377,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,ለምርት ብዛት የተያዘ DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,እርስዎ ኮርስ ላይ የተመሠረቱ ቡድኖች በማድረግ ላይ ሳለ ባች ከግምት የማይፈልጉ ከሆነ አልተመረጠም ተወው. DocType: Asset,Frequency of Depreciation (Months),የእርጅና ድግግሞሽ (ወራት) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,የብድር መለያ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,የብድር መለያ DocType: Landed Cost Item,Landed Cost Item,አረፈ ወጪ ንጥል apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,ዜሮ እሴቶች አሳይ DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ንጥል መጠን በጥሬ ዕቃዎች የተሰጠው መጠን ከ እየቀናነሱ / ማኑፋክቸሪንግ በኋላ አገኘሁ -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,ማዋቀር የእኔ ድርጅት ለማግኘት ቀላል ድር ጣቢያ +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,ማዋቀር የእኔ ድርጅት ለማግኘት ቀላል ድር ጣቢያ DocType: Payment Reconciliation,Receivable / Payable Account,የሚሰበሰብ / ሊከፈል መለያ DocType: Delivery Note Item,Against Sales Order Item,የሽያጭ ትዕዛዝ ንጥል ላይ apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},አይነታ እሴት የአይነት ይግለጹ {0} @@ -4432,22 +4443,22 @@ DocType: Student,Nationality,ዘር ,Items To Be Requested,ንጥሎች ተጠይቋል መሆን ወደ DocType: Purchase Order,Get Last Purchase Rate,የመጨረሻው ግዢ ተመን ያግኙ DocType: Company,Company Info,የኩባንያ መረጃ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,ይምረጡ ወይም አዲስ ደንበኛ ለማከል -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,በወጪ ማዕከል አንድ ወጪ የይገባኛል ጥያቄ መያዝ ያስፈልጋል +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,ይምረጡ ወይም አዲስ ደንበኛ ለማከል +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,በወጪ ማዕከል አንድ ወጪ የይገባኛል ጥያቄ መያዝ ያስፈልጋል apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ፈንድ (ንብረት) ውስጥ ማመልከቻ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ይህ የዚህ ሰራተኛ መካከል በስብሰባው ላይ የተመሠረተ ነው -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,ዴት መለያ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,ዴት መለያ DocType: Fiscal Year,Year Start Date,ዓመት መጀመሪያ ቀን DocType: Attendance,Employee Name,የሰራተኛ ስም DocType: Sales Invoice,Rounded Total (Company Currency),የከበበ ጠቅላላ (የኩባንያ የምንዛሬ) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,የመለያ አይነት ተመርጧል ነው ምክንያቱም ቡድን ጋር በድብቅ አይቻልም. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} ተቀይሯል. እባክዎ ያድሱ. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} ተቀይሯል. እባክዎ ያድሱ. DocType: Leave Block List,Stop users from making Leave Applications on following days.,በሚቀጥሉት ቀኖች ላይ ፈቃድ መተግበሪያዎች በማድረጉ ተጠቃሚዎች አቁም. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,የግዢ መጠን apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,አቅራቢው ትዕምርተ {0} ተፈጥሯል apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,የመጨረሻ ዓመት የጀመረበት ዓመት በፊት ሊሆን አይችልም apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,የሰራተኛ ጥቅማ ጥቅም -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},የታሸጉ የብዛት ረድፍ ውስጥ ንጥል {0} ለ ብዛት ጋር እኩል መሆን አለባቸው {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},የታሸጉ የብዛት ረድፍ ውስጥ ንጥል {0} ለ ብዛት ጋር እኩል መሆን አለባቸው {1} DocType: Production Order,Manufactured Qty,የሚመረተው ብዛት DocType: Purchase Receipt Item,Accepted Quantity,ተቀባይነት ብዛት apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},የተቀጣሪ ነባሪ በዓል ዝርዝር ለማዘጋጀት እባክዎ {0} ወይም ኩባንያ {1} @@ -4458,11 +4469,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ረድፍ አይ {0}: መጠን የወጪ የይገባኛል ጥያቄ {1} ላይ የገንዘብ መጠን በመጠባበቅ በላይ ሊሆን አይችልም. በመጠባበቅ መጠን ነው {2} DocType: Maintenance Schedule,Schedule,ፕሮግራም DocType: Account,Parent Account,የወላጅ መለያ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,ይገኛል +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,ይገኛል DocType: Quality Inspection Reading,Reading 3,3 ማንበብ ,Hub,ማዕከል DocType: GL Entry,Voucher Type,የቫውቸር አይነት -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,የዋጋ ዝርዝር አልተገኘም ወይም ተሰናክሏል አይደለም +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,የዋጋ ዝርዝር አልተገኘም ወይም ተሰናክሏል አይደለም DocType: Employee Loan Application,Approved,ጸድቋል DocType: Pricing Rule,Price,ዋጋ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} መዘጋጀት አለበት ላይ እፎይታ ሠራተኛ 'ግራ' እንደ @@ -4531,7 +4542,7 @@ DocType: SMS Settings,Static Parameters,አይለወጤ መለኪያዎች DocType: Assessment Plan,Room,ክፍል DocType: Purchase Order,Advance Paid,የቅድሚያ ክፍያ የሚከፈልበት DocType: Item,Item Tax,ንጥል ግብር -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,አቅራቢው ቁሳዊ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,አቅራቢው ቁሳዊ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,ኤክሳይስ ደረሰኝ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ከአንድ ጊዜ በላይ ይመስላል DocType: Expense Claim,Employees Email Id,ሰራተኞች ኢሜይል መታወቂያ @@ -4571,7 +4582,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,ሞዴል DocType: Production Order,Actual Operating Cost,ትክክለኛ ማስኬጃ ወጪ DocType: Payment Entry,Cheque/Reference No,ቼክ / ማጣቀሻ የለም -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,አቅራቢ> አቅራቢ አይነት apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ሥር አርትዕ ሊደረግ አይችልም. DocType: Item,Units of Measure,ይለኩ አሃዶች DocType: Manufacturing Settings,Allow Production on Holidays,በዓላት ላይ ምርት ፍቀድ @@ -4604,12 +4614,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,የሥዕል ቀኖች apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,የተማሪ ባች አድርግ DocType: Leave Type,Is Carry Forward,አስተላልፍ አኗኗራችሁ ነው -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM ከ ንጥሎች ያግኙ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM ከ ንጥሎች ያግኙ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ሰዓት ቀኖች ሊመራ -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},የረድፍ # {0}: ቀን መለጠፍ የግዢ ቀን ጋር ተመሳሳይ መሆን አለበት {1} ንብረት {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},የረድፍ # {0}: ቀን መለጠፍ የግዢ ቀን ጋር ተመሳሳይ መሆን አለበት {1} ንብረት {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,የተማሪ ተቋም ዎቹ ሆስተል ላይ የሚኖር ከሆነ ይህን ምልክት ያድርጉ. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,ከላይ በሰንጠረዡ ውስጥ የሽያጭ ትዕዛዞች ያስገቡ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ደመወዝ ቡቃያ ገብቷል አይደለም +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,ደመወዝ ቡቃያ ገብቷል አይደለም ,Stock Summary,የአክሲዮን ማጠቃለያ apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,እርስ በርሳችሁ መጋዘን አንድ ንብረት ማስተላለፍ DocType: Vehicle,Petrol,ቤንዚን diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index c2c76bbc3df..a1325230291 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,تاجر DocType: Employee,Rented,مؤجر DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,ينطبق على العضو -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",لا يمكن إلغاء توقفت أمر الإنتاج، نزع السدادة لأول مرة إلغاء +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",لا يمكن إلغاء توقفت أمر الإنتاج، نزع السدادة لأول مرة إلغاء DocType: Vehicle Service,Mileage,عدد الأميال apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,هل تريد حقا أن التخلي عن هذه الأصول؟ apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,حدد الافتراضي مزود @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% فوترت apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),سعر الصرف يجب أن يكون نفس {0} {1} ({2}) DocType: Sales Invoice,Customer Name,اسم العميل DocType: Vehicle,Natural Gas,غاز طبيعي -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},لا يمكن تسمية الحساب مصرفي ب {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},لا يمكن تسمية الحساب مصرفي ب {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,رؤساء (أو مجموعات) التي تتم ضد القيود المحاسبية ويتم الاحتفاظ التوازنات. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),غير المسددة ل {0} لا يمكن أن يكون أقل من الصفر ( {1} ) DocType: Manufacturing Settings,Default 10 mins,افتراضي 10 دقيقة @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,اسم نوع الاجازة apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,عرض مفتوح apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,تم تحديث الترقيم المتسلسل بنجاح apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,الدفع -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,ارسال استحقاق القيود اليومية +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,ارسال استحقاق القيود اليومية DocType: Pricing Rule,Apply On,تنطبق على DocType: Item Price,Multiple Item prices.,أسعار الإغلاق متعددة . ,Purchase Order Items To Be Received,تم استلام اصناف امر الشراء @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,طريقة حساب ا apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,اظهار المتغيرات DocType: Academic Term,Academic Term,الفصل الدراسي apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,مادة -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,كمية +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,كمية apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,جدول الحسابات لا يمكن أن يكون فارغا. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),القروض ( المطلوبات ) DocType: Employee Education,Year of Passing,سنة التخرج @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,الرعاية الصحية apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),التأخير في الدفع (أيام) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,نفقات الخدمة -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},الرقم التسلسلي: {0} تم الإشارة إليه من قبل في فاتورة المبيعات: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,فاتورة +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},الرقم التسلسلي: {0} تم الإشارة إليه من قبل في فاتورة المبيعات: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,فاتورة DocType: Maintenance Schedule Item,Periodicity,دورية apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,السنة المالية {0} مطلوب -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,التاريخ المتوقع للتسليم هو أن يكون قبل ترتيب المبيعات تاريخ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,دفاع DocType: Salary Component,Abbr,اسم مختصر DocType: Appraisal Goal,Score (0-5),نقاط (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,الصف # {0} DocType: Timesheet,Total Costing Amount,المبلغ الكلي التكاليف DocType: Delivery Note,Vehicle No,السيارة لا -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,الرجاء اختيار قائمة الأسعار +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,الرجاء اختيار قائمة الأسعار apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,الصف # {0}: مطلوب وثيقة الدفع لإتمام trasaction DocType: Production Order Operation,Work In Progress,التقدم في العمل apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,يرجى تحديد التاريخ @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} غير موجود في أي سنة مالية نشطة. DocType: Packed Item,Parent Detail docname,الأم تفاصيل docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",المرجع: {0}، رمز العنصر: {1} والعميل: {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,كجم +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,كجم DocType: Student Log,Log,سجل apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,.فتح للحصول على وظيفة DocType: Item Attribute,Increment,الزيادة @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,متزوج apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},لا يجوز لل{0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,الحصول على البنود من -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},لا يمكن تحديث المخزون ضد تسليم مذكرة {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},لا يمكن تحديث المخزون ضد تسليم مذكرة {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},المنتج {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,لم يتم إدراج أية عناصر DocType: Payment Reconciliation,Reconcile,توفيق @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,صن apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,التاريخ التالي للأهلاك لا يمكن ان يكون قبل تاريخ الشراء DocType: SMS Center,All Sales Person,كل مندوبى البيع DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** التوزيع الشهري ** يساعدك على توزيع الهدف أو الميزانية على مدى عدة شهور إذا كان لديك موسمية في عملك. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,لا وجدت وحدات +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,لا وجدت وحدات apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,هيكلية راتب مفقودة DocType: Lead,Person Name,اسم الشخص DocType: Sales Invoice Item,Sales Invoice Item,فاتورة مبيعات السلعة @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""هل الأصول ثابتة"" لا يمكن إزالة اختياره, لأن سجل الأصول موجود ضد هذا البند" DocType: Vehicle Service,Brake Oil,زيت الفرامل DocType: Tax Rule,Tax Type,نوع الضريبة -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,المبلغ الخاضع للضريبة +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,المبلغ الخاضع للضريبة apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},غير مصرح لك لإضافة أو تحديث الإدخالات قبل {0} DocType: BOM,Item Image (if not slideshow),صورة السلعة (إن لم يكن عرض الشرائح) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,موجود على العملاء مع نفس الاسم DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(سعر الساعة / 60) * وقت العمل الفعلي -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,حدد مكتب الإدارة +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,حدد مكتب الإدارة DocType: SMS Log,SMS Log,SMS سجل رسائل apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,تكلفة البنود المسلمة apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,عطلة على {0} ليست بين من تاريخ وإلى تاريخ @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,مرفق تعليمي DocType: School Settings,Validate Batch for Students in Student Group,التحقق من صحة الدفعة للطلاب في مجموعة الطلاب apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},لا يوجد سجل إجازة تم العثور عليه للموظف {0} في {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,فضلا ادخل الشركة اولا -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,يرجى تحديد الشركة أولا +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,يرجى تحديد الشركة أولا DocType: Employee Education,Under Graduate,دبلومة apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,الهدف في DocType: BOM,Total Cost,التكلفة الكلية لل DocType: Journal Entry Account,Employee Loan,قرض الموظف -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,:سجل النشاط -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,البند {0} غير موجود في النظام أو قد انتهت صلاحيتها +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,:سجل النشاط +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,البند {0} غير موجود في النظام أو قد انتهت صلاحيتها apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,العقارات apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,كشف حساب apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,الصيدلة @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,المطالبة المبلغ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,مجموعة العملاء مكررة موجودة في جدول المجموعة كوتومير apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,المورد نوع / المورد DocType: Naming Series,Prefix,بادئة -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية ل {0} عبر الإعداد> إعدادات> تسمية السلسلة -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,الاستهلاكية +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,الاستهلاكية DocType: Employee,B-,ب- DocType: Upload Attendance,Import Log,سجل الادخالات DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,سحب المواد طلب من نوع صناعة بناء على المعايير المذكورة أعلاه DocType: Training Result Employee,Grade,درجة DocType: Sales Invoice Item,Delivered By Supplier,سلمت من قبل المورد DocType: SMS Center,All Contact,جميع الاتصالات -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,أمر الإنتاج التي تم إنشاؤها بالفعل لجميع البنود مع مكتب الإدارة +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,أمر الإنتاج التي تم إنشاؤها بالفعل لجميع البنود مع مكتب الإدارة apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,الراتب السنوي DocType: Daily Work Summary,Daily Work Summary,ملخص العمل اليومي DocType: Period Closing Voucher,Closing Fiscal Year,إغلاق السنة المالية -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} غير المجمدة +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} غير المجمدة apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,يرجى تحديد الشركة الحالية لإنشاء مخطط الحسابات apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,مصاريف المخزون apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,حدد مستودع الهدف @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},الكمية المقبولة + المرفوضة يجب أن تساوي الكمية المستلمة من الصنف {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,توريد مواد خام للشراء -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,مطلوب واسطة واحدة على الأقل من دفع لنقاط البيع فاتورة. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,مطلوب واسطة واحدة على الأقل من دفع لنقاط البيع فاتورة. DocType: Products Settings,Show Products as a List,عرض المنتجات كقائمة DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","تنزيل نموذج، وملء البيانات المناسبة وإرفاق الملف المعدل. جميع التواريخ والموظف المجموعة في الفترة المختارة سيأتي في النموذج، مع سجلات الحضور القائمة" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,البند {0} غير نشط أو تم التوصل إلى نهاية الحياة -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,على سبيل المثال: الرياضيات الأساسية -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ل تشمل الضريبة في الصف {0} في معدل الإغلاق ، {1} ويجب أيضا تضمين الضرائب في الصفوف +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,على سبيل المثال: الرياضيات الأساسية +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ل تشمل الضريبة في الصف {0} في معدل الإغلاق ، {1} ويجب أيضا تضمين الضرائب في الصفوف apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,إعدادات وحدة الموارد البشرية DocType: SMS Center,SMS Center,مركز رسائل SMS DocType: Sales Invoice,Change Amount,تغيير المبلغ @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},تاريخ التثبيت لا يمكن أن يكون قبل تاريخ التسليم القطعة ل {0} DocType: Pricing Rule,Discount on Price List Rate (%),معدل الخصم على قائمة الأسعار (٪) DocType: Offer Letter,Select Terms and Conditions,اختر الشروط والأحكام -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,القيمة خارج +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,القيمة خارج DocType: Production Planning Tool,Sales Orders,أوامر البيع DocType: Purchase Taxes and Charges,Valuation,تقييم ,Purchase Order Trends,اتجهات امر الشراء @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,تم افتتاح الدخول DocType: Customer Group,Mention if non-standard receivable account applicable,أذكر إذا غير القياسية حساب القبض ينطبق DocType: Course Schedule,Instructor Name,اسم المدرب -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,ل مطلوب في معرض النماذج ثلاثية قبل إرسال +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,ل مطلوب في معرض النماذج ثلاثية قبل إرسال apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,تلقى على DocType: Sales Partner,Reseller,بائع التجزئة DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.",إذا تم، سيكون لتضمين عناصر غير الأسهم في طلبات المواد. @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,مقابل فاتورة المبيعات ,Production Orders in Progress,أوامر الإنتاج في التقدم apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,صافي النقد من التمويل -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save",التخزين المحلي كامل، لم ينقذ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save",التخزين المحلي كامل، لم ينقذ DocType: Lead,Address & Contact,معلومات الاتصال والعنوان DocType: Leave Allocation,Add unused leaves from previous allocations,إضافة الاجازات غير المستخدمة من المخصصات السابقة apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},المتكرر التالي {0} سيتم إنشاؤها على {1} DocType: Sales Partner,Partner website,موقع الشريك apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,اضافة عنصر -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,اسم جهة الاتصال +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,اسم جهة الاتصال DocType: Course Assessment Criteria,Course Assessment Criteria,معايير تقييم دورة DocType: Process Payroll,Creates salary slip for above mentioned criteria.,أنشئ كشف رواتب للمعايير المذكورة أعلاه. DocType: POS Customer Group,POS Customer Group,المجموعة العملاء POS @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"صف {0}: يرجى التحقق ""هل المسبق ضد حساب {1} إذا كان هذا هو إدخال مسبق." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},مستودع {0} لا تنتمي إلى شركة {1} DocType: Email Digest,Profit & Loss,خسارة الأرباح -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,لتر +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,لتر DocType: Task,Total Costing Amount (via Time Sheet),إجمالي حساب التكاليف المبلغ (عبر ورقة الوقت) DocType: Item Website Specification,Item Website Specification,البند مواصفات الموقع apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,إجازة محظورة @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,فاتورة مبيعات لا DocType: Material Request Item,Min Order Qty,الحد الأدنى من ترتيب الكمية DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,دورة المجموعة الطلابية أداة الخلق DocType: Lead,Do Not Contact,عدم الاتصال -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,الناس الذين يعلمون في مؤسستك +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,الناس الذين يعلمون في مؤسستك DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,المعرف الفريد لتتبع جميع الفواتير المتكررة. يتم إنشاؤها على تقديم. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,البرنامج المطور DocType: Item,Minimum Order Qty,الحد الأدنى لطلب الكمية @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,نشر في المحور DocType: Student Admission,Student Admission,قبول الطلاب ,Terretory,إقليم apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,البند {0} تم إلغاء -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,طلب المواد +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,طلب المواد DocType: Bank Reconciliation,Update Clearance Date,تحديث تاريخ التخليص DocType: Item,Purchase Details,تفاصيل شراء apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"الصنف {0} غير موجودة في ""مواد الخام المتوفره"" الجدول في أمر الشراء {1}" @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,مدير القافلة apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},صف # {0}: {1} لا يمكن أن يكون سلبيا لمادة {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,كلمة مرور خاطئة DocType: Item,Variant Of,البديل من -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"الكمية المنتهية لا يمكن أن تكون أكبر من ""كمية لتصنيع""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"الكمية المنتهية لا يمكن أن تكون أكبر من ""كمية لتصنيع""" DocType: Period Closing Voucher,Closing Account Head,اقفال حساب المركز الرئيسي DocType: Employee,External Work History,تاريخ العمل الخارجي apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,خطأ مرجع دائري @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,المسافة من ال apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} وحدات من [{1}] (# نموذج / البند / {1}) وجدت في [{2}] (# نموذج / مستودع / {2}) DocType: Lead,Industry,صناعة DocType: Employee,Job Profile,الملف الوظيفي +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,يستند ذلك إلى معامالت ضد هذه الشركة. انظر الجدول الزمني أدناه للحصول على التفاصيل DocType: Stock Settings,Notify by Email on creation of automatic Material Request,إبلاغ عن طريق البريد الإلكتروني على خلق مادة التلقائي طلب DocType: Journal Entry,Multi Currency,متعدد العملات DocType: Payment Reconciliation Invoice,Invoice Type,نوع الفاتورة -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,ملاحظة التسليم +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,ملاحظة التسليم apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,إعداد الضرائب apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,تكلفة الأصول المباعة apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,لقد تم تعديل دفع الدخول بعد سحبها. يرجى تسحبه مرة أخرى. @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"الرجاء إدخال ' كرر في يوم من الشهر "" قيمة الحقل" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,المعدل الذي يتم تحويل العملة إلى عملة الأساس العملاء العميل DocType: Course Scheduling Tool,Course Scheduling Tool,أداة جدولة بالطبع -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},الصف # {0}: لا يمكن أن يتم شراء فاتورة مقابل الأصول الموجودة {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},الصف # {0}: لا يمكن أن يتم شراء فاتورة مقابل الأصول الموجودة {1} DocType: Item Tax,Tax Rate,معدل الضريبة apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} مخصصة أصلا للموظف {1} للفترة من {2} إلى {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,اختر البند +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,اختر البند apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,فاتورة الشراء {0} تم ترحيلها من قبل apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},الصف # {0}: لا دفعة ويجب أن يكون نفس {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,تحويل لغير المجموعه @@ -444,7 +443,7 @@ DocType: Employee,Widowed,ارمل DocType: Request for Quotation,Request for Quotation,طلب للحصول على الاقتباس DocType: Salary Slip Timesheet,Working Hours,ساعات العمل DocType: Naming Series,Change the starting / current sequence number of an existing series.,تغيير رقم تسلسل بدء / الحالي من سلسلة الموجودة. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,إنشاء العملاء جديد +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,إنشاء العملاء جديد apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",إذا استمرت قواعد التسعير متعددة أن تسود، يطلب من المستخدمين تعيين الأولوية يدويا لحل الصراع. apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,إنشاء أوامر الشراء ,Purchase Register,سجل شراء @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,اسم الفاحص DocType: Purchase Invoice Item,Quantity and Rate,كمية وقيم DocType: Delivery Note,% Installed,٪ تم تثبيت -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,الفصول الدراسية / مختبرات الخ حيث يمكن جدولة المحاضرات. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,الفصول الدراسية / مختبرات الخ حيث يمكن جدولة المحاضرات. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,فضلا ادخل اسم الشركة اولا DocType: Purchase Invoice,Supplier Name,اسم المورد apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,قراءة دليل ERPNext @@ -486,7 +485,7 @@ DocType: Lead,Channel Partner,شريك القناة DocType: Account,Old Parent,العمر الرئيسي apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,حقل إلزامي - السنة الأكاديمية DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,تخصيص النص الاستهلالي الذي يذهب كجزء من أن البريد الإلكتروني. كل معاملة له نص منفصل استهلالي. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},يرجى تعيين الحساب الافتراضي المستحق للشركة {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},يرجى تعيين الحساب الافتراضي المستحق للشركة {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,إعدادات العالمية لجميع عمليات التصنيع. DocType: Accounts Settings,Accounts Frozen Upto,حسابات مجمدة حتى DocType: SMS Log,Sent On,ارسلت في @@ -525,14 +524,14 @@ DocType: Journal Entry,Accounts Payable,ذمم دائنة apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,وBOMs المختارة ليست لنفس البند DocType: Pricing Rule,Valid Upto,صالحة لغاية DocType: Training Event,Workshop,ورشة عمل -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,قائمة قليلة من الزبائن. يمكن أن تكون المنظمات أو الأفراد. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,قائمة قليلة من الزبائن. يمكن أن تكون المنظمات أو الأفراد. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,يكفي لبناء أجزاء apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,الدخل المباشر apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",لا يمكن التصفية بالإعتماد علي الحساب، إذا تم تجميعها حسب الحساب apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,موظف إداري apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,الرجاء تحديد الدورة التدريبية DocType: Timesheet Detail,Hrs,ساعات -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,يرجى تحديد الشركة +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,يرجى تحديد الشركة DocType: Stock Entry Detail,Difference Account,حساب الفرق DocType: Purchase Invoice,Supplier GSTIN,مورد غستين apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,لا يمكن عمل أقرب لم يتم إغلاق المهمة التابعة لها {0}. @@ -548,7 +547,7 @@ DocType: Sales Invoice,Offline POS Name,حاليا اسم POS apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,يرجى تحديد الدرجة لعتبة 0٪ DocType: Sales Order,To Deliver,لتسليم DocType: Purchase Invoice Item,Item,بند -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,المسلسل أي بند لا يمكن أن يكون جزء +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,المسلسل أي بند لا يمكن أن يكون جزء DocType: Journal Entry,Difference (Dr - Cr),الفرق ( الدكتور - الكروم ) DocType: Account,Profit and Loss,الربح والخسارة apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,إدارة التعاقد من الباطن @@ -574,7 +573,7 @@ DocType: Serial No,Warranty Period (Days),فترة الضمان (أيام) DocType: Installation Note Item,Installation Note Item,ملاحظة تثبيت الإغلاق DocType: Production Plan Item,Pending Qty,الكمية التي قيد الانتظار DocType: Budget,Ignore,تجاهل -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} غير نشطة +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} غير نشطة apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},رسائل SMS أرسلت الى الارقام التالية: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,أبعاد الاختيار الإعداد للطباعة DocType: Salary Slip,Salary Slip Timesheet,كشف راتب معتمد علي سجل التوقيت @@ -678,8 +677,8 @@ DocType: Installation Note,IN-,في- DocType: Production Order Operation,In minutes,في دقائق DocType: Issue,Resolution Date,تاريخ القرار DocType: Student Batch Name,Batch Name,اسم الدفعة -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,الجدول الزمني الانشاء: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},الرجاء تعيين النقدية الافتراضي أو حساب مصرفي في طريقة الدفع {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,الجدول الزمني الانشاء: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},الرجاء تعيين النقدية الافتراضي أو حساب مصرفي في طريقة الدفع {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,تسجل DocType: GST Settings,GST Settings,إعدادات غست DocType: Selling Settings,Customer Naming By,تسمية العملاء بواسطة @@ -699,7 +698,7 @@ DocType: Activity Cost,Projects User,مشاريع العضو apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,مستهلك apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} غير موجود في جدول تفاصيل الفاتورة DocType: Company,Round Off Cost Center,جولة قبالة مركز التكلفة -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,صيانة زيارة {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,صيانة زيارة {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات DocType: Item,Material Transfer,لنقل المواد apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),افتتاح ( الدكتور ) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},يجب أن يكون الطابع الزمني بالإرسال بعد {0} @@ -708,7 +707,7 @@ DocType: Employee Loan,Total Interest Payable,مجموع الفائدة الوا DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,الضرائب التكلفة هبطت والرسوم DocType: Production Order Operation,Actual Start Time,الفعلي وقت البدء DocType: BOM Operation,Operation Time,عملية الوقت -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,نهاية +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,نهاية apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,الاساسي DocType: Timesheet,Total Billed Hours,مجموع الساعات وصفت DocType: Journal Entry,Write Off Amount,شطب المبلغ @@ -733,7 +732,7 @@ DocType: Vehicle,Odometer Value (Last),قيمة عداد المسافات (ال apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,تسويق apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,يتم إنشاء دفع الاشتراك بالفعل DocType: Purchase Receipt Item Supplied,Current Stock,المخزون الحالية -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},الصف # {0}: الأصول {1} لا ترتبط البند {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},الصف # {0}: الأصول {1} لا ترتبط البند {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,معاينة كشف الراتب apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,الحساب {0} تم إدخاله عدة مرات DocType: Account,Expenses Included In Valuation,النفقات المشملة في التقييم @@ -757,7 +756,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,الفضا DocType: Journal Entry,Credit Card Entry,إدخال بطاقة إئتمان apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,الشركة و دليل الحسابات apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,تلقى السلع من الموردين. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,في القيمة +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,في القيمة DocType: Lead,Campaign Name,اسم الحملة DocType: Selling Settings,Close Opportunity After Days,فرصة قريبة بعد يوم ,Reserved,محجوز @@ -782,17 +781,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,طاقة DocType: Opportunity,Opportunity From,فرصة من apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,بيان الراتب الشهري. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,الصف {0}: {1} الأرقام التسلسلية المطلوبة للبند {2}. لقد قدمت {3}. DocType: BOM,Website Specifications,موقع المواصفات apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: من {0} النوع {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,الصف {0}: تحويل عامل إلزامي DocType: Employee,A+,أ+ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",قواعد الأسعار متعددة موجود مع نفس المعايير، يرجى حل النزاع عن طريق تعيين الأولوية. قواعد السعر: {0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,لا يمكن إيقاف أو إلغاء BOM كما أنه مرتبط مع BOMs أخرى +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,لا يمكن إيقاف أو إلغاء BOM كما أنه مرتبط مع BOMs أخرى DocType: Opportunity,Maintenance,صيانة DocType: Item Attribute Value,Item Attribute Value,البند قيمة السمة apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,حملات المبيعات -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,أنشئ جدول زمني +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,أنشئ جدول زمني DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -845,7 +845,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,إعداد حساب بريد إلكتروني apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,الرجاء إدخال العنصر الأول DocType: Account,Liability,مسئولية -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,لا يمكن أن يكون المبلغ الموافق عليه أكبر من مبلغ المطالبة في الصف {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,لا يمكن أن يكون المبلغ الموافق عليه أكبر من مبلغ المطالبة في الصف {0}. DocType: Company,Default Cost of Goods Sold Account,الحساب الافتراضي لتكلفة البضائع المباعة apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,قائمة الأسعار غير محددة DocType: Employee,Family Background,معلومات عن العائلة @@ -856,10 +856,10 @@ DocType: Company,Default Bank Account,حساب البنك الافتراضي apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",لتصفية استنادا الحزب، حدد حزب النوع الأول apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"الأوراق المالية التحديث" لا يمكن التحقق من أنه لم يتم تسليم المواد عن طريق {0} DocType: Vehicle,Acquisition Date,تاريخ الاكتساب -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,غ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,غ DocType: Item,Items with higher weightage will be shown higher,البنود ذات الاهمية العالية سوف تظهر بالاعلى DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,تفاصيل تسوية البنك -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,الصف # {0}: الأصول {1} يجب أن تقدم +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,الصف # {0}: الأصول {1} يجب أن تقدم apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,لا يوجد موظف DocType: Supplier Quotation,Stopped,توقف DocType: Item,If subcontracted to a vendor,إذا الباطن للبائع @@ -875,7 +875,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,الحد الأدنى ل apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: مركز التكلفة {2} لا تنتمي إلى شركة {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: الحساب {2} لا يمكن أن تكون المجموعة apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,البند الصف {IDX}: {DOCTYPE} {} DOCNAME لا وجود له في أعلاه '{DOCTYPE} المائدة -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,الجدول الزمني {0} بالفعل منتهي أو ملغى +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,الجدول الزمني {0} بالفعل منتهي أو ملغى apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,أية مهام DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",في يوم من الشهر الذي سيتم إنشاء فاتورة السيارات سبيل المثال 05، 28 الخ DocType: Asset,Opening Accumulated Depreciation,فتح الاستهلاك المتراكم @@ -934,7 +934,7 @@ DocType: SMS Log,Requested Numbers,أرقام طلب DocType: Production Planning Tool,Only Obtain Raw Materials,الحصول فقط مواد أولية apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,تقييم الأداء. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",تمكين "استخدام لسلة التسوق، كما تم تمكين سلة التسوق وأن يكون هناك واحد على الأقل القاعدة الضريبية لسلة التسوق -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",يرتبط دفع الدخول {0} ضد بالدفع {1}، معرفة ما اذا كان ينبغي أن يتم سحبها كما تقدم في هذه الفاتورة. +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",يرتبط دفع الدخول {0} ضد بالدفع {1}، معرفة ما اذا كان ينبغي أن يتم سحبها كما تقدم في هذه الفاتورة. DocType: Sales Invoice Item,Stock Details,تفاصيل المخزون apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,المشروع القيمة apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,نقطة البيع @@ -957,15 +957,15 @@ DocType: Naming Series,Update Series,تحديث الرقم المتسلسل DocType: Supplier Quotation,Is Subcontracted,وتعاقد من الباطن DocType: Item Attribute,Item Attribute Values,قيم سمة العنصر DocType: Examination Result,Examination Result,نتيجة الفحص -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,ايصال شراء +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,ايصال شراء ,Received Items To Be Billed,العناصر الواردة إلى أن توصف -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,الموافقة على كشوفات الرواتب +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,الموافقة على كشوفات الرواتب apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,أسعار صرف العملات الرئيسية . apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},يجب أن يكون إشارة DOCTYPE واحد من {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},تعذر العثور على فتحة الزمنية في {0} الأيام القليلة القادمة للعملية {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},تعذر العثور على فتحة الزمنية في {0} الأيام القليلة القادمة للعملية {1} DocType: Production Order,Plan material for sub-assemblies,المواد خطة للجمعيات الفرعي apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,المناديب و المناطق -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,فاتورة الموارد {0} يجب أن تكون نشطة +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,فاتورة الموارد {0} يجب أن تكون نشطة DocType: Journal Entry,Depreciation Entry,انخفاض الدخول apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,الرجاء اختيار نوع الوثيقة الأولى apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,إلغاء المواد الزيارات {0} قبل إلغاء هذه الصيانة زيارة @@ -975,7 +975,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,المبلغ الكلي لل apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,النشر على الإنترنت DocType: Production Planning Tool,Production Orders,أوامر الإنتاج -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,توازن القيمة +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,توازن القيمة apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,قائمة مبيعات الأسعار apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,نشر لمزامنة العناصر DocType: Bank Reconciliation,Account Currency,عملة الحساب @@ -1000,12 +1000,12 @@ DocType: Employee,Exit Interview Details,تفاصيل مقابلة ترك الخ DocType: Item,Is Purchase Item,شراء صنف DocType: Asset,Purchase Invoice,فاتورة شراء DocType: Stock Ledger Entry,Voucher Detail No,تفاصيل قسيمة لا -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,فاتورة مبيعات جديدة +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,فاتورة مبيعات جديدة DocType: Stock Entry,Total Outgoing Value,إجمالي القيمة الصادرة apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,يجب فتح التسجيل وتاريخ الإنتهاء تكون ضمن نفس السنة المالية DocType: Lead,Request for Information,طلب المعلومات ,LeaderBoard,المتصدرين -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,تزامن غير متصل الفواتير +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,تزامن غير متصل الفواتير DocType: Payment Request,Paid,مدفوع DocType: Program Fee,Program Fee,رسوم البرنامج DocType: Salary Slip,Total in words,إجمالي بالحروف @@ -1013,7 +1013,7 @@ DocType: Material Request Item,Lead Time Date,تاريخ و وقت مبادرة DocType: Guardian,Guardian Name,اسم ولي الأمر DocType: Cheque Print Template,Has Print Format,لديها تنسيق طباعة DocType: Employee Loan,Sanctioned,تقرها -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,إلزامي. ربما لم يتم انشاء سجل تحويل العملة ل +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,إلزامي. ربما لم يتم انشاء سجل تحويل العملة ل apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},الصف # {0}: يرجى تحديد رقم التسلسلي للتاريخ {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",وللسلع "حزمة المنتج، مستودع، المسلسل لا دفعة ويتم النظر في أي من الجدول" قائمة التعبئة ". إذا مستودع ودفعة لا هي نفسها لجميع عناصر التعبئة لمادة أي 'حزمة المنتج، يمكن إدخال تلك القيم في الجدول الرئيسي عنصر، سيتم نسخ القيم إلى "قائمة التعبئة" الجدول. DocType: Job Opening,Publish on website,نشر على الموقع الإلكتروني @@ -1026,7 +1026,7 @@ DocType: Cheque Print Template,Date Settings,إعدادات التاريخ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,فرق ,Company Name,اسم الشركة DocType: SMS Center,Total Message(s),مجموع الرسائل ( ق ) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,اختر البند لنقل +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,اختر البند لنقل DocType: Purchase Invoice,Additional Discount Percentage,نسبة خصم إضافي apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,عرض قائمة من جميع ملفات الفيديو مساعدة DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,حدد رئيس حساب في البنك حيث أودع الاختيار. @@ -1040,7 +1040,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),الخام المواد التكلفة (شركة العملات) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,كل الأصناف قد تم ترحيلها من قبل لأمر الانتاج هذا. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},الصف # {0}: لا يمكن أن يكون المعدل أكبر من المعدل المستخدم في {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,متر +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,متر DocType: Workstation,Electricity Cost,تكلفة الكهرباء DocType: HR Settings,Don't send Employee Birthday Reminders,عدم ارسال تذكير للموضفين بأعياد الميلاد DocType: Item,Inspection Criteria,معايير التفتيش @@ -1054,7 +1054,7 @@ DocType: SMS Center,All Lead (Open),جميع العملاء المحتملين ( apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: الكمية لا تتوفر لل{4} في مستودع {1} في بالإرسال وقت دخول ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,الحصول على السلف المدفوعة DocType: Item,Automatically Create New Batch,إنشاء دفعة جديدة تلقائيا -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,إنشاء +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,إنشاء DocType: Student Admission,Admission Start Date,تاريخ بداية القبول DocType: Journal Entry,Total Amount in Words,المبلغ الكلي في كلمات apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,كان هناك خطأ . يمكن أن يكون أحد الأسباب المحتملة التي قد لا يتم حفظ النموذج. يرجى الاتصال support@erpnext.com إذا استمرت المشكلة. @@ -1062,7 +1062,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,سلتي apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},يجب أن يكون النظام نوع واحد من {0} DocType: Lead,Next Contact Date,تاريخ جهة الاتصال التالية apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,فتح الكمية -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,الرجاء إدخال حساب لتغيير المبلغ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,الرجاء إدخال حساب لتغيير المبلغ DocType: Student Batch Name,Student Batch Name,طالب اسم دفعة DocType: Holiday List,Holiday List Name,اسم قائمة العطلات DocType: Repayment Schedule,Balance Loan Amount,رصيد مبلغ القرض @@ -1070,7 +1070,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,خيارات المخزون DocType: Journal Entry Account,Expense Claim,طلب النفقات apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,هل تريد حقا أن استعادة هذه الأصول ألغت؟ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},الكمية ل{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},الكمية ل{0} DocType: Leave Application,Leave Application,طلب اجازة apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,أداة تخصيص الإجازة DocType: Leave Block List,Leave Block List Dates,التواريخ الممنوع اخذ اجازة فيها @@ -1120,7 +1120,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,ضد DocType: Item,Default Selling Cost Center,الافتراضي البيع مركز التكلفة DocType: Sales Partner,Implementation Partner,شريك التنفيذ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,الرمز البريدي +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,الرمز البريدي apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},اوامر البيع {0} {1} DocType: Opportunity,Contact Info,معلومات الاتصال apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,جعل الأسهم مقالات @@ -1138,13 +1138,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},إل apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,متوسط العمر DocType: School Settings,Attendance Freeze Date,تاريخ تجميد الحضور DocType: Opportunity,Your sales person who will contact the customer in future,مبيعاتك الشخص الذي سوف اتصل العميل في المستقبل -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,قائمة قليلة من الموردين الخاصة بك . يمكن أن تكون المنظمات أو الأفراد. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,قائمة قليلة من الموردين الخاصة بك . يمكن أن تكون المنظمات أو الأفراد. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,عرض جميع المنتجات apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),الحد الأدنى لسن الرصاص (أيام) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,كل BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,كل BOMs DocType: Company,Default Currency,العملة الافتراضية DocType: Expense Claim,From Employee,من موظف -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,تحذير : سيقوم النظام لا تحقق بالمغالاة في الفواتير منذ مبلغ القطعة ل {0} في {1} هو صفر +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,تحذير : سيقوم النظام لا تحقق بالمغالاة في الفواتير منذ مبلغ القطعة ل {0} في {1} هو صفر DocType: Journal Entry,Make Difference Entry,جعل دخول الفرق DocType: Upload Attendance,Attendance From Date,الحضور من تاريخ DocType: Appraisal Template Goal,Key Performance Area,معيار التقييم @@ -1161,7 +1161,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,تسجيل ارقام الشركة لمرجع . ارقام البطاقه الضريبه الخ DocType: Sales Partner,Distributor,موزع DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,التسوق شحن العربة القاعدة -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,إنتاج النظام {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,إنتاج النظام {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',الرجاء تعيين 'تطبيق خصم إضافي على' ,Ordered Items To Be Billed,أمرت البنود التي يتعين صفت apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,من المدى يجب أن يكون أقل من أن تتراوح @@ -1170,10 +1170,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,استقطاعات DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,بداية السنة -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},يجب أن يتطابق أول رقمين من غستين مع رقم الدولة {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},يجب أن يتطابق أول رقمين من غستين مع رقم الدولة {0} DocType: Purchase Invoice,Start date of current invoice's period,تاريخ بدء فترة الفاتورة الحالية DocType: Salary Slip,Leave Without Pay,إجازة بدون راتب -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,خطأ القدرة على التخطيط +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,خطأ القدرة على التخطيط ,Trial Balance for Party,ميزان المراجعة للحزب DocType: Lead,Consultant,مستشار DocType: Salary Slip,Earnings,الكسب @@ -1189,7 +1189,7 @@ DocType: Cheque Print Template,Payer Settings,إعدادات دافع DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","سيتم إلحاق هذا إلى بند رمز للمتغير. على سبيل المثال، إذا اختصار الخاص بك هو ""SM""، ورمز البند هو ""T-SHIRT""، رمز العنصر المتغير سيكون ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,صافي الأجر (بالحروف) تكون مرئية بمجرد حفظ كشف راتب. DocType: Purchase Invoice,Is Return,هو العائد -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,عودة / الخصم ملاحظة +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,عودة / الخصم ملاحظة DocType: Price List Country,Price List Country,قائمة الأسعار البلد DocType: Item,UOMs,وحدات القياس apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} أرقام متسلسلة صالحة للصنف {1} @@ -1202,7 +1202,7 @@ DocType: Employee Loan,Partially Disbursed,المصروفة جزئيا apps/erpnext/erpnext/config/buying.py +38,Supplier database.,مزود قاعدة البيانات. DocType: Account,Balance Sheet,الميزانية العمومية apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',"مركز تكلفة بالنسبة للبند مع رمز المدينة """ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",لم يتم تكوين طريقة الدفع. يرجى مراجعة، وإذا كان قد تم إعداد الحساب على طريقة الدفع أو على الملف الشخصي نقاط البيع. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",لم يتم تكوين طريقة الدفع. يرجى مراجعة، وإذا كان قد تم إعداد الحساب على طريقة الدفع أو على الملف الشخصي نقاط البيع. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,سيرسل تذكير لمندوب المبيعات الخاص بك في هذا التاريخ ليتصل بالعميل apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,لا يمكن إدخال البند نفسه عدة مرات. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",حسابات أخرى يمكن أن يتم ضمن مجموعات، ولكن يمكن أن يتم مقالات ضد المجموعات غير- @@ -1230,7 +1230,7 @@ DocType: Employee Loan Application,Repayment Info,معلومات السداد apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,' المدخلات ' لا يمكن أن تكون فارغة apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},صف مكررة {0} مع نفسه {1} ,Trial Balance,ميزان المراجعة -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,لم يتم العثور على السنة المالية {0}. +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,لم يتم العثور على السنة المالية {0}. apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,إعداد الموظفين DocType: Sales Order,SO-,وبالتالي- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,الرجاء اختيار البادئة الأولى @@ -1245,11 +1245,11 @@ DocType: Grading Scale,Intervals,فترات apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,اسبق apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",يوجد اسم مجموعة أصناف بنفس الاسم، الرجاء تغيير اسم الصنف أو إعادة تسمية المجموعة apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,رقم الطالب موبايل -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,بقية العالم +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,بقية العالم apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,العنصر {0} لا يمكن أن يكون دفعة ,Budget Variance Report,تقرير إنحرافات الموازنة DocType: Salary Slip,Gross Pay,إجمالي الأجور -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,صف {0}: نوع آخر إلزامي. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,صف {0}: نوع آخر إلزامي. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,أرباح الأسهم المدفوعة apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,دفتر الأستاذ العام DocType: Stock Reconciliation,Difference Amount,مقدار الفرق @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,رصيد اجازات الموظف apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},التوازن ل حساب {0} يجب أن يكون دائما {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},التقييم المعدل المطلوب لعنصر في الصف {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,على سبيل المثال: الماجستير في علوم الحاسب الآلي +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,على سبيل المثال: الماجستير في علوم الحاسب الآلي DocType: Purchase Invoice,Rejected Warehouse,رفض مستودع DocType: GL Entry,Against Voucher,مقابل قسيمة DocType: Item,Default Buying Cost Center,مركز التكلفة المشتري الافتراضي apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",للحصول على أفضل النتائج من ERPNext، ونحن نوصي بأن تأخذ بعض الوقت ومشاهدة أشرطة الفيديو هذه المساعدة. -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,إلى +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,إلى DocType: Supplier Quotation Item,Lead Time in days,المهلة بالايام apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,ملخص الحسابات الدائنة -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},دفع الراتب من {0} إلى {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},دفع الراتب من {0} إلى {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},غير مخول لتحرير الحساب المجمد {0} DocType: Journal Entry,Get Outstanding Invoices,الحصول على فواتير معلقة -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,اوامر البيع {0} غير صالحه +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,اوامر البيع {0} غير صالحه apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,أوامر الشراء تساعدك على تخطيط والمتابعة على مشترياتك apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",عذراً، الشركات لا يمكن دمجها apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,المصاريف غير المباشرة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,الصف {0}: الكمية إلزامي apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,زراعة -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,مزامنة البيانات الرئيسية -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,المنتجات أو الخدمات الخاصة بك +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,مزامنة البيانات الرئيسية +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,المنتجات أو الخدمات الخاصة بك DocType: Mode of Payment,Mode of Payment,طريقة الدفع apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,وينبغي أن يكون موقع صورة ملف العامة أو عنوان الموقع DocType: Student Applicant,AP,AP @@ -1324,18 +1324,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,السلعة معدل ضريبة DocType: Student Group Student,Group Roll Number,رقم لفة المجموعة apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",لـ {0} فقط إنشاء حسابات ممكن توصيله مقابل ادخال دائن اخر apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,يجب أن يكون مجموع كل الأوزان مهمة 1. الرجاء ضبط أوزان جميع المهام المشروع وفقا لذلك -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,تسليم مذكرة {0} لم تقدم +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,تسليم مذكرة {0} لم تقدم apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,البند {0} يجب أن يكون عنصر التعاقد الفرعي apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,معدات العاصمة apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",يتم تحديد قاعدة الأسعار على أساس حقل 'تطبق في' ، التي يمكن أن تكون بند، مجموعة بنود او علامة التجارية. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,يرجى تعيين رمز العنصر أولا +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,يرجى تعيين رمز العنصر أولا DocType: Hub Settings,Seller Website,البائع موقع DocType: Item,ITEM-,بند- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,مجموع النسبة المئوية المخصصة ل فريق المبيعات يجب أن يكون 100 DocType: Appraisal Goal,Goal,الغاية DocType: Sales Invoice Item,Edit Description,تحرير الوصف ,Team Updates,فريق التحديثات -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,ل مزود +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,ل مزود DocType: Account,Setting Account Type helps in selecting this Account in transactions.,تحديد نوع الحساب يساعد في تحديد هذا الحساب في المعاملات. DocType: Purchase Invoice,Grand Total (Company Currency),المجموع الكلي (العملات شركة) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,إنشاء تنسيق طباعة @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,مجموعات الأصناف للموقع DocType: Purchase Invoice,Total (Company Currency),مجموع (شركة العملات) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,الرقم التسلسلي {0} دخلت أكثر من مرة DocType: Depreciation Schedule,Journal Entry,إدخال دفتر اليومية -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} البنود قيد الأستخدام +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} البنود قيد الأستخدام DocType: Workstation,Workstation Name,اسم محطة العمل DocType: Grading Scale Interval,Grade Code,كود الصف DocType: POS Item Group,POS Item Group,POS البند المجموعة apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,أرسل دايجست: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} لا تنتمي إلى الصنف {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} لا تنتمي إلى الصنف {1} DocType: Sales Partner,Target Distribution,هدف التوزيع DocType: Salary Slip,Bank Account No.,رقم الحساب في البك DocType: Naming Series,This is the number of the last created transaction with this prefix,هذا هو عدد المعاملات التي تم إنشاؤها باستخدام مشاركة هذه البادئة @@ -1411,7 +1411,7 @@ DocType: Quotation,Shopping Cart,سلة التسوق apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,متوسط الصادرات اليومية DocType: POS Profile,Campaign,حملة DocType: Supplier,Name and Type,اسم ونوع -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"يجب أن تكون حالة ""موافقة "" أو ""مرفوضة""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"يجب أن تكون حالة ""موافقة "" أو ""مرفوضة""" DocType: Purchase Invoice,Contact Person,الشخص الذي يمكن الاتصال به apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',' تاريخ البدء المتوقع ' لا يمكن أن يكون أكبر من ' تاريخ الانتهاء المتوقع ' DocType: Course Scheduling Tool,Course End Date,تاريخ انتهاء المقرر @@ -1423,8 +1423,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,البريد الإلكتروني المفضل apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,صافي التغير في الأصول الثابتة DocType: Leave Control Panel,Leave blank if considered for all designations,اتركها فارغه اذا كنت تريد تطبيقها لجميع المسميات الوظيفية -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,لا يمكن تضمين تهمة من نوع ' الفعلي ' في الصف {0} في سعر السلعة -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},الحد الأقصى: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,لا يمكن تضمين تهمة من نوع ' الفعلي ' في الصف {0} في سعر السلعة +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},الحد الأقصى: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,من التاريخ والوقت DocType: Email Digest,For Company,لشركة apps/erpnext/erpnext/config/support.py +17,Communication log.,سجل الاتصالات. @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.",الملف ال DocType: Journal Entry Account,Account Balance,رصيد حسابك apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,القاعدة الضريبية للمعاملات. DocType: Rename Tool,Type of document to rename.,نوع الوثيقة إلى إعادة تسمية. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,نشتري هذه القطعة +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,نشتري هذه القطعة apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: مطلوب العملاء ضد حساب المقبوضات {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),مجموع الضرائب والرسوم (عملة الشركة) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,تظهر P & L أرصدة السنة المالية غير مغلق ل @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,قراءات DocType: Stock Entry,Total Additional Costs,مجموع التكاليف الإضافية DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),الخردة المواد التكلفة (شركة العملات) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,التركيبات الفرعية +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,التركيبات الفرعية DocType: Asset,Asset Name,اسم الأصول DocType: Project,Task Weight,الوزن مهمة DocType: Shipping Rule Condition,To Value,إلى القيمة @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,المتغيرات ال DocType: Company,Services,الخدمات DocType: HR Settings,Email Salary Slip to Employee,إرسال كشف الراتب للموظفين بالبريد الالكتروني DocType: Cost Center,Parent Cost Center,الأم تكلفة مركز -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,اختر مزود ممكن +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,اختر مزود ممكن DocType: Sales Invoice,Source,المصدر apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,مشاهدة مغلقة DocType: Leave Type,Is Leave Without Pay,إجازة بدون راتب @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,تطبيق الخصم DocType: GST HSN Code,GST HSN Code,غست هسن كود DocType: Employee External Work History,Total Experience,مجموع الخبرة apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,مشاريع مفتوحة -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,تم إلغاء كشف/كشوف التعبئة +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,تم إلغاء كشف/كشوف التعبئة apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,تدفق النقد من الاستثمار DocType: Program Course,Program Course,دورة برنامج apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,الشحن و التخليص الرسوم @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,التسجيلات برنامج DocType: Sales Invoice Item,Brand Name,العلامة التجارية اسم DocType: Purchase Receipt,Transporter Details,تفاصيل نقل -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,المخزن الافتراضي مطلوب للمادة المختارة -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,صندوق -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,مزود الممكن +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,المخزن الافتراضي مطلوب للمادة المختارة +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,صندوق +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,مزود الممكن DocType: Budget,Monthly Distribution,التوزيع الشهري apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,قائمة المتلقي هو فارغ. يرجى إنشاء قائمة استقبال DocType: Production Plan Sales Order,Production Plan Sales Order,أمر الإنتاج خطة المبيعات @@ -1593,7 +1593,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,مستحقا apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students",الطلاب في قلب النظام، إضافة كل ما تبذلونه من الطلاب apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},الصف # {0}: تاريخ التخليص {1} لا يمكن أن يكون قبل تاريخ شيكات {2} DocType: Company,Default Holiday List,قائمة العطل الافتراضية -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},صف {0}: من الوقت وإلى وقت {1} ومتداخلة مع {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},صف {0}: من الوقت وإلى وقت {1} ومتداخلة مع {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,المطلوبات المخزون DocType: Purchase Invoice,Supplier Warehouse,المورد مستودع DocType: Opportunity,Contact Mobile No,الاتصال المحمول لا @@ -1609,18 +1609,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},إجازة من نوع {0} لا يمكن أن تكون أطول من {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,محاولة التخطيط لعمليات لX أيام مقدما. DocType: HR Settings,Stop Birthday Reminders,ايقاف التذكير بأعياد الميلاد -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},الرجاء تعيين الحساب الافتراضي لدفع الرواتب في الشركة {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},الرجاء تعيين الحساب الافتراضي لدفع الرواتب في الشركة {0} DocType: SMS Center,Receiver List,قائمة المرسل اليهم -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,بحث البند +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,بحث البند apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,الكمية المستهلكة apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,صافي التغير في النقد DocType: Assessment Plan,Grading Scale,مقياس الدرجات apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,وحدة القياس {0} تم إدخال أكثر من مرة واحدة في معامل التحويل الجدول -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,أنجزت بالفعل +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,أنجزت بالفعل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,الأسهم، إلى داخل، أعطى apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},دفع طلب بالفعل {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,تكلفة عناصر صدر -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},لا يجب أن تكون الكمية أكثر من {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},لا يجب أن تكون الكمية أكثر من {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,لم يتم إغلاق سابقة المالية السنة apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),العمر (أيام) DocType: Quotation Item,Quotation Item,عنصر تسعيرة @@ -1634,6 +1634,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,وثيقة مرجعية apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ملغى أو موقف DocType: Accounts Settings,Credit Controller,المراقب الائتمان +DocType: Sales Order,Final Delivery Date,تاريخ التسليم النهائي DocType: Delivery Note,Vehicle Dispatch Date,سيارة الإرسال التسجيل DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,استلام المشتريات {0} غير مرحل @@ -1722,9 +1723,9 @@ DocType: Employee,Date Of Retirement,تاريخ التقاعد DocType: Upload Attendance,Get Template,الحصول على نموذج DocType: Material Request,Transferred,نقل DocType: Vehicle,Doors,الأبواب -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,إعداد ERPNext كامل! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,إعداد ERPNext كامل! DocType: Course Assessment Criteria,Weightage,الوزن -DocType: Sales Invoice,Tax Breakup,تفكيك الضرائب +DocType: Purchase Invoice,Tax Breakup,تفكيك الضرائب DocType: Packing Slip,PS-,ملحوظة: apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: مطلوب مركز التكلفة ل 'الربح والخسارة "حساب {2}. يرجى انشاء مركز التكلفة الافتراضية للشركة. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,يوجد مجموعة العملاء بنفس الاسم الرجاء تغيير اسم العميل أو إعادة تسمية مجموعة العملاء @@ -1737,14 +1738,14 @@ DocType: Announcement,Instructor,معلم DocType: Employee,AB+,أب+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",إذا كان هذا البند لديها بدائل، فإنه لا يمكن اختيارها في أوامر البيع الخ DocType: Lead,Next Contact By,جهة الاتصال التالية بواسطة -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},الكمية المطلوبة القطعة ل {0} في {1} الصف +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},الكمية المطلوبة القطعة ل {0} في {1} الصف apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},مستودع {0} لا يمكن حذف كما توجد كمية القطعة ل {1} DocType: Quotation,Order Type,نوع الطلب DocType: Purchase Invoice,Notification Email Address,عنوان البريد الإلكتروني الإخطار ,Item-wise Sales Register,سجل مبيعات الصنف DocType: Asset,Gross Purchase Amount,اجمالي مبلغ المشتريات DocType: Asset,Depreciation Method,طريقة الاستهلاك -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,غير متصل +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,غير متصل DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,هل هذه الضريبة متضمنة في الاسعار الأساسية؟ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,إجمالي المستهدف DocType: Job Applicant,Applicant for a Job,المتقدم للحصول على وظيفة @@ -1765,7 +1766,7 @@ DocType: Employee,Leave Encashed?,إجازات مصروفة نقداً؟ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصة من الحقل إلزامي DocType: Email Digest,Annual Expenses,المصروفات السنوية DocType: Item,Variants,المتغيرات -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,قم بعمل امر الشراء +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,قم بعمل امر الشراء DocType: SMS Center,Send To,أرسل إلى apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ليس هناك ما يكفي من توازن إجازة لإجازة نوع {0} DocType: Payment Reconciliation Payment,Allocated amount,المبلغ المخصص @@ -1773,7 +1774,7 @@ DocType: Sales Team,Contribution to Net Total,المساهمة في صافي إ DocType: Sales Invoice Item,Customer's Item Code,كود صنف العميل DocType: Stock Reconciliation,Stock Reconciliation,جرد المخزون DocType: Territory,Territory Name,اسم الأرض -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,مطلوب العمل في و التقدم في معرض النماذج ثلاثية قبل إرسال +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,مطلوب العمل في و التقدم في معرض النماذج ثلاثية قبل إرسال apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,المتقدم للحصول على الوظيفة. DocType: Purchase Order Item,Warehouse and Reference,مستودع والمراجع DocType: Supplier,Statutory info and other general information about your Supplier,معلومات قانونية ومعلومات عامة أخرى عن بريدا @@ -1784,16 +1785,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,تقييمات apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},تكرار المسلسل لا دخل القطعة ل {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,شرط للحصول على قانون الشحن apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,تفضل -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",لا يمكن overbill عن البند {0} في الصف {1} أكثر من {2}. للسماح على الفواتير، يرجى ضبط إعدادات في شراء -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,الرجاء تعيين مرشح بناء على البند أو مستودع +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",لا يمكن overbill عن البند {0} في الصف {1} أكثر من {2}. للسماح على الفواتير، يرجى ضبط إعدادات في شراء +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,الرجاء تعيين مرشح بناء على البند أو مستودع DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),وزن صافي من هذه الحزمة. (تحسب تلقائيا مجموع الوزن الصافي للسلعة) DocType: Sales Order,To Deliver and Bill,لتسليم وبيل DocType: Student Group,Instructors,المدربين DocType: GL Entry,Credit Amount in Account Currency,إنشاء المبلغ في حساب العملة -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,فاتورة الموارد {0} يجب أن تعتمد +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,فاتورة الموارد {0} يجب أن تعتمد DocType: Authorization Control,Authorization Control,إذن التحكم apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},الصف # {0}: رفض مستودع إلزامي ضد رفض البند {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,دفعة +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,دفعة apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",مستودع {0} غير مرتبط بأي حساب، يرجى ذكر الحساب في سجل المستودع أو تعيين حساب المخزون الافتراضي في الشركة {1}. apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,إدارة طلباتك DocType: Production Order Operation,Actual Time and Cost,الوقت الفعلي والتكلفة @@ -1809,12 +1810,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,حزم DocType: Quotation Item,Actual Qty,الكمية الفعلية DocType: Sales Invoice Item,References,المراجع DocType: Quality Inspection Reading,Reading 10,قراءة 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",قائمة المنتجات أو الخدمات التي تشتري أو تبيع الخاص بك. +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",قائمة المنتجات أو الخدمات التي تشتري أو تبيع الخاص بك. DocType: Hub Settings,Hub Node,المحور عقدة apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,لقد دخلت عناصر مكررة . يرجى تصحيح و حاول مرة أخرى. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,مساعد +DocType: Company,Sales Target,هدف المبيعات DocType: Asset Movement,Asset Movement,حركة الأصول -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,سلة جديدة +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,سلة جديدة apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,البند {0} ليس البند المتسلسلة DocType: SMS Center,Create Receiver List,إنشاء قائمة استقبال DocType: Vehicle,Wheels,عجلات @@ -1855,13 +1857,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,إدارة المش DocType: Supplier,Supplier of Goods or Services.,المورد من السلع أو الخدمات. DocType: Budget,Fiscal Year,السنة المالية DocType: Vehicle Log,Fuel Price,أسعار الوقود +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عن طريق الإعداد> سلسلة الترقيم DocType: Budget,Budget,ميزانية apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,يجب أن تكون ثابتة البند الأصول عنصر غير الأسهم. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",الموازنة لا يمكن تحديدها مقابل {0}، لانها ليست حساب الإيرادات أوالمصروفات apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,حقق DocType: Student Admission,Application Form Route,مسار إستمارة التقديم apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,إقليم / العملاء -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,على سبيل المثال 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,على سبيل المثال 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ترك نوع {0} لا يمكن تخصيصها لأنها إجازة بدون راتب apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},يجب أن يكون المبلغ المخصص {1} أقل من أو يساوي الفاتورة المبلغ المستحق {2} الصف {0} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,وبعبارة تكون مرئية بمجرد حفظ فاتورة المبيعات. @@ -1870,11 +1873,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,البند {0} ليس الإعداد لل سيد رقم التسلسلي تاريخ المغادرة DocType: Maintenance Visit,Maintenance Time,وقت الصيانة ,Amount to Deliver,المبلغ تسليم -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,منتج أو خدمة +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,منتج أو خدمة apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاريخ البدء الأجل لا يمكن أن يكون أقدم من تاريخ بداية السنة للعام الدراسي الذي يرتبط مصطلح (السنة الأكاديمية {}). يرجى تصحيح التواريخ وحاول مرة أخرى. DocType: Guardian,Guardian Interests,الجارديان الهوايات DocType: Naming Series,Current Value,القيمة الحالية -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,توجد السنوات المالية متعددة للتاريخ {0}. يرجى وضع الشركة في السنة المالية +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,توجد السنوات المالية متعددة للتاريخ {0}. يرجى وضع الشركة في السنة المالية apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} تم إنشاء DocType: Delivery Note Item,Against Sales Order,مقابل أمر المبيعات ,Serial No Status,حالة رقم المسلسل @@ -1888,7 +1891,7 @@ DocType: Pricing Rule,Selling,بيع apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},مبلغ {0} {1} خصم ضد {2} DocType: Employee,Salary Information,معلومات عن الراتب DocType: Sales Person,Name and Employee ID,الاسم والرقم الوظيفي -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,بسبب التاريخ لا يمكن أن يكون قبل المشاركة في التسجيل +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,بسبب التاريخ لا يمكن أن يكون قبل المشاركة في التسجيل DocType: Website Item Group,Website Item Group,مجموعة الأصناف للموقع apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,الرسوم والضرائب apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,من فضلك ادخل تاريخ المرجعي @@ -1943,9 +1946,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},يرجى تحديد تاريخ الالتحاق بالموظف {0} DocType: Task,Total Billing Amount (via Time Sheet),المبلغ الكلي الفواتير (عبر ورقة الوقت) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,الإيرادات العملاء المكررين -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) يجب أن يمتلك صلاحية (موافق النفقات) -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,زوج -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,حدد مكتب الإدارة والكمية للإنتاج +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) يجب أن يمتلك صلاحية (موافق النفقات) +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,زوج +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,حدد مكتب الإدارة والكمية للإنتاج DocType: Asset,Depreciation Schedule,جدول الاستهلاك apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,عناوين شركاء المبيعات والاتصالات DocType: Bank Reconciliation Detail,Against Account,ضد الحساب @@ -1955,7 +1958,7 @@ DocType: Item,Has Batch No,ودفعة واحدة لا apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},الفواتير السنوية: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ضريبة السلع والخدمات (ضريبة السلع والخدمات الهند) DocType: Delivery Note,Excise Page Number,المكوس رقم الصفحة -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","اجباري الشركة , من تاريخ و الي تاريخ" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","اجباري الشركة , من تاريخ و الي تاريخ" DocType: Asset,Purchase Date,تاريخ الشراء DocType: Employee,Personal Details,تفاصيل شخصية apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},الرجاء تعيين "الأصول مركز الاستهلاك الكلفة" في شركة {0} @@ -1964,9 +1967,9 @@ DocType: Task,Actual End Date (via Time Sheet),تاريخ الإنتهاء ال apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},مبلغ {0} {1} من {2} {3} ,Quotation Trends,مجرى التسعيرات apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},مجموعة السلعة لم يرد ذكرها في السلعة الرئيسي للعنصر {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,يجب أن يكون الخصم لحساب حساب المقبوضات +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,يجب أن يكون الخصم لحساب حساب المقبوضات DocType: Shipping Rule Condition,Shipping Amount,مبلغ الشحن -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,إضافة العملاء +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,إضافة العملاء apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,في انتظار المبلغ DocType: Purchase Invoice Item,Conversion Factor,معامل التحويل DocType: Purchase Order,Delivered,تسليم @@ -1988,7 +1991,6 @@ DocType: Production Order,Use Multi-Level BOM,استخدام متعدد المس DocType: Bank Reconciliation,Include Reconciled Entries,وتشمل مقالات التوفيق DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",دورة الأم (ترك فارغة، إذا لم يكن هذا جزءا من دورة الآباء) DocType: Leave Control Panel,Leave blank if considered for all employee types,اتركها فارغه اذا كنت تريد تطبيقها لجميع انواع الموظفين -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,العميل> مجموعة العملاء> الإقليم DocType: Landed Cost Voucher,Distribute Charges Based On,توزيع الرسوم بناء على apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,الجداول الزمنية DocType: HR Settings,HR Settings,إعدادات الموارد البشرية @@ -1996,7 +1998,7 @@ DocType: Salary Slip,net pay info,معلومات صافي الأجر apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,"اعتماد طلب النفقات معلق , فقط اعتماده ممكن تغير الحالة." DocType: Email Digest,New Expenses,مصاريف جديدة DocType: Purchase Invoice,Additional Discount Amount,مقدار الخصم الاضافي -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",الصف # {0}: يجب أن يكون العدد 1، والبند هو أصل ثابت. الرجاء استخدام صف منفصل عن الكمية متعددة. +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",الصف # {0}: يجب أن يكون العدد 1، والبند هو أصل ثابت. الرجاء استخدام صف منفصل عن الكمية متعددة. DocType: Leave Block List Allow,Leave Block List Allow,تفعيل قائمة الإجازات المحظورة apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,"الاسم المختصر لا يمكن أن يكون فارغاً أو ""مسافة""" apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,مجموعة لغير المجموعه @@ -2004,7 +2006,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,الرياض DocType: Loan Type,Loan Name,اسم قرض apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,الإجمالي الفعلي DocType: Student Siblings,Student Siblings,الإخوة والأخوات الطلاب -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,وحدة +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,وحدة apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,يرجى تحديد شركة ,Customer Acquisition and Loyalty,اكتساب العملاء و الولاء DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,مستودع حيث كنت الحفاظ على المخزون من المواد رفضت @@ -2022,12 +2024,12 @@ DocType: Workstation,Wages per hour,الأجور في الساعة apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},توازن الأسهم في الدفعة {0} ستصبح سلبية {1} القطعة ل{2} في {3} مستودع apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,وبناء على طلبات المواد أثيرت تلقائيا على أساس إعادة ترتيب مستوى العنصر DocType: Email Digest,Pending Sales Orders,في انتظار أوامر البيع -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},الحساب {0} غير صحيح. يجب أن تكون عملة الحساب {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},الحساب {0} غير صحيح. يجب أن تكون عملة الحساب {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},معامل تحويل وحدة القياس مطلوب في الصف: {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",الصف # {0}: يجب أن يكون مرجع نوع الوثيقة واحدة من ترتيب المبيعات، مبيعات فاتورة أو إدخال دفتر اليومية DocType: Salary Component,Deduction,استقطاع -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,صف {0}: من الوقت وإلى وقت إلزامي. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,صف {0}: من الوقت وإلى وقت إلزامي. DocType: Stock Reconciliation Item,Amount Difference,مقدار الفرق apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},سعر السلعة تم اضافتة لـ {0} في قائمة الأسعار {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,الرجاء إدخال رقم الموظف من رجل المبيعات هذا @@ -2037,11 +2039,11 @@ DocType: Project,Gross Margin,هامش الربح الإجمالي apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,من فضلك ادخل إنتاج السلعة الأولى apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,رصيد الحساب المصرفي المحسوب apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,المستخدم معطل -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,تسعيرة +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,تسعيرة DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,مجموع الخصم ,Production Analytics,تحليلات إنتاج -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,تكلفة تحديث +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,تكلفة تحديث DocType: Employee,Date of Birth,تاريخ الميلاد apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,البند {0} تم بالفعل عاد DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**السنة المالية** تمثل سنة مالية. يتم تعقب كل القيود المحاسبية والمعاملات الرئيسية الأخرى مقابل **السنة المالية**. @@ -2086,18 +2088,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,حدد الشركة ... DocType: Leave Control Panel,Leave blank if considered for all departments,اتركها فارغه اذا كنت تريد تطبيقها لجميع الأقسام apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",أنواع التوظيف (دائم أو عقد او متدرب الخ). -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} إلزامي للصنف {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} إلزامي للصنف {1} DocType: Process Payroll,Fortnightly,مرة كل اسبوعين DocType: Currency Exchange,From Currency,من العملات apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",يرجى تحديد المبلغ المخصص، نوع الفاتورة ورقم الفاتورة في أتلست صف واحد apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,تكلفة شراء جديد -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},اوامر البيع المطلوبة القطعة ل {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},اوامر البيع المطلوبة القطعة ل {0} DocType: Purchase Invoice Item,Rate (Company Currency),معدل (عملة الشركة) DocType: Student Guardian,Others,آخرون DocType: Payment Entry,Unallocated Amount,المبلغ غير المخصصة apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,لا يمكن العثور على سلعة مطابقة. الرجاء تحديد قيمة أخرى ل{0}. DocType: POS Profile,Taxes and Charges,الضرائب والرسوم DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",منتج أو خدمة تم شراؤها أو بيعها أو حفظها في المخزون. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,رمز البند> مجموعة المنتجات> العلامة التجارية apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,لا مزيد من التحديثات apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"لا يمكن تحديد نوع التهمة باسم ' في الصف السابق المبلغ ' أو ' في السابق صف إجمالي "" ل لصف الأول" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,طفل البند لا ينبغي أن يكون حزمة المنتج. الرجاء إزالة البند `{0}` وحفظ @@ -2123,7 +2126,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,المبلغ الكلي الفواتير apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,يجب أن يكون هناك حساب البريد الإلكتروني الافتراضي واردة لهذا العمل. يرجى إعداد حساب بريد إلكتروني واردة الافتراضي (POP / IMAP) وحاول مرة أخرى. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,حساب المستحق -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},الصف # {0}: الأصول {1} هو بالفعل {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},الصف # {0}: الأصول {1} هو بالفعل {2} DocType: Quotation Item,Stock Balance,رصيد المخزون apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ترتيب مبيعات لدفع apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,المدير التنفيذي @@ -2148,10 +2151,11 @@ DocType: C-Form,Received Date,تاريخ الاستلام DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",إذا قمت بإنشاء قالب قياسي في قالب الضرائب على المبيعات والرسوم، اختر واحدا وانقر على الزر أدناه. DocType: BOM Scrap Item,Basic Amount (Company Currency),المبلغ الأساسي ( عملة الشركة ) DocType: Student,Guardians,أولياء الأمور +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,المورد> المورد نوع DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,لن تظهر الأسعار إذا لم يتم تعيين قائمة الأسعار apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,يرجى تحديد بلد لهذا الشحن القاعدة أو تحقق من جميع أنحاء العالم الشحن DocType: Stock Entry,Total Incoming Value,إجمالي القيمة الواردة -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,مطلوب الخصم ل +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,مطلوب الخصم ل apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",الجداول الزمنية تساعد على الحفاظ على المسار من الوقت والتكلفة وإعداد الفواتير للنشاطات الذي قام به فريقك apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,قائمة اسعار المشتريات DocType: Offer Letter Term,Offer Term,عرض عمل @@ -2170,11 +2174,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,بح DocType: Timesheet Detail,To Time,إلى وقت DocType: Authorization Rule,Approving Role (above authorized value),الموافقة دور (أعلى قيمة أذن) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,لإنشاء الحساب يجب ان يكون دائنون / مدفوعات -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},فاتورة الموارد: {0} لا يمكن ان تكون تابعة او متبوعة لـ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},فاتورة الموارد: {0} لا يمكن ان تكون تابعة او متبوعة لـ {2} DocType: Production Order Operation,Completed Qty,الكمية المنتهية apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",لـ {0} فقط إنشاء حسابات ممكن توصيله مقابل ادخال مدين اخر apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,قائمة الأسعار {0} تم تعطيل -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},صف {0}: اكتمال الكمية لا يمكن أن يكون أكثر من {1} لتشغيل {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},صف {0}: اكتمال الكمية لا يمكن أن يكون أكثر من {1} لتشغيل {2} DocType: Manufacturing Settings,Allow Overtime,تسمح العمل الإضافي apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",المسلسل البند {0} لا يمكن تحديثه باستخدام الأسهم المصالحة، يرجى استخدام دخول الأسهم DocType: Training Event Employee,Training Event Employee,تدريب الموظف للحدث @@ -2192,10 +2196,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,خارجي apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,المستخدمين والأذونات DocType: Vehicle Log,VLOG.,مدونة فيديو. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},أوامر إنتاج المنشأة: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},أوامر إنتاج المنشأة: {0} DocType: Branch,Branch,فرع DocType: Guardian,Mobile Number,رقم الهاتف المحمول apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,الطباعة و العلامات التجارية +DocType: Company,Total Monthly Sales,إجمالي المبيعات الشهرية DocType: Bin,Actual Quantity,الكمية الفعلية DocType: Shipping Rule,example: Next Day Shipping,مثال:شحن اليوم التالي apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,المسلسل لا {0} لم يتم العثور @@ -2225,7 +2230,7 @@ DocType: Payment Request,Make Sales Invoice,انشاء فاتورة المبيع apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,برامج apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,التالي اتصل بنا التسجيل لا يمكن أن يكون في الماضي DocType: Company,For Reference Only.,للاشارة فقط. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,حدد الدفعة رقم +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,حدد الدفعة رقم apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},باطلة {0} {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,المبلغ مقدما @@ -2238,7 +2243,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},أي عنصر مع الباركود {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,القضية رقم لا يمكن أن يكون 0 DocType: Item,Show a slideshow at the top of the page,تظهر الشرائح في أعلى الصفحة -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,مخازن DocType: Serial No,Delivery Time,وقت التسليم apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,العمر بناءا على @@ -2252,16 +2257,16 @@ DocType: Rename Tool,Rename Tool,إعادة تسمية أداة apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,تحديث التكلفة DocType: Item Reorder,Item Reorder,البند إعادة ترتيب apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,عرض كشف الراتب -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,نقل المواد +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,نقل المواد DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",تحديد العمليات ، وتكلفة التشغيل وإعطاء عملية فريدة من نوعها لا لل عمليات الخاصة بك. apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,هذه الوثيقة هي على حد كتبها {0} {1} لمادة {4}. وجعل لكم آخر {3} ضد نفسه {2}؟ -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,الرجاء تعيين المتكررة بعد إنقاذ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,حساب كمية حدد التغيير +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,الرجاء تعيين المتكررة بعد إنقاذ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,حساب كمية حدد التغيير DocType: Purchase Invoice,Price List Currency,قائمة الأسعار العملات DocType: Naming Series,User must always select,يجب دائما مستخدم تحديد DocType: Stock Settings,Allow Negative Stock,السماح بالقيم السالبة للمخزون DocType: Installation Note,Installation Note,ملاحظة التثبيت -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,إضافة الضرائب +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,إضافة الضرائب DocType: Topic,Topic,موضوع apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,تدفق النقد من التمويل DocType: Budget Account,Budget Account,حساب الميزانية @@ -2275,7 +2280,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ال apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),مصدر الأموال ( المطلوبات ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},كمية في الصف {0} ( {1} ) ويجب أن تكون نفس الكمية المصنعة {2} DocType: Appraisal,Employee,موظف -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,حدد الدفعة +DocType: Company,Sales Monthly History,المبيعات التاريخ الشهري +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,حدد الدفعة apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} فوترت بشكل كامل DocType: Training Event,End Time,وقت الانتهاء apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,هيكل الراتب نشط {0} تم العثور عليها ل موظف {1} للتواريخ معينة @@ -2283,15 +2289,14 @@ DocType: Payment Entry,Payment Deductions or Loss,خصومات الدفع أو apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,شروط العقد القياسية للمبيعات أو للمشتريات . apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,المجموعة بواسطة قسيمة apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,خط أنابيب المبيعات -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},الرجاء تعيين الحساب الافتراضي في مكون الراتب {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},الرجاء تعيين الحساب الافتراضي في مكون الراتب {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,المطلوبة على DocType: Rename Tool,File to Rename,إعادة تسمية الملف apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},الرجاء تحديد BOM لعنصر في الصف {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},الحساب {0} لا يتطابق مع الشركة {1} في طريقة الحساب: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},محدد BOM {0} غير موجود القطعة ل{1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,{0} يجب أن يتم إلغاء جدول الصيانة قبل إلغاء هذا الأمر المبيعات +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,{0} يجب أن يتم إلغاء جدول الصيانة قبل إلغاء هذا الأمر المبيعات DocType: Notification Control,Expense Claim Approved,اعتمد طلب النفقات -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عن طريق الإعداد> سلسلة الترقيم apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,كشف راتب الموظف {0} تم إنشاؤه مسبقا لهذه الفترة apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,الأدوية apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,تكلفة البنود التي تم شراؤها @@ -2308,7 +2313,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,رقم فاتورة DocType: Upload Attendance,Attendance To Date,الحضور إلى تاريخ DocType: Warranty Claim,Raised By,التي أثارها DocType: Payment Gateway Account,Payment Account,حساب الدفع -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,يرجى تحديد الشركة للمضي قدما +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,يرجى تحديد الشركة للمضي قدما apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,صافي التغير في حسابات المقبوضات apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,التعويضية DocType: Offer Letter,Accepted,مقبول @@ -2317,12 +2322,12 @@ DocType: SG Creation Tool Course,Student Group Name,اسم المجموعة ال apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,من فضلك تأكد من حقا تريد حذف جميع المعاملات لهذه الشركة. ستبقى البيانات الرئيسية الخاصة بك كما هو. لا يمكن التراجع عن هذا الإجراء. DocType: Room,Room Number,رقم الغرفة apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},مرجع غير صالح {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) لا يمكن أن تتخطي الكمية المخططة {2} في أمر الانتاج {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) لا يمكن أن تتخطي الكمية المخططة {2} في أمر الانتاج {3} DocType: Shipping Rule,Shipping Rule Label,ملصق قاعدة الشحن apps/erpnext/erpnext/public/js/conf.js +28,User Forum,المنتدى المستعمل -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,المواد الخام لا يمكن أن يكون فارغا. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.",تعذر تحديث المخزون، فاتورة تحتوي انخفاض الشحن البند. -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,خيارات مجلة الدخول +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,المواد الخام لا يمكن أن يكون فارغا. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.",تعذر تحديث المخزون، فاتورة تحتوي انخفاض الشحن البند. +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,خيارات مجلة الدخول apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,لا يمكنك تغيير المعدل إذا BOM اشير اليها مقابل أي بند DocType: Employee,Previous Work Experience,خبرة العمل السابقة DocType: Stock Entry,For Quantity,لالكمية @@ -2379,7 +2384,7 @@ DocType: SMS Log,No of Requested SMS,رقم رسائل SMS التي طلبت apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,إجازة بدون راتب لا تتطابق مع سجلات نماذج الإجازة الموافق عليها DocType: Campaign,Campaign-.####,حملة # # # # apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,خطوات القادمة -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,يرجى تزويد البنود المحددة بأفضل الأسعار الممكنة +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,يرجى تزويد البنود المحددة بأفضل الأسعار الممكنة DocType: Selling Settings,Auto close Opportunity after 15 days,السيارات فرصة قريبة بعد 15 يوما apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,نهاية السنة apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,كوت / ليد٪ @@ -2436,7 +2441,7 @@ DocType: Homepage,Homepage,الصفحة الرئيسية DocType: Purchase Receipt Item,Recd Quantity,Recd الكمية apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},السجلات رسوم المنشأة - {0} DocType: Asset Category Account,Asset Category Account,حساب فئة الأصل -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},لا يمكن أن تنتج أكثر تفاصيل {0} من المبيعات كمية الطلب {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},لا يمكن أن تنتج أكثر تفاصيل {0} من المبيعات كمية الطلب {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,الحركة المخزنية {0} غير مسجلة DocType: Payment Reconciliation,Bank / Cash Account,البنك حساب / النقدية apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,التالي اتصل بنا عن طريق لا يمكن أن يكون نفس عنوان البريد الإلكتروني الرصاص @@ -2469,7 +2474,7 @@ DocType: Salary Structure,Total Earning,إجمالي الدخل DocType: Purchase Receipt,Time at which materials were received,الوقت الذي وردت المواد DocType: Stock Ledger Entry,Outgoing Rate,أسعار المنتهية ولايته apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,فرع المؤسسة الرئيسية . -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,أو +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,أو DocType: Sales Order,Billing Status,الحالة الفواتير apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,أبلغ عن مشكلة apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,مصاريف فائدة @@ -2477,7 +2482,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,الصف # {0}: إدخال دفتر اليومية {1} لا يكن لديك حساب {2} أو بالفعل يضاهي ضد قسيمة أخرى DocType: Buying Settings,Default Buying Price List,قائمة اسعار الشراء الافتراضية DocType: Process Payroll,Salary Slip Based on Timesheet,كشف الرواتب بناء على سجل التوقيت -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,لا يوجد موظف للمعايير المحددة أعلاه أو كشف راتب تم إنشاؤها مسبقا +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,لا يوجد موظف للمعايير المحددة أعلاه أو كشف راتب تم إنشاؤها مسبقا DocType: Notification Control,Sales Order Message,رسالة اوامر البيع apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",تعيين القيم الافتراضية مثل الشركة، والعملة، والسنة المالية الحالية، وما إلى ذلك. DocType: Payment Entry,Payment Type,الدفع نوع @@ -2501,7 +2506,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,يجب تقديم وثيقة استلام DocType: Purchase Invoice Item,Received Qty,تلقى الكمية DocType: Stock Entry Detail,Serial No / Batch,رقم المسلسل / الدفعة -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,لا المدفوع ويتم تسليم +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,لا المدفوع ويتم تسليم DocType: Product Bundle,Parent Item,البند الاصلي DocType: Account,Account Type,نوع الحساب DocType: Delivery Note,DN-RET-,DN-RET- @@ -2531,8 +2536,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,إجمالي المبلغ المخصص apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,تعيين حساب المخزون الافتراضي للمخزون الدائم DocType: Item Reorder,Material Request Type,طلب نوع المواد -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural إدخال دفتر اليومية للرواتب من {0} إلى {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save",التخزين المحلي هو الكامل، لم ينقذ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural إدخال دفتر اليومية للرواتب من {0} إلى {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",التخزين المحلي هو الكامل، لم ينقذ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,الصف {0}: معامل تحويل وحدة القياس إلزامي apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,المرجع DocType: Budget,Cost Center,مركز التكلفة @@ -2550,7 +2555,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ضر apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","إذا تم اختيار قاعدة التسعير ل 'الأسعار'، فإنه سيتم الكتابة فوق قائمة الأسعار. سعر قاعدة التسعير هو السعر النهائي، لذلك يجب تطبيق أي خصم آخر. وبالتالي، في المعاملات مثل ترتيب المبيعات، طلب شراء غيرها، وسيتم جلبها في الحقل 'تقييم'، بدلا من الحقل ""قائمة الأسعار ""." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,المسار يؤدي حسب نوع الصناعة . DocType: Item Supplier,Item Supplier,البند مزود -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,الرجاء إدخال رمز المدينة للحصول على دفعة لا +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,الرجاء إدخال رمز المدينة للحصول على دفعة لا apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},يرجى تحديد قيمة ل {0} {1} quotation_to apps/erpnext/erpnext/config/selling.py +46,All Addresses.,جميع العناوين. DocType: Company,Stock Settings,إعدادات المخزون @@ -2577,7 +2582,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,الكمية الفعل apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},لا قسيمة الراتب وجدت بين {0} و {1} ,Pending SO Items For Purchase Request,اصناف كتيرة معلقة لطلب الشراء apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,قبول الطلاب -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} معطل {1} +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} معطل {1} DocType: Supplier,Billing Currency,الفواتير العملات DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,كبير جدا @@ -2607,7 +2612,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,حالة الطلب DocType: Fees,Fees,رسوم DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,تحديد سعر الصرف لتحويل عملة إلى أخرى -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,اقتباس {0} تم إلغاء +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,اقتباس {0} تم إلغاء apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,إجمالي المبلغ المستحق DocType: Sales Partner,Targets,أهداف DocType: Price List,Price List Master,قائمة الأسعار ماستر @@ -2624,7 +2629,7 @@ DocType: POS Profile,Ignore Pricing Rule,تجاهل قاعدة التسعير DocType: Employee Education,Graduate,بكالوريوس DocType: Leave Block List,Block Days,الأيام المحظورة DocType: Journal Entry,Excise Entry,الدخول المكوس -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},تحذير: ترتيب المبيعات {0} موجود بالفعل مقابل طلب شراء العميل {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},تحذير: ترتيب المبيعات {0} موجود بالفعل مقابل طلب شراء العميل {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2662,7 +2667,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),إذ ,Salary Register,راتب التسجيل DocType: Warehouse,Parent Warehouse,المستودع الأصل DocType: C-Form Invoice Detail,Net Total,صافي المجموع -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},لم يتم العثور على بوم الافتراضي للعنصر {0} والمشروع {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},لم يتم العثور على بوم الافتراضي للعنصر {0} والمشروع {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,تحديد أنواع القروض المختلفة DocType: Bin,FCFS Rate,FCFS قيم DocType: Payment Reconciliation Invoice,Outstanding Amount,المبلغ المعلقة @@ -2699,7 +2704,7 @@ DocType: Salary Detail,Condition and Formula Help,مساعدة باستخدام apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,إدارة شجرة الإقليم. DocType: Journal Entry Account,Sales Invoice,فاتورة مبيعات DocType: Journal Entry Account,Party Balance,ميزان الحزب -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,الرجاء حدد تطبيق خصم على +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,الرجاء حدد تطبيق خصم على DocType: Company,Default Receivable Account,حساب المقبوضات الافتراضي DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,أنشئ قيد محاسبي إجمالي للرواتب المدفوعة وفقاً للمعايير المحددة أعلاه DocType: Stock Entry,Material Transfer for Manufacture,نقل المواد لتصنيع @@ -2713,7 +2718,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,عنوان العميل DocType: Employee Loan,Loan Details,تفاصيل القرض DocType: Company,Default Inventory Account,حساب المخزون الافتراضي -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,صف {0}: يجب أن تكتمل الكمية أكبر من الصفر. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,صف {0}: يجب أن تكتمل الكمية أكبر من الصفر. DocType: Purchase Invoice,Apply Additional Discount On,تطبيق خصم إضافي على DocType: Account,Root Type,نوع الجذر DocType: Item,FIFO,FIFO @@ -2730,7 +2735,7 @@ DocType: Purchase Invoice Item,Quality Inspection,فحص الجودة apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,اضافية الصغيرة DocType: Company,Standard Template,قالب قياسي DocType: Training Event,Theory,نظرية -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,تحذير : كمية المواد المطلوبة هي أقل من الحد الأدنى للطلب الكمية +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,تحذير : كمية المواد المطلوبة هي أقل من الحد الأدنى للطلب الكمية apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,الحساب {0} مجمّد DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,كيان قانوني / الفرعية مع مخطط مستقل للحسابات تابعة للمنظمة. DocType: Payment Request,Mute Email,كتم البريد الإلكتروني @@ -2754,7 +2759,7 @@ DocType: Training Event,Scheduled,من المقرر apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,طلب للحصول على الاقتباس. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",يرجى تحديد عنصر، حيث قال "هل البند الأسهم" هو "لا" و "هل المبيعات البند" هو "نعم" وليس هناك حزمة المنتجات الأخرى DocType: Student Log,Academic,أكاديمي -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),مجموع مقدما ({0}) ضد النظام {1} لا يمكن أن يكون أكبر من المجموع الكلي ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),مجموع مقدما ({0}) ضد النظام {1} لا يمكن أن يكون أكبر من المجموع الكلي ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,اختر التوزيع الشهري لتوزيع غير متساو أهداف على مدى عدة شهور. DocType: Purchase Invoice Item,Valuation Rate,تقييم قيم DocType: Stock Reconciliation,SR/,ريال سعودى/ @@ -2818,6 +2823,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,أدخل اسم الحملة إذا كان مصدر من التحقيق هو حملة apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,ناشري الصحف apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,اختر السنة المالية +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,يجب أن يكون تاريخ التسليم المتوقع بعد تاريخ أمر المبيعات apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,إعادة ترتيب مستوى DocType: Company,Chart Of Accounts Template,قالب دليل الحسابات DocType: Attendance,Attendance Date,تاريخ الحضور @@ -2849,7 +2855,7 @@ DocType: Pricing Rule,Discount Percentage,نسبة الخصم DocType: Payment Reconciliation Invoice,Invoice Number,رقم الفاتورة DocType: Shopping Cart Settings,Orders,أوامر DocType: Employee Leave Approver,Leave Approver,الموافق علي الاجازات -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,يرجى تحديد دفعة +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,يرجى تحديد دفعة DocType: Assessment Group,Assessment Group Name,اسم المجموعة التقييم DocType: Manufacturing Settings,Material Transferred for Manufacture,المواد المنقولة لغرض صناعة DocType: Expense Claim,"A user with ""Expense Approver"" role","""المستخدم مع صلاحية ""الموافقة علي النفقات" @@ -2885,7 +2891,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,اليوم الأخير من الشهر المقبل DocType: Support Settings,Auto close Issue after 7 days,السيارات قضية وثيقة بعد 7 أيام apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",إجازة لا يمكن تخصيصها قبل {0}، كما كان رصيد الإجازة بالفعل في السجل تخصيص إجازة في المستقبل إعادة توجيهها تحمل {1} -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ملاحظة: نظرا / المرجعي تاريخ يتجاوز المسموح أيام الائتمان العملاء التي كتبها {0} يوم (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ملاحظة: نظرا / المرجعي تاريخ يتجاوز المسموح أيام الائتمان العملاء التي كتبها {0} يوم (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,مقدم الطلب طالب DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,الأصل للمستلم DocType: Asset Category Account,Accumulated Depreciation Account,حساب الاهلاك المتراكم @@ -2896,7 +2902,7 @@ DocType: Item,Reorder level based on Warehouse,مستوى إعادة الطلب DocType: Activity Cost,Billing Rate,أسعار الفواتير ,Qty to Deliver,الكمية للتسليم ,Stock Analytics,تحليلات المخزون -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,عمليات لا يمكن أن تترك فارغة +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,عمليات لا يمكن أن تترك فارغة DocType: Maintenance Visit Purpose,Against Document Detail No,مقابل المستند التفصيلى رقم apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,النوع حزب إلزامي DocType: Quality Inspection,Outgoing,المنتهية ولايته @@ -2937,15 +2943,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,الكمية المتاحة في مستودع apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,مبلغ الفاتورة DocType: Asset,Double Declining Balance,الرصيد المتناقص المزدوج -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,لا يمكن إلغاء النظام المغلق. فتح لإلغاء. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,لا يمكن إلغاء النظام المغلق. فتح لإلغاء. DocType: Student Guardian,Father,الآب -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"تحديث المخزون"" لا يمكن إختياره من مبيعات الأصول الثابته""" +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"تحديث المخزون"" لا يمكن إختياره من مبيعات الأصول الثابته""" DocType: Bank Reconciliation,Bank Reconciliation,تسوية البنك DocType: Attendance,On Leave,في إجازة apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,الحصول على التحديثات apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: الحساب {2} لا ينتمي إلى شركة {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,طلب المواد {0} تم إلغاء أو توقف -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,إضافة بعض السجلات عينة +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,إضافة بعض السجلات عينة apps/erpnext/erpnext/config/hr.py +301,Leave Management,إدارة تصاريح الخروج apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,مجموعة بواسطة حساب DocType: Sales Order,Fully Delivered,سلمت بالكامل @@ -2954,12 +2960,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","حساب الفروقات سجب ان يكون نوع حساب الأصول / الخصوم, بحيث مطابقة المخزون بأدخال الأفتتاحي" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},المبلغ صرف لا يمكن أن يكون أكبر من مبلغ القرض {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},مطلوب رقم امر الشراء للصنف {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,إنتاج النظام لم يخلق +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,إنتاج النظام لم يخلق apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""من تاريخ "" يجب أن يكون بعد "" إلى تاريخ """ apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},لا يمكن تغيير الوضع كطالب {0} يرتبط مع تطبيق الطالب {1} DocType: Asset,Fully Depreciated,استهلكت بالكامل ,Stock Projected Qty,كمية المخزون المتوقعة -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},العميل{0} لا تنتمي لمشروع {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},العميل{0} لا تنتمي لمشروع {1} DocType: Employee Attendance Tool,Marked Attendance HTML,تم تسجيل حضور HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",الاقتباسات هي المقترحات، والعطاءات التي تم إرسالها لعملائك DocType: Sales Order,Customer's Purchase Order,طلب شراء الزبون @@ -2969,7 +2975,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,الرجاء تعيين عدد من التلفيات حجز apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,القيمة أو الكمية apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,لا يمكن أن تثار أوامر الإنتاج من أجل: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,دقيقة +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,دقيقة DocType: Purchase Invoice,Purchase Taxes and Charges,الضرائب والرسوم الشراء ,Qty to Receive,الكمية للاستلام DocType: Leave Block List,Leave Block List Allowed,قائمة اجازات محظورة مفعلة @@ -2982,7 +2988,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,جميع أنواع الموردين DocType: Global Defaults,Disable In Words,تعطيل في الكلمات apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,كود البند إلزامي لأن السلعة بسهولة و غير مرقمة تلقائيا -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},اقتباس {0} ليست من نوع {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},اقتباس {0} ليست من نوع {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,صيانة جدول السلعة DocType: Sales Order,% Delivered,تم إيصاله٪ DocType: Production Order,PRO-,الموالية @@ -3006,7 +3012,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,البريد الإلكتروني للبائع DocType: Project,Total Purchase Cost (via Purchase Invoice),مجموع تكلفة الشراء (عن طريق شراء الفاتورة) DocType: Training Event,Start Time,توقيت البدء -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,إختيار الكمية +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,إختيار الكمية DocType: Customs Tariff Number,Customs Tariff Number,رقم التعريفة الجمركية apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,الموافقة دور لا يمكن أن يكون نفس دور القاعدة تنطبق على apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,إلغاء الاشتراك من هذا البريد الإلكتروني دايجست @@ -3030,7 +3036,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR التفاصيل DocType: Sales Order,Fully Billed,وصفت تماما apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,نقد في الصندوق -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},مستودع تسليم المطلوب للبند الأوراق المالية {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},مستودع تسليم المطلوب للبند الأوراق المالية {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),الوزن الكلي للحزمة. الوزن الصافي عادة + تغليف المواد الوزن. (للطباعة) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,برنامج DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,يسمح للمستخدمين مع هذا الدور لضبط الحسابات المجمدة و إنشاء / تعديل القيود المحاسبية على حسابات مجمدة @@ -3039,7 +3045,7 @@ DocType: Student Group,Group Based On,المجموعة بناء على DocType: Journal Entry,Bill Date,تاريخ الفاتورة apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required",خدمة البند، نوع، تردد و حساب المبلغ المطلوبة apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",حتى لو كانت هناك قوانين التسعير متعددة مع الأولوية نفسها، يتم تطبيق الأولويات الداخلية كالتالي: -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},هل تريد حقا الموافقة على كل كشوفات الرواتب من {0} إلى {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},هل تريد حقا الموافقة على كل كشوفات الرواتب من {0} إلى {1} DocType: Cheque Print Template,Cheque Height,ارتفاع الصك DocType: Supplier,Supplier Details,تفاصيل المورد DocType: Expense Claim,Approval Status,حالة القبول @@ -3061,7 +3067,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,تؤدي إلى ال apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,لا شيء أكثر لإظهار. DocType: Lead,From Customer,من العملاء apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,المكالمات -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,دفعات +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,دفعات DocType: Project,Total Costing Amount (via Time Logs),المبلغ الكلي التكاليف (عبر الزمن سجلات) DocType: Purchase Order Item Supplied,Stock UOM,وحدة قياس السهم apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,امر الشراء {0} لم يرحل @@ -3092,7 +3098,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,العودة ضد شر DocType: Item,Warranty Period (in days),فترة الضمان (بالأيام) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,العلاقة مع Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,صافي التدفقات النقدية من العمليات -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,على سبيل المثال الضريبة +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,على سبيل المثال الضريبة apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,البند 4 DocType: Student Admission,Admission End Date,تاريخ انتهاء القبول apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,التعاقد من الباطن @@ -3100,7 +3106,7 @@ DocType: Journal Entry Account,Journal Entry Account,حساب إدخال الق apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,المجموعة الطلابية DocType: Shopping Cart Settings,Quotation Series,سلسلة تسعيرات apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",يوجد صنف بنفس الإسم ( {0} ) ، الرجاء تغيير اسم مجموعة الصنف أو إعادة تسمية هذا الصنف -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,الرجاء تحديد العملاء +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,الرجاء تحديد العملاء DocType: C-Form,I,أنا DocType: Company,Asset Depreciation Cost Center,مركز تكلفة إستهلاك الأصول DocType: Sales Order Item,Sales Order Date,تاريخ اوامر البيع @@ -3111,6 +3117,7 @@ DocType: Stock Settings,Limit Percent,الحد في المئة ,Payment Period Based On Invoice Date,طريقة الدفع بناء على تاريخ الفاتورة apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},في عداد المفقودين أسعار صرف العملات ل{0} DocType: Assessment Plan,Examiner,محقق +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية ل {0} عبر الإعداد> إعدادات> تسمية السلسلة DocType: Student,Siblings,الأخوة والأخوات DocType: Journal Entry,Stock Entry,إدخال مخزون DocType: Payment Entry,Payment References,المراجع الدفع @@ -3135,7 +3142,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,حيث تتم عمليات التصنيع. DocType: Asset Movement,Source Warehouse,مصدر مستودع DocType: Installation Note,Installation Date,تثبيت تاريخ -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},الصف # {0}: الأصول {1} لا تنتمي إلى شركة {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},الصف # {0}: الأصول {1} لا تنتمي إلى شركة {2} DocType: Employee,Confirmation Date,تاريخ تأكيد التسجيل DocType: C-Form,Total Invoiced Amount,إجمالي مبلغ الفاتورة apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,الحد الأدنى من الكمية لا يمكن أن تكون أكبر من الحد الاعلى من الكمية @@ -3208,7 +3215,7 @@ DocType: Company,Default Letter Head,افتراضي رأس الرسالة DocType: Purchase Order,Get Items from Open Material Requests,الحصول على عناصر من طلبات فتح المواد DocType: Item,Standard Selling Rate,مستوى البيع السعر DocType: Account,Rate at which this tax is applied,المعدل الذي يتم تطبيق هذه الضريبة -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,إعادة ترتيب الكميه +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,إعادة ترتيب الكميه apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,فرص العمل الحالية DocType: Company,Stock Adjustment Account,حساب تسوية الأوراق المالية apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,لا تصلح @@ -3222,7 +3229,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,المورد يسلم للعميل apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# نموذج / البند / {0}) هو من المخزون apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,يجب أن يكون التاريخ القادم أكبر من تاريخ النشر -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},المقرر / المرجع تاريخ لا يمكن أن يكون بعد {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},المقرر / المرجع تاريخ لا يمكن أن يكون بعد {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,استيراد وتصدير البيانات apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,أي طالب يتم العثور apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,الفاتورة تاريخ النشر @@ -3242,12 +3249,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ويستند هذا على حضور هذا الطالب apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,لا يوجد طلاب في apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,إضافة المزيد من العناصر أو إستمارة كاملة مفتوح -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"يرجى إدخال "" التاريخ المتوقع تسليم '" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,تسليم ملاحظات {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,تسليم ملاحظات {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,المبلغ المدفوع + شطب المبلغ لا يمكن أن يكون أكبر من المجموع الكلي apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ليس رقم الدفعة صالحة للصنف {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},ملاحظة: لا يوجد رصيد إجازة كاف لنوع الإجازة {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,غستين غير صالح أو أدخل نا لغير المسجلين +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,غستين غير صالح أو أدخل نا لغير المسجلين DocType: Training Event,Seminar,ندوة DocType: Program Enrollment Fee,Program Enrollment Fee,رسوم التسجيل برنامج DocType: Item,Supplier Items,المورد الأصناف @@ -3265,7 +3271,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,الأسهم شيخوخة apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},طالب {0} موجودة ضد طالب طالب {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,ساعات العمل -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' معطل +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' معطل apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,على النحو المفتوحة DocType: Cheque Print Template,Scanned Cheque,الممسوحة ضوئيا شيك DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,إرسال رسائل البريد الإلكتروني التلقائي لاتصالات على المعاملات تقديم. @@ -3311,7 +3317,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,معدل سعر صرف قائمة DocType: Purchase Invoice Item,Rate,معدل apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,المتدرب -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,اسم عنوان +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,اسم عنوان DocType: Stock Entry,From BOM,من BOM DocType: Assessment Code,Assessment Code,كود التقييم apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,الأساسية @@ -3324,20 +3330,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,هيكل المرتبات DocType: Account,Bank,مصرف apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,شركة الطيران -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,قضية المواد +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,قضية المواد DocType: Material Request Item,For Warehouse,لمستودع DocType: Employee,Offer Date,تاريخ العرض apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,الاقتباسات -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,كنت في وضع غير متصل بالشبكة. أنت لن تكون قادرة على تحميل حتى يكون لديك شبكة +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,كنت في وضع غير متصل بالشبكة. أنت لن تكون قادرة على تحميل حتى يكون لديك شبكة apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,لا مجموعات الطلاب خلقت. DocType: Purchase Invoice Item,Serial No,رقم المسلسل apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,السداد الشهري المبلغ لا يمكن أن يكون أكبر من مبلغ القرض apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,الرجاء إدخال تفاصيل أول من Maintaince +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,الصف # {0}: تاريخ التسليم المتوقع لا يمكن أن يكون قبل تاريخ أمر الشراء DocType: Purchase Invoice,Print Language,لغة الطباعة DocType: Salary Slip,Total Working Hours,مجموع ساعات العمل DocType: Stock Entry,Including items for sub assemblies,بما في ذلك السلع للمجموعات الفرعية -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,يجب أن يكون إدخال قيمة ايجابية -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,رمز البند> مجموعة المنتجات> العلامة التجارية +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,يجب أن يكون إدخال قيمة ايجابية apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,جميع الأقاليم DocType: Purchase Invoice,Items,البنود apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,والتحق بالفعل طالب. @@ -3359,7 +3365,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',وحدة القياس الافتراضية للخيار '{0}' يجب أن يكون نفس في قالب '{1}' DocType: Shipping Rule,Calculate Based On,إحسب الربح بناء على DocType: Delivery Note Item,From Warehouse,من مستودع -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,لا الأصناف مع بيل من مواد لتصنيع +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,لا الأصناف مع بيل من مواد لتصنيع DocType: Assessment Plan,Supervisor Name,اسم المشرف DocType: Program Enrollment Course,Program Enrollment Course,دورة التسجيل في البرنامج DocType: Purchase Taxes and Charges,Valuation and Total,التقييم وتوتال @@ -3374,32 +3380,33 @@ DocType: Training Event Employee,Attended,حضر apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""عدد الأيام منذ آخر طلب "" يجب أن تكون أكبر من أو تساوي الصفر" DocType: Process Payroll,Payroll Frequency,الدورة الزمنية لدفع الرواتب DocType: Asset,Amended From,عدل من -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,المواد الخام +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,المواد الخام DocType: Leave Application,Follow via Email,متابعة عبر البريد الإلكتروني apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,النباتات والأجهزة DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,المبلغ الضريبي بعد خصم المبلغ DocType: Daily Work Summary Settings,Daily Work Summary Settings,ملخص إعدادات العمل اليومي -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},عملة قائمة الأسعار {0} ليست مماثلة مع العملة المختارة {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},عملة قائمة الأسعار {0} ليست مماثلة مع العملة المختارة {1} DocType: Payment Entry,Internal Transfer,نقل داخلي apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,الحساب الفرعي موجود لهذا الحساب . لا يمكن الغاء الحساب. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,إما الكمية المستهدفة أو المبلغ المستهدف إلزامي apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},لا توجد BOM الافتراضي القطعة ل {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,يرجى تحديد تاريخ النشر لأول مرة +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,يرجى تحديد تاريخ النشر لأول مرة apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,يجب فتح التسجيل يكون قبل تاريخ الإنتهاء DocType: Leave Control Panel,Carry Forward,المضي قدما apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,مركز التكلفة مع المعاملات القائمة لا يمكن تحويلها إلى دفتر الأستاذ DocType: Department,Days for which Holidays are blocked for this department.,أيام العطلات غير المسموح بأخذ إجازة فيها لهذا القسم ,Produced,أنتجت -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,إنشاء كشوفات الرواتب +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,إنشاء كشوفات الرواتب DocType: Item,Item Code for Suppliers,رمز السلعة للموردين DocType: Issue,Raised By (Email),التي أثارها (بريد إلكتروني) DocType: Training Event,Trainer Name,اسم المدرب DocType: Mode of Payment,General,عام apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,آخر الاتصالات apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',لا يمكن أن تقتطع اذا كانت الفئة هي ل ' التقييم ' أو ' تقييم والمجموع ' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",قائمة رؤساء الضريبية الخاصة بك (على سبيل المثال ضريبة القيمة المضافة والجمارك وما إلى ذلك؛ ينبغي أن يكون أسماء فريدة) ومعدلاتها القياسية. وهذا خلق نموذج موحد، والتي يمكنك تعديل وإضافة المزيد لاحقا. +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",قائمة رؤساء الضريبية الخاصة بك (على سبيل المثال ضريبة القيمة المضافة والجمارك وما إلى ذلك؛ ينبغي أن يكون أسماء فريدة) ومعدلاتها القياسية. وهذا خلق نموذج موحد، والتي يمكنك تعديل وإضافة المزيد لاحقا. apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},مسلسل نص مطلوب لل مسلسل البند {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,سداد الفواتير من التحصيلات +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},الصف # {0}: الرجاء إدخال تاريخ التسليم مقابل البند {1} DocType: Journal Entry,Bank Entry,حركة بنكية DocType: Authorization Rule,Applicable To (Designation),تنطبق على (تعيين) ,Profitability Analysis,تحليل الربحية @@ -3415,17 +3422,18 @@ DocType: Quality Inspection,Item Serial No,الرقم التسلسلي للسل apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,إنشاء سجلات الموظفين apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,إجمالي الحضور apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,القوائم المالية -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,الساعة +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,الساعة apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,المسلسل الجديد غير ممكن للمستودع . يجب ان يكون المستودع مجهز من حركة المخزون او المشتريات المستلمة DocType: Lead,Lead Type,نوع مبادرة البيع apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,غير مصرح لك الموافقة على المغادرات التي في التواريخ المحظورة -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,لقد تم من قبل فوترت جميع الأصناف +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,لقد تم من قبل فوترت جميع الأصناف +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,هدف المبيعات الشهرية apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},يمكن أن يكون وافق عليها {0} DocType: Item,Default Material Request Type,افتراضي مادة نوع الطلب apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,غير معروف DocType: Shipping Rule,Shipping Rule Conditions,شروط قاعدة الشحن DocType: BOM Replace Tool,The new BOM after replacement,وBOM الجديدة بعد استبدال -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,نقااط البيع +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,نقااط البيع DocType: Payment Entry,Received Amount,المبلغ الوارد DocType: GST Settings,GSTIN Email Sent On,غستن تم إرسال البريد الإلكتروني DocType: Program Enrollment,Pick/Drop by Guardian,اختيار / قطرة من قبل الجارديان @@ -3440,8 +3448,8 @@ DocType: C-Form,Invoices,الفواتير DocType: Batch,Source Document Name,اسم المستند المصدر DocType: Job Opening,Job Title,المسمى الوظيفي apps/erpnext/erpnext/utilities/activation.py +97,Create Users,إنشاء المستخدمين -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,قرام -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,يجب أن تكون الكمية لصنع أكبر من 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,قرام +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,يجب أن تكون الكمية لصنع أكبر من 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,تقرير زيارة للدعوة الصيانة. DocType: Stock Entry,Update Rate and Availability,معدل التحديث والتوفر DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,النسبة المئوية يسمح لك لتلقي أو تقديم المزيد من ضد الكمية المطلوبة. على سبيل المثال: إذا كنت قد أمرت 100 وحدة. و10٪ ثم يسمح بدل الخاص بك لتلقي 110 وحدة. @@ -3453,7 +3461,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,فضلا اشطب قاتورة المشتريات {0} أولا apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",يجب أن يكون عنوان البريد الإلكتروني فريدة من نوعها، موجود بالفعل ل{0} DocType: Serial No,AMC Expiry Date,AMC تاريخ انتهاء الاشتراك -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,إيصال +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,إيصال ,Sales Register,سجل مبيعات DocType: Daily Work Summary Settings Company,Send Emails At,إرسال رسائل البريد الإلكتروني في DocType: Quotation,Quotation Lost Reason,خسارة التسعيرة بسبب @@ -3466,14 +3474,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,لا العم apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,بيان التدفقات النقدية apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},مبلغ القرض لا يمكن أن يتجاوز مبلغ القرض الحد الأقصى ل{0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,رخصة -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},الرجاء إزالة هذا فاتورة {0} من C-نموذج {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},الرجاء إزالة هذا فاتورة {0} من C-نموذج {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,الرجاء تحديد المضي قدما إذا كنت تريد ان تتضمن اجازات السنة السابقة DocType: GL Entry,Against Voucher Type,مقابل نوع قسيمة DocType: Item,Attributes,سمات apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,الرجاء إدخال شطب الحساب apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,تاريخ آخر أمر apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},الحساب {0} لا ينتمي إلى الشركة {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,لا تتطابق الأرقام التسلسلية في الصف {0} مع ملاحظة التسليم +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,لا تتطابق الأرقام التسلسلية في الصف {0} مع ملاحظة التسليم DocType: Student,Guardian Details,تفاصيل ولي الأمر DocType: C-Form,C-Form,نموذج C- apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,وضع علامة الحضور لعدة موظفين @@ -3505,16 +3513,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,أ DocType: Tax Rule,Sales,مبيعات DocType: Stock Entry Detail,Basic Amount,المبلغ الأساسي DocType: Training Event,Exam,امتحان -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},مستودع الأسهم المطلوبة لل تفاصيل {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},مستودع الأسهم المطلوبة لل تفاصيل {0} DocType: Leave Allocation,Unused leaves,إجازات غير مستخدمة -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,كر +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,كر DocType: Tax Rule,Billing State,الدولة الفواتير apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,نقل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} لا يرتبط مع حساب الطرف {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),جلب BOM انفجرت (بما في ذلك المجالس الفرعية) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),جلب BOM انفجرت (بما في ذلك المجالس الفرعية) DocType: Authorization Rule,Applicable To (Employee),تنطبق على (موظف) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,يرجع تاريخ إلزامي apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,الاضافة للسمة {0} لا يمكن أن يكون 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,العميل> مجموعة العملاء> الإقليم DocType: Journal Entry,Pay To / Recd From,دفع إلى / من Recd DocType: Naming Series,Setup Series,إعداد الترقيم المتسلسل DocType: Payment Reconciliation,To Invoice Date,إلى تاريخ الفاتورة @@ -3541,7 +3550,7 @@ DocType: Journal Entry,Write Off Based On,شطب بناء على apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,جعل الرصاص apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,طباعة وقرطاسية DocType: Stock Settings,Show Barcode Field,مشاهدة الباركود الميدان -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,إرسال رسائل البريد الإلكتروني مزود +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,إرسال رسائل البريد الإلكتروني مزود apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",الراتب تمت انجازه بالفعل للفترة بين {0} و {1}،طلب اجازة لا يمكن أن تكون بين هذا النطاق الزمني. apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,سجل لتثبيت الرقم التسلسلي DocType: Guardian Interest,Guardian Interest,الجارديان الفائدة @@ -3554,7 +3563,7 @@ DocType: Offer Letter,Awaiting Response,انتظار الرد apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,فوق apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},السمة غير صالحة {0} {1} DocType: Supplier,Mention if non-standard payable account,أذكر إذا كان الحساب غير القياسي مستحق الدفع -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},تم إدخال نفس العنصر عدة مرات. {قائمة} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},تم إدخال نفس العنصر عدة مرات. {قائمة} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',يرجى اختيار مجموعة التقييم بخلاف "جميع مجموعات التقييم" DocType: Salary Slip,Earning & Deduction,الكسب و الخصم apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختياري . سيتم استخدام هذا الإعداد لتصفية في المعاملات المختلفة. @@ -3573,7 +3582,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,تكلفة الأصول ملغى apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: مركز التكلفة إلزامي للصنف {2} DocType: Vehicle,Policy No,السياسة لا -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,الحصول على أصناف من حزمة المنتج +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,الحصول على أصناف من حزمة المنتج DocType: Asset,Straight Line,خط مستقيم DocType: Project User,Project User,المشروع العضو apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,انشق، مزق @@ -3585,6 +3594,7 @@ DocType: Sales Team,Contact No.,الاتصال رقم DocType: Bank Reconciliation,Payment Entries,مقالات الدفع DocType: Production Order,Scrap Warehouse,الخردة مستودع DocType: Production Order,Check if material transfer entry is not required,تحقق مما إذا كان إدخال نقل المواد غير مطلوب +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,الرجاء الإعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية DocType: Program Enrollment Tool,Get Students From,الحصول على الطلاب من DocType: Hub Settings,Seller Country,بلد البائع apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,نشر عناصر على الموقع @@ -3602,19 +3612,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,تحديد شروط لحساب كمية الشحن DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,دور السماح للتعيين الحسابات المجمدة وتحرير مقالات المجمدة apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,لا يمكن تحويل مركز التكلفة إلى دفتر الأستاذ كما فعلت العقد التابعة -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,القيمة افتتاح +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,القيمة افتتاح DocType: Salary Detail,Formula,صيغة apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,المسلسل # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,عمولة على المبيعات DocType: Offer Letter Term,Value / Description,القيمة / الوصف -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",الصف # {0}: الأصول {1} لا يمكن أن تقدم، هو بالفعل {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",الصف # {0}: الأصول {1} لا يمكن أن تقدم، هو بالفعل {2} DocType: Tax Rule,Billing Country,بلد إرسال الفواتير DocType: Purchase Order Item,Expected Delivery Date,تاريخ التسليم المتوقع apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,الخصم والائتمان لا يساوي ل{0} # {1}. الفرق هو {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,مصاريف الترفيه apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,جعل المواد طلب apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},فتح عنصر {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,فاتورة المبيعات {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,فاتورة المبيعات {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,عمر DocType: Sales Invoice Timesheet,Billing Amount,قيمة الفواتير apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,كمية غير صالحة المحدد لمادة {0} . يجب أن تكون كمية أكبر من 0. @@ -3637,7 +3647,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,إيرادات العملاء الجدد apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,مصاريف السفر DocType: Maintenance Visit,Breakdown,انهيار -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,الحساب: {0} مع العملة: {1} لا يمكن اختياره +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,الحساب: {0} مع العملة: {1} لا يمكن اختياره DocType: Bank Reconciliation Detail,Cheque Date,تاريخ الشيك apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},الحساب {0}: حسابه الرئيسي {1} لا ينتمي إلى الشركة: {2} DocType: Program Enrollment Tool,Student Applicants,المتقدمين طالب @@ -3657,11 +3667,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,تخط DocType: Material Request,Issued,نشر apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,نشاط الطالب DocType: Project,Total Billing Amount (via Time Logs),المبلغ الكلي الفواتير (عبر الزمن سجلات) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,نبيع هذه القطعة +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,نبيع هذه القطعة apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,المورد رقم DocType: Payment Request,Payment Gateway Details,تفاصيل الدفع بوابة -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,وينبغي أن تكون كمية أكبر من 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,نموذج البيانات +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,وينبغي أن تكون كمية أكبر من 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,نموذج البيانات DocType: Journal Entry,Cash Entry,الدخول النقدية apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,العقد التابعة يمكن أن تنشأ إلا في إطار العقد نوع 'المجموعة' DocType: Leave Application,Half Day Date,تاريخ نصف اليوم @@ -3670,17 +3680,18 @@ DocType: Sales Partner,Contact Desc,الاتصال التفاصيل apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.",نوع الإجازة مثل اضطرارية، مرضية الخ. DocType: Email Digest,Send regular summary reports via Email.,إرسال تقارير موجزة منتظمة عبر البريد الإلكتروني. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},الرجاء تعيين الحساب الافتراضي في نوع المطالبة النفقات {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},الرجاء تعيين الحساب الافتراضي في نوع المطالبة النفقات {0} DocType: Assessment Result,Student Name,أسم الطالب DocType: Brand,Item Manager,مدير السلعة apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,الرواتب مستحقة الدفع DocType: Buying Settings,Default Supplier Type,الافتراضي مزود نوع DocType: Production Order,Total Operating Cost,إجمالي تكاليف التشغيل -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,ملاحظة : البند {0} دخلت عدة مرات +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,ملاحظة : البند {0} دخلت عدة مرات apps/erpnext/erpnext/config/selling.py +41,All Contacts.,جميع جهات الاتصال. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,تعيين الهدف الخاص بك apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,اختصار الشركة apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,المستخدم {0} غير موجود -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,المواد الخام لا يمكن أن يكون نفس البند الرئيسي +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,المواد الخام لا يمكن أن يكون نفس البند الرئيسي DocType: Item Attribute Value,Abbreviation,اسم مختصر apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,الدفع دخول موجود بالفعل apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,لا أوثرويزيد منذ {0} يتجاوز الحدود @@ -3698,7 +3709,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,دور الأليفة ,Territory Target Variance Item Group-Wise,الأراضي المستهدفة الفرق البند المجموعة الحكيم apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,جميع مجموعات العملاء apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,مجمع الشهري -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} إلزامي. ربما أنه لم يتم إنشاء سجل سعر صرف العملة ل{1} إلى {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} إلزامي. ربما أنه لم يتم إنشاء سجل سعر صرف العملة ل{1} إلى {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,قالب الضرائب إلزامي. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,الحساب {0}: حسابه الرئيسي {1} غير موجود DocType: Purchase Invoice Item,Price List Rate (Company Currency),قائمة الأسعار معدل (عملة الشركة) @@ -3709,7 +3720,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,نسبة توزي apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,أمين DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",إذا تعطيل، "في كلمة" الحقل لن تكون مرئية في أي صفقة DocType: Serial No,Distinct unit of an Item,وحدة متميزة من عنصر -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,يرجى تعيين الشركة +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,يرجى تعيين الشركة DocType: Pricing Rule,Buying,شراء DocType: HR Settings,Employee Records to be created by,سجلات الموظفين المراد إنشاؤها من قبل DocType: POS Profile,Apply Discount On,تطبيق خصم على @@ -3720,7 +3731,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,الحكيم البند ضريبة التفاصيل apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,اختصار معهد ,Item-wise Price List Rate,معدل قائمة الأسعار للصنف -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,اقتباس المورد +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,اقتباس المورد DocType: Quotation,In Words will be visible once you save the Quotation.,وبعبارة تكون مرئية بمجرد حفظ اقتباس. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},الكمية ({0}) لا يمكن أن تكون جزءا من الصف {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,جمع الرسوم @@ -3744,7 +3755,7 @@ Updated via 'Time Log'","في دقائق DocType: Customer,From Lead,من العميل المحتمل apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,أوامر الإفراج عن الإنتاج. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,اختر السنة المالية ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS الملف المطلوب لجعل الدخول POS +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS الملف المطلوب لجعل الدخول POS DocType: Program Enrollment Tool,Enroll Students,تسجيل الطلاب DocType: Hub Settings,Name Token,اسم رمز apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,البيع القياسية @@ -3762,7 +3773,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,فرق قيمة المخزو apps/erpnext/erpnext/config/learn.py +234,Human Resource,الموارد البشرية DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,دفع المصالحة الدفع apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,الأصول الضريبية -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},كان طلب الإنتاج {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},كان طلب الإنتاج {0} DocType: BOM Item,BOM No,رقم فاتورة المواد DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,إدخال دفتر اليومية {0} ليس لديه حساب {1} أو بالفعل يقابل ضد قسيمة أخرى @@ -3776,7 +3787,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,رفع apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,آمت المتميز DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,تحديد أهداف المجموعة السلعة الحكيم لهذا الشخص المبيعات. DocType: Stock Settings,Freeze Stocks Older Than [Days],تجميد الأرصدة أقدم من [ أيام] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,الصف # {0}: الأصول إلزامي لشراء الأصول الثابتة / بيع +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,الصف # {0}: الأصول إلزامي لشراء الأصول الثابتة / بيع apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","اذا كانت اثنتان او اكثر من قواعد الاسعار مبنية على الشروط المذكورة فوق, الاولوية تطبق. الاولوية هي رقم بين 0 و 20 والقيمة الافتراضية هي 0. القيمة الاعلى تعني انها ستاخذ الاولوية عندما يكون هناك قواعد أسعار بنفس الشروط." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,السنة المالية: {0} لا موجود DocType: Currency Exchange,To Currency,إلى العملات @@ -3784,7 +3795,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,أنواع النفقات المطلوبة. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},سعر البيع للبند {0} أقل من {1}. يجب أن يكون سعر البيع على الأقل {2} DocType: Item,Taxes,الضرائب -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,دفعت ولم يتم تسليمها +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,دفعت ولم يتم تسليمها DocType: Project,Default Cost Center,مركز التكلفة الافتراضي DocType: Bank Guarantee,End Date,نهاية التاريخ apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,قيود المخزون @@ -3801,7 +3812,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,ملخص إعدادات العمل اليومي للشركة apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,البند {0} تجاهلها لأنه ليس بند الأوراق المالية DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,يقدم هذا ترتيب الإنتاج لمزيد من المعالجة . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,يقدم هذا ترتيب الإنتاج لمزيد من المعالجة . apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",للا ينطبق قاعدة التسعير في معاملة معينة، يجب تعطيل جميع قوانين التسعير المعمول بها. DocType: Assessment Group,Parent Assessment Group,المجموعة تقييم الوالدين apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,وظائف @@ -3809,10 +3820,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,وظائف DocType: Employee,Held On,عقدت في apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,إنتاج البند ,Employee Information,معلومات الموظف -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),معدل ( ٪ ) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),معدل ( ٪ ) DocType: Stock Entry Detail,Additional Cost,تكلفة إضافية apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",لا يمكن التصفية استناداعلى رقم القسيمة، إذا تم تجميعها حسب القسيمة -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,أنشئ تسعيرة مورد +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,أنشئ تسعيرة مورد DocType: Quality Inspection,Incoming,الوارد DocType: BOM,Materials Required (Exploded),المواد المطلوبة (انفجرت) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",إضافة مستخدمين إلى مؤسستك، وغيرها من نفسك @@ -3828,7 +3839,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,الحساب: {0} لا يمكن إلا أن يتم تحديثه عن طريق المعاملات المالية DocType: Student Group Creation Tool,Get Courses,الحصول على دورات DocType: GL Entry,Party,الطرف -DocType: Sales Order,Delivery Date,تاريخ التسليم +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,تاريخ التسليم DocType: Opportunity,Opportunity Date,تاريخ الفرصة DocType: Purchase Receipt,Return Against Purchase Receipt,العودة ضد شراء إيصال DocType: Request for Quotation Item,Request for Quotation Item,طلب تسعيرة البند @@ -3842,7 +3853,7 @@ DocType: Task,Actual Time (in Hours),الوقت الفعلي (بالساعات) DocType: Employee,History In Company,الحركة التاريخيه في الشركة apps/erpnext/erpnext/config/learn.py +107,Newsletters,النشرات الإخبارية DocType: Stock Ledger Entry,Stock Ledger Entry,حركة سجل المخزن -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,تم إدخال البند نفسه عدة مرات +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,تم إدخال البند نفسه عدة مرات DocType: Department,Leave Block List,قائمة الإجازات المحظورة DocType: Sales Invoice,Tax ID,البطاقة الضريبية apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,البند {0} ليس الإعداد ل مسلسل رقم العمود يجب أن يكون فارغا @@ -3860,25 +3871,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,أسود DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Item DocType: Account,Auditor,مدقق حسابات -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0}العناصر المنتجه +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0}العناصر المنتجه DocType: Cheque Print Template,Distance from top edge,المسافة من الحافة العلوية apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,قائمة الأسعار {0} تعطيل أو لا وجود لها DocType: Purchase Invoice,Return,عودة DocType: Production Order Operation,Production Order Operation,أمر الإنتاج عملية DocType: Pricing Rule,Disable,تعطيل -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,طريقة الدفع مطلوبة لإجراء الدفع +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,طريقة الدفع مطلوبة لإجراء الدفع DocType: Project Task,Pending Review,في انتظار المراجعة apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} غير مسجل في الدفعة {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",الأصول {0} لا يمكن تفكيكها، كما هو بالفعل {1} DocType: Task,Total Expense Claim (via Expense Claim),مجموع المطالبة المصاريف (عبر مطالبات مصاريف) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,حدد الغائب -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},صف {0}: عملة BOM # {1} يجب أن تكون مساوية العملة المختارة {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},صف {0}: عملة BOM # {1} يجب أن تكون مساوية العملة المختارة {2} DocType: Journal Entry Account,Exchange Rate,سعر الصرف -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,اوامر البيع {0} لم ترسل +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,اوامر البيع {0} لم ترسل DocType: Homepage,Tag Line,شعار DocType: Fee Component,Fee Component,مكون رسوم apps/erpnext/erpnext/config/hr.py +195,Fleet Management,إدارة سريعة -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,إضافة عناصر من +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,إضافة عناصر من DocType: Cheque Print Template,Regular,منتظم apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,يجب أن يكون الترجيح الكلي لجميع معايير التقييم 100٪ DocType: BOM,Last Purchase Rate,أخر سعر توريد @@ -3899,12 +3910,12 @@ DocType: Employee,Reports to,إرسال التقارير إلى DocType: SMS Settings,Enter url parameter for receiver nos,ادخل معامل العنوان لمشغل شبكة المستقبل DocType: Payment Entry,Paid Amount,المبلغ المدفوع DocType: Assessment Plan,Supervisor,مشرف -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,على الانترنت +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,على الانترنت ,Available Stock for Packing Items,المخزون المتاج للأصناف المعبأة DocType: Item Variant,Item Variant,السلعة البديلة DocType: Assessment Result Tool,Assessment Result Tool,أداة نتيجة التقييم DocType: BOM Scrap Item,BOM Scrap Item,BOM خردة البند -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,لا يمكن حذف أوامر المقدمة +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,لا يمكن حذف أوامر المقدمة apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","رصيد حساب بالفعل في الخصم، لا يسمح لك تعيين ""الرصيد يجب أن يكون 'ك' الائتمان '" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,إدارة الجودة apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,تم تعطيل البند {0} @@ -3935,7 +3946,7 @@ DocType: Item Group,Default Expense Account,حساب النفقات الإفتر apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,طالب معرف البريد الإلكتروني DocType: Employee,Notice (days),إشعار (أيام ) DocType: Tax Rule,Sales Tax Template,قالب ضريبة المبيعات -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,تحديد عناصر لحفظ الفاتورة +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,تحديد عناصر لحفظ الفاتورة DocType: Employee,Encashment Date,تاريخ التحصيل DocType: Training Event,Internet,الإنترنت DocType: Account,Stock Adjustment,الأسهم التكيف @@ -3983,10 +3994,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,إيف apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,أعلى خصم مسموح به للمنتج : {0} هو {1}٪ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,صافي قيمة الأصول كما في DocType: Account,Receivable,القبض -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,الصف # {0}: غير مسموح لتغيير مورد السلعة كما طلب شراء موجود بالفعل +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,الصف # {0}: غير مسموح لتغيير مورد السلعة كما طلب شراء موجود بالفعل DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,الدور الذي يسمح بتقديم المعاملات التي تتجاوز حدود الائتمان تعيين. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,حدد العناصر لتصنيع -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",مزامنة البيانات الرئيسية، قد يستغرق بعض الوقت +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,حدد العناصر لتصنيع +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",مزامنة البيانات الرئيسية، قد يستغرق بعض الوقت DocType: Item,Material Issue,صرف مواد DocType: Hub Settings,Seller Description,وصف البائع DocType: Employee Education,Qualification,المؤهل @@ -4007,11 +4018,10 @@ DocType: BOM,Rate Of Materials Based On,معدل المواد التي تقوم apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics الدعم apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,الغاء الكل DocType: POS Profile,Terms and Conditions,الشروط والأحكام -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,الرجاء الإعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},إلى التسجيل يجب أن يكون ضمن السنة المالية. على افتراض إلى تاريخ = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",هنا يمكنك ادراج تفاصيل عن الحالة الصحية مثل الطول والوزن، الحساسية، المخاوف الطبية DocType: Leave Block List,Applies to Company,ينطبق على شركة -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,لا يمكن إلغاء الاشتراك بسبب الحركة المخزنية {0} موجود +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,لا يمكن إلغاء الاشتراك بسبب الحركة المخزنية {0} موجود DocType: Employee Loan,Disbursement Date,صرف التسجيل DocType: Vehicle,Vehicle,مركبة DocType: Purchase Invoice,In Words,في كلمات @@ -4049,7 +4059,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,إعدادات العا DocType: Assessment Result Detail,Assessment Result Detail,تقييم النتيجة التفاصيل DocType: Employee Education,Employee Education,المستوى التعليمي للموظف apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,مجموعة البند مكررة موجودة في جدول المجموعة البند -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,هناك حاجة لجلب البند التفاصيل. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,هناك حاجة لجلب البند التفاصيل. DocType: Salary Slip,Net Pay,صافي الراتب DocType: Account,Account,حساب apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,رقم المسلسل {0} وقد وردت بالفعل @@ -4057,7 +4067,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,دخول السيارة DocType: Purchase Invoice,Recurring Id,رقم المتكررة DocType: Customer,Sales Team Details,تفاصيل فريق المبيعات -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,حذف بشكل دائم؟ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,حذف بشكل دائم؟ DocType: Expense Claim,Total Claimed Amount,إجمالي المبلغ المطالب به apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,فرص محتملة للبيع. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},باطلة {0} @@ -4069,7 +4079,7 @@ DocType: Warehouse,PIN,دبوس apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,إعداد مدرستك في ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),مدى تغيير المبلغ الأساسي (عملة الشركة ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,لا القيود المحاسبية للمستودعات التالية -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,حفظ المستند أولا. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,حفظ المستند أولا. DocType: Account,Chargeable,تحمل DocType: Company,Change Abbreviation,تغيير اختصار DocType: Expense Claim Detail,Expense Date,تاريخ النفقات @@ -4083,7 +4093,6 @@ DocType: BOM,Manufacturing User,عضو التصنيع DocType: Purchase Invoice,Raw Materials Supplied,المواد الخام الموردة DocType: Purchase Invoice,Recurring Print Format,تنسيق طباعة متكرر DocType: C-Form,Series,سلسلة ترقيم الوثيقة -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,التاريخ التسليم المتوقع لا يمكن أن يكون قبل تاريخ طلب شراء DocType: Appraisal,Appraisal Template,نوع التقييم DocType: Item Group,Item Classification,تصنيف البند apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,مدير تطوير الأعمال @@ -4122,12 +4131,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,اختر apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,التدريب الأحداث / النتائج apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,مجمع الإستهلاك كما في DocType: Sales Invoice,C-Form Applicable,C-نموذج قابل للتطبيق -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},عملية الوقت يجب أن تكون أكبر من 0 لعملية {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},عملية الوقت يجب أن تكون أكبر من 0 لعملية {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,المستودع إلزامي DocType: Supplier,Address and Contacts,عناوين واتصالات DocType: UOM Conversion Detail,UOM Conversion Detail,تفاصيل تحويل وحدة القياس DocType: Program,Program Abbreviation,اختصار برنامج -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,لا يمكن رفع إنتاج النظام ضد قالب البند +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,لا يمكن رفع إنتاج النظام ضد قالب البند apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,تحديث الرسوم في اضافة المشتريات لكل صنف DocType: Warranty Claim,Resolved By,حلها عن طريق DocType: Bank Guarantee,Start Date,تاريخ البدء @@ -4162,6 +4171,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,ملاحظات تدريب apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,إنتاج النظام {0} يجب أن تقدم apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},يرجى تحديد تاريخ بدء و نهاية التاريخ القطعة ل {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,حدد هدف المبيعات الذي تريد تحقيقه. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},بالطبع إلزامي في الصف {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,حتى الآن لا يمكن أن يكون قبل تاريخ من DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4179,7 +4189,7 @@ DocType: Account,Income,دخل DocType: Industry Type,Industry Type,نوع صناعة apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,حدث خطأ! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,تحذير: طلب اجازة يحتوي على تواريخ محظورة -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,{0} سبق أن قدمت فاتورة المبيعات +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,{0} سبق أن قدمت فاتورة المبيعات DocType: Assessment Result Detail,Score,أحرز هدفاً apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,السنة المالية {0} غير موجود apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,تاريخ الانتهاء @@ -4209,7 +4219,7 @@ DocType: Naming Series,Help HTML,مساعدة HTML DocType: Student Group Creation Tool,Student Group Creation Tool,طالب خلق أداة المجموعة DocType: Item,Variant Based On,البديل القائم على apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},يجب أن يكون مجموع الترجيح تعيين 100 ٪ . فمن {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,الموردون +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,الموردون apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,لا يمكن تعيين كما فقدت كما يرصد ترتيب المبيعات . DocType: Request for Quotation Item,Supplier Part No,رقم قطعة المورد apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',لا يمكن أن تقتطع عند الفئة هي ل 'تقييم' أو 'Vaulation وتوتال' @@ -4219,14 +4229,14 @@ DocType: Item,Has Serial No,يحتوي على رقم تسلسلي DocType: Employee,Date of Issue,تاريخ الإصدار apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0} من {0} ب {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",وفقا لإعدادات الشراء في حالة شراء ريسيبت مطلوب == 'نعم'، ثم لإنشاء فاتورة الشراء، يحتاج المستخدم إلى إنشاء إيصال الشراء أولا للبند {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},الصف # {0}: تعيين مورد للالبند {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,صف {0}: يجب أن تكون قيمة ساعات أكبر من الصفر. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},الصف # {0}: تعيين مورد للالبند {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,صف {0}: يجب أن تكون قيمة ساعات أكبر من الصفر. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,الموقع صورة {0} تعلق على البند {1} لا يمكن العثور DocType: Issue,Content Type,نوع المحتوى apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,الكمبيوتر DocType: Item,List this Item in multiple groups on the website.,قائمة هذا البند في مجموعات متعددة على شبكة الانترنت. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,يرجى التحقق من خيار العملات المتعددة للسماح حسابات مع عملة أخرى -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,البند: {0} غير موجود في النظام +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,البند: {0} غير موجود في النظام apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,لا يحق لك تعيين القيمة المجمدة DocType: Payment Reconciliation,Get Unreconciled Entries,الحصول على مدخلات لم تتم تسويتها DocType: Payment Reconciliation,From Invoice Date,من تاريخ الفاتورة @@ -4252,7 +4262,7 @@ DocType: Stock Entry,Default Source Warehouse,المصدر الافتراضي م DocType: Item,Customer Code,كود العميل apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},تذكير عيد ميلاد ل{0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,عدد الأيام منذ آخر أمر -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,يجب أن يكون الخصم لحساب حساب الميزانية العمومية +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,يجب أن يكون الخصم لحساب حساب الميزانية العمومية DocType: Buying Settings,Naming Series,تسمية تسلسلية DocType: Leave Block List,Leave Block List Name,اسم قائمة الإجازات المحظورة apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,يجب أن يكون تاريخ بدء التأمين أقل من تاريخ التأمين النهاية @@ -4269,7 +4279,7 @@ DocType: Vehicle Log,Odometer,عداد المسافات DocType: Sales Order Item,Ordered Qty,أمرت الكمية apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,البند هو تعطيل {0} DocType: Stock Settings,Stock Frozen Upto,المخزون المجمدة لغاية -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,فاتورة الموارد لا تحتوي على أي عنصر مخزون +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,فاتورة الموارد لا تحتوي على أي عنصر مخزون apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},فترة من وفترة لمواعيد إلزامية لالمتكررة {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,مشروع النشاط / المهمة. DocType: Vehicle Log,Refuelling Details,تفاصيل إعادة التزود بالوقود @@ -4279,7 +4289,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,سعر اخر شراء غير موجود DocType: Purchase Invoice,Write Off Amount (Company Currency),شطب المبلغ (شركة العملات) DocType: Sales Invoice Timesheet,Billing Hours,ساعات الفواتير -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM الافتراضي ل{0} لم يتم العثور +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM الافتراضي ل{0} لم يتم العثور apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,الصف # {0}: الرجاء تعيين كمية إعادة الطلب apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,انقر على العناصر لإضافتها هنا DocType: Fees,Program Enrollment,برنامج التسجيل @@ -4312,6 +4322,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,العمر مدى 2 DocType: SG Creation Tool Course,Max Strength,أعلى القوة apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,استبدال BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,حدد العناصر بناء على تاريخ التسليم ,Sales Analytics,تحليلات المبيعات apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},متاح {0} ,Prospects Engaged But Not Converted,آفاق تشارك ولكن لم تتحول @@ -4358,7 +4369,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise الخصم apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,الجدول الزمني للمهام. DocType: Purchase Invoice,Against Expense Account,مقابل حساب المصاريف DocType: Production Order,Production Order,الإنتاج ترتيب -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,تركيب ملاحظة {0} وقد تم بالفعل قدمت +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,تركيب ملاحظة {0} وقد تم بالفعل قدمت DocType: Bank Reconciliation,Get Payment Entries,الحصول على مدخلات الدفع DocType: Quotation Item,Against Docname,مقابل المستند DocType: SMS Center,All Employee (Active),جميع الموظفين (فعالة) @@ -4367,7 +4378,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,تكلفة المواد الخام DocType: Item Reorder,Re-Order Level,إعادة ترتيب مستوى DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,إدخال عناصر والكمية المخططة التي تريد رفع أوامر الإنتاج أو تحميل المواد الخام لتحليلها. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,مخطط جانت +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,مخطط جانت apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,جزئي DocType: Employee,Applicable Holiday List,قائمة العطلات المطبقة DocType: Employee,Cheque,شيك @@ -4423,11 +4434,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,محفوظة الكمية للإنتاج DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ترك دون تحديد إذا كنت لا ترغب في النظر في دفعة مع جعل مجموعات مقرها بالطبع. DocType: Asset,Frequency of Depreciation (Months),تردد من الاستهلاك (أشهر) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,حساب الائتمان +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,حساب الائتمان DocType: Landed Cost Item,Landed Cost Item,هبطت تكلفة السلعة apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,إظهار القيم صفر DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,كمية البند تم الحصول عليها بعد تصنيع / إعادة التعبئة من كميات معينة من المواد الخام -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,إعداد موقع بسيط لمنظمتي +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,إعداد موقع بسيط لمنظمتي DocType: Payment Reconciliation,Receivable / Payable Account,القبض / حساب الدائنة DocType: Delivery Note Item,Against Sales Order Item,مقابل عنصر أمر المبيعات apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},يرجى تحديد قيمة السمة للسمة {0} @@ -4462,7 +4473,7 @@ DocType: Lead,Blog Subscriber,مدونه المشترك DocType: Guardian,Alternate Number,عدد بديل DocType: Assessment Plan Criteria,Maximum Score,الدرجة القصوى apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,إنشاء قواعد لتقييد المعاملات على أساس القيم. -apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,رقم المجموعة رقم +apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,رقم قائمة المجموعة DocType: Student Group Creation Tool,Leave blank if you make students groups per year,اتركه فارغا إذا جعلت مجموعات الطلاب في السنة DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",إذا تم، المشاركات لا. من أيام عمل وسوف تشمل أيام العطل، وهذا سوف يقلل من قيمة الراتب لكل يوم DocType: Purchase Invoice,Total Advance,إجمالي المقدمة @@ -4489,22 +4500,22 @@ DocType: Student,Nationality,جنسية ,Items To Be Requested,البنود يمكن طلبه DocType: Purchase Order,Get Last Purchase Rate,الحصول على آخر سعر شراء DocType: Company,Company Info,معلومات عن الشركة -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,تحديد أو إضافة عميل جديد -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,مركز التكلفة مطلوب لدفتر طلب المصروفات +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,تحديد أو إضافة عميل جديد +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,مركز التكلفة مطلوب لدفتر طلب المصروفات apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),تطبيق الأموال (الأصول ) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ويستند هذا على حضور هذا الموظف -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,حساب الخصم +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,حساب الخصم DocType: Fiscal Year,Year Start Date,تاريخ بدء العام DocType: Attendance,Employee Name,اسم الموظف DocType: Sales Invoice,Rounded Total (Company Currency),المشاركات تقريب (العملة الشركة) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,لا يمكن اخفاء المجموعه لأن نوع الحساب تم اختياره من قبل . -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,تم تعديل {0} {1}، يرجى تحديث الصفحة من المتصفح +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,تم تعديل {0} {1}، يرجى تحديث الصفحة من المتصفح DocType: Leave Block List,Stop users from making Leave Applications on following days.,وقف المستخدمين من طلب إجازة في الأيام التالية. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,مبلغ الشراء apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,المورد الاقتباس {0} خلق apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,نهاية السنة لا يمكن أن يكون قبل بدء السنة apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,فوائد الموظف -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},الكمية المعبأة يجب أن تساوي كمية المادة ل {0} في {1} الصف +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},الكمية المعبأة يجب أن تساوي كمية المادة ل {0} في {1} الصف DocType: Production Order,Manufactured Qty,الكمية المصنعة DocType: Purchase Receipt Item,Accepted Quantity,كمية مقبولة apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},يرجى تحديد قائمة العطل الافتراضية للموظف {0} وشركة {1} @@ -4515,11 +4526,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},الصف لا {0}: مبلغ لا يمكن أن يكون أكبر من ريثما المبلغ من النفقات المطالبة {1}. في انتظار المبلغ {2} DocType: Maintenance Schedule,Schedule,جدول DocType: Account,Parent Account,الحساب الأصل -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,متاح +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,متاح DocType: Quality Inspection Reading,Reading 3,قراءة 3 ,Hub,محور DocType: GL Entry,Voucher Type,نوع السند -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,قائمة الأسعار لم يتم العثور أو تعطيلها +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,قائمة الأسعار لم يتم العثور أو تعطيلها DocType: Employee Loan Application,Approved,وافق DocType: Pricing Rule,Price,السعر apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',الموظف معفى على {0} يجب أن يتم تعيينه ' مغادر ' @@ -4588,7 +4599,7 @@ DocType: SMS Settings,Static Parameters,ثابت معلمات DocType: Assessment Plan,Room,غرفة DocType: Purchase Order,Advance Paid,مسبقا المدفوعة DocType: Item,Item Tax,ضريبة السلعة -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,المواد للمورد ل +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,المواد للمورد ل apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,المكوس الفاتورة apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ يظهر أكثر من مرة DocType: Expense Claim,Employees Email Id,البريد الإلكتروني للموظف @@ -4628,7 +4639,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,نموذج DocType: Production Order,Actual Operating Cost,الفعلية تكاليف التشغيل DocType: Payment Entry,Cheque/Reference No,رقم الصك / السند المرجع -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,المورد> المورد نوع apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,لا يمكن تحرير الجذر. DocType: Item,Units of Measure,وحدات القياس DocType: Manufacturing Settings,Allow Production on Holidays,السماح الإنتاج على عطلات @@ -4661,12 +4671,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,الائتمان أيام apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,جعل دفعة الطلبة DocType: Leave Type,Is Carry Forward,هل تضاف في العام التالي -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM الحصول على أصناف من +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM الحصول على أصناف من apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,يوم ووقت مبادرة البيع -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},الصف # {0}: تاريخ النشر يجب أن يكون نفس تاريخ الشراء {1} من الأصول {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},الصف # {0}: تاريخ النشر يجب أن يكون نفس تاريخ الشراء {1} من الأصول {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,تحقق من ذلك إذا كان الطالب يقيم في نزل المعهد. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,الرجاء إدخال أوامر البيع في الجدول أعلاه -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,لا يوجد كشف راتب تمت الموافقة عليه +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,لا يوجد كشف راتب تمت الموافقة عليه ,Stock Summary,ملخص الأوراق المالية apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,نقل رصيدا من مستودع واحد إلى آخر DocType: Vehicle,Petrol,بنزين diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv index 24fb05c1b88..82b02e21e89 100644 --- a/erpnext/translations/bg.csv +++ b/erpnext/translations/bg.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Търговец DocType: Employee,Rented,Отдаден под наем DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Приложимо за User -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Спряно производство Поръчка не може да бъде отменено, отпуши го първо да отмените" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Спряно производство Поръчка не може да бъде отменено, отпуши го първо да отмените" DocType: Vehicle Service,Mileage,километраж apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Наистина ли искате да се бракувате от този актив? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Избор на доставчик по подразбиране @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Фактуриран apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Валутен курс трябва да бъде същата като {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Име на клиента DocType: Vehicle,Natural Gas,Природен газ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Банкова сметка не може да бъде с име като {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Банкова сметка не може да бъде с име като {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (или групи), срещу които са направени счетоводни записвания и баланси се поддържат." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Изключително за {0} не може да бъде по-малък от нула ({1}) DocType: Manufacturing Settings,Default 10 mins,По подразбиране 10 минути @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Тип отсъствие - Име apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Покажи отворен apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Номерацията е успешно обновена apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Поръчка -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Начисляване на заплати - Изпратено +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Начисляване на заплати - Изпратено DocType: Pricing Rule,Apply On,Нанася се върху DocType: Item Price,Multiple Item prices.,Множество цени елемент. ,Purchase Order Items To Be Received,Покупка Поръчка артикули да бъдат получени @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Вид на разпл apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Покажи Варианти DocType: Academic Term,Academic Term,Академик Term apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Материал -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Количество +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Количество apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Списъка със сметки не може да бъде празен. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Заеми (пасиви) DocType: Employee Education,Year of Passing,Година на изтичане @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Грижа за здравето apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Забавяне на плащане (дни) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Expense Service -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериен номер: {0} вече е посочен в фактурата за продажби: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Фактура +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериен номер: {0} вече е посочен в фактурата за продажби: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Фактура DocType: Maintenance Schedule Item,Periodicity,Периодичност apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} се изисква -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Очаквана дата на доставка е било преди Продажби Дата на поръчката apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Отбрана DocType: Salary Component,Abbr,Съкращение DocType: Appraisal Goal,Score (0-5),Резултати на (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ред # {0}: DocType: Timesheet,Total Costing Amount,Общо Остойностяване сума DocType: Delivery Note,Vehicle No,Превозно средство - Номер -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Моля изберете Ценоразпис +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Моля изберете Ценоразпис apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row {0}: платежен документ се изисква за завършване на trasaction DocType: Production Order Operation,Work In Progress,Незавършено производство apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Моля, изберете дата" @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} не в някоя активна фискална година. DocType: Packed Item,Parent Detail docname,Родител Подробности docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Референция: {0}, кода на елемента: {1} и клиента: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Кг +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Кг DocType: Student Log,Log,Журнал apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Откриване на работа. DocType: Item Attribute,Increment,Увеличение @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Омъжена apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Не е разрешен за {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Вземете елементи от -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Фондова не може да бъде актуализиран срещу Бележка за доставка {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Фондова не може да бъде актуализиран срещу Бележка за доставка {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Каталог на {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Няма изброени елементи DocType: Payment Reconciliation,Reconcile,Съгласувайте @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Пе apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Следваща дата на амортизация не може да бъде преди датата на покупка DocType: SMS Center,All Sales Person,Всички продажби Person DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Месечно Разпределение ** ви помага да разпределите бюджета / целеви разходи през месеците, ако имате сезонност в бизнеса си." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Не са намерени +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Не са намерени apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Заплата Структура Липсващ DocType: Lead,Person Name,Лице Име DocType: Sales Invoice Item,Sales Invoice Item,Фактурата за продажба - позиция @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Е фиксиран актив"" не може да бъде размаркирано, докато съществува запис за елемента" DocType: Vehicle Service,Brake Oil,Спирачна течност DocType: Tax Rule,Tax Type,Данъчна тип -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Облагаема сума +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Облагаема сума apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Вие не можете да добавяте или актуализация записи преди {0} DocType: BOM,Item Image (if not slideshow),Позиция - снимка (ако не слайдшоу) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Съществува Customer със същото име DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(надница на час / 60) * действително отработено време -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Изберете BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Изберете BOM DocType: SMS Log,SMS Log,SMS Журнал apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Разходи за доставени изделия apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Отпускът на {0} не е между От Дата и До дата @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,училища DocType: School Settings,Validate Batch for Students in Student Group,Валидирайте партида за студенти в студентска група apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Няма запис за отпуск за служител {0} за {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Моля, въведете първата компания" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Моля, изберете първо фирма" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Моля, изберете първо фирма" DocType: Employee Education,Under Graduate,Под Graduate apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On DocType: BOM,Total Cost,Обща Цена DocType: Journal Entry Account,Employee Loan,Служител кредит -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Журнал на дейностите: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Позиция {0} не съществува в системата или е с изтекъл срок +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Журнал на дейностите: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Позиция {0} не съществува в системата или е с изтекъл срок apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Недвижим имот apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Извлечение от сметка apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Фармации @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Изискайте Сума apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,"Duplicate клиентска група, намерени в таблицата на cutomer група" apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Доставчик тип / Доставчик DocType: Naming Series,Prefix,Префикс -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте Naming Series за {0} чрез Setup> Settings> Naming Series" -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Консумативи +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Консумативи DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Журнал на импорта DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Издърпайте Материал Искане на тип Производство на базата на горните критерии DocType: Training Result Employee,Grade,Клас DocType: Sales Invoice Item,Delivered By Supplier,Доставени от доставчик DocType: SMS Center,All Contact,Всички контакти -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Производство Поръчка вече е създаден за всички артикули с BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Производство Поръчка вече е създаден за всички артикули с BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Годишна заплата DocType: Daily Work Summary,Daily Work Summary,Ежедневната работа Резюме DocType: Period Closing Voucher,Closing Fiscal Year,Приключване на финансовата година -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} е замразен +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} е замразен apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Моля изберете съществуващо дружество за създаване на сметкоплан apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Сток Разходи apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Изберете Target Warehouse @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прието + Отхвърлено Количество трябва да бъде равно на Получено количество за {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Доставка на суровини за поръчка -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,се изисква най-малко един режим на плащане за POS фактура. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,се изисква най-малко един режим на плащане за POS фактура. DocType: Products Settings,Show Products as a List,Показване на продукти като Списък DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Изтеглете шаблони, попълнете необходимите данни и се прикрепва на текущото изображение. Всички дати и служител комбинация в избрания период ще дойде в шаблона, със съществуващите записи посещаемост" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Позиция {0} не е активна или е достигнат края на жизнения й цикъл -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Пример: Основни математика -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да включват курортна такса в ред {0} в скоростта на т, данъци в редове {1} трябва да се включат и" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Пример: Основни математика +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да включват курортна такса в ред {0} в скоростта на т, данъци в редове {1} трябва да се включат и" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Настройки за модул ТРЗ DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,Промяна сума @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Дата на монтаж не може да бъде преди датата на доставка за позиция {0} DocType: Pricing Rule,Discount on Price List Rate (%),Отстъпка от Ценоразпис (%) DocType: Offer Letter,Select Terms and Conditions,Изберете Общи условия -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Изх. стойност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Изх. стойност DocType: Production Planning Tool,Sales Orders,Поръчки за продажба DocType: Purchase Taxes and Charges,Valuation,Оценка ,Purchase Order Trends,Поръчката Trends @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Се отваря Влизане DocType: Customer Group,Mention if non-standard receivable account applicable,"Споменете, ако нестандартно вземане предвид приложимо" DocType: Course Schedule,Instructor Name,инструктор Име -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,За склад се изисква преди изпращане +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,За склад се изисква преди изпращане apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Получен на DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Ако е избрано, ще включва не-склад продукта в материала искания." @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Срещу ред от фактура за продажба ,Production Orders in Progress,Производствени поръчки в процес на извършване apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Net Cash от Финансиране -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage е пълен, не беше записан" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage е пълен, не беше записан" DocType: Lead,Address & Contact,Адрес и контакти DocType: Leave Allocation,Add unused leaves from previous allocations,Добави неизползвани отпуски от предишни разпределения apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Следваща повтарящо {0} ще бъде създаден на {1} DocType: Sales Partner,Partner website,Партньорски уебсайт apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Добави точка -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Контакт - име +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Контакт - име DocType: Course Assessment Criteria,Course Assessment Criteria,Критерии за оценка на курса DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Създава заплата приплъзване за посочените по-горе критерии. DocType: POS Customer Group,POS Customer Group,POS Customer Group @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Моля, проверете "е Advance" срещу Account {1}, ако това е предварително влизане." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Склад {0} не принадлежи на фирмата {1} DocType: Email Digest,Profit & Loss,Печалба & загуба -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Литър +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Литър DocType: Task,Total Costing Amount (via Time Sheet),Общо Остойностяване сума (чрез Time Sheet) DocType: Item Website Specification,Item Website Specification,Позиция Website Specification apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Оставете Блокирани @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,Фактура за продажба - Н DocType: Material Request Item,Min Order Qty,Минимално количество за поръчка DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Група инструмент за създаване на курса DocType: Lead,Do Not Contact,Не притеснявайте -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Хората, които учат във вашата организация" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Хората, които учат във вашата организация" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Уникалния идентификационен код за проследяване на всички повтарящи се фактури. Той се генерира на представи. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Разработчик на софтуер DocType: Item,Minimum Order Qty,Минимално количество за поръчка @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,Публикувай в Hub DocType: Student Admission,Student Admission,прием на студенти ,Terretory,Територия apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Точка {0} е отменена -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Заявка за материал +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Заявка за материал DocType: Bank Reconciliation,Update Clearance Date,Актуализация Клирънсът Дата DocType: Item,Purchase Details,Изкупните Детайли apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Позиция {0} не е открита в ""суровини Доставени""в Поръчката {1}" @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,Мениджър на автопарк apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Ред {0} {1} не може да бъде отрицателен за позиция {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Грешна Парола DocType: Item,Variant Of,Вариант на -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Изпълнено Количество не може да бъде по-голямо от ""Количество за производство""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Изпълнено Количество не може да бъде по-голямо от ""Количество за производство""" DocType: Period Closing Voucher,Closing Account Head,Закриване на профила Head DocType: Employee,External Work History,Външно работа apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Циклична референция - Грешка @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,Разстояние от apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} единици ot [{1}](#Form/Item/{1}) намерени в [{2}] (#Form/Warehouse/{2}) DocType: Lead,Industry,Индустрия DocType: Employee,Job Profile,Работа - профил +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Това се основава на транзакции срещу тази компания. За подробности вижте хронологията по-долу DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Изпращайте по имейл за създаване на автоматично искане за материали DocType: Journal Entry,Multi Currency,Много валути DocType: Payment Reconciliation Invoice,Invoice Type,Вид фактура -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Складова разписка +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Складова разписка apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Създаване Данъци apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Разходи за продадения актив apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Заплащане вписване е променен, след като го извади. Моля, изтеглете го отново." @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Моля, въведете "Повторение на Ден на месец поле стойност" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Скоростта, с която Customer валути се превръща в основна валута на клиента" DocType: Course Scheduling Tool,Course Scheduling Tool,Инструмент за създаване на график на курса -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row {0}: Покупка на фактура не може да се направи срещу съществуващ актив {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row {0}: Покупка на фактура не може да се направи срещу съществуващ актив {1} DocType: Item Tax,Tax Rate,Данъчна Ставка apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},"{0} вече разпределена за Служител {1} за период {2} {3}, за да" -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Изберете Точка +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Изберете Точка apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Фактурата за покупка {0} вече се представя apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch Не трябва да е същото като {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Конвертиране в не-Група @@ -443,7 +442,7 @@ DocType: Employee,Widowed,Овдовял DocType: Request for Quotation,Request for Quotation,Запитване за оферта DocType: Salary Slip Timesheet,Working Hours,Работно Време DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промяна на изходния / текущия номер за последователност на съществуваща серия. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Създаване на нов клиент +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Създаване на нов клиент apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако няколко ценови правила продължават да преобладават, потребителите се приканват да се настрои приоритет ръчно да разрешите конфликт." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Създаване на поръчки за покупка ,Purchase Register,Покупка Регистрация @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Наименование на ревизора DocType: Purchase Invoice Item,Quantity and Rate,Брой и процент DocType: Delivery Note,% Installed,% Инсталиран -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Класните стаи / лаборатории и т.н., където може да бъдат насрочени лекции." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Класните стаи / лаборатории и т.н., където може да бъдат насрочени лекции." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Моля, въведете име на компанията първа" DocType: Purchase Invoice,Supplier Name,Доставчик Наименование apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Прочетете инструкциите ERPNext @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Предишен родител apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Задължително поле - академична година DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Персонализирайте уводен текст, който върви като част от този имейл. Всяка транзакция има отделен въвеждащ текст." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},"Моля, задайте по подразбиране платим акаунт за фирмата {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},"Моля, задайте по подразбиране платим акаунт за фирмата {0}" apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобални настройки за всички производствени процеси. DocType: Accounts Settings,Accounts Frozen Upto,Замразени Сметки до DocType: SMS Log,Sent On,Изпратено на @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,Задължения apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Избраните списъците с материали не са за една и съща позиция DocType: Pricing Rule,Valid Upto,Валиден до DocType: Training Event,Workshop,цех -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Изброите някои от вашите клиенти. Те могат да бъдат организации или индивидуални лица. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Изброите някои от вашите клиенти. Те могат да бъдат организации или индивидуални лица. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Достатъчно Части за изграждане apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Преки приходи apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Не може да се филтрира по сметка, ако е групирано по сметка" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Административният директор apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Моля, изберете Курс" DocType: Timesheet Detail,Hrs,Часове -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Моля изберете Company +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Моля изберете Company DocType: Stock Entry Detail,Difference Account,Разлика Акаунт DocType: Purchase Invoice,Supplier GSTIN,Доставчик GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Не може да се затвори задача, тъй като зависим задача {0} не е затворена." @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,Офлайн POS Име apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,"Моля, определете степен за Threshold 0%" DocType: Sales Order,To Deliver,Да достави DocType: Purchase Invoice Item,Item,Артикул -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Сериен № - позиция не може да бъде част +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Сериен № - позиция не може да бъде част DocType: Journal Entry,Difference (Dr - Cr),Разлика (Dr - Cr) DocType: Account,Profit and Loss,Приходи и разходи apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Управление Подизпълнители @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),Гаранционен период ( DocType: Installation Note Item,Installation Note Item,Монтаж Забележка Точка DocType: Production Plan Item,Pending Qty,Чакащо Количество DocType: Budget,Ignore,Игнорирай -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} не е активен +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} не е активен apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS изпратен на следните номера: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Проверете настройките размери за печат DocType: Salary Slip,Salary Slip Timesheet,Заплата Slip график @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,IN- DocType: Production Order Operation,In minutes,В минути DocType: Issue,Resolution Date,Резолюция Дата DocType: Student Batch Name,Batch Name,Партида Име -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,График създаден: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},"Моля, задайте по подразбиране брой или банкова сметка в начинът на плащане {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,График създаден: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},"Моля, задайте по подразбиране брой или банкова сметка в начинът на плащане {0}" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Записване DocType: GST Settings,GST Settings,Настройки за GST DocType: Selling Settings,Customer Naming By,Задаване на име на клиента от @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,Проекти на потребителя apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Консумирана apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} не е намерен в Таблицата с Датайлите на Фактури DocType: Company,Round Off Cost Center,Разходен център при закръгляне -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Поддръжка посещение {0} трябва да се отмени преди анулирането този Продажби Поръчка +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Поддръжка посещение {0} трябва да се отмени преди анулирането този Продажби Поръчка DocType: Item,Material Transfer,Прехвърляне на материал apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Откриване (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Време на осчетоводяване трябва да е след {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,"Общо дължима лихв DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Приземи Разходни данъци и такси DocType: Production Order Operation,Actual Start Time,Действително Начално Време DocType: BOM Operation,Operation Time,Операция - време -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,завършек +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,завършек apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,база DocType: Timesheet,Total Billed Hours,Общо Фактурирани Часа DocType: Journal Entry,Write Off Amount,Сума за отписване @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),Километраж Стойност (П apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Маркетинг apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Заплащане Влизане вече е създаден DocType: Purchase Receipt Item Supplied,Current Stock,Наличност -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row {0}: Asset {1} не свързан с т {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row {0}: Asset {1} не свързан с т {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Преглед на фиш за заплата apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Сметка {0} е била въведена на няколко пъти DocType: Account,Expenses Included In Valuation,"Разходи, включени в остойностяване" @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Косми DocType: Journal Entry,Credit Card Entry,Кредитна карта - Запис apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Компания и сметки apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Получени стоки от доставчици. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,В стойност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,В стойност DocType: Lead,Campaign Name,Име на кампанията DocType: Selling Settings,Close Opportunity After Days,Затвори възможността след брой дни ,Reserved,Резервирано @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Енергия DocType: Opportunity,Opportunity From,Възможност - От apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Месечно извлечение заплата. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,"Ред {0}: {1} Серийни номера, изисквани за елемент {2}. Предоставихте {3}." DocType: BOM,Website Specifications,Сайт Спецификации apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: От {0} от вид {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Превръщане Factor е задължително DocType: Employee,A+,A+ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Няколко правила за цените съществува по същите критерии, моля, разрешаване на конфликти чрез възлагане приоритет. Правила Цена: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да деактивирате или да отмените BOM тъй като е свързан с други спецификации на материали (BOM) +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да деактивирате или да отмените BOM тъй като е свързан с други спецификации на материали (BOM) DocType: Opportunity,Maintenance,Поддръжка DocType: Item Attribute Value,Item Attribute Value,Позиция атрибут - Стойност apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Продажби кампании. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Въведи отчет на време +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Въведи отчет на време DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Създаване на имейл акаунт apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Моля, въведете Точка първа" DocType: Account,Liability,Отговорност -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да бъде по-голяма от претенция Сума в Row {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да бъде по-голяма от претенция Сума в Row {0}. DocType: Company,Default Cost of Goods Sold Account,Себестойност на продадените стоки - Сметка по подразбиране apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ценова листа не избран DocType: Employee,Family Background,Семейна среда @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,Банкова сметка по подр apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","За да филтрирате базирани на партия, изберете страна Напишете първия" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Обнови Наличност"" не може да е маркирана, защото артикулите, не са доставени чрез {0}" DocType: Vehicle,Acquisition Date,Дата на придобиване -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Предмети с висше weightage ще бъдат показани по-високи DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Банково извлечение - Подробности -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,{0} Row #: Asset трябва да бъде подадено {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,{0} Row #: Asset трябва да бъде подадено {1} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Няма намерен служител DocType: Supplier Quotation,Stopped,Спряно DocType: Item,If subcontracted to a vendor,Ако възложи на продавача @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Минимална сум apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Разходен център {2} не принадлежи на компания {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Сметка {2} не може да бъде група apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Точка Row {IDX}: {DOCTYPE} {DOCNAME} не съществува в по-горе "{DOCTYPE}" на маса -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,График {0} вече е завършено или анулирано +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,График {0} вече е завършено или анулирано apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Няма задачи DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Денят от месеца, на която автоматичната фактура ще бъде генерирана например 05, 28 и т.н." DocType: Asset,Opening Accumulated Depreciation,Откриване на начислената амортизация @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,Желани номера DocType: Production Planning Tool,Only Obtain Raw Materials,Снабдете Само суровини apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Оценката на изпълнението. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Активирането на "Използване на количката", тъй като количката е включен и трябва да има най-малко една данъчна правило за количката" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Плащането Влизане {0} е свързан срещу Поръчка {1}, проверете дали тя трябва да се извади като предварително в тази фактура." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Плащането Влизане {0} е свързан срещу Поръчка {1}, проверете дали тя трябва да се извади като предварително в тази фактура." DocType: Sales Invoice Item,Stock Details,Фондова Детайли apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Проект Стойност apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Точка на продажба @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,Актуализация Номериран DocType: Supplier Quotation,Is Subcontracted,Преотстъпват DocType: Item Attribute,Item Attribute Values,Позиция атрибут - Стойности DocType: Examination Result,Examination Result,Разглеждане Резултати -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Покупка Разписка +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Покупка Разписка ,Received Items To Be Billed,"Приети артикули, които да се фактирират" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Добавен на заплатите Подхлъзвания +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Добавен на заплатите Подхлъзвания apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Обмяна На Валута - основен курс apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Референтен Doctype трябва да бъде един от {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Не може да се намери време слот за следващия {0} ден за операция {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Не може да се намери време слот за следващия {0} ден за операция {1} DocType: Production Order,Plan material for sub-assemblies,План материал за частите apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Търговски дистрибутори и територия -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} трябва да бъде активен +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} трябва да бъде активен DocType: Journal Entry,Depreciation Entry,Амортизация - Запис apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Моля, изберете вида на документа първо" apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменете Материал Посещения {0} преди да анулирате тази поддръжка посещение @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Обща Сума apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing DocType: Production Planning Tool,Production Orders,Производствени поръчки -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Балансова стойност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Балансова стойност apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Продажби Ценоразпис apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,"Публикуване, за да синхронизирате елементи" DocType: Bank Reconciliation,Account Currency,Валута на сметката @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,Exit Интервю Детайли DocType: Item,Is Purchase Item,Дали Покупка Точка DocType: Asset,Purchase Invoice,Фактура за покупка DocType: Stock Ledger Entry,Voucher Detail No,Ваучер Деайли Номер -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Нова фактурата за продажба +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Нова фактурата за продажба DocType: Stock Entry,Total Outgoing Value,Общо Изходящ Value apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Откриване Дата и крайния срок трябва да бъде в рамките на същата фискална година DocType: Lead,Request for Information,Заявка за информация ,LeaderBoard,Списък с водачите -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Синхронизиране на офлайн Фактури +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Синхронизиране на офлайн Фактури DocType: Payment Request,Paid,Платен DocType: Program Fee,Program Fee,Такса програма DocType: Salary Slip,Total in words,Общо - СЛОВОМ @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,Време за въвеждане DocType: Guardian,Guardian Name,Наименование Guardian DocType: Cheque Print Template,Has Print Format,Има формат за печат DocType: Employee Loan,Sanctioned,санкционирана -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,е задължително. Може би не е създаден запис на полето за обмен на валута за +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,е задължително. Може би не е създаден запис на полето за обмен на валута за apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Моля, посочете Пореден № за позиция {1}" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За 'Продукт Пакетни ", склад, сериен номер и партидният няма да се счита от" Опаковка Списък "масата. Ако Warehouse и партиден № са едни и същи за всички опаковъчни артикули за т всеки "Продукт Bundle", тези стойности могат да бъдат вписани в основния таблицата позиция, стойностите ще се копират в "Опаковка Списък" маса." DocType: Job Opening,Publish on website,Публикуване на интернет страницата @@ -1006,7 +1006,7 @@ DocType: Cheque Print Template,Date Settings,Дата Настройки apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Вариране ,Company Name,Име на фирмата DocType: SMS Center,Total Message(s),Общо съобщения -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Изберете артикул за прехвърляне +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Изберете артикул за прехвърляне DocType: Purchase Invoice,Additional Discount Percentage,Допълнителна отстъпка Процент apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Вижте списък на всички помощни видеоклипове DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Изберете акаунт шеф на банката, в която е депозирана проверка." @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Разходи за суровини (фирмена валута) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Всички предмети са били прехвърлени вече за тази производствена поръчка. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Ред # {0}: Процентът не може да бъде по-голям от курса, използван в {1} {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,метър +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,метър DocType: Workstation,Electricity Cost,Ток Cost DocType: HR Settings,Don't send Employee Birthday Reminders,Не изпращайте на служителите напомняне за рождени дни DocType: Item,Inspection Criteria,Критериите за инспекция @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),All Lead (Open) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Кол не е на разположение за {4} в склад {1} при публикуване време на влизането ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Вземи платени аванси DocType: Item,Automatically Create New Batch,Автоматично създаване на нова папка -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Правя +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Правя DocType: Student Admission,Admission Start Date,Допускане Начална дата DocType: Journal Entry,Total Amount in Words,Обща сума - Словом apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Имаше грешка. Една вероятна причина може да бъде, че не сте запаметили формата. Моля, свържете се support@erpnext.com ако проблемът не бъде отстранен." @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моята колич apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Тип поръчка трябва да е един от {0} DocType: Lead,Next Contact Date,Следваща дата за контакт apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Начално Количество -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Моля, въведете Account за промяна сума" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Моля, въведете Account за промяна сума" DocType: Student Batch Name,Student Batch Name,Student Batch Име DocType: Holiday List,Holiday List Name,Име на списък на празниците DocType: Repayment Schedule,Balance Loan Amount,Баланс на заема @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Сток Options DocType: Journal Entry Account,Expense Claim,Expense претенция apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Наистина ли искате да възстановите този бракуван актив? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Количество за {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Количество за {0} DocType: Leave Application,Leave Application,Заявяване на отсъствия apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Инструмент за разпределение на остъствията DocType: Leave Block List,Leave Block List Dates,Оставете Block Списък Дати @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Срещу DocType: Item,Default Selling Cost Center,Разходен център за продажби по подразбиране DocType: Sales Partner,Implementation Partner,Партньор за внедряване -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Пощенски код +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Пощенски код apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Поръчка за продажба {0} е {1} DocType: Opportunity,Contact Info,Информация за контакт apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Въвеждане на складови записи @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},За apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Средна възраст DocType: School Settings,Attendance Freeze Date,Дата на замразяване на присъствие DocType: Opportunity,Your sales person who will contact the customer in future,"Търговец, който ще се свързва с клиентите в бъдеще" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Изборите някои от вашите доставчици. Те могат да бъдат организации или индивидуални лица. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Изборите някои от вашите доставчици. Те могат да бъдат организации или индивидуални лица. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Преглед на всички продукти apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минимална водеща възраст (дни) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Всички спецификации на материали +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Всички спецификации на материали DocType: Company,Default Currency,Валута по подразбиране DocType: Expense Claim,From Employee,От служител -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Внимание: Системата няма да провери за некоректно фактуриране, тъй като сума за позиция {0} в {1} е нула" +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Внимание: Системата няма да провери за некоректно фактуриране, тъй като сума за позиция {0} в {1} е нула" DocType: Journal Entry,Make Difference Entry,Направи Разлика Влизане DocType: Upload Attendance,Attendance From Date,Присъствие От дата DocType: Appraisal Template Goal,Key Performance Area,Ключова област на ефективността @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Регистрационен номер на дружеството, за ваше сведение. Данъчни номера и т.н." DocType: Sales Partner,Distributor,Дистрибутор DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Количка за пазаруване - Правила за доставка -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Производство Поръчка {0} трябва да се отмени преди анулира тази поръчка за продажба +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Производство Поръчка {0} трябва да се отмени преди анулира тази поръчка за продажба apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',"Моля, задайте "Прилагане Допълнителна отстъпка от '" ,Ordered Items To Be Billed,"Поръчани артикули, които да се фактурират" apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,От диапазон трябва да бъде по-малко от До диапазон @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Удръжки DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Старт Година -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Първите 2 цифри на GSTIN трябва да съвпадат с номер на държавата {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Първите 2 цифри на GSTIN трябва да съвпадат с номер на държавата {0} DocType: Purchase Invoice,Start date of current invoice's period,Начална дата на периода на текущата фактура за DocType: Salary Slip,Leave Without Pay,Неплатен отпуск -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Грешка при Планиране на капацитета +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Грешка при Планиране на капацитета ,Trial Balance for Party,Оборотка за партньор DocType: Lead,Consultant,Консултант DocType: Salary Slip,Earnings,Печалба @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,Настройки платеца DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Това ще бъде приложена към Кодекса Точка на варианта. Например, ако вашият съкращението е "SM", а кодът на елемент е "ТЕНИСКА", кодът позиция на варианта ще бъде "ТЕНИСКА-SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net Pay (словом) ще бъде видим след като спаси квитанцията за заплата. DocType: Purchase Invoice,Is Return,Дали Return -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Връщане / дебитно известие +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Връщане / дебитно известие DocType: Price List Country,Price List Country,Ценоразпис Country DocType: Item,UOMs,Мерни единици apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} валидни серийни номера за Артикул {1} @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,Частично Изплатени apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Доставчик на база данни. DocType: Account,Balance Sheet,Баланс apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Разходен център за позиция с Код ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режимът на плащане не е конфигуриран. Моля, проверете, дали сметката е настроен на режим на плащания или на POS профил." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режимът на плащане не е конфигуриран. Моля, проверете, дали сметката е настроен на режим на плащания или на POS профил." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Вашият търговец ще получи напомняне на тази дата, за да се свърже с клиента" apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Същата позиция не може да бъде въведена няколко пъти. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Допълнителни сметки могат да бъдат направени по групи, но записи могат да бъдат направени по отношение на не-групи" @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,Възстановяване I apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"Записи" не могат да бъдат празни apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Дублиран ред {0} със същия {1} ,Trial Balance,Оборотна ведомост -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Фискална година {0} не е намерена +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Фискална година {0} не е намерена apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Създаване Служители DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Моля изберете префикс първа @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,Интервали apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Най-ранната apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Артикул Group съществува със същото име, моля да промените името на елемент или преименувате група т" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Останалата част от света +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Останалата част от света apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Продуктът {0} не може да има партида ,Budget Variance Report,Бюджет Вариацията Доклад DocType: Salary Slip,Gross Pay,Брутно възнаграждение -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Ред {0}: Вид дейност е задължително. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Ред {0}: Вид дейност е задължително. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Дивиденти - изплащани apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Счетоводен Дневник DocType: Stock Reconciliation,Difference Amount,Разлика Сума @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Служител Оставете Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Балансът на сметке {0} винаги трябва да е {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},"Оценка процент, необходим за позиция в ред {0}" -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Пример: Магистър по компютърни науки +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Пример: Магистър по компютърни науки DocType: Purchase Invoice,Rejected Warehouse,Отхвърлени Warehouse DocType: GL Entry,Against Voucher,Срещу ваучер DocType: Item,Default Buying Cost Center,Разходен център за закупуване по подразбиране apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","За да получите най-доброто от ERPNext, ние ви препоръчваме да отнеме известно време, и да гледате тези помощни видеоклипове." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,да се +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,да се DocType: Supplier Quotation Item,Lead Time in days,Време за въвеждане в дни apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Задължения Резюме -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Изплащане на заплата от {0} до {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Изплащане на заплата от {0} до {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Не е разрешено да редактирате замразена сметка {0} DocType: Journal Entry,Get Outstanding Invoices,Вземи неплатените фактури -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Поръчка за продажба {0} не е валидна +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Поръчка за продажба {0} не е валидна apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Поръчки помогнат да планирате и проследяване на вашите покупки apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Съжаляваме, компаниите не могат да бъдат слети" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Непреки разходи apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Кол е задължително apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Земеделие -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Синхронизиране на основни данни -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Вашите продукти или услуги +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Синхронизиране на основни данни +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Вашите продукти или услуги DocType: Mode of Payment,Mode of Payment,Начин на плащане apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Сайт на снимката трябва да бъде държавна файл или уеб сайт URL DocType: Student Applicant,AP,AP @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Позиция данъчна ст DocType: Student Group Student,Group Roll Number,Номер на ролката в групата apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитни сметки могат да бъдат свързани с друг запис дебитна" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Общо за всички работни тежести трябва да бъде 1. Моля, коригира теглото на всички задачи по проекта съответно" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Складова разписка {0} не е подадена +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Складова разписка {0} не е подадена apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Позиция {0} трябва да бъде позиция за подизпълнители apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Капиталови Активи apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ценообразуване правило е първият избран на базата на "Нанесете върху" област, която може да бъде т, т Group или търговска марка." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,"Моля, първо задайте кода на елемента" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,"Моля, първо задайте кода на елемента" DocType: Hub Settings,Seller Website,Продавач Website DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Общо разпределят процентно за екип по продажбите трябва да бъде 100 DocType: Appraisal Goal,Goal,Цел DocType: Sales Invoice Item,Edit Description,Редактиране на Описание ,Team Updates,Екип - промени -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,За доставчик +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,За доставчик DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Задаване типа на профила ви помага при избора на този профил в сделките. DocType: Purchase Invoice,Grand Total (Company Currency),Общо (фирмена валута) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Създаване на формат за печат @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,Website стокови групи DocType: Purchase Invoice,Total (Company Currency),Общо (фирмена валута) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Сериен номер {0} влезли повече от веднъж DocType: Depreciation Schedule,Journal Entry,Вестник Влизане -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} артикула са в производство +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} артикула са в производство DocType: Workstation,Workstation Name,Workstation Име DocType: Grading Scale Interval,Grade Code,Код на клас DocType: POS Item Group,POS Item Group,POS Позиция Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email бюлетин: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} не принадлежи към позиция {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} не принадлежи към позиция {1} DocType: Sales Partner,Target Distribution,Target Разпределение DocType: Salary Slip,Bank Account No.,Банкова сметка номер DocType: Naming Series,This is the number of the last created transaction with this prefix,Това е поредният номер на последната създадена сделката с този префикс @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,Количка за пазаруване apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Ср Daily Outgoing DocType: POS Profile,Campaign,Кампания DocType: Supplier,Name and Type,Име и вид -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Одобрение Status трябва да бъде "Одобрена" или "Отхвърлени" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Одобрение Status трябва да бъде "Одобрена" или "Отхвърлени" DocType: Purchase Invoice,Contact Person,Лице за контакт apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Очаквана начална дата"" не може да бъде след ""Очаквана крайна дата""" DocType: Course Scheduling Tool,Course End Date,Курс Крайна дата @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Предпочитан Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Нетна промяна в дълготрайни материални активи DocType: Leave Control Panel,Leave blank if considered for all designations,"Оставете празно, ако се отнася за всички наименования" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge от тип "Край" в ред {0} не могат да бъдат включени в т Курсове -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Макс: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge от тип "Край" в ред {0} не могат да бъдат включени в т Курсове +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Макс: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,От за дата DocType: Email Digest,For Company,За компания apps/erpnext/erpnext/config/support.py +17,Communication log.,Комуникации - журнал. @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Профил DocType: Journal Entry Account,Account Balance,Баланс на Сметка apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Данъчно правило за транзакции. DocType: Rename Tool,Type of document to rename.,Вид на документа за преименуване. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Ние купуваме този артикул +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Ние купуваме този артикул apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: изисква се клиент при сметка за вземания{2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Общо данъци и такси (фирмена валута) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Покажи незатворен фискална година L баланси P & @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,Четения DocType: Stock Entry,Total Additional Costs,Общо допълнителни разходи DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Скрап Cost (Company валути) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Възложени Изпълнения +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Възложени Изпълнения DocType: Asset,Asset Name,Наименование на активи DocType: Project,Task Weight,Задача Тегло DocType: Shipping Rule Condition,To Value,До стойност @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Елемент Вари DocType: Company,Services,Услуги DocType: HR Settings,Email Salary Slip to Employee,Email Заплата поднасяне на служителите DocType: Cost Center,Parent Cost Center,Разходен център - Родител -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Изберете Възможен доставчик +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Изберете Възможен доставчик DocType: Sales Invoice,Source,Източник apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Покажи затворен DocType: Leave Type,Is Leave Without Pay,Дали си тръгне без Pay @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,Прилагане на отстъпка DocType: GST HSN Code,GST HSN Code,GST HSN кодекс DocType: Employee External Work History,Total Experience,Общо Experience apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Отворени проекти -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Приемо-предавателен протокол (и) анулиране +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Приемо-предавателен протокол (и) анулиране apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Парични потоци от инвестиционна DocType: Program Course,Program Course,програма на курса apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Товарни и спедиция Такси @@ -1538,9 +1538,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Програмни записвания DocType: Sales Invoice Item,Brand Name,Марка Име DocType: Purchase Receipt,Transporter Details,Превозвач Детайли -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Изисква се склад по подразбиране за избрания елемент -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Кутия -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Възможен доставчик +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Изисква се склад по подразбиране за избрания елемент +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Кутия +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Възможен доставчик DocType: Budget,Monthly Distribution,Месечно разпределение apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Списък Receiver е празна. Моля, създайте Списък Receiver" DocType: Production Plan Sales Order,Production Plan Sales Order,Производство планира продажбите Поръчка @@ -1572,7 +1572,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Искане apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Учениците са в основата на системата, добавят всички вашите ученици" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row {0}: дата Клирънсът {1} не може да бъде преди Чек Дата {2} DocType: Company,Default Holiday List,Списък на почивни дни по подразбиране -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: От време и До време на {1} се припокрива с {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: От време и До време на {1} се припокрива с {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Сток Задължения DocType: Purchase Invoice,Supplier Warehouse,Доставчик Склад DocType: Opportunity,Contact Mobile No,Контакт - мобилен номер @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Разрешение за типа {0} не може да бъде по-дълъг от {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Опитайте планира операции за Х дни предварително. DocType: HR Settings,Stop Birthday Reminders,Stop напомняне за рождени дни -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Моля, задайте по подразбиране ТРЗ Задължения профил в Company {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},"Моля, задайте по подразбиране ТРЗ Задължения профил в Company {0}" DocType: SMS Center,Receiver List,Списък Receiver -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Търсене позиция +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Търсене позиция apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Консумирана Сума apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Нетна промяна в Cash DocType: Assessment Plan,Grading Scale,Оценъчна скала apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Мерна единица {0} е въведен повече от веднъж в реализациите Factor Таблица -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,вече приключи +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,вече приключи apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Склад в ръка apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Вече съществува заявка за плащане {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Разходите за изписани стоки -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Количество не трябва да бъде повече от {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Количество не трябва да бъде повече от {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Предходната финансова година не е затворена apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Възраст (дни) DocType: Quotation Item,Quotation Item,Оферта Позиция @@ -1613,6 +1613,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Референтен документ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{1} {0} е отменен или спрян DocType: Accounts Settings,Credit Controller,Кредит контрольор +DocType: Sales Order,Final Delivery Date,Крайна дата на доставка DocType: Delivery Note,Vehicle Dispatch Date,Камион Дата на изпращане DocType: Purchase Invoice Item,HSN/SAC,HSN / ВАС apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Покупка Квитанция {0} не е подадена @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,Дата на пенсиониране DocType: Upload Attendance,Get Template,Вземи шаблон DocType: Material Request,Transferred,Прехвърлен DocType: Vehicle,Doors,Врати -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext инсталирането приключи! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext инсталирането приключи! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Данъчно разпадане +DocType: Purchase Invoice,Tax Breakup,Данъчно разпадане DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Не се изисква Разходен Център за сметка ""Печалби и загуби"" {2}. Моля, задайте Разходен Център по подразбиране за компанията." apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Група Клиенти съществува със същото име. Моля, променете името на Клиента или преименувайте Група Клиенти" @@ -1716,14 +1717,14 @@ DocType: Announcement,Instructor,инструктор DocType: Employee,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ако този елемент има варианти, то не може да бъде избран в поръчки за продажба и т.н." DocType: Lead,Next Contact By,Следваща Контакт с -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},"Количество, необходимо за т {0} на ред {1}" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},"Количество, необходимо за т {0} на ред {1}" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Склад {0} не може да се изтрие, тъй като съществува количество за артикул {1}" DocType: Quotation,Order Type,Тип поръчка DocType: Purchase Invoice,Notification Email Address,Имейл адрес за уведомления ,Item-wise Sales Register,Точка-мъдър Продажби Регистрация DocType: Asset,Gross Purchase Amount,Брутна сума на покупката DocType: Asset,Depreciation Method,Метод на амортизация -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Извън линия +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Извън линия DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,"Това ли е данък, включен в основната ставка?" apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Общо Цел DocType: Job Applicant,Applicant for a Job,Заявител на Job @@ -1744,7 +1745,7 @@ DocType: Employee,Leave Encashed?,Отсъствието е платено? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"""Възможност - От"" полето е задължително" DocType: Email Digest,Annual Expenses,годишните разходи DocType: Item,Variants,Варианти -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Направи поръчка +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Направи поръчка DocType: SMS Center,Send To,Изпрати на apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Няма достатъчно отпуск баланс за отпуск Тип {0} DocType: Payment Reconciliation Payment,Allocated amount,Отпусната сума @@ -1752,7 +1753,7 @@ DocType: Sales Team,Contribution to Net Total,Принос към Net Общо DocType: Sales Invoice Item,Customer's Item Code,Клиентски Код на позиция DocType: Stock Reconciliation,Stock Reconciliation,Склад за помирение DocType: Territory,Territory Name,Територия Име -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Склад за Незавършено производство се изисква преди изпращане +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Склад за Незавършено производство се изисква преди изпращане apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Заявител на Йов. DocType: Purchase Order Item,Warehouse and Reference,Склад и справочник DocType: Supplier,Statutory info and other general information about your Supplier,Законова информация и друга обща информация за вашия доставчик @@ -1763,16 +1764,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,оценки apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Дублиран Пореден № за позиция {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Условие за Правило за Доставка apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,"Моля, въведете" -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може да се overbill за позиция {0} в ред {1} повече от {2}. За да позволите на свръх-фактуриране, моля, задайте в Купуването Настройки" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Моля, задайте филтър на базата на т или Warehouse" +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може да се overbill за позиция {0} в ред {1} повече от {2}. За да позволите на свръх-фактуриране, моля, задайте в Купуването Настройки" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,"Моля, задайте филтър на базата на т или Warehouse" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нетното тегло на този пакет. (Изчислява автоматично като сума от нетно тегло статии) DocType: Sales Order,To Deliver and Bill,Да се доставят и фактурира DocType: Student Group,Instructors,инструктори DocType: GL Entry,Credit Amount in Account Currency,Кредитна сметка във валута на сметката -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} трябва да бъде изпратен +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} трябва да бъде изпратен DocType: Authorization Control,Authorization Control,Разрешение Control apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: отхвърля Warehouse е задължително срещу отхвърли т {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Плащане +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Плащане apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Склад {0} не е свързан с нито един профил, моля, посочете профила в склада, или задайте профил по подразбиране за рекламни места в компанията {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Управление на вашите поръчки DocType: Production Order Operation,Actual Time and Cost,Действителното време и разходи @@ -1788,12 +1789,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Пак DocType: Quotation Item,Actual Qty,Действително Количество DocType: Sales Invoice Item,References,Препратки DocType: Quality Inspection Reading,Reading 10,Четене 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Списък на вашите продукти или услуги, които купувате или продавате. Проверете стокова група, мерна единица и други свойства, когато започнете." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Списък на вашите продукти или услуги, които купувате или продавате. Проверете стокова група, мерна единица и други свойства, когато започнете." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Въвели сте дублиращи се елементи. Моля, поправи и опитай отново." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Сътрудник +DocType: Company,Sales Target,Продажна цел DocType: Asset Movement,Asset Movement,Asset движение -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Нова пазарска количка +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Нова пазарска количка apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Позиция {0} не е сериализирани позиция DocType: SMS Center,Create Receiver List,Създаване на списък за получаване DocType: Vehicle,Wheels,Колела @@ -1834,13 +1836,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Управление DocType: Supplier,Supplier of Goods or Services.,Доставчик на стоки или услуги. DocType: Budget,Fiscal Year,Фискална Година DocType: Vehicle Log,Fuel Price,цена на гориво +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте сериите за номериране за участие чрез настройка> Серия за номериране" DocType: Budget,Budget,Бюджет apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Дълготраен актив позиция трябва да бъде елемент не-склад. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет не могат да бъдат причислени към {0}, тъй като това не е сметка за приход или разход" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Постигнато DocType: Student Admission,Application Form Route,Заявление форма Път apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Територия / Клиент -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,например 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,например 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Тип отсъствие {0} не може да бъде разпределено, тъй като то е без заплащане" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: отпусната сума {1} трябва да е по-малка или равна на фактурира непогасения {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Словом ще бъде видим след като запазите фактурата. @@ -1849,11 +1852,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Позиция {0} не е настройка за серийни номера. Проверете настройките. DocType: Maintenance Visit,Maintenance Time,Поддръжка на времето ,Amount to Deliver,Сума за Избави -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Продукт или Услуга +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Продукт или Услуга apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Дата на срока Start не може да бъде по-рано от началото на годината Дата на учебната година, към който е свързан терминът (Academic Година {}). Моля, коригирайте датите и опитайте отново." DocType: Guardian,Guardian Interests,Guardian Интереси DocType: Naming Series,Current Value,Текуща стойност -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Съществуват множество фискални години за датата {0}. Моля, задайте компания в фискална година" +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Съществуват множество фискални години за датата {0}. Моля, задайте компания в фискална година" apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} е създаден(а) DocType: Delivery Note Item,Against Sales Order,Срещу поръчка за продажба ,Serial No Status,Сериен № - Статус @@ -1866,7 +1869,7 @@ DocType: Pricing Rule,Selling,Продажба apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Сума {0} {1} приспада срещу {2} DocType: Employee,Salary Information,Заплата DocType: Sales Person,Name and Employee ID,Име и Employee ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,"Падежа, не може да бъде, преди дата на осчетоводяване" +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,"Падежа, не може да бъде, преди дата на осчетоводяване" DocType: Website Item Group,Website Item Group,Website т Group apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Мита и такси apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Моля, въведете Референтна дата" @@ -1921,9 +1924,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},"Моля, задайте датата на присъединяване за служител {0}" DocType: Task,Total Billing Amount (via Time Sheet),Обща сума за плащане (чрез Time Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Повторете Приходи Customer -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) трябва да има роля ""Одобряващ разходи""" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Двойка -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Изберете BOM и Количество за производство +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) трябва да има роля ""Одобряващ разходи""" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Двойка +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Изберете BOM и Количество за производство DocType: Asset,Depreciation Schedule,Амортизационен план apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Адреси и контакти за партньори за продажби DocType: Bank Reconciliation Detail,Against Account,Срещу Сметка @@ -1933,7 +1936,7 @@ DocType: Item,Has Batch No,Има партиден № apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Годишно плащане: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Данъци за стоки и услуги (GST Индия) DocType: Delivery Note,Excise Page Number,Акцизите Page Number -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Компания, От дата и До дата е задължително" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Компания, От дата и До дата е задължително" DocType: Asset,Purchase Date,Дата на закупуване DocType: Employee,Personal Details,Лични Данни apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},"Моля, задайте "Асет Амортизация Cost Center" в компания {0}" @@ -1942,9 +1945,9 @@ DocType: Task,Actual End Date (via Time Sheet),Действително Край apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Сума {0} {1} срещу {2} {3} ,Quotation Trends,Оферта Тенденции apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Позиция Group не са посочени в т майстор за т {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Дебитиране на сметката трябва да е сметка за вземания +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Дебитиране на сметката трябва да е сметка за вземания DocType: Shipping Rule Condition,Shipping Amount,Доставка Сума -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Добавете клиенти +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Добавете клиенти apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,До Сума DocType: Purchase Invoice Item,Conversion Factor,Коефициент на преобразуване DocType: Purchase Order,Delivered,Доставени @@ -1966,7 +1969,6 @@ DocType: Production Order,Use Multi-Level BOM,Използвайте Multi-Level DocType: Bank Reconciliation,Include Reconciled Entries,Включи засечени позиции DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Основен курс (Оставете празно, ако това не е част от курса за родители)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Оставете празно, ако важи за всички видове наети лица" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Група клиенти> Територия DocType: Landed Cost Voucher,Distribute Charges Based On,Разпредели такси на базата на apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,очет DocType: HR Settings,HR Settings,Настройки на човешките ресурси (ЧР) @@ -1974,7 +1976,7 @@ DocType: Salary Slip,net pay info,Нет Инфо.БГ заплащане apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Expense претенция изчаква одобрение. Само за сметка одобряващ да актуализирате състоянието. DocType: Email Digest,New Expenses,Нови разходи DocType: Purchase Invoice,Additional Discount Amount,Допълнителна отстъпка сума -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row {0}: Кол трябва да бъде 1, като елемент е дълготраен актив. Моля, използвайте отделен ред за множествена бр." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row {0}: Кол трябва да бъде 1, като елемент е дълготраен актив. Моля, използвайте отделен ред за множествена бр." DocType: Leave Block List Allow,Leave Block List Allow,Оставете Block List Позволете apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Съкращение не може да бъде празно или интервал apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Група към не-група @@ -1982,7 +1984,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Спорто DocType: Loan Type,Loan Name,Заем - Име apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Общо Край DocType: Student Siblings,Student Siblings,студентските Братя и сестри -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Единица +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Единица apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Моля, посочете фирма" ,Customer Acquisition and Loyalty,Спечелени и лоялност на клиенти DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Склад, в койт се поддържа запас от отхвърлените артикули" @@ -2000,12 +2002,12 @@ DocType: Workstation,Wages per hour,Заплати на час apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Склад за баланс в Batch {0} ще стане отрицателна {1} за позиция {2} в склада {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,След Материал Исканията са повдигнати автоматично въз основа на нивото на повторна поръчка Точка на DocType: Email Digest,Pending Sales Orders,Чакащи Поръчки за продажби -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Сметка {0} е невалидна. Валутата на сметката трябва да е {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Сметка {0} е невалидна. Валутата на сметката трябва да е {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Мерна единица - фактор на превръщане се изисква на ред {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от продажбите Поръчка, продажба на фактура или вестник Влизане" DocType: Salary Component,Deduction,Намаление -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Ред {0}: От време и До време - е задължително. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Ред {0}: От време и До време - е задължително. DocType: Stock Reconciliation Item,Amount Difference,сума Разлика apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Елемент Цена добавя за {0} в Ценовата листа {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Моля, въведете Id Служител на този търговец" @@ -2015,11 +2017,11 @@ DocType: Project,Gross Margin,Брутна печалба apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,"Моля, въведете Производство Точка първа" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Изчисли Баланс на банково извлечение apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,забранени потребители -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Оферта +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Оферта DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Общо Приспадане ,Production Analytics,Производствени Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Разходите са обновени +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Разходите са обновени DocType: Employee,Date of Birth,Дата на раждане apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Позиция {0} вече е върната DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Фискална година ** представлява финансова година. Всички счетоводни записвания и други големи движения се записват към ** Фискална година **. @@ -2064,18 +2066,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Изберете компания ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Оставете празно, ако важи за всички отдели" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Видове наемане на работа (постоянни, договорни, стажант и т.н.)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} е задължително за Артикул {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} е задължително за Артикул {1} DocType: Process Payroll,Fortnightly,всеки две седмици DocType: Currency Exchange,From Currency,От валута apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Моля изберете отпусната сума, Тип фактура и фактура Номер в поне един ред" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Разходи за нова покупка -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Поръчка за продажба се изисква за позиция {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Поръчка за продажба се изисква за позиция {0} DocType: Purchase Invoice Item,Rate (Company Currency),Rate (Company валути) DocType: Student Guardian,Others,Други DocType: Payment Entry,Unallocated Amount,Неразпределена сума apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Няма съвпадащи записи. Моля изберете някоя друга стойност за {0}. DocType: POS Profile,Taxes and Charges,Данъци и такси DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Продукт или Услуга, която се купува, продава, или се съхраняват на склад." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код на елемента> Група на елементите> Марка apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Не повече актуализации apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Не можете да изберете тип заряд като "На предишния ред Сума" или "На предишния ред Total" за първи ред apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Дете позиция не трябва да бъде пакетен продукт. Моля, премахнете позиция `{0}` и запишете" @@ -2101,7 +2104,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Общо Фактурирана Сума apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Трябва да има по подразбиране входящия имейл акаунт е активиран за тази работа. Моля, настройка по подразбиране входящия имейл акаунт (POP / IMAP) и опитайте отново." apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Вземания - Сметка -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row {0}: Asset {1} е вече {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row {0}: Asset {1} е вече {2} DocType: Quotation Item,Stock Balance,Фондова Balance apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Поръчка за продажба до Плащане apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Изпълнителен директор @@ -2126,10 +2129,11 @@ DocType: C-Form,Received Date,Дата на получаване DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ако сте създали стандартен формуляр в продажбите данъци и такси Template, изберете един и кликнете върху бутона по-долу." DocType: BOM Scrap Item,Basic Amount (Company Currency),Основна сума (Валута на компанията) DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Доставчик> Тип доставчик DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Цените няма да се показват, ако ценова листа не е настроено" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Моля, посочете държава за тази доставка правило или проверете Worldwide Доставка" DocType: Stock Entry,Total Incoming Value,Общо Incoming Value -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Дебит сметка се изисква +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Дебит сметка се изисква apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Графици, за да следите на времето, разходите и таксуването за занимания, извършени от вашия екип" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Покупка Ценоразпис DocType: Offer Letter Term,Offer Term,Оферта Условия @@ -2148,11 +2152,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Тъ DocType: Timesheet Detail,To Time,До време DocType: Authorization Rule,Approving Role (above authorized value),Приемане Role (над разрешено стойност) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Кредитът на сметка трябва да бъде Платим акаунт -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не може да бъде родител или дете на {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не може да бъде родител или дете на {2} DocType: Production Order Operation,Completed Qty,Изпълнено Количество apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само дебитни сметки могат да бъдат свързани с друга кредитна влизане" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Ценоразпис {0} е деактивиран -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Ред {0}: Завършено количество не може да бъде повече от {1} за операция {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Ред {0}: Завършено количество не може да бъде повече от {1} за операция {2} DocType: Manufacturing Settings,Allow Overtime,Оставя Извънредният apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Сериализираната позиция {0} не може да бъде актуализирана с помощта на Ресурси за покупка, моля, използвайте Stock Entry" DocType: Training Event Employee,Training Event Employee,Обучение Събитие на служителите @@ -2170,10 +2174,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Външен apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Потребители и права DocType: Vehicle Log,VLOG.,ВЛОГ. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Производствени поръчки Създаден: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Производствени поръчки Създаден: {0} DocType: Branch,Branch,Клон DocType: Guardian,Mobile Number,Мобилен номер apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Печат и Branding +DocType: Company,Total Monthly Sales,Общо месечни продажби DocType: Bin,Actual Quantity,Действителното количество DocType: Shipping Rule,example: Next Day Shipping,Например: Доставка на следващия ден apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Сериен № {0} не е намерен @@ -2203,7 +2208,7 @@ DocType: Payment Request,Make Sales Invoice,Направи фактурата з apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,софтуери apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Следваща дата за контакт не може да е в миналото DocType: Company,For Reference Only.,Само за справка. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Изберете партида № +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Изберете партида № apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Невалиден {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Авансова сума @@ -2216,7 +2221,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Няма позиция с баркод {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Дело Номер не може да бъде 0 DocType: Item,Show a slideshow at the top of the page,Покажи на слайдшоу в горната част на страницата -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,списъците с материали +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,списъците с материали apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Магазини DocType: Serial No,Delivery Time,Време За Доставка apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Застаряването на населението на базата на @@ -2230,16 +2235,16 @@ DocType: Rename Tool,Rename Tool,Преименуване на Tool apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Актуализация на стойността DocType: Item Reorder,Item Reorder,Позиция Пренареждане apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Покажи фиш за заплата -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Прехвърляне на материал +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Прехвърляне на материал DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Посочете операции, оперативни разходи и да даде уникална операция не на вашите операции." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Този документ е над ограничението от {0} {1} за елемент {4}. Възможно ли е да направи друг {3} срещу същите {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,"Моля, задайте повтарящи след спасяването" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,количество сметка Select промяна +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,"Моля, задайте повтарящи след спасяването" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,количество сметка Select промяна DocType: Purchase Invoice,Price List Currency,Ценоразпис на валути DocType: Naming Series,User must always select,Потребителят трябва винаги да избере DocType: Stock Settings,Allow Negative Stock,Оставя Negative Фондова DocType: Installation Note,Installation Note,Монтаж - Забележка -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Добави Данъци +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Добави Данъци DocType: Topic,Topic,Тема apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Парични потоци от финансова DocType: Budget Account,Budget Account,Сметка за бюджет @@ -2253,7 +2258,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Пр apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Източник на средства (пасиви) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Количество в ред {0} ({1}) трябва да е същото като произведено количество {2} DocType: Appraisal,Employee,Служител -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Изберете Пакет +DocType: Company,Sales Monthly History,Месечна история на продажбите +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Изберете Пакет apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} е напълно таксуван DocType: Training Event,End Time,End Time apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Активно Заплата Структура {0} намерено за служител {1} за избраните дати @@ -2261,15 +2267,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Плащане Удръжки apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Стандартни договорни условия за покупко-продажба или покупка. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Групирай по Ваучер apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline Продажби -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},"Моля, задайте профила по подразбиране в Заплата Компонент {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},"Моля, задайте профила по подразбиране в Заплата Компонент {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Необходим на DocType: Rename Tool,File to Rename,Файл за Преименуване apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Моля изберете BOM за позиция в Row {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Профилът {0} не съвпада с фирмата {1} в режим на профила: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Предвидени BOM {0} не съществува за позиция {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График за поддръжка {0} трябва да се отмени преди да се анулира тази поръчка за продажба +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График за поддръжка {0} трябва да се отмени преди да се анулира тази поръчка за продажба DocType: Notification Control,Expense Claim Approved,Expense претенция Одобрен -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте сериите за номериране за участие чрез настройка> Серия за номериране" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Заплата поднасяне на служител {0} вече е създаден за този период apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Лекарствена apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Разходи за закупени стоки @@ -2286,7 +2291,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Номер. з DocType: Upload Attendance,Attendance To Date,Присъствие към днешна дата DocType: Warranty Claim,Raised By,Повдигнат от DocType: Payment Gateway Account,Payment Account,Разплащателна сметка -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Моля, посочете фирма, за да продължите" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Моля, посочете фирма, за да продължите" apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Нетна промяна в Вземания apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Компенсаторни Off DocType: Offer Letter,Accepted,Приет @@ -2295,12 +2300,12 @@ DocType: SG Creation Tool Course,Student Group Name,Наименование Stu apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Моля, уверете се, че наистина искате да изтриете всички сделки за тази компания. Вашите основни данни ще останат, тъй като е. Това действие не може да бъде отменено." DocType: Room,Room Number,Номер на стая apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Невалидна референция {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може да бъде по-голямо от планирано количество ({2}) в производствена поръчка {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може да бъде по-голямо от планирано количество ({2}) в производствена поръчка {3} DocType: Shipping Rule,Shipping Rule Label,Доставка Правило Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,потребителски форум -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,"Суровини, които не могат да бъдат празни." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Не можа да се актуализира склад, фактура съдържа капка корабоплаването т." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick вестник Влизане +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,"Суровини, които не могат да бъдат празни." +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Не можа да се актуализира склад, фактура съдържа капка корабоплаването т." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Quick вестник Влизане apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Вие не можете да променяте скоростта, ако BOM споменато agianst всеки елемент" DocType: Employee,Previous Work Experience,Предишен трудов опит DocType: Stock Entry,For Quantity,За Количество @@ -2357,7 +2362,7 @@ DocType: SMS Log,No of Requested SMS,Брои на заявени SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Неплатен отпуск не съвпада с одобрените записи оставите приложението DocType: Campaign,Campaign-.####,Кампания -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Следващи стъпки -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,"Моля, доставете определени елементи на възможно най-добрите цени" +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,"Моля, доставете определени елементи на възможно най-добрите цени" DocType: Selling Settings,Auto close Opportunity after 15 days,Auto близо възможност в 15-дневен срок apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Край Година apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Цитат / Водещ% @@ -2394,7 +2399,7 @@ DocType: Homepage,Homepage,Начална страница DocType: Purchase Receipt Item,Recd Quantity,Recd Количество apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Такса - записи създадени - {0} DocType: Asset Category Account,Asset Category Account,Asset Категория профил -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Не може да се произвежда повече позиция {0} от количеството в поръчка за продажба {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Не може да се произвежда повече позиция {0} от количеството в поръчка за продажба {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Склад за вписване {0} не е подадена DocType: Payment Reconciliation,Bank / Cash Account,Банкова / Кеш Сметка apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Следваща Контакт не може да бъде същата като на Водещия имейл адрес @@ -2427,7 +2432,7 @@ DocType: Salary Structure,Total Earning,Общо Приходи DocType: Purchase Receipt,Time at which materials were received,При която бяха получени материали Time DocType: Stock Ledger Entry,Outgoing Rate,Изходящ Курс apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Браншова организация майстор. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,или +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,или DocType: Sales Order,Billing Status,(Фактура) Статус apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Докладвай проблем apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Комунални Разходи @@ -2435,7 +2440,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row {0}: вестник Влизане {1} Няма профил {2} или вече съчетани срещу друг ваучер DocType: Buying Settings,Default Buying Price List,Ценови лист за закупуване по подразбиране DocType: Process Payroll,Salary Slip Based on Timesheet,Заплата Slip Въз основа на график -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Вече е създаден Никой служител за над избрани критерии или заплата фиша +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Вече е създаден Никой служител за над избрани критерии или заплата фиша DocType: Notification Control,Sales Order Message,Поръчка за продажба - Съобщение apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Задайте стойности по подразбиране, като Company, валути, текущата фискална година, и т.н." DocType: Payment Entry,Payment Type,Вид на плащане @@ -2459,7 +2464,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,трябва да се представи разписка документ DocType: Purchase Invoice Item,Received Qty,Получено количество DocType: Stock Entry Detail,Serial No / Batch,Сериен № / Партида -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Не е платен и не е доставен +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Не е платен и не е доставен DocType: Product Bundle,Parent Item,Родител позиция DocType: Account,Account Type,Тип Сметка DocType: Delivery Note,DN-RET-,DN-RET- @@ -2489,8 +2494,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Общата отпусната сума apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Задайте профил по подразбиране за инвентара за вечни запаси DocType: Item Reorder,Material Request Type,Заявка за материал - тип -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Начисляване на заплати от {0} до {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage е пълен, не беше записан" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Начисляване на заплати от {0} до {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage е пълен, не беше записан" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: мерна единица реализациите Factor е задължително apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Разходен център @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Да apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ако избран ценообразуване правило се прави за "Цена", той ще замени ценовата листа. Ценообразуване Правило цена е крайната цена, така че не се колебайте отстъпка трябва да се прилага. Следователно, при сделки, като продажби поръчка за покупка и т.н., то ще бъдат изведени в поле "Оцени", а не поле "Ценоразпис Курсове"." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track Изводи от Industry Type. DocType: Item Supplier,Item Supplier,Позиция - Доставчик -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Моля, въведете Код, за да получите партиден №" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Моля, въведете Код, за да получите партиден №" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Моля изберете стойност за {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Всички адреси. DocType: Company,Stock Settings,Сток Settings @@ -2535,7 +2540,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Действителн apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Няма фишове за заплата намерени между {0} и {1} ,Pending SO Items For Purchase Request,Чакащи позиции от поръчки за продажба по искане за покупка apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Учебен -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} е деактивиран +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} е деактивиран DocType: Supplier,Billing Currency,(Фактура) Валута DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Много Голям @@ -2565,7 +2570,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Статус Application DocType: Fees,Fees,Такси DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Посочете Валутен курс за конвертиране на една валута в друга -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Оферта {0} е отменена +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Оферта {0} е отменена apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Общият размер DocType: Sales Partner,Targets,Цели DocType: Price List,Price List Master,Ценоразпис магистър @@ -2582,7 +2587,7 @@ DocType: POS Profile,Ignore Pricing Rule,Игнориране на правил DocType: Employee Education,Graduate,Завършвам DocType: Leave Block List,Block Days,Блокиране - Дни DocType: Journal Entry,Excise Entry,Акцизите Влизане -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Внимание: Продажби Поръчка {0} вече съществува срещу поръчка на клиента {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Внимание: Продажби Поръчка {0} вече съществува срещу поръчка на клиента {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2608,7 +2613,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ак ,Salary Register,Заплата Регистрирайте се DocType: Warehouse,Parent Warehouse,Склад - Родител DocType: C-Form Invoice Detail,Net Total,Нето Общо -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Стандартният BOM не е намерен за елемент {0} и проект {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Стандартният BOM не е намерен за елемент {0} и проект {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Определяне на различни видове кредитни DocType: Bin,FCFS Rate,FCFS Курсове DocType: Payment Reconciliation Invoice,Outstanding Amount,Дължима сума @@ -2645,7 +2650,7 @@ DocType: Salary Detail,Condition and Formula Help,Състояние и Форм apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Управление на дърво на територията DocType: Journal Entry Account,Sales Invoice,Фактурата за продажба DocType: Journal Entry Account,Party Balance,Компания - баланс -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Моля изберете ""Прилагане на остъпка на""" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Моля изберете ""Прилагане на остъпка на""" DocType: Company,Default Receivable Account,Сметка за вземания по подразбиране DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Създайте Bank вписване на обща заплата за над избрани критерии DocType: Stock Entry,Material Transfer for Manufacture,Прехвърляне на материал за Производство @@ -2659,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Клиент - Адрес DocType: Employee Loan,Loan Details,Заем - Детайли DocType: Company,Default Inventory Account,Сметка по подразбиране за инвентаризация -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Завършен во трябва да е по-голяма от нула. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Row {0}: Завършен во трябва да е по-голяма от нула. DocType: Purchase Invoice,Apply Additional Discount On,Нанесете Допълнителна отстъпка от DocType: Account,Root Type,Root Type DocType: Item,FIFO,FIFO @@ -2676,7 +2681,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Проверка на каче apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,Стандартен шаблон DocType: Training Event,Theory,Теория -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Материал Заявени Количество е по-малко от минималното Поръчка Количество +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Материал Заявени Количество е по-малко от минималното Поръчка Количество apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Сметка {0} е замразена DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридическо лице / Дъщерно дружество с отделен сметкоплан, част от организацията." DocType: Payment Request,Mute Email,Mute Email @@ -2700,7 +2705,7 @@ DocType: Training Event,Scheduled,Планиран apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Запитване за оферта. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Моля изберете позиция, където "е Фондова Позиция" е "Не" и "Е-продажба точка" е "Да" и няма друг Bundle продукта" DocType: Student Log,Academic,Академичен -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Общо предварително ({0}) срещу Заповед {1} не може да бъде по-голям от общия сбор ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Общо предварително ({0}) срещу Заповед {1} не може да бъде по-голям от общия сбор ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Изберете месец Distribution да неравномерно разпределяне цели през месеца. DocType: Purchase Invoice Item,Valuation Rate,Оценка Оценка DocType: Stock Reconciliation,SR/,SR/ @@ -2764,6 +2769,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Въведете името на кампанията, ако източник на запитване е кампания" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Издателите на вестници apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Изберете фискална година +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Очакваната дата на доставка трябва да бъде след датата на поръчката за продажба apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Пренареждане Level DocType: Company,Chart Of Accounts Template,Сметкоплан - Шаблон DocType: Attendance,Attendance Date,Присъствие Дата @@ -2795,7 +2801,7 @@ DocType: Pricing Rule,Discount Percentage,Отстъпка Процент DocType: Payment Reconciliation Invoice,Invoice Number,Номер на фактура DocType: Shopping Cart Settings,Orders,Поръчки DocType: Employee Leave Approver,Leave Approver,Одобряващ отсъствия -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,"Моля, изберете партида" +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,"Моля, изберете партида" DocType: Assessment Group,Assessment Group Name,Име Оценка Group DocType: Manufacturing Settings,Material Transferred for Manufacture,Материалът е прехвърлен за Производство DocType: Expense Claim,"A user with ""Expense Approver"" role","Потребител с роля "" Одобряващ разходи""" @@ -2831,7 +2837,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Последен ден на следващия месец DocType: Support Settings,Auto close Issue after 7 days,Auto близо Issue след 7 дни apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Отпуск не могат да бъдат разпределени преди {0}, като баланс отпуск вече е ръчен изпраща в записа на бъдещото разпределение отпуск {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Забележка: Поради / Референция Дата надвишава право кредитни клиент дни от {0} ден (и) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Забележка: Поради / Референция Дата надвишава право кредитни клиент дни от {0} ден (и) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Заявител DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ОРИГИНАЛ ЗА ПОЛУЧАТЕЛЯ DocType: Asset Category Account,Accumulated Depreciation Account,Сметка за Натрупана амортизация @@ -2842,7 +2848,7 @@ DocType: Item,Reorder level based on Warehouse,Пренареждане равн DocType: Activity Cost,Billing Rate,(Фактура) Курс ,Qty to Deliver,Количество за доставка ,Stock Analytics,Сток Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Операциите не могат да бъдат оставени празни +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Операциите не могат да бъдат оставени празни DocType: Maintenance Visit Purpose,Against Document Detail No,Against Document Detail No apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Тип Компания е задължително DocType: Quality Inspection,Outgoing,Изходящ @@ -2883,15 +2889,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,В наличност Количество в склада apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Фактурирана Сума DocType: Asset,Double Declining Balance,Двоен неснижаем остатък -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,"Затворена поръчка не може да бъде анулирана. Отворете, за да отмените." +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,"Затворена поръчка не може да бъде анулирана. Отворете, за да отмените." DocType: Student Guardian,Father,баща -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Актуализация на склад"" не може да бъде избрано при продажба на активи" +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"""Актуализация на склад"" не може да бъде избрано при продажба на активи" DocType: Bank Reconciliation,Bank Reconciliation,Банково извлечение DocType: Attendance,On Leave,В отпуск apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Получаване на актуализации apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Сметка {2} не принадлежи на компания {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Искане за материал {0} е отменен или спрян -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Добавяне на няколко примерни записи +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Добавяне на няколко примерни записи apps/erpnext/erpnext/config/hr.py +301,Leave Management,Управление на отсътствията apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Групирай по Сметка DocType: Sales Order,Fully Delivered,Напълно Доставени @@ -2900,12 +2906,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разлика трябва да се вида на актива / Отговорност сметка, тъй като това Фондова Помирението е Откриване Влизане" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Платената сума не може да бъде по-голяма от кредит сума {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},"Поръчка за покупка брой, необходим за т {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Производство Поръчка не е създаден +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Производство Поръчка не е създаден apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""От дата"" трябва да е преди ""До дата""" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Не може да се промени статута си на студент {0} е свързан с прилагането студент {1} DocType: Asset,Fully Depreciated,напълно амортизирани ,Stock Projected Qty,Фондова Прогнозно Количество -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Клиент {0} не принадлежи на проекта {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Клиент {0} не принадлежи на проекта {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Маркирано като присъствие HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Оферта са предложения, оферти, изпратени до клиентите" DocType: Sales Order,Customer's Purchase Order,Поръчка на Клиента @@ -2915,7 +2921,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Моля, задайте Брой амортизации Резервирано" apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Стойност или Количество apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions поръчки не могат да бъдат повдигнати за: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Минута +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Минута DocType: Purchase Invoice,Purchase Taxes and Charges,Покупка данъци и такси ,Qty to Receive,Количество за получаване DocType: Leave Block List,Leave Block List Allowed,Оставете Block List любимци @@ -2928,7 +2934,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Всички Видове Доставчик DocType: Global Defaults,Disable In Words,Изключване с думи apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Код е задължително, тъй като номерацията не е автоматична" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Оферта {0} не от типа {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Оферта {0} не от типа {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,График за техническо обслужване - позиция DocType: Sales Order,% Delivered,% Доставени DocType: Production Order,PRO-,PRO- @@ -2951,7 +2957,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Продавач Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Общата покупна цена на придобиване (чрез покупка на фактура) DocType: Training Event,Start Time,Начален Час -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Изберете Количество +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Изберете Количество DocType: Customs Tariff Number,Customs Tariff Number,Тарифен номер Митници apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Приемане роля не може да бъде същата като ролята на правилото се прилага за apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Отписване от този Email бюлетин @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Подробности DocType: Sales Order,Fully Billed,Напълно фактуриран apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Парични средства в брой -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Склад за доставка се изисква за позиция {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Склад за доставка се изисква за позиция {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Брутното тегло на опаковката. Обикновено нетно тегло + опаковъчен материал тегло. (За печат) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,програма DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Потребителите с тази роля е разрешено да задават замразени сметки и да се създаде / модифицира счетоводни записи срещу замразените сметки @@ -2984,7 +2990,7 @@ DocType: Student Group,Group Based On,Групирано на DocType: Journal Entry,Bill Date,Фактура - Дата apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","се изисква Service т, тип, честота и количество разход" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Дори и да има няколко ценови правила с най-висок приоритет, се прилагат след това следните вътрешни приоритети:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Наистина ли искате да отнесат всички Заплата Slip от {0} до {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Наистина ли искате да отнесат всички Заплата Slip от {0} до {1} DocType: Cheque Print Template,Cheque Height,Чек Височина DocType: Supplier,Supplier Details,Доставчик - детайли DocType: Expense Claim,Approval Status,Одобрение Status @@ -3006,7 +3012,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Потенциале apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,"Нищо повече, което да покажем." DocType: Lead,From Customer,От клиент apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Призовава -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Партиди +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Партиди DocType: Project,Total Costing Amount (via Time Logs),Общо Остойностяване сума (чрез Time Logs) DocType: Purchase Order Item Supplied,Stock UOM,Склад за мерна единица apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Поръчка за покупка {0} не е подадена @@ -3037,7 +3043,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Върнете Сре DocType: Item,Warranty Period (in days),Гаранционен срок (в дни) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Връзка с Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Net Cash от Operations -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,например ДДС +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,например ДДС apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Позиция 4 DocType: Student Admission,Admission End Date,Допускане Крайна дата apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Подизпълнители @@ -3045,7 +3051,7 @@ DocType: Journal Entry Account,Journal Entry Account,Вестник Влизан apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group DocType: Shopping Cart Settings,Quotation Series,Оферта Series apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Една статия, съществува със същото име ({0}), моля да промените името на стокова група или преименувате елемента" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Моля изберете клиент +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Моля изберете клиент DocType: C-Form,I,аз DocType: Company,Asset Depreciation Cost Center,Център за амортизация на разходите Асет DocType: Sales Order Item,Sales Order Date,Поръчка за продажба - Дата @@ -3056,6 +3062,7 @@ DocType: Stock Settings,Limit Percent,Процент лимит ,Payment Period Based On Invoice Date,Заплащане Период на базата на датата на фактурата apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Липсва обменен курс за валута {0} DocType: Assessment Plan,Examiner,ревизор +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте Naming Series за {0} чрез Setup> Settings> Naming Series" DocType: Student,Siblings,Братя и сестри DocType: Journal Entry,Stock Entry,Склад за вписване DocType: Payment Entry,Payment References,плащане Референции @@ -3080,7 +3087,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Когато се извършват производствени операции. DocType: Asset Movement,Source Warehouse,Източник Склад DocType: Installation Note,Installation Date,Дата на инсталация -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row {0}: Asset {1} не принадлежи на компания {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row {0}: Asset {1} не принадлежи на компания {2} DocType: Employee,Confirmation Date,Потвърждение Дата DocType: C-Form,Total Invoiced Amount,Общо Сума по фактура apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Минималното количество не може да бъде по-голяма от максималното количество @@ -3153,7 +3160,7 @@ DocType: Company,Default Letter Head,По подразбиране бланка DocType: Purchase Order,Get Items from Open Material Requests,Вземи позициите от отворените заявки за материали DocType: Item,Standard Selling Rate,Standard Selling Rate DocType: Account,Rate at which this tax is applied,"Скоростта, с която се прилага този данък" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Пренареждане Количество +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Пренареждане Количество apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Текущи свободни работни места DocType: Company,Stock Adjustment Account,Склад за приспособяване Акаунт apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Отписвам @@ -3167,7 +3174,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Доставчик доставя на Клиента apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Форма / позиция / {0}) е изчерпана apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Следваща дата за контакт трябва да е по-голяма от датата на публикуване -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Поради / Референтен дата не може да бъде след {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Поради / Референтен дата не може да бъде след {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Внос и експорт на данни apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Няма намерени студенти apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Фактура - дата на осчетоводяване @@ -3187,12 +3194,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Това се основава на присъствието на този Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Няма студенти в apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Добавете още предмети или отворен пълна форма -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Моля, въведете "Очаквана дата на доставка"" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Складовата разписка {0} трябва да се отмени преди да анулирате тази поръчка за продажба +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Складовата разписка {0} трябва да се отмени преди да анулирате тази поръчка за продажба apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Платената сума + отписана сума не може да бъде по-голяма от обща сума apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не е валиден Партиден номер за Артикул {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Забележка: Няма достатъчно отпуск баланс за отпуск Тип {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Невалиден GSTIN или Enter NA за нерегистриран +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Невалиден GSTIN или Enter NA за нерегистриран DocType: Training Event,Seminar,семинар DocType: Program Enrollment Fee,Program Enrollment Fee,Програма такса за записване DocType: Item,Supplier Items,Доставчик артикули @@ -3210,7 +3216,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Склад за живот на възрастните хора apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Студент {0} съществува срещу ученик кандидат {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,график -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} "{1}" е деактивирана +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} "{1}" е деактивирана apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Задай като Отворен DocType: Cheque Print Template,Scanned Cheque,сканираните Чек DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Изпрати автоматични имейли в Контакти при подаването на сделки. @@ -3256,7 +3262,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Ценоразпис Валутен курс DocType: Purchase Invoice Item,Rate,Ед. Цена apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Интерниран -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Адрес Име +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Адрес Име DocType: Stock Entry,From BOM,От BOM DocType: Assessment Code,Assessment Code,Код за оценка apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основен @@ -3269,20 +3275,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Структура Заплата DocType: Account,Bank,Банка apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Авиолиния -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Изписване на материал +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Изписване на материал DocType: Material Request Item,For Warehouse,За склад DocType: Employee,Offer Date,Оферта - Дата apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Оферти -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Вие сте в офлайн режим. Вие няма да бъдете в състояние да презареждате, докато нямате мрежа." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Вие сте в офлайн режим. Вие няма да бъдете в състояние да презареждате, докато нямате мрежа." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Няма създаден студентски групи. DocType: Purchase Invoice Item,Serial No,Сериен Номер apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна погасителна сума не може да бъде по-голяма от Размер на заема apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Моля, въведете Maintaince Детайли първа" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Ред # {0}: Очакваната дата на доставка не може да бъде преди датата на поръчката за покупка DocType: Purchase Invoice,Print Language,Print Език DocType: Salary Slip,Total Working Hours,Общо работни часове DocType: Stock Entry,Including items for sub assemblies,Включително артикули за под събрания -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,"Въведете стойност, която да бъде положителна" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код на елемента> Група на елементите> Марка +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,"Въведете стойност, която да бъде положителна" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Всички територии DocType: Purchase Invoice,Items,Позиции apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student вече е регистриран. @@ -3304,7 +3310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default мерната единица за Variant '{0}' трябва да бъде същото, както в Template "{1}"" DocType: Shipping Rule,Calculate Based On,Изчислете на основата на DocType: Delivery Note Item,From Warehouse,От склад -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Не артикули с Бил на материали за производство на +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Не артикули с Бил на материали за производство на DocType: Assessment Plan,Supervisor Name,Наименование на надзорник DocType: Program Enrollment Course,Program Enrollment Course,Курс за записване на програмата DocType: Purchase Taxes and Charges,Valuation and Total,Оценка и Обща сума @@ -3319,32 +3325,33 @@ DocType: Training Event Employee,Attended,присъстваха apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Дни след последна поръчка"" трябва да бъдат по-големи или равни на нула" DocType: Process Payroll,Payroll Frequency,ТРЗ Честота DocType: Asset,Amended From,Изменен От -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Суровина +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Суровина DocType: Leave Application,Follow via Email,Следвайте по имейл apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Заводи и машини DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сума на данъка след сумата на отстъпката DocType: Daily Work Summary Settings,Daily Work Summary Settings,Дневни Settings Work Резюме -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Валута на ценовата листа {0} не съвпада с избраната валута {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Валута на ценовата листа {0} не съвпада с избраната валута {1} DocType: Payment Entry,Internal Transfer,вътрешен трансфер apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Предвид Child съществува за този профил. Не можете да изтриете този профил. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Или целта Количество или целева сума е задължителна apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Няма спецификация на материал по подразбиране за позиция {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Моля, изберете първо счетоводна дата" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Моля, изберете първо счетоводна дата" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Откриване Дата трябва да е преди крайната дата DocType: Leave Control Panel,Carry Forward,Пренасяне apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Разходен център със съществуващи операции не може да бъде превърнат в книга DocType: Department,Days for which Holidays are blocked for this department.,Дни за които Holidays са блокирани за този отдел. ,Produced,Продуциран -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Създадени фишове за заплати +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Създадени фишове за заплати DocType: Item,Item Code for Suppliers,Код на доставчици DocType: Issue,Raised By (Email),Повдигнат от (Email) DocType: Training Event,Trainer Name,Наименование Trainer DocType: Mode of Payment,General,Общ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последно съобщение apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се приспадне при категория е за "оценка" или "Оценка и Total" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Списък на вашите данъци (например ДДС, митнически и други; те трябва да имат уникални имена) и техните стандартни проценти. Това ще създаде стандартен шаблон, който можете да редактирате и да добавите по-късно." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Списък на вашите данъци (например ДДС, митнически и други; те трябва да имат уникални имена) и техните стандартни проценти. Това ще създаде стандартен шаблон, който можете да редактирате и да добавите по-късно." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},"Серийни номера, изисквано за серийни номера, т {0}" apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Краен Плащания с фактури +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},"Ред # {0}: Моля, въведете дата на доставка спрямо елемент {1}" DocType: Journal Entry,Bank Entry,Банков запис DocType: Authorization Rule,Applicable To (Designation),Приложими по отношение на (наименование) ,Profitability Analysis,Анализ на рентабилността @@ -3360,17 +3367,18 @@ DocType: Quality Inspection,Item Serial No,Позиция Сериен № apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Създаване на запис на нает персонал apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Общо Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Счетоводни отчети -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Час +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Час apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial Не може да има Warehouse. Warehouse трябва да бъде определен от Фондова Влизане или покупка Разписка DocType: Lead,Lead Type,Тип потенциален клиент apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Вие нямате право да одобри листата на Блок Дати -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Всички тези елементи вече са били фактурирани +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Всички тези елементи вече са били фактурирани +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Месечна цел за продажби apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Може да бъде одобрен от {0} DocType: Item,Default Material Request Type,Тип заявка за материали по подразбиране apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,неизвестен DocType: Shipping Rule,Shipping Rule Conditions,Доставка Правило Условия DocType: BOM Replace Tool,The new BOM after replacement,Новият BOM след подмяна -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Точка на продажба +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Точка на продажба DocType: Payment Entry,Received Amount,получената сума DocType: GST Settings,GSTIN Email Sent On,GSTIN имейлът е изпратен на DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop от Guardian @@ -3385,8 +3393,8 @@ DocType: C-Form,Invoices,Фактури DocType: Batch,Source Document Name,Име на изходния документ DocType: Job Opening,Job Title,Длъжност apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Създаване на потребители -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,грам -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Количество за Производство трябва да е по-голямо от 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,грам +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Количество за Производство трябва да е по-голямо от 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Посетете доклад за поддръжка повикване. DocType: Stock Entry,Update Rate and Availability,Актуализация Курсове и Наличност DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Процент ви е позволено да получи или достави повече от поръчаното количество. Например: Ако сте поръчали 100 единици. и си Allowance е 10% след което се оставя да се получи 110 единици. @@ -3398,7 +3406,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Моля анулирайте фактурата за покупка {0} първо apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-mail адрес трябва да бъде уникален, вече съществува за {0}" DocType: Serial No,AMC Expiry Date,AMC срок на годност -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Касова бележка +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Касова бележка ,Sales Register,Продажбите Регистрация DocType: Daily Work Summary Settings Company,Send Emails At,Изпрати имейли до DocType: Quotation,Quotation Lost Reason,Оферта Причина за загубване @@ -3411,14 +3419,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Все още apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Отчет за паричните потоци apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Размер на кредита не може да надвишава сума на максимален заем {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Разрешително -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},"Моля, премахнете тази фактура {0} от C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},"Моля, премахнете тази фактура {0} от C-Form {1}" DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Моля изберете прехвърляне, ако и вие искате да се включат предходната фискална година баланс оставя на тази фискална година" DocType: GL Entry,Against Voucher Type,Срещу ваучер Вид DocType: Item,Attributes,Атрибути apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Моля, въведете отпишат Акаунт" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последна Поръчка Дата apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Сметка {0} не принадлежи на фирма {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Серийните номера в ред {0} не съвпадат с бележката за доставка +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Серийните номера в ред {0} не съвпадат с бележката за доставка DocType: Student,Guardian Details,Guardian Детайли DocType: C-Form,C-Form,Cи-Форма apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Маркирай присъствие за множество служители @@ -3450,16 +3458,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,В DocType: Tax Rule,Sales,Търговски DocType: Stock Entry Detail,Basic Amount,Основна сума DocType: Training Event,Exam,Изпит -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Склад се изисква за артикул {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Склад се изисква за артикул {0} DocType: Leave Allocation,Unused leaves,Неизползваните отпуски -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,(Фактура) Състояние apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Прехвърляне apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} не е свързан с клиентска сметка {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Изважда се взриви BOM (включително монтажните възли) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Изважда се взриви BOM (включително монтажните възли) DocType: Authorization Rule,Applicable To (Employee),Приложими по отношение на (Employee) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Срок за плащане е задължителен apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Увеличаване на атрибут {0} не може да бъде 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Група клиенти> Територия DocType: Journal Entry,Pay To / Recd From,Плати на / Получи от DocType: Naming Series,Setup Series,Настройка на номерацията DocType: Payment Reconciliation,To Invoice Date,Към датата на фактурата @@ -3486,7 +3495,7 @@ DocType: Journal Entry,Write Off Based On,Отписване на базата apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Направи Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Печат и консумативи DocType: Stock Settings,Show Barcode Field,Покажи Barcode Невярно -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Изпрати Доставчик имейли +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Изпрати Доставчик имейли apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Заплата вече обработени за период между {0} и {1}, Оставете период заявление не може да бъде между този период от време." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Монтаж запис за сериен номер DocType: Guardian Interest,Guardian Interest,Guardian Интерес @@ -3499,7 +3508,7 @@ DocType: Offer Letter,Awaiting Response,Очаква отговор apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Горе apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Невалиден атрибут {0} {1} DocType: Supplier,Mention if non-standard payable account,Посочете дали е нестандартна платима сметка -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Същият елемент е въведен няколко пъти. {Списък} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Същият елемент е въведен няколко пъти. {Списък} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',"Моля, изберете групата за оценка, различна от "Всички групи за оценка"" DocType: Salary Slip,Earning & Deduction,Приходи & Удръжки apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"По избор. Тази настройка ще бъде използван, за да филтрирате по различни сделки." @@ -3518,7 +3527,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Разходите за Брак на активи apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Разходен Център е задължително за {2} DocType: Vehicle,Policy No,Полица номер -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Получават от продукта Bundle +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Получават от продукта Bundle DocType: Asset,Straight Line,Права DocType: Project User,Project User,Потребителят Project apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,разцепване @@ -3530,6 +3539,7 @@ DocType: Sales Team,Contact No.,Контакт - номер DocType: Bank Reconciliation,Payment Entries,Записи на плащане DocType: Production Order,Scrap Warehouse,скрап Warehouse DocType: Production Order,Check if material transfer entry is not required,Проверете дали не се изисква въвеждане на материал за прехвърляне +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте система за наименуване на служители в Човешки ресурси> Настройки за персонала" DocType: Program Enrollment Tool,Get Students From,Вземете студентите от DocType: Hub Settings,Seller Country,Продавач - Държава apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Публикуване Теми на Website @@ -3547,19 +3557,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,"Посочете условия, за да изчисли стойността на доставката" DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Роля позволено да определят замразени сметки & Редактиране на замразени влизания apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"Не може да конвертирате Cost Center да Леджър, тъй като има дете възли" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Наличност - Стойност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Наличност - Стойност DocType: Salary Detail,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Комисионна за покупко-продажба DocType: Offer Letter Term,Value / Description,Стойност / Описание -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row {0}: Asset {1} не може да бъде представен, той вече е {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row {0}: Asset {1} не може да бъде представен, той вече е {2}" DocType: Tax Rule,Billing Country,(Фактура) Държава DocType: Purchase Order Item,Expected Delivery Date,Очаквана дата на доставка apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Дебитни и кредитни не е равно на {0} # {1}. Разликата е {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Представителни Разходи apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Направи Материал Заявка apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open т {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Фактурата за продажба {0} трябва да се отмени преди анулирането този Продажби Поръчка +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Фактурата за продажба {0} трябва да се отмени преди анулирането този Продажби Поръчка apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Възраст DocType: Sales Invoice Timesheet,Billing Amount,Сума за фактуриране apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Невалидно количество, определено за ред {0}. Количество трябва да бъде по-голямо от 0." @@ -3582,7 +3592,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,New Customer приходите apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Пътни Разходи DocType: Maintenance Visit,Breakdown,Авария -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Сметка: {0} с валута: не може да бъде избран {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Сметка: {0} с валута: не може да бъде избран {1} DocType: Bank Reconciliation Detail,Cheque Date,Чек Дата apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Сметка {0}: Родителска сметка {1} не принадлежи на фирмата: {2} DocType: Program Enrollment Tool,Student Applicants,студентските Кандидатите @@ -3602,11 +3612,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Пла DocType: Material Request,Issued,Изписан apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Студентска дейност DocType: Project,Total Billing Amount (via Time Logs),Общо Billing сума (чрез Time Logs) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Ние продаваме този артикул +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Ние продаваме този артикул apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id на доставчик DocType: Payment Request,Payment Gateway Details,Плащане Gateway Детайли -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Количество трябва да бъде по-голяма от 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Примерни данни +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Количество трябва да бъде по-голяма от 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Примерни данни DocType: Journal Entry,Cash Entry,Каса - Запис apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,"Подвъзли могат да се създават само при възли от тип ""група""" DocType: Leave Application,Half Day Date,Половин ден - Дата @@ -3615,17 +3625,18 @@ DocType: Sales Partner,Contact Desc,Контакт - Описание apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Вид на листа като случайни, болни и т.н." DocType: Email Digest,Send regular summary reports via Email.,Изпрати редовни обобщени доклади чрез електронна поща. DocType: Payment Entry,PE-,РЕ- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Моля, задайте профила по подразбиране в Expense претенция Type {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},"Моля, задайте профила по подразбиране в Expense претенция Type {0}" DocType: Assessment Result,Student Name,Student Име DocType: Brand,Item Manager,Мениджъра на позиция apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,ТРЗ Задължения DocType: Buying Settings,Default Supplier Type,Тип доставчик по подразбиране DocType: Production Order,Total Operating Cost,Общо оперативни разходи -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Забележка: Точка {0} влезе няколко пъти +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Забележка: Точка {0} влезе няколко пъти apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Всички контакти. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Задайте си цел apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Компания - Съкращение apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Потребителят {0} не съществува -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Суровини не може да бъде същата като основен елемент +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Суровини не може да бъде същата като основен елемент DocType: Item Attribute Value,Abbreviation,Абревиатура apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Плащането Влизане вече съществува apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не authroized тъй {0} надхвърля границите @@ -3643,7 +3654,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Роля за реда ,Territory Target Variance Item Group-Wise,Територия Target Вариацията т Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Всички групи клиенти apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Натрупвано месечно -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задължително. Може би запис за обменни курсове на валута не е създаден от {1} към {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задължително. Може би запис за обменни курсове на валута не е създаден от {1} към {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Данъчен шаблон е задължителен. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Сметка {0}: Родителска сметка {1} не съществува DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ценоразпис Rate (Company валути) @@ -3654,7 +3665,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Процентн apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Секретар DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ако забраните, "по думите на" поле няма да се вижда в всяка сделка" DocType: Serial No,Distinct unit of an Item,Обособена единица на артикул -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,"Моля, задайте фирмата" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,"Моля, задайте фирмата" DocType: Pricing Rule,Buying,Купуване DocType: HR Settings,Employee Records to be created by,Архивите на служителите да бъдат създадени от DocType: POS Profile,Apply Discount On,Нанесете отстъпка от @@ -3665,7 +3676,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Позиция Wise Tax Подробности apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Институт Съкращение ,Item-wise Price List Rate,Точка-мъдър Ценоразпис Курсове -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Доставчик оферта +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Доставчик оферта DocType: Quotation,In Words will be visible once you save the Quotation.,Словом ще бъде видим след като запазите офертата. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количеството ({0}) не може да бъде част от реда {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Такса за събиране @@ -3688,7 +3699,7 @@ Updated via 'Time Log'",в протокола Updated чрез "Time Log&qu DocType: Customer,From Lead,От потенциален клиент apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Поръчки пуснати за производство. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Изберете фискална година ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS профил изисква да направи POS Влизане +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS профил изисква да направи POS Влизане DocType: Program Enrollment Tool,Enroll Students,приемат студенти DocType: Hub Settings,Name Token,Име Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling @@ -3706,7 +3717,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Склад за Value Раз apps/erpnext/erpnext/config/learn.py +234,Human Resource,Човешки Ресурси DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Заплащане помирение плащане apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Данъчни активи -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Производствената поръчка е {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Производствената поръчка е {0} DocType: BOM Item,BOM No,BOM Номер DocType: Instructor,INS/,INS/ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Вестник Влизане {0} не разполага сметка {1} или вече съвпадащи срещу друг ваучер @@ -3720,7 +3731,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Кач apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Дължима сума DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Дефинират целите т Group-мъдър за тази Продажби Person. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Запаси по-стари от [Days] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row {0}: Asset е задължително за дълготраен актив покупка / продажба +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row {0}: Asset е задължително за дълготраен актив покупка / продажба apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ако две или повече ценови правила са открити на базата на горните условия, се прилага приоритет. Приоритет е число между 0 до 20, докато стойността по подразбиране е нула (празно). Висше номер означава, че ще имат предимство, ако има няколко ценови правила с едни и същи условия." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Фискална година: {0} не съществува DocType: Currency Exchange,To Currency,За валута @@ -3728,7 +3739,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Видове разноски иск. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Процентът на продажбата за елемент {0} е по-нисък от {1}. Процентът на продажба трябва да бъде най-малко {2} DocType: Item,Taxes,Данъци -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Платени и недоставени +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Платени и недоставени DocType: Project,Default Cost Center,Разходен център по подразбиране DocType: Bank Guarantee,End Date,Крайна Дата apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,сделки с акции @@ -3745,7 +3756,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Ежедневната работа Обобщение на настройките Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Позиция {0} е игнорирана, тъй като тя не е елемент от склад" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Изпратете този производствена поръчка за по-нататъшна обработка. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Изпратете този производствена поръчка за по-нататъшна обработка. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","За да не се прилага ценообразуване правило в дадена сделка, всички приложими правила за ценообразуване трябва да бъдат забранени." DocType: Assessment Group,Parent Assessment Group,Родител Група оценка apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Работни места @@ -3753,10 +3764,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Работн DocType: Employee,Held On,Проведена На apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Производство Точка ,Employee Information,Служител - Информация -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Rate (%) DocType: Stock Entry Detail,Additional Cost,Допълнителна Cost apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрира по Ваучер Не, ако е групирано по ваучер" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Въведи оферта на доставчик +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Въведи оферта на доставчик DocType: Quality Inspection,Incoming,Входящ DocType: BOM,Materials Required (Exploded),Необходими материали (в детайли) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Добавте на потребители към вашата организация, различни от себе си" @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Сметка: {0} може да се актуализира само чрез Складови трансакции DocType: Student Group Creation Tool,Get Courses,Вземете курсове DocType: GL Entry,Party,Компания -DocType: Sales Order,Delivery Date,Дата На Доставка +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Дата На Доставка DocType: Opportunity,Opportunity Date,Възможност - Дата DocType: Purchase Receipt,Return Against Purchase Receipt,Върнете Срещу Покупка Разписка DocType: Request for Quotation Item,Request for Quotation Item,Запитване за оферта - позиция @@ -3786,7 +3797,7 @@ DocType: Task,Actual Time (in Hours),Действителното време (в DocType: Employee,History In Company,История във фирмата apps/erpnext/erpnext/config/learn.py +107,Newsletters,Бютелини с новини DocType: Stock Ledger Entry,Stock Ledger Entry,Фондова Ledger Влизане -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Същата позиция е въведена много пъти +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Същата позиция е въведена много пъти DocType: Department,Leave Block List,Оставете Block List DocType: Sales Invoice,Tax ID,Данъчен номер apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Точка {0} не е настройка за серийни номера. Колоната трябва да бъде празно @@ -3804,25 +3815,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Черен DocType: BOM Explosion Item,BOM Explosion Item,BOM Детайла позиция DocType: Account,Auditor,Одитор -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} произведени артикули +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} произведени артикули DocType: Cheque Print Template,Distance from top edge,Разстояние от горния ръб apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Ценоразпис {0} е забранено или не съществува DocType: Purchase Invoice,Return,Връщане DocType: Production Order Operation,Production Order Operation,Поръчка за производство - Операция DocType: Pricing Rule,Disable,Изключване -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Начин на плащане се изисква за извършване на плащане +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Начин на плащане се изисква за извършване на плащане DocType: Project Task,Pending Review,До Review apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не е записан в пакета {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} не може да се бракува, тъй като вече е {1}" DocType: Task,Total Expense Claim (via Expense Claim),Общо разход претенция (чрез Expense претенция) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Маркирай като отсъстващ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Валута на BOM # {1} трябва да бъде равна на избраната валута {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Валута на BOM # {1} трябва да бъде равна на избраната валута {2} DocType: Journal Entry Account,Exchange Rate,Обменен курс -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Поръчка за продажба {0} не е изпратена +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Поръчка за продажба {0} не е изпратена DocType: Homepage,Tag Line,Tag Line DocType: Fee Component,Fee Component,Такса Компонент apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Управление на автопарка -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Добавяне на елементи от +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Добавяне на елементи от DocType: Cheque Print Template,Regular,Редовен apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Общо Weightage на всички Критерии за оценка трябва да бъде 100% DocType: BOM,Last Purchase Rate,Курс при Последна Покупка @@ -3843,12 +3854,12 @@ DocType: Employee,Reports to,Справки до DocType: SMS Settings,Enter url parameter for receiver nos,Въведете URL параметър за приемник с номера DocType: Payment Entry,Paid Amount,Платената сума DocType: Assessment Plan,Supervisor,Ръководител -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,На линия +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,На линия ,Available Stock for Packing Items,"Свободно фондова за артикули, Опаковки" DocType: Item Variant,Item Variant,Артикул вариант DocType: Assessment Result Tool,Assessment Result Tool,Оценка Резултати Tool DocType: BOM Scrap Item,BOM Scrap Item,BOM позиция за брак -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Подадените поръчки не могат да бъдат изтрити +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Подадените поръчки не могат да бъдат изтрити apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Баланса на сметката вече е в 'Дебит'. Не е позволено да задавате 'Балансът задължително трябва да бъде в Кребит' apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Управление на качеството apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Позиция {0} е деактивирана @@ -3879,7 +3890,7 @@ DocType: Item Group,Default Expense Account,Разходна сметка по apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID DocType: Employee,Notice (days),Известие (дни) DocType: Tax Rule,Sales Tax Template,Данъка върху продажбите Template -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,"Изберете артикули, за да запазите фактурата" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,"Изберете артикули, за да запазите фактурата" DocType: Employee,Encashment Date,Инкасо Дата DocType: Training Event,Internet,интернет DocType: Account,Stock Adjustment,Склад за приспособяване @@ -3927,10 +3938,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Изп apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Максимална отстъпка разрешена за позиция: {0} е {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Нетната стойност на активите, както на" DocType: Account,Receivable,За получаване -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Не е позволено да се промени Доставчик като вече съществува поръчка +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Не е позволено да се промени Доставчик като вече съществува поръчка DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роля, която е оставена да се представят сделки, които надвишават кредитни лимити, определени." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Изберете артикули за Производство -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Магистър синхронизиране на данни, това може да отнеме известно време," +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Изберете артикули за Производство +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Магистър синхронизиране на данни, това може да отнеме известно време," DocType: Item,Material Issue,Изписване на материал DocType: Hub Settings,Seller Description,Продавач Описание DocType: Employee Education,Qualification,Квалификация @@ -3951,11 +3962,10 @@ DocType: BOM,Rate Of Materials Based On,Курсове на материали apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Поддръжка Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Махнете отметката от всичко DocType: POS Profile,Terms and Conditions,Правила и условия -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте система за наименуване на служители в Човешки ресурси> Настройки за персонала" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Към днешна дата трябва да бъде в рамките на фискалната година. Ако приемем, че към днешна дата = {0}" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Тук можете да се поддържа височина, тегло, алергии, медицински опасения и т.н." DocType: Leave Block List,Applies to Company,Отнася се за Фирма -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Не може да се отмени, защото {0} съществуват операции за този материал" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Не може да се отмени, защото {0} съществуват операции за този материал" DocType: Employee Loan,Disbursement Date,Изплащане - Дата DocType: Vehicle,Vehicle,Превозно средство DocType: Purchase Invoice,In Words,Словом @@ -3993,7 +4003,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Глобални нас DocType: Assessment Result Detail,Assessment Result Detail,Оценка Резултати Подробности DocType: Employee Education,Employee Education,Служител - Образование apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicate група т намерена в таблицата на т група -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,"Той е необходим, за да донесе точка Details." +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,"Той е необходим, за да донесе точка Details." DocType: Salary Slip,Net Pay,Net Pay DocType: Account,Account,Сметка apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Сериен № {0} е бил вече получен @@ -4001,7 +4011,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Превозното средство - Журнал DocType: Purchase Invoice,Recurring Id,Повтарящо Id DocType: Customer,Sales Team Details,Търговски отдел - Детайли -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Изтриете завинаги? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Изтриете завинаги? DocType: Expense Claim,Total Claimed Amount,Общо заявена Сума apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенциалните възможности за продажби. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Невалиден {0} @@ -4013,7 +4023,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Настройте своето училище в ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Базовата ресто сума (Валута на компанията) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Няма счетоводни записвания за следните складове -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Записване на документа на първо място. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Записване на документа на първо място. DocType: Account,Chargeable,Платим DocType: Company,Change Abbreviation,Промени Съкращение DocType: Expense Claim Detail,Expense Date,Expense Дата @@ -4027,7 +4037,6 @@ DocType: BOM,Manufacturing User,Потребител - производство DocType: Purchase Invoice,Raw Materials Supplied,Суровини - доставени DocType: Purchase Invoice,Recurring Print Format,Повтарящо Print Format DocType: C-Form,Series,Номерация -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Очаквана дата на доставка не може да бъде преди поръчка Дата DocType: Appraisal,Appraisal Template,Оценка Template DocType: Item Group,Item Classification,Класификация на позиция apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Мениджър Бизнес развитие @@ -4066,12 +4075,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Избер apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Обучителни събития / резултати apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Натрупана амортизация към DocType: Sales Invoice,C-Form Applicable,Cи-форма приложима -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Операция - времето трябва да е по-голямо от 0 за операция {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Операция - времето трябва да е по-голямо от 0 за операция {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Склад е задължителен DocType: Supplier,Address and Contacts,Адрес и контакти DocType: UOM Conversion Detail,UOM Conversion Detail,Мерна единица - превръщане - детайли DocType: Program,Program Abbreviation,програма Съкращение -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Производство на поръчката не може да бъде повдигнато срещу т Template +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Производство на поръчката не може да бъде повдигнато срещу т Template apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Такси се обновяват на изкупните Квитанция за всяка стока DocType: Warranty Claim,Resolved By,Разрешен от DocType: Bank Guarantee,Start Date,Начална Дата @@ -4106,6 +4115,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,обучение Обратна връзка apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Производство Поръчка {0} трябва да бъде представено apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Моля изберете Начална дата и крайна дата за позиция {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Задайте цел за продажби, която искате да постигнете." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Курс е задължителен на ред {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Към днешна дата не може да бъде преди от дата DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4123,7 +4133,7 @@ DocType: Account,Income,Доход DocType: Industry Type,Industry Type,Вид индустрия apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Нещо се обърка! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Внимание: Оставете заявка съдържа следните дати блок -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Фактурата за продажба {0} вече е била подадена +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Фактурата за продажба {0} вече е била подадена DocType: Assessment Result Detail,Score,резултат apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Фискална година {0} не съществува apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Дата На Завършване @@ -4153,7 +4163,7 @@ DocType: Naming Series,Help HTML,Помощ HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Student Група инструмент за създаване на DocType: Item,Variant Based On,Вариант на базата на apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Общо weightage определен да бъде 100%. Това е {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Вашите доставчици +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Вашите доставчици apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Не може да се определи като загубена тъй като поръчка за продажба е направена. DocType: Request for Quotation Item,Supplier Part No,Доставчик Част номер apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Не може да се приспадне при категория е за "оценка" или "Vaulation и Total" @@ -4163,14 +4173,14 @@ DocType: Item,Has Serial No,Има сериен номер DocType: Employee,Date of Issue,Дата на издаване apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: От {0} за {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Както е описано в Настройки за купуване, ако се изисква изискване за покупка == "ДА", за да се създаде фактура за покупка, потребителят трябва първо да създаде разписка за покупка за елемент {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Определете доставчик за т {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Часове стойност трябва да е по-голяма от нула. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Определете доставчик за т {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Row {0}: Часове стойност трябва да е по-голяма от нула. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,"Сайт на снимката {0}, прикрепена към т {1} не може да бъде намерена" DocType: Issue,Content Type,Съдържание Тип apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Компютър DocType: Item,List this Item in multiple groups on the website.,Списък този продукт в няколко групи в сайта. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Моля, проверете опцията Multi валути да се позволи на сметки в друга валута" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Позиция: {0} не съществува в системата +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Позиция: {0} не съществува в системата apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Вие не можете да настроите Frozen стойност DocType: Payment Reconciliation,Get Unreconciled Entries,Вземи неизравнени записвания DocType: Payment Reconciliation,From Invoice Date,От Дата на фактура @@ -4196,7 +4206,7 @@ DocType: Stock Entry,Default Source Warehouse,Склад по подразбир DocType: Item,Customer Code,Клиент - Код apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Напомняне за рожден ден за {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дни след последната поръчка -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Дебит на сметка трябва да бъде балансова сметка +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Дебит на сметка трябва да бъде балансова сметка DocType: Buying Settings,Naming Series,Именуване Series DocType: Leave Block List,Leave Block List Name,Оставете Block List Име apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Застраховка Начална дата трябва да бъде по-малка от застраховка Крайна дата @@ -4213,7 +4223,7 @@ DocType: Vehicle Log,Odometer,одометър DocType: Sales Order Item,Ordered Qty,Поръчано Количество apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Точка {0} е деактивирана DocType: Stock Settings,Stock Frozen Upto,Фондова Frozen Upto -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM не съдържа материали / стоки +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM не съдържа материали / стоки apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},"Период От и Период До, са задължителни за повтарящи записи {0}" apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Дейността на проект / задача. DocType: Vehicle Log,Refuelling Details,Зареждане с гориво - Детайли @@ -4223,7 +4233,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Курс при последна покупка не е намерен DocType: Purchase Invoice,Write Off Amount (Company Currency),Сума за отписване (фирмена валута) DocType: Sales Invoice Timesheet,Billing Hours,Фактурирани часове -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM по подразбиране за {0} не е намерен +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM по подразбиране за {0} не е намерен apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,"Row # {0}: Моля, задайте повторна поръчка количество" apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Докоснете елементи, за да ги добавите тук" DocType: Fees,Program Enrollment,програма за записване @@ -4255,6 +4265,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Застаряването на населението Range 2 DocType: SG Creation Tool Course,Max Strength,Максимална здравина apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM заменя +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Изберете Елементи въз основа на Дата на доставка ,Sales Analytics,Продажби Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Налични {0} ,Prospects Engaged But Not Converted,"Перспективи, ангажирани, но не преобразувани" @@ -4301,7 +4312,7 @@ DocType: Authorization Rule,Customerwise Discount,Отстъпка на ниво apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,График за изпълнение на задачите. DocType: Purchase Invoice,Against Expense Account,Срещу Разходна Сметка DocType: Production Order,Production Order,Поръчка за производство -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Монтаж - Забележка {0} вече е била изпратена +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Монтаж - Забележка {0} вече е била изпратена DocType: Bank Reconciliation,Get Payment Entries,Вземете Записи на плащане DocType: Quotation Item,Against Docname,Срещу Документ DocType: SMS Center,All Employee (Active),All Employee (Active) @@ -4310,7 +4321,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Разходи за суровини DocType: Item Reorder,Re-Order Level,Re-Поръчка Level DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Въведете предмети и планирано Количество, за които искате да се повиши производствените поръчки или да изтеглите суровини за анализ." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Chart +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt Chart apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Непълен работен ден DocType: Employee,Applicable Holiday List,Приложимо Holiday Списък DocType: Employee,Cheque,Чек @@ -4366,11 +4377,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Резервирано Количество за производство DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Оставете без отметка, ако не искате да разгледате партида, докато правите курсови групи." DocType: Asset,Frequency of Depreciation (Months),Честота на амортизация (месеца) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Кредитна сметка +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Кредитна сметка DocType: Landed Cost Item,Landed Cost Item,Поземлен Cost Точка apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Покажи нулеви стойности DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Брой на т получен след производството / препакетиране от дадени количества суровини -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup прост сайт за моята организация +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup прост сайт за моята организация DocType: Payment Reconciliation,Receivable / Payable Account,Вземания / дължими суми Акаунт DocType: Delivery Note Item,Against Sales Order Item,Срещу ред от поръчка за продажба apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Моля, посочете Умение Цена атрибут {0}" @@ -4432,22 +4443,22 @@ DocType: Student,Nationality,националност ,Items To Be Requested,Позиции които да бъдат поискани DocType: Purchase Order,Get Last Purchase Rate,Вземи курс от последна покупка DocType: Company,Company Info,Информация за компанията -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Изберете или добавите нов клиент -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,"Разходен център е необходим, за да осчетоводите разход" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Изберете или добавите нов клиент +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,"Разходен център е необходим, за да осчетоводите разход" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Прилагане на средства (активи) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Това се основава на присъствието на този служител -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Дебит сметка +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Дебит сметка DocType: Fiscal Year,Year Start Date,Година Начална дата DocType: Attendance,Employee Name,Служител Име DocType: Sales Invoice,Rounded Total (Company Currency),Общо закръглено (фирмена валута) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Не може да се покров Group, защото е избран типа на профила." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,"{0} {1} е променен. Моля, опреснете." +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,"{0} {1} е променен. Моля, опреснете." DocType: Leave Block List,Stop users from making Leave Applications on following days.,Спрете потребители от извършване Оставете Заявленията за следните дни. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,сума на покупката apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Оферта на доставчик {0} е създадена apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Край година не може да бъде преди Start Година apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Доходи на наети лица -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Опакованото количество трябва да е равно на количество за артикул {0} на ред {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Опакованото количество трябва да е равно на количество за артикул {0} на ред {1} DocType: Production Order,Manufactured Qty,Произведено Количество DocType: Purchase Receipt Item,Accepted Quantity,Прието Количество apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Моля, задайте по подразбиране Holiday Списък на служителите {0} или Фирма {1}" @@ -4458,11 +4469,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Row Не {0}: сума не може да бъде по-голяма, отколкото До сума срещу Expense претенция {1}. До сума е {2}" DocType: Maintenance Schedule,Schedule,Разписание DocType: Account,Parent Account,Родител Акаунт -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Наличен +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Наличен DocType: Quality Inspection Reading,Reading 3,Четене 3 ,Hub,Главина DocType: GL Entry,Voucher Type,Тип Ваучер -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Ценова листа не е намерен или инвалиди +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Ценова листа не е намерен или инвалиди DocType: Employee Loan Application,Approved,Одобрен DocType: Pricing Rule,Price,Цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Служител облекчение на {0} трябва да се зададе като "Ляв" @@ -4531,7 +4542,7 @@ DocType: SMS Settings,Static Parameters,Статични параметри DocType: Assessment Plan,Room,Стая DocType: Purchase Order,Advance Paid,Авансово изплатени суми DocType: Item,Item Tax,Позиция - Данък -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Материал на доставчик +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Материал на доставчик apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Акцизите Invoice apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Праг за {0}% се появява повече от веднъж DocType: Expense Claim,Employees Email Id,Служители Email Id @@ -4571,7 +4582,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Модел DocType: Production Order,Actual Operating Cost,Действителни оперативни разходи DocType: Payment Entry,Cheque/Reference No,Чек / Референтен номер по -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Доставчик> Тип доставчик apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root не може да се редактира. DocType: Item,Units of Measure,Мерни единици за измерване DocType: Manufacturing Settings,Allow Production on Holidays,Допусне производство на празници @@ -4604,12 +4614,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Дни - Кредит apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Направи Student Batch DocType: Leave Type,Is Carry Forward,Е пренасяне -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Вземи позициите от BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Вземи позициите от BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Време за въвеждане - Дни -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row {0}: Публикуване Дата трябва да е същото като датата на покупка {1} на актив {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row {0}: Публикуване Дата трябва да е същото като датата на покупка {1} на актив {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Проверете това, ако студентът пребивава в хостел на института." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Моля, въведете Поръчки за продажби в таблицата по-горе" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Не е изпратен фиш за заплата +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Не е изпратен фиш за заплата ,Stock Summary,фондова Резюме apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Прехвърляне на актив от един склад в друг DocType: Vehicle,Petrol,бензин diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv index c14a5d90fde..288fa578aff 100644 --- a/erpnext/translations/bn.csv +++ b/erpnext/translations/bn.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,ব্যাপারী DocType: Employee,Rented,ভাড়াটে DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,ব্যবহারকারী জন্য প্রযোজ্য -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","থামানো উৎপাদন অর্ডার বাতিল করা যাবে না, বাতিল করতে এটি প্রথম দুর" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","থামানো উৎপাদন অর্ডার বাতিল করা যাবে না, বাতিল করতে এটি প্রথম দুর" DocType: Vehicle Service,Mileage,যত মাইল দীর্ঘ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,আপনি কি সত্যিই এই সম্পদ স্ক্র্যাপ করতে চান? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,নির্বাচন ডিফল্ট সরবরাহকারী @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% চালান করা হয়েছে apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),এক্সচেঞ্জ রেট হিসাবে একই হতে হবে {0} {1} ({2}) DocType: Sales Invoice,Customer Name,ক্রেতার নাম DocType: Vehicle,Natural Gas,প্রাকৃতিক গ্যাস -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},ব্যাংক অ্যাকাউন্ট হিসেবে নামকরণ করা যাবে না {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},ব্যাংক অ্যাকাউন্ট হিসেবে নামকরণ করা যাবে না {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"প্রধান (বা গ্রুপ), যার বিরুদ্ধে হিসাব থেকে তৈরি করা হয় এবং উদ্বৃত্ত বজায় রাখা হয়." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),বিশিষ্ট {0} হতে পারে না শূন্য কম ({1}) DocType: Manufacturing Settings,Default 10 mins,10 মিনিট ডিফল্ট @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,প্রকার নাম ত্যাগ apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,খোলা দেখাও apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,সিরিজ সফলভাবে আপডেট apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,চেকআউট -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural জার্নাল এন্ট্রি জমা +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural জার্নাল এন্ট্রি জমা DocType: Pricing Rule,Apply On,উপর প্রয়োগ DocType: Item Price,Multiple Item prices.,একাধিক আইটেম মূল্য. ,Purchase Order Items To Be Received,ক্রয় আদেশ আইটেম গ্রহন করা @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,পেমেন্ট apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,দেখান রুপভেদ DocType: Academic Term,Academic Term,একাডেমিক টার্ম apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,উপাদান -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,পরিমাণ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,পরিমাণ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,অ্যাকাউন্ট টেবিল খালি রাখা যাবে না. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ঋণ (দায়) DocType: Employee Education,Year of Passing,পাসের সন @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,স্বাস্থ্যের যত্ন apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),পেমেন্ট মধ্যে বিলম্ব (দিন) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,পরিষেবা ব্যায়ের -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},ক্রমিক সংখ্যা: {0} ইতিমধ্যে বিক্রয় চালান উল্লেখ করা হয়: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,চালান +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},ক্রমিক সংখ্যা: {0} ইতিমধ্যে বিক্রয় চালান উল্লেখ করা হয়: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,চালান DocType: Maintenance Schedule Item,Periodicity,পর্যাবৃত্তি apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,অর্থবছরের {0} প্রয়োজন বোধ করা হয় -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,প্রত্যাশিত প্রসবের তারিখ সামনে বিক্রয় আদেশ তারিখ হতে হয় apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,প্রতিরক্ষা DocType: Salary Component,Abbr,সংক্ষিপ্তকরণ DocType: Appraisal Goal,Score (0-5),স্কোর (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,সারি # {0}: DocType: Timesheet,Total Costing Amount,মোট খোয়াতে পরিমাণ DocType: Delivery Note,Vehicle No,যানবাহন কোন -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,মূল্য তালিকা নির্বাচন করুন +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,মূল্য তালিকা নির্বাচন করুন apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,সারি # {0}: পেমেন্ট ডকুমেন্ট trasaction সম্পন্ন করার জন্য প্রয়োজন বোধ করা হয় DocType: Production Order Operation,Work In Progress,কাজ চলছে apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,দয়া করে তারিখ নির্বাচন @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} কোনো সক্রিয় অর্থবছরে না. DocType: Packed Item,Parent Detail docname,মূল বিস্তারিত docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","রেফারেন্স: {0}, আইটেম কোড: {1} এবং গ্রাহক: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,কেজি +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,কেজি DocType: Student Log,Log,লগিন apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,একটি কাজের জন্য খোলা. DocType: Item Attribute,Increment,বৃদ্ধি @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,বিবাহিত apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},অনুমোদিত নয় {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,থেকে আইটেম পান -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},শেয়ার হুণ্ডি বিরুদ্ধে আপডেট করা যাবে না {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},শেয়ার হুণ্ডি বিরুদ্ধে আপডেট করা যাবে না {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},প্রোডাক্ট {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,তালিকাভুক্ত কোনো আইটেম DocType: Payment Reconciliation,Reconcile,মিলনসাধন করা @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,অ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,পরবর্তী অবচয় তারিখ আগে ক্রয়ের তারিখ হতে পারে না DocType: SMS Center,All Sales Person,সব বিক্রয় ব্যক্তি DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** মাসিক বিতরণ ** আপনি যদি আপনার ব্যবসার মধ্যে ঋতু আছে আপনি মাস জুড়ে বাজেট / উদ্দিষ্ট বিতরণ করতে সাহায্য করে. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,না আইটেম পাওয়া যায়নি +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,না আইটেম পাওয়া যায়নি apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,বেতন কাঠামো অনুপস্থিত DocType: Lead,Person Name,ব্যক্তির নাম DocType: Sales Invoice Item,Sales Invoice Item,বিক্রয় চালান আইটেম @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",", অবারিত হতে পারে না যেমন অ্যাসেট রেকর্ড আইটেমটি বিরুদ্ধে বিদ্যমান "ফিক্সড সম্পদ"" DocType: Vehicle Service,Brake Oil,ব্রেক অয়েল DocType: Tax Rule,Tax Type,ট্যাক্স ধরন -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,করযোগ্য অর্থ +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,করযোগ্য অর্থ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},আপনি আগে এন্ট্রি যোগ করতে অথবা আপডেট করার জন্য অনুমতিপ্রাপ্ত নন {0} DocType: BOM,Item Image (if not slideshow),আইটেম ইমেজ (ছবি না হলে) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,একটি গ্রাহক এই একই নামের DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(ঘন্টা হার / ৬০) * প্রকৃত অপারেশন টাইম -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,BOM নির্বাচন +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,BOM নির্বাচন DocType: SMS Log,SMS Log,এসএমএস লগ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,বিতরণ আইটেম খরচ apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,এ {0} ছুটির মধ্যে তারিখ থেকে এবং তারিখ থেকে নয় @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,শিক্ষক DocType: School Settings,Validate Batch for Students in Student Group,শিক্ষার্থীর গ্রুপ ছাত্ররা জন্য ব্যাচ যাচাই apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},কোন ছুটি রেকর্ড কর্মচারী জন্য পাওয়া {0} জন্য {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,প্রথম কোম্পানি লিখুন দয়া করে -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,প্রথম কোম্পানি নির্বাচন করুন +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,প্রথম কোম্পানি নির্বাচন করুন DocType: Employee Education,Under Graduate,গ্রাজুয়েট অধীনে apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,টার্গেটের DocType: BOM,Total Cost,মোট খরচ DocType: Journal Entry Account,Employee Loan,কর্মচারী ঋণ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,কার্য বিবরণ: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} আইটেম সিস্টেমে কোন অস্তিত্ব নেই অথবা মেয়াদ শেষ হয়ে গেছে +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,কার্য বিবরণ: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,{0} আইটেম সিস্টেমে কোন অস্তিত্ব নেই অথবা মেয়াদ শেষ হয়ে গেছে apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,আবাসন apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,অ্যাকাউন্ট বিবৃতি apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ফার্মাসিউটিক্যালস @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,দাবি পরিমাণ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,ডুপ্লিকেট গ্রাহকের গ্রুপ cutomer গ্রুপ টেবিল অন্তর্ভুক্ত apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,সরবরাহকারী ধরন / সরবরাহকারী DocType: Naming Series,Prefix,উপসর্গ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} সেটআপের মাধ্যমে> সেটিংস> নামকরণ সিরিজ জন্য নামকরণ সিরিজ সেট করুন -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumable +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumable DocType: Employee,B-,বি- DocType: Upload Attendance,Import Log,আমদানি লগ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,টানুন উপরে মাপকাঠির ভিত্তিতে টাইপ প্রস্তুত উপাদান অনুরোধ DocType: Training Result Employee,Grade,শ্রেণী DocType: Sales Invoice Item,Delivered By Supplier,সরবরাহকারী দ্বারা বিতরণ DocType: SMS Center,All Contact,সমস্ত যোগাযোগ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,উত্পাদনের অর্ডার ইতিমধ্যে BOM সঙ্গে সব আইটেম জন্য সৃষ্টি +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,উত্পাদনের অর্ডার ইতিমধ্যে BOM সঙ্গে সব আইটেম জন্য সৃষ্টি apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,বার্ষিক বেতন DocType: Daily Work Summary,Daily Work Summary,দৈনন্দিন কাজ সারাংশ DocType: Period Closing Voucher,Closing Fiscal Year,ফিস্ক্যাল বছর সমাপ্তি -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} হিমায়িত করা +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} হিমায়িত করা apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,দয়া করে হিসাব চার্ট তৈরি করার জন্য বিদ্যমান কোম্পানী নির্বাচন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,স্টক খরচ apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,নির্বাচন উদ্দিষ্ট ওয়্যারহাউস @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty পরিত্যক্ত গৃহীত + আইটেম জন্য গৃহীত পরিমাণ সমান হতে হবে {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,সাপ্লাই কাঁচামালের ক্রয় জন্য -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,পেমেন্ট অন্তত একটি মোড পিওএস চালান জন্য প্রয়োজন বোধ করা হয়. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,পেমেন্ট অন্তত একটি মোড পিওএস চালান জন্য প্রয়োজন বোধ করা হয়. DocType: Products Settings,Show Products as a List,দেখান পণ্য একটি তালিকা হিসাবে DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",", টেমপ্লেট ডাউনলোড উপযুক্ত তথ্য পূরণ করুন এবং পরিবর্তিত ফাইল সংযুক্ত. আপনার নির্বাচিত সময়ের মধ্যে সব তারিখগুলি এবং কর্মচারী সমন্বয় বিদ্যমান উপস্থিতি রেকর্ড সঙ্গে, টেমপ্লেট আসবে" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} আইটেম সক্রিয় নয় বা জীবনের শেষ হয়েছে পৌঁছেছেন -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,উদাহরণ: বেসিক গণিত -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","আইটেম রেট সারি {0} মধ্যে ট্যাক্স সহ, সারি করের {1} এছাড়াও অন্তর্ভুক্ত করা আবশ্যক" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,উদাহরণ: বেসিক গণিত +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","আইটেম রেট সারি {0} মধ্যে ট্যাক্স সহ, সারি করের {1} এছাড়াও অন্তর্ভুক্ত করা আবশ্যক" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,এইচআর মডিউল ব্যবহার সংক্রান্ত সেটিংস Comment DocType: SMS Center,SMS Center,এসএমএস কেন্দ্র DocType: Sales Invoice,Change Amount,পরিমাণ পরিবর্তন @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},ইনস্টলেশনের তারিখ আইটেমের জন্য ডেলিভারি তারিখের আগে হতে পারে না {0} DocType: Pricing Rule,Discount on Price List Rate (%),মূল্য তালিকা রেট বাট্টা (%) DocType: Offer Letter,Select Terms and Conditions,নির্বাচন শর্তাবলী -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,আউট মূল্য +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,আউট মূল্য DocType: Production Planning Tool,Sales Orders,বিক্রয় আদেশ DocType: Purchase Taxes and Charges,Valuation,মাননির্ণয় ,Purchase Order Trends,অর্ডার প্রবণতা ক্রয় @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,এন্ট্রি খোলা হয় DocType: Customer Group,Mention if non-standard receivable account applicable,উল্লেখ অ স্ট্যান্ডার্ড প্রাপ্য যদি প্রযোজ্য DocType: Course Schedule,Instructor Name,প্রশিক্ষক নাম -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,গুদাম জন্য জমা করার আগে প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,গুদাম জন্য জমা করার আগে প্রয়োজন বোধ করা হয় apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,পেয়েছি DocType: Sales Partner,Reseller,রিসেলার DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","যদি চেক করা, উপাদান অনুরোধ অ স্টক আইটেম অন্তর্ভুক্ত করা হবে." @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,বিক্রয় চালান আইটেমটি বিরুদ্ধে ,Production Orders in Progress,প্রগতি উৎপাদন আদেশ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,অর্থায়ন থেকে নিট ক্যাশ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি" DocType: Lead,Address & Contact,ঠিকানা ও যোগাযোগ DocType: Leave Allocation,Add unused leaves from previous allocations,আগের বরাদ্দ থেকে অব্যবহৃত পাতার করো apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},পরবর্তী আবর্তক {0} উপর তৈরি করা হবে {1} DocType: Sales Partner,Partner website,অংশীদার ওয়েবসাইট apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,আইটেম যোগ করুন -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,যোগাযোগের নাম +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,যোগাযোগের নাম DocType: Course Assessment Criteria,Course Assessment Criteria,কোর্সের অ্যাসেসমেন্ট নির্ণায়ক DocType: Process Payroll,Creates salary slip for above mentioned criteria.,উপরে উল্লিখিত মানদণ্ড জন্য বেতন স্লিপ তৈরি করা হয়. DocType: POS Customer Group,POS Customer Group,পিওএস গ্রাহক গ্রুপ @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,সারি {0}: চেক করুন অ্যাকাউন্টের বিরুদ্ধে 'আগাম' {1} এই একটি অগ্রিম এন্ট্রি হয়. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},{0} ওয়্যারহাউস কোম্পানি অন্তর্গত নয় {1} DocType: Email Digest,Profit & Loss,লাভ ক্ষতি -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,লিটার +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,লিটার DocType: Task,Total Costing Amount (via Time Sheet),মোট খোয়াতে পরিমাণ (টাইম শিট মাধ্যমে) DocType: Item Website Specification,Item Website Specification,আইটেম ওয়েবসাইট স্পেসিফিকেশন apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ত্যাগ অবরুদ্ধ @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,বিক্রয় চালান ক DocType: Material Request Item,Min Order Qty,ন্যূনতম আদেশ Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,শিক্ষার্থীর গ্রুপ সৃষ্টি টুল কোর্স DocType: Lead,Do Not Contact,যোগাযোগ না -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,যাদের কাছে আপনার প্রতিষ্ঠানের পড়ান +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,যাদের কাছে আপনার প্রতিষ্ঠানের পড়ান DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,সব আবর্তক চালান ট্র্যাকিং জন্য অনন্য আইডি. এটি জমা দিতে হবে নির্মাণ করা হয়. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,সফ্টওয়্যার ডেভেলপার DocType: Item,Minimum Order Qty,নূন্যতম আদেশ Qty @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,হাব প্রকাশ DocType: Student Admission,Student Admission,ছাত্র-ছাত্রী ভর্তি ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} আইটেম বাতিল করা হয় -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,উপাদানের জন্য অনুরোধ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,উপাদানের জন্য অনুরোধ DocType: Bank Reconciliation,Update Clearance Date,আপডেট পরিস্কারের তারিখ DocType: Item,Purchase Details,ক্রয় বিবরণ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ক্রয় করার 'কাঁচামাল সরবরাহ করা' টেবিলের মধ্যে পাওয়া আইটেম {0} {1} @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,দ্রুত ব্যবস্থাপক apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},সারি # {0}: {1} আইটেমের জন্য নেতিবাচক হতে পারে না {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,ভুল গুপ্তশব্দ DocType: Item,Variant Of,মধ্যে variant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',চেয়ে 'স্টক প্রস্তুত করতে' সম্পন্ন Qty বৃহত্তর হতে পারে না +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',চেয়ে 'স্টক প্রস্তুত করতে' সম্পন্ন Qty বৃহত্তর হতে পারে না DocType: Period Closing Voucher,Closing Account Head,অ্যাকাউন্ট হেড সমাপ্তি DocType: Employee,External Work History,বাহ্যিক কাজের ইতিহাস apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,সার্কুলার রেফারেন্স ত্রুটি @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,বাম প্রান apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] ইউনিট (# ফরম / আইটেম / {1}) [{2}] অন্তর্ভুক্ত (# ফরম / গুদাম / {2}) DocType: Lead,Industry,শিল্প DocType: Employee,Job Profile,চাকরি বৃত্তান্ত +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,এই কোম্পানি বিরুদ্ধে লেনদেন উপর ভিত্তি করে। বিস্তারিত জানার জন্য নীচের টাইমলাইনে দেখুন DocType: Stock Settings,Notify by Email on creation of automatic Material Request,স্বয়ংক্রিয় উপাদান অনুরোধ নির্মাণের ইমেইল দ্বারা সূচিত DocType: Journal Entry,Multi Currency,বিভিন্ন দেশের মুদ্রা DocType: Payment Reconciliation Invoice,Invoice Type,চালান প্রকার -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,চালান পত্র +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,চালান পত্র apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,করের আপ সেট apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,বিক্রি অ্যাসেট খরচ apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,আপনি এটি টানা পরে পেমেন্ট ভুক্তি নথীটি পরিবর্তিত হয়েছে. আবার এটি টান করুন. @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,প্রবেশ ক্ষেত্রের মান 'দিন মাস পুনরাবৃত্তি' দয়া করে DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"গ্রাহক একক গ্রাহকের বেস কারেন্সি রূপান্তরিত হয়, যা এ হার" DocType: Course Scheduling Tool,Course Scheduling Tool,কোর্সের পূর্বপরিকল্পনা টুল -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},সারি # {0}: ক্রয় চালান একটি বিদ্যমান সম্পদ বিরুদ্ধে করা যাবে না {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},সারি # {0}: ক্রয় চালান একটি বিদ্যমান সম্পদ বিরুদ্ধে করা যাবে না {1} DocType: Item Tax,Tax Rate,করের হার apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ইতিমধ্যে কর্মচারী জন্য বরাদ্দ {1} সময়ের {2} জন্য {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,পছন্দ করো +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,পছন্দ করো apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,চালান {0} ইতিমধ্যেই জমা ক্রয় apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},সারি # {0}: ব্যাচ কোন হিসাবে একই হতে হবে {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,অ দলের রূপান্তর @@ -443,7 +442,7 @@ DocType: Employee,Widowed,পতিহীনা DocType: Request for Quotation,Request for Quotation,উদ্ধৃতি জন্য অনুরোধ DocType: Salary Slip Timesheet,Working Hours,কর্মঘন্টা DocType: Naming Series,Change the starting / current sequence number of an existing series.,একটি বিদ্যমান সিরিজের শুরু / বর্তমান ক্রম সংখ্যা পরিবর্তন করুন. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,একটি নতুন গ্রাহক তৈরি করুন +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,একটি নতুন গ্রাহক তৈরি করুন apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",একাধিক দামে ব্যাপা চলতে থাকে তবে ব্যবহারকারীরা সংঘাতের সমাধান করতে নিজে অগ্রাধিকার সেট করতে বলা হয়. apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ক্রয় আদেশ তৈরি করুন ,Purchase Register,ক্রয় নিবন্ধন @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,পরীক্ষক নাম DocType: Purchase Invoice Item,Quantity and Rate,পরিমাণ ও হার DocType: Delivery Note,% Installed,% ইনস্টল করা হয়েছে -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,শ্রেণীকক্ষ / গবেষণাগার ইত্যাদি যেখানে বক্তৃতা নির্ধারণ করা যাবে. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,শ্রেণীকক্ষ / গবেষণাগার ইত্যাদি যেখানে বক্তৃতা নির্ধারণ করা যাবে. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,প্রথম কোম্পানি নাম লিখুন DocType: Purchase Invoice,Supplier Name,সরবরাহকারী নাম apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext ম্যানুয়াল পড়ুন @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,চ্যানেল পার্টনার DocType: Account,Old Parent,প্রাচীন মূল apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,আবশ্যিক ক্ষেত্র - শিক্ষাবর্ষ DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,যে ইমেইল এর একটি অংশ হিসাবে যে যায় পরিচায়ক টেক্সট কাস্টমাইজ করুন. প্রতিটি লেনদেনের একটি পৃথক পরিচায়ক টেক্সট আছে. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},কোম্পানির জন্য ডিফল্ট প্রদেয় অ্যাকাউন্ট সেট দয়া করে {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},কোম্পানির জন্য ডিফল্ট প্রদেয় অ্যাকাউন্ট সেট দয়া করে {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,সব উত্পাদন প্রক্রিয়া জন্য গ্লোবাল সেটিংস. DocType: Accounts Settings,Accounts Frozen Upto,হিমায়িত পর্যন্ত অ্যাকাউন্ট DocType: SMS Log,Sent On,পাঠানো @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,পরিশোধযোগ্য হি apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,নির্বাচিত BOMs একই আইটেমের জন্য নয় DocType: Pricing Rule,Valid Upto,বৈধ পর্যন্ত DocType: Training Event,Workshop,কারখানা -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,আপনার গ্রাহকদের কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,আপনার গ্রাহকদের কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,পর্যাপ্ত যন্ত্রাংশ তৈরি করুন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,সরাসরি আয় apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",অ্যাকাউন্ট দ্বারা গ্রুপকৃত তাহলে অ্যাকাউন্ট উপর ভিত্তি করে ফিল্টার করতে পারবে না apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,প্রশাসনিক কর্মকর্তা apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,দয়া করে কোর্সের নির্বাচন DocType: Timesheet Detail,Hrs,ঘন্টা -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,কোম্পানি নির্বাচন করুন +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,কোম্পানি নির্বাচন করুন DocType: Stock Entry Detail,Difference Account,পার্থক্য অ্যাকাউন্ট DocType: Purchase Invoice,Supplier GSTIN,সরবরাহকারী GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,তার নির্ভরশীল টাস্ক {0} বন্ধ না হয় বন্ধ টাস্ক না পারেন. @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,অফলাইন পিওএস ন apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,দয়া করে প্রারম্ভিক মান 0% গ্রেড নির্ধারণ DocType: Sales Order,To Deliver,প্রদান করা DocType: Purchase Invoice Item,Item,আইটেম -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,সিরিয়াল কোন আইটেমের একটি ভগ্নাংশ হতে পারে না +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,সিরিয়াল কোন আইটেমের একটি ভগ্নাংশ হতে পারে না DocType: Journal Entry,Difference (Dr - Cr),পার্থক্য (ডাঃ - CR) DocType: Account,Profit and Loss,লাভ এবং ক্ষতি apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,ম্যানেজিং প্রণীত @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),পাটা কাল (দিন) DocType: Installation Note Item,Installation Note Item,ইনস্টলেশন নোট আইটেম DocType: Production Plan Item,Pending Qty,মুলতুবি Qty DocType: Budget,Ignore,উপেক্ষা করা -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} সক্রিয় নয় +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} সক্রিয় নয় apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},এসএমএস নিম্নলিখিত সংখ্যা পাঠানো: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,সেটআপ চেক মুদ্রণের জন্য মাত্রা DocType: Salary Slip,Salary Slip Timesheet,বেতন স্লিপ শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,ইন DocType: Production Order Operation,In minutes,মিনিটের মধ্যে DocType: Issue,Resolution Date,রেজোলিউশন তারিখ DocType: Student Batch Name,Batch Name,ব্যাচ নাম -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড তৈরি করা হয়েছে: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},পেমেন্ট মোডে ডিফল্ট ক্যাশ বা ব্যাংক একাউন্ট সেট করুন {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড তৈরি করা হয়েছে: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},পেমেন্ট মোডে ডিফল্ট ক্যাশ বা ব্যাংক একাউন্ট সেট করুন {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,নথিভুক্ত করা DocType: GST Settings,GST Settings,GST সেটিং DocType: Selling Settings,Customer Naming By,গ্রাহক নেমিং @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,প্রকল্পের ব্যবহ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,ক্ষয়প্রাপ্ত apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} চালান বিবরণ টেবিল মধ্যে পাওয়া যায়নি DocType: Company,Round Off Cost Center,খরচ কেন্দ্র সুসম্পন্ন -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,রক্ষণাবেক্ষণ যান {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,রক্ষণাবেক্ষণ যান {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে DocType: Item,Material Transfer,উপাদান স্থানান্তর apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),খোলা (ড) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},পোস্ট টাইমস্ট্যাম্প পরে হবে {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,প্রদেয় মোট DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ল্যান্ড খরচ কর ও শুল্ক DocType: Production Order Operation,Actual Start Time,প্রকৃত আরম্ভের সময় DocType: BOM Operation,Operation Time,অপারেশন টাইম -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,শেষ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,শেষ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,ভিত্তি DocType: Timesheet,Total Billed Hours,মোট বিল ঘন্টা DocType: Journal Entry,Write Off Amount,পরিমাণ বন্ধ লিখুন @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),দূরত্বমাপণী মূ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,মার্কেটিং apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,পেমেন্ট ভুক্তি ইতিমধ্যে তৈরি করা হয় DocType: Purchase Receipt Item Supplied,Current Stock,বর্তমান তহবিল -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},সারি # {0}: অ্যাসেট {1} আইটেম লিঙ্ক নেই {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},সারি # {0}: অ্যাসেট {1} আইটেম লিঙ্ক নেই {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,প্রি বেতন স্লিপ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,অ্যাকাউন্ট {0} একাধিক বার প্রবেশ করানো হয়েছে DocType: Account,Expenses Included In Valuation,খরচ মূল্যনির্ধারণ অন্তর্ভুক্ত @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,বিম DocType: Journal Entry,Credit Card Entry,ক্রেডিট কার্ড এন্ট্রি apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,কোম্পানি অ্যান্ড অ্যাকাউন্টস apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,পণ্য সরবরাহকারী থেকে প্রাপ্ত. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,মান +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,মান DocType: Lead,Campaign Name,প্রচারাভিযান নাম DocType: Selling Settings,Close Opportunity After Days,বন্ধ সুযোগ দিন পরে ,Reserved,সংরক্ষিত @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,শক্তি DocType: Opportunity,Opportunity From,থেকে সুযোগ apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,মাসিক বেতন বিবৃতি. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,সারি {0}: {1} আইটেমের জন্য প্রয়োজনীয় সিরিয়াল নম্বর {2}। আপনি {3} প্রদান করেছেন। DocType: BOM,Website Specifications,ওয়েবসাইট উল্লেখ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: টাইপ {1} এর {0} থেকে DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,সারি {0}: রূপান্তর ফ্যাক্টর বাধ্যতামূলক DocType: Employee,A+,একটি A apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","একাধিক দাম বিধি একই মানদণ্ড সঙ্গে বিদ্যমান, অগ্রাধিকার বরাদ্দ করে সংঘাত সমাধান করুন. দাম নিয়মাবলী: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,নিষ্ক্রিয় অথবা অন্য BOMs সাথে সংযুক্ত করা হয় হিসাবে BOM বাতিল করতে পারেন না +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,নিষ্ক্রিয় অথবা অন্য BOMs সাথে সংযুক্ত করা হয় হিসাবে BOM বাতিল করতে পারেন না DocType: Opportunity,Maintenance,রক্ষণাবেক্ষণ DocType: Item Attribute Value,Item Attribute Value,আইটেম মান গুন apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,সেলস প্রচারণা. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড করুন +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড করুন DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ইমেইল অ্যাকাউন্ট সেট আপ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,প্রথম আইটেম লিখুন দয়া করে DocType: Account,Liability,দায় -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,অনুমোদিত পরিমাণ সারি মধ্যে দাবি করে বেশি পরিমাণে হতে পারে না {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,অনুমোদিত পরিমাণ সারি মধ্যে দাবি করে বেশি পরিমাণে হতে পারে না {0}. DocType: Company,Default Cost of Goods Sold Account,জিনিষপত্র বিক্রি অ্যাকাউন্ট ডিফল্ট খরচ apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,মূল্যতালিকা নির্বাচিত না DocType: Employee,Family Background,পারিবারিক ইতিহাস @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,ডিফল্ট ব্যাঙ্ক apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","পার্টি উপর ভিত্তি করে ফিল্টার করুন, নির্বাচন পার্টি প্রথম টাইপ" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"আইটেম মাধ্যমে বিতরণ করা হয় না, কারণ 'আপডেট স্টক চেক করা যাবে না {0}" DocType: Vehicle,Acquisition Date,অধিগ্রহণ তারিখ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,আমরা +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,আমরা DocType: Item,Items with higher weightage will be shown higher,উচ্চ গুরুত্ব দিয়ে চলছে উচ্চ দেখানো হবে DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ব্যাংক পুনর্মিলন বিস্তারিত -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,সারি # {0}: অ্যাসেট {1} দাখিল করতে হবে +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,সারি # {0}: অ্যাসেট {1} দাখিল করতে হবে apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,কোন কর্মচারী পাওয়া DocType: Supplier Quotation,Stopped,বন্ধ DocType: Item,If subcontracted to a vendor,একটি বিক্রেতা আউটসোর্স করে @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,নূন্যতম চ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: খরচ কেন্দ্র {2} কোম্পানির অন্তর্গত নয় {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: অ্যাকাউন্ট {2} একটি গ্রুপ হতে পারে না apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,আইটেম সারি {idx}: {DOCTYPE} {DOCNAME} উপরে বিদ্যমান নেই '{DOCTYPE}' টেবিল -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড {0} ইতিমধ্যে সম্পন্ন বা বাতিল করা হয়েছে +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড {0} ইতিমধ্যে সম্পন্ন বা বাতিল করা হয়েছে apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,কোন কর্ম DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","অটো চালান 05, 28 ইত্যাদি যেমন তৈরি করা হবে যা মাসের দিন" DocType: Asset,Opening Accumulated Depreciation,খোলা সঞ্চিত অবচয় @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,অনুরোধ করা নাম্ব DocType: Production Planning Tool,Only Obtain Raw Materials,শুধু তাই কাঁচামালের apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,কর্মক্ষমতা মূল্যায়ন. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","সক্ষম করা হলে, 'শপিং কার্ট জন্য প্রদর্শন করো' এ শপিং কার্ট যেমন সক্রিয় করা হয় এবং শপিং কার্ট জন্য অন্তত একটি ট্যাক্স নিয়ম আছে উচিত" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","পেমেন্ট এণ্ট্রি {0} অর্ডার {1}, চেক যদি এটা এই চালান অগ্রিম হিসেবে টানা করা উচিত বিরুদ্ধে সংযুক্ত করা হয়." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","পেমেন্ট এণ্ট্রি {0} অর্ডার {1}, চেক যদি এটা এই চালান অগ্রিম হিসেবে টানা করা উচিত বিরুদ্ধে সংযুক্ত করা হয়." DocType: Sales Invoice Item,Stock Details,স্টক Details apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,প্রকল্প মূল্য apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,বিক্রয় বিন্দু @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,আপডেট সিরিজ DocType: Supplier Quotation,Is Subcontracted,আউটসোর্স হয় DocType: Item Attribute,Item Attribute Values,আইটেম বৈশিষ্ট্য মূল্যবোধ DocType: Examination Result,Examination Result,পরীক্ষার ফলাফল -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,কেনার রশিদ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,কেনার রশিদ ,Received Items To Be Billed,গৃহীত চলছে বিল তৈরি করা -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Submitted বেতন Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Submitted বেতন Slips apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,মুদ্রা বিনিময় হার মাস্টার. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},রেফারেন্স DOCTYPE এক হতে হবে {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},অপারেশন জন্য পরের {0} দিন টাইম স্লটে এটি অক্ষম {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},অপারেশন জন্য পরের {0} দিন টাইম স্লটে এটি অক্ষম {1} DocType: Production Order,Plan material for sub-assemblies,উপ-সমাহারকে পরিকল্পনা উপাদান apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,সেলস অংশীদার এবং টেরিটরি -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} সক্রিয় হতে হবে +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} সক্রিয় হতে হবে DocType: Journal Entry,Depreciation Entry,অবচয় এণ্ট্রি apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,প্রথম ডকুমেন্ট টাইপ নির্বাচন করুন apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,এই রক্ষণাবেক্ষণ পরিদর্শন বাতিল আগে বাতিল উপাদান ভিজিট {0} @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,মোট পরিমাণ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ইন্টারনেট প্রকাশনা DocType: Production Planning Tool,Production Orders,উত্পাদনের আদেশ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,ব্যালেন্স মূল্য +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,ব্যালেন্স মূল্য apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,বিক্রয় মূল্য তালিকা apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,আইটেম সিঙ্ক প্রকাশ করুন DocType: Bank Reconciliation,Account Currency,অ্যাকাউন্ট মুদ্রা @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,প্রস্থান ইন্ট DocType: Item,Is Purchase Item,ক্রয় আইটেম DocType: Asset,Purchase Invoice,ক্রয় চালান DocType: Stock Ledger Entry,Voucher Detail No,ভাউচার বিস্তারিত কোন -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,নতুন সেলস চালান +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,নতুন সেলস চালান DocType: Stock Entry,Total Outgoing Value,মোট আউটগোয়িং মূল্য apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,তারিখ এবং শেষ তারিখ খোলার একই অর্থবছরের মধ্যে হওয়া উচিত DocType: Lead,Request for Information,তথ্যের জন্য অনুরোধ ,LeaderBoard,লিডারবোর্ড -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,সিঙ্ক অফলাইন চালান +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,সিঙ্ক অফলাইন চালান DocType: Payment Request,Paid,প্রদত্ত DocType: Program Fee,Program Fee,প্রোগ্রাম ফি DocType: Salary Slip,Total in words,কথায় মোট @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,সময় লিড তার DocType: Guardian,Guardian Name,অভিভাবকের নাম DocType: Cheque Print Template,Has Print Format,প্রিন্ট ফরম্যাট রয়েছে DocType: Employee Loan,Sanctioned,অনুমোদিত -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,আবশ্যক. হয়তো মুদ্রা বিনিময় রেকর্ড এজন্য তৈরি করা হয়নি +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,আবশ্যক. হয়তো মুদ্রা বিনিময় রেকর্ড এজন্য তৈরি করা হয়নি apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},সারি # {0}: আইটেম জন্য কোন সিরিয়াল উল্লেখ করুন {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'পণ্য সমষ্টি' আইটেম, গুদাম, সিরিয়াল না এবং ব্যাচ জন্য কোন 'প্যাকিং তালিকা টেবিল থেকে বিবেচনা করা হবে. ওয়ারহাউস ও ব্যাচ কোন কোন 'পণ্য সমষ্টি' আইটেমের জন্য সব প্যাকিং আইটেম জন্য একই থাকে, যারা মান প্রধান আইটেম টেবিলে সন্নিবেশ করানো যাবে, মান মেজ বোঁচকা তালিকা 'থেকে কপি করা হবে." DocType: Job Opening,Publish on website,ওয়েবসাইটে প্রকাশ @@ -1006,7 +1006,7 @@ DocType: Cheque Print Template,Date Settings,তারিখ সেটিং apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,অনৈক্য ,Company Name,কোমপানির নাম DocType: SMS Center,Total Message(s),মোট বার্তা (গুলি) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,স্থানান্তর জন্য নির্বাচন আইটেম +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,স্থানান্তর জন্য নির্বাচন আইটেম DocType: Purchase Invoice,Additional Discount Percentage,অতিরিক্ত ছাড় শতাংশ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,সব সাহায্য ভিডিওর একটি তালিকা দেখুন DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,চেক জমা ছিল ব্যাংকের নির্বাচন অ্যাকাউন্ট মাথা. @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),কাঁচামাল খরচ (কোম্পানির মুদ্রা) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,সকল আইটেম ইতিমধ্যে এই উৎপাদন অর্ডার জন্য স্থানান্তর করা হয়েছে. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},সারি # {0}: হার ব্যবহৃত হার তার চেয়ে অনেক বেশী হতে পারে না {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,মিটার +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,মিটার DocType: Workstation,Electricity Cost,বিদ্যুৎ খরচ DocType: HR Settings,Don't send Employee Birthday Reminders,কর্মচারী জন্মদিনের রিমাইন্ডার পাঠাবেন না DocType: Item,Inspection Criteria,ইন্সপেকশন নির্ণায়ক @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),সব নেতৃত্ব (ওপেন) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),সারি {0}: Qty জন্য পাওয়া যায় না {4} গুদামে {1} এন্ট্রির সময় পোস্টিং এ ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,উন্নতির প্রদত্ত করুন DocType: Item,Automatically Create New Batch,নিউ ব্যাচ স্বয়ংক্রিয়ভাবে তৈরি করুন -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,করা +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,করা DocType: Student Admission,Admission Start Date,ভর্তি শুরুর তারিখ DocType: Journal Entry,Total Amount in Words,শব্দ মধ্যে মোট পরিমাণ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,সেখানে একটা ভুল ছিল. এক সম্ভাব্য কারণ আপনার ফর্ম সংরক্ষণ করেন নি যে হতে পারে. সমস্যা থেকে গেলে support@erpnext.com সাথে যোগাযোগ করুন. @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,আমার ট্র apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},যাতে টাইপ এক হতে হবে {0} DocType: Lead,Next Contact Date,পরের যোগাযোগ তারিখ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty খোলা -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,পরিমাণ পরিবর্তন অ্যাকাউন্ট প্রবেশ করুন +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,পরিমাণ পরিবর্তন অ্যাকাউন্ট প্রবেশ করুন DocType: Student Batch Name,Student Batch Name,ছাত্র ব্যাচ নাম DocType: Holiday List,Holiday List Name,ছুটির তালিকা নাম DocType: Repayment Schedule,Balance Loan Amount,ব্যালেন্স ঋণের পরিমাণ @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,বিকল্প তহবিল DocType: Journal Entry Account,Expense Claim,ব্যয় দাবি apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,আপনি কি সত্যিই এই বাতিল সম্পদ পুনরুদ্ধার করতে চান না? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},জন্য Qty {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},জন্য Qty {0} DocType: Leave Application,Leave Application,আবেদন কর apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,অ্যালোকেশন টুল ত্যাগ DocType: Leave Block List,Leave Block List Dates,ব্লক তালিকা তারিখগুলি ছেড়ে @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,বিরুদ্ধে DocType: Item,Default Selling Cost Center,ডিফল্ট বিক্রি খরচ কেন্দ্র DocType: Sales Partner,Implementation Partner,বাস্তবায়ন অংশীদার -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,জিপ কোড +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,জিপ কোড apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},বিক্রয় আদেশ {0} হল {1} DocType: Opportunity,Contact Info,যোগাযোগের তথ্য apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,শেয়ার দাখিলা তৈরীর @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},ক apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,গড় বয়স DocType: School Settings,Attendance Freeze Date,এ্যাটেনডেন্স ফ্রিজ তারিখ DocType: Opportunity,Your sales person who will contact the customer in future,ভবিষ্যতে গ্রাহকের পরিচিতি হবে যারা আপনার বিক্রয় ব্যক্তির -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,আপনার সরবরাহকারীদের একটি কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,আপনার সরবরাহকারীদের একটি কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,সকল পণ্য দেখুন apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),নূন্যতম লিড বয়স (দিন) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,সকল BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,সকল BOMs DocType: Company,Default Currency,ডিফল্ট মুদ্রা DocType: Expense Claim,From Employee,কর্মী থেকে -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,সতর্কতা: সিস্টেম আইটেম জন্য পরিমাণ যেহেতু overbilling পরীক্ষা করা হবে না {0} মধ্যে {1} শূন্য +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,সতর্কতা: সিস্টেম আইটেম জন্য পরিমাণ যেহেতু overbilling পরীক্ষা করা হবে না {0} মধ্যে {1} শূন্য DocType: Journal Entry,Make Difference Entry,পার্থক্য এন্ট্রি করতে DocType: Upload Attendance,Attendance From Date,জন্ম থেকে উপস্থিতি DocType: Appraisal Template Goal,Key Performance Area,কী পারফরমেন্স ফোন @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,আপনার অবগতির জন্য কোম্পানি রেজিস্ট্রেশন নম্বর. ট্যাক্স নম্বর ইত্যাদি DocType: Sales Partner,Distributor,পরিবেশক DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,শপিং কার্ট শিপিং রুল -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,উৎপাদন অর্ডার {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,উৎপাদন অর্ডার {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',সেট 'অতিরিক্ত ডিসকাউন্ট প্রযোজ্য' দয়া করে ,Ordered Items To Be Billed,আদেশ আইটেম বিল তৈরি করা apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,বিন্যাস কম হতে হয়েছে থেকে চেয়ে পরিসীমা @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Deductions DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,শুরুর বছর -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN প্রথম 2 সংখ্যার রাজ্য নম্বর দিয়ে সুসংগত হওয়া আবশ্যক {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN প্রথম 2 সংখ্যার রাজ্য নম্বর দিয়ে সুসংগত হওয়া আবশ্যক {0} DocType: Purchase Invoice,Start date of current invoice's period,বর্তমান চালান এর সময়সীমার তারিখ শুরু DocType: Salary Slip,Leave Without Pay,পারিশ্রমিক বিহীন ছুটি -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ক্ষমতা পরিকল্পনা ত্রুটি +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,ক্ষমতা পরিকল্পনা ত্রুটি ,Trial Balance for Party,পার্টি জন্য ট্রায়াল ব্যালেন্স DocType: Lead,Consultant,পরামর্শকারী DocType: Salary Slip,Earnings,উপার্জন @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,প্রদায়ক সেট DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","এই বৈকল্পিক আইটেম কোড যোগ করা হবে. আপনার সমাহার "এস এম", এবং উদাহরণস্বরূপ, যদি আইটেমটি কোড "টি-শার্ট", "টি-শার্ট-এস এম" হতে হবে বৈকল্পিক আইটেমটি কোড" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,আপনি বেতন স্লিপ সংরক্ষণ একবার (কথায়) নিট পে দৃশ্যমান হবে. DocType: Purchase Invoice,Is Return,ফিরে যেতে হবে -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,রিটার্ন / ডেবিট নোট +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,রিটার্ন / ডেবিট নোট DocType: Price List Country,Price List Country,মূল্যতালিকা দেশ DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} আইটেম জন্য বৈধ সিরিয়াল আমরা {1} @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,আংশিকভাবে বিত apps/erpnext/erpnext/config/buying.py +38,Supplier database.,সরবরাহকারী ডাটাবেস. DocType: Account,Balance Sheet,হিসাবনিকাশপত্র apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ','আইটেম কোড দিয়ে আইটেমের জন্য কেন্দ্র উড়ানের তালিকাটি -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","পেমেন্ট মোড কনফিগার করা হয়নি. অনুগ্রহ করে পরীক্ষা করুন, কিনা অ্যাকাউন্ট পেমেন্ট মোড বা পিওএস প্রোফাইল উপর স্থাপন করা হয়েছে." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","পেমেন্ট মোড কনফিগার করা হয়নি. অনুগ্রহ করে পরীক্ষা করুন, কিনা অ্যাকাউন্ট পেমেন্ট মোড বা পিওএস প্রোফাইল উপর স্থাপন করা হয়েছে." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,আপনার বিক্রয় ব্যক্তির গ্রাহকের পরিচিতি এই তারিখে একটি অনুস্মারক পাবেন apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,একই আইটেম একাধিক বার প্রবেশ করানো যাবে না. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","আরও অ্যাকাউন্ট দলের অধীনে করা যেতে পারে, কিন্তু এন্ট্রি অ গ্রুপের বিরুদ্ধে করা যেতে পারে" @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,ঋণ পরিশোধে apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'এন্ট্রি' খালি রাখা যাবে না apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},সদৃশ সারিতে {0} একই {1} ,Trial Balance,ট্রায়াল ব্যালেন্স -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,অর্থবছরের {0} পাওয়া যায়নি +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,অর্থবছরের {0} পাওয়া যায়নি apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,এমপ্লয়িজ স্থাপনের DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,প্রথম উপসর্গ নির্বাচন করুন @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,অন্তর apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,পুরনো apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","একটি আইটেম গ্রুপ একই নামের সঙ্গে বিদ্যমান, আইটেমের নাম পরিবর্তন বা আইটেম গ্রুপ নামান্তর করুন" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,শিক্ষার্থীর মোবাইল নং -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,বিশ্বের বাকি +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,বিশ্বের বাকি apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,আইটেম {0} ব্যাচ থাকতে পারে না ,Budget Variance Report,বাজেট ভেদাংক প্রতিবেদন DocType: Salary Slip,Gross Pay,গ্রস পে -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,সারি {0}: কার্যকলাপ প্রকার বাধ্যতামূলক. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,সারি {0}: কার্যকলাপ প্রকার বাধ্যতামূলক. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,লভ্যাংশ দেওয়া apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,অ্যাকাউন্টিং লেজার DocType: Stock Reconciliation,Difference Amount,পার্থক্য পরিমাণ @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,কর্মচারী ছুটি ভারসাম্য apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},অ্যাকাউন্টের জন্য ব্যালেন্স {0} সবসময় হতে হবে {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},মূল্যনির্ধারণ হার সারিতে আইটেম জন্য প্রয়োজনীয় {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,উদাহরণ: কম্পিউটার বিজ্ঞানে মাস্টার্স +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,উদাহরণ: কম্পিউটার বিজ্ঞানে মাস্টার্স DocType: Purchase Invoice,Rejected Warehouse,পরিত্যক্ত গুদাম DocType: GL Entry,Against Voucher,ভাউচার বিরুদ্ধে DocType: Item,Default Buying Cost Center,ডিফল্ট রাজধানীতে খরচ কেন্দ্র apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext শ্রেষ্ঠ আউট পেতে, আমরা আপনার জন্য কিছু সময় লাগতে এবং এইসব সাহায্যের ভিডিও দেখতে যে সুপারিশ." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,থেকে +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,থেকে DocType: Supplier Quotation Item,Lead Time in days,দিন সময় লিড apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,অ্যাকাউন্ট প্রদেয় সংক্ষিপ্ত -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},{0} থেকে বেতন পরিশোধ {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},{0} থেকে বেতন পরিশোধ {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},হিমায়িত অ্যাকাউন্ট সম্পাদনা করার জন্য অনুমোদিত নয় {0} DocType: Journal Entry,Get Outstanding Invoices,অসামান্য চালানে পান -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,বিক্রয় আদেশ {0} বৈধ নয় +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,বিক্রয় আদেশ {0} বৈধ নয় apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,ক্রয় আদেশ আপনি পরিকল্পনা সাহায্য এবং আপনার ক্রয়ের উপর ফলোআপ apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","দুঃখিত, কোম্পানি মার্জ করা যাবে না" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,পরোক্ষ খরচ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,সারি {0}: Qty বাধ্যতামূলক apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,কৃষি -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,সিঙ্ক মাস্টার ডেটা -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,আপনার পণ্য বা সেবা +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,সিঙ্ক মাস্টার ডেটা +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,আপনার পণ্য বা সেবা DocType: Mode of Payment,Mode of Payment,পেমেন্ট মোড apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,ওয়েবসাইট চিত্র একটি পাবলিক ফাইল বা ওয়েবসাইট URL হওয়া উচিত DocType: Student Applicant,AP,পি @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,আইটেমটি ট্যা DocType: Student Group Student,Group Roll Number,গ্রুপ রোল নম্বর apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, শুধুমাত্র ক্রেডিট অ্যাকাউন্ট অন্য ডেবিট এন্ট্রি বিরুদ্ধে সংযুক্ত করা যাবে জন্য" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,সব কাজের ওজন মোট হওয়া উচিত 1. অনুযায়ী সব প্রকল্পের কাজগুলো ওজন নিয়ন্ত্রন করুন -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,হুণ্ডি {0} দাখিল করা হয় না +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,হুণ্ডি {0} দাখিল করা হয় না apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,আইটেম {0} একটি সাব-সংকুচিত আইটেম হতে হবে apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ক্যাপিটাল উপকরণ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","প্রাইসিং রুল প্রথম উপর ভিত্তি করে নির্বাচন করা হয় আইটেম, আইটেম গ্রুপ বা ব্র্যান্ড হতে পারে, যা ক্ষেত্র 'প্রয়োগ'." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,প্রথম আইটেম কোড প্রথম সেট করুন +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,প্রথম আইটেম কোড প্রথম সেট করুন DocType: Hub Settings,Seller Website,বিক্রেতা ওয়েবসাইট DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,সেলস টিম জন্য মোট বরাদ্দ শতাংশ 100 হওয়া উচিত DocType: Appraisal Goal,Goal,লক্ষ্য DocType: Sales Invoice Item,Edit Description,সম্পাদনা বিবরণ ,Team Updates,টিম আপডেট -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,সরবরাহকারী +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,সরবরাহকারী DocType: Account,Setting Account Type helps in selecting this Account in transactions.,অ্যাকাউন্ট টাইপ সেটিং লেনদেন এই অ্যাকাউন্টটি নির্বাচন করতে সাহায্য করে. DocType: Purchase Invoice,Grand Total (Company Currency),সর্বমোট (কোম্পানি একক) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,প্রিন্ট বিন্যাস তৈরি করুন @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,ওয়েবসাইট আইটেম DocType: Purchase Invoice,Total (Company Currency),মোট (কোম্পানি একক) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,{0} সিরিয়াল নম্বর একবারের বেশি প্রবেশ DocType: Depreciation Schedule,Journal Entry,জার্নাল এন্ট্রি -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} প্রগতিতে আইটেম +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} প্রগতিতে আইটেম DocType: Workstation,Workstation Name,ওয়ার্কস্টেশন নাম DocType: Grading Scale Interval,Grade Code,গ্রেড কোড DocType: POS Item Group,POS Item Group,পিওএস আইটেম গ্রুপ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ডাইজেস্ট ইমেল: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} আইটেম অন্তর্গত নয় {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} আইটেম অন্তর্গত নয় {1} DocType: Sales Partner,Target Distribution,উদ্দিষ্ট ডিস্ট্রিবিউশনের DocType: Salary Slip,Bank Account No.,ব্যাংক একাউন্ট নং DocType: Naming Series,This is the number of the last created transaction with this prefix,এই উপসর্গবিশিষ্ট সর্বশেষ নির্মিত লেনদেনের সংখ্যা @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,বাজারের ব্যাগ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,গড় দৈনিক আউটগোয়িং DocType: POS Profile,Campaign,প্রচারাভিযান DocType: Supplier,Name and Type,নাম এবং টাইপ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',অনুমোদন অবস্থা 'অনুমোদিত' বা 'পরিত্যক্ত' হতে হবে +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',অনুমোদন অবস্থা 'অনুমোদিত' বা 'পরিত্যক্ত' হতে হবে DocType: Purchase Invoice,Contact Person,ব্যক্তি যোগাযোগ apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','প্রত্যাশিত শুরুর তারিখ' কখনও 'প্রত্যাশিত শেষ তারিখ' এর চেয়ে বড় হতে পারে না DocType: Course Scheduling Tool,Course End Date,কোর্স শেষ তারিখ @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Prefered ইমেইল apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,পরিসম্পদ মধ্যে নিট পরিবর্তন DocType: Leave Control Panel,Leave blank if considered for all designations,সব প্রশিক্ষণে জন্য বিবেচিত হলে ফাঁকা ছেড়ে দিন -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,টাইপ 'প্রকৃত' সারিতে ভারপ্রাপ্ত {0} আইটেম রেট মধ্যে অন্তর্ভুক্ত করা যাবে না -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},সর্বোচ্চ: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,টাইপ 'প্রকৃত' সারিতে ভারপ্রাপ্ত {0} আইটেম রেট মধ্যে অন্তর্ভুক্ত করা যাবে না +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},সর্বোচ্চ: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime থেকে DocType: Email Digest,For Company,কোম্পানি জন্য apps/erpnext/erpnext/config/support.py +17,Communication log.,যোগাযোগ লগ ইন করুন. @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","পেশা DocType: Journal Entry Account,Account Balance,হিসাবের পরিমান apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,লেনদেনের জন্য ট্যাক্স রুল. DocType: Rename Tool,Type of document to rename.,নথির ধরন নামান্তর. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,আমরা এই আইটেম কিনতে +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,আমরা এই আইটেম কিনতে apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: গ্রাহকের প্রাপ্য অ্যাকাউন্ট বিরুদ্ধে প্রয়োজন বোধ করা হয় {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),মোট কর ও শুল্ক (কোম্পানি একক) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,বন্ধ না অর্থবছরে পি & এল ভারসাম্যকে দেখান @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,রিডিং DocType: Stock Entry,Total Additional Costs,মোট অতিরিক্ত খরচ DocType: Course Schedule,SH,শুট আউট DocType: BOM,Scrap Material Cost(Company Currency),স্ক্র্যাপ উপাদান খরচ (কোম্পানির মুদ্রা) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,উপ সমাহারগুলি +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,উপ সমাহারগুলি DocType: Asset,Asset Name,অ্যাসেট নাম DocType: Project,Task Weight,টাস্ক ওজন DocType: Shipping Rule Condition,To Value,মান @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,আইটেম রু DocType: Company,Services,সেবা DocType: HR Settings,Email Salary Slip to Employee,কর্মচারী ইমেল বেতন স্লিপ DocType: Cost Center,Parent Cost Center,মূল খরচ কেন্দ্র -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,সম্ভাব্য সরবরাহকারী নির্বাচন +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,সম্ভাব্য সরবরাহকারী নির্বাচন DocType: Sales Invoice,Source,উত্স apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,দেখান বন্ধ DocType: Leave Type,Is Leave Without Pay,বিনা বেতনে ছুটি হয় @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,ছাড়ের আবেদন DocType: GST HSN Code,GST HSN Code,GST HSN কোড DocType: Employee External Work History,Total Experience,মোট অভিজ্ঞতা apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ওপেন প্রকল্প -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,বাতিল প্যাকিং স্লিপ (গুলি) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,বাতিল প্যাকিং স্লিপ (গুলি) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,বিনিয়োগ থেকে ক্যাশ ফ্লো DocType: Program Course,Program Course,প্রোগ্রাম কোর্স apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,মাল ও ফরোয়ার্ডিং চার্জ @@ -1538,9 +1538,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,প্রোগ্রাম enrollments DocType: Sales Invoice Item,Brand Name,পরিচিতিমুলক নাম DocType: Purchase Receipt,Transporter Details,স্থানান্তরকারী বিস্তারিত -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,ডিফল্ট গুদাম নির্বাচিত আইটেমের জন্য প্রয়োজন বোধ করা হয় -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,বক্স -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,সম্ভাব্য সরবরাহকারী +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,ডিফল্ট গুদাম নির্বাচিত আইটেমের জন্য প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,বক্স +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,সম্ভাব্য সরবরাহকারী DocType: Budget,Monthly Distribution,মাসিক বন্টন apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,রিসিভার তালিকা শূণ্য. রিসিভার তালিকা তৈরি করুন DocType: Production Plan Sales Order,Production Plan Sales Order,উৎপাদন পরিকল্পনা বিক্রয় আদেশ @@ -1572,7 +1572,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,কোম্ apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","শিক্ষার্থীরা সিস্টেম অন্তরে হয়, আপনার সব ছাত্র যোগ" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},সারি # {0}: পরিস্কারের তারিখ {1} আগে চেক তারিখ হতে পারে না {2} DocType: Company,Default Holiday List,হলিডে তালিকা ডিফল্ট -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},সারি {0}: থেকে সময় এবং টাইম {1} সঙ্গে ওভারল্যাপিং হয় {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},সারি {0}: থেকে সময় এবং টাইম {1} সঙ্গে ওভারল্যাপিং হয় {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,শেয়ার দায় DocType: Purchase Invoice,Supplier Warehouse,সরবরাহকারী ওয়্যারহাউস DocType: Opportunity,Contact Mobile No,যোগাযোগ মোবাইল নম্বর @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},ধরনের ছুটি {0} চেয়ে বেশি হতে পারেনা {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,অগ্রিম এক্স দিনের জন্য অপারেশন পরিকল্পনা চেষ্টা করুন. DocType: HR Settings,Stop Birthday Reminders,বন্ধ করুন জন্মদিনের রিমাইন্ডার -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},কোম্পানির মধ্যে ডিফল্ট বেতনের প্রদেয় অ্যাকাউন্ট নির্ধারণ করুন {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},কোম্পানির মধ্যে ডিফল্ট বেতনের প্রদেয় অ্যাকাউন্ট নির্ধারণ করুন {0} DocType: SMS Center,Receiver List,রিসিভার তালিকা -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,অনুসন্ধান আইটেম +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,অনুসন্ধান আইটেম apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ক্ষয়প্রাপ্ত পরিমাণ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,ক্যাশ মধ্যে নিট পরিবর্তন DocType: Assessment Plan,Grading Scale,শূন্য স্কেল apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,মেজার {0} এর ইউনিট রূপান্তর ফ্যাক্টর ছক একাধিকবার প্রবেশ করানো হয়েছে -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,ইতিমধ্যে সম্পন্ন +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,ইতিমধ্যে সম্পন্ন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,শেয়ার হাতে apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},পেমেন্ট অনুরোধ ইতিমধ্যেই বিদ্যমান {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,প্রথম প্রকাশ আইটেম খরচ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},পরিমাণ বেশী হবে না {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},পরিমাণ বেশী হবে না {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,গত অর্থবছরের বন্ধ হয়নি apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),বয়স (দিন) DocType: Quotation Item,Quotation Item,উদ্ধৃতি আইটেম @@ -1613,6 +1613,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,রেফারেন্স নথি apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} বাতিল বা বন্ধ করা DocType: Accounts Settings,Credit Controller,ক্রেডিট কন্ট্রোলার +DocType: Sales Order,Final Delivery Date,ফাইনাল ডেলিভারি তারিখ DocType: Delivery Note,Vehicle Dispatch Date,যানবাহন ডিসপ্যাচ তারিখ DocType: Purchase Invoice Item,HSN/SAC,HSN / এসএসি apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,কেনার রসিদ {0} দাখিল করা হয় না @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,অবসর তারিখ DocType: Upload Attendance,Get Template,টেমপ্লেট করুন DocType: Material Request,Transferred,স্থানান্তরিত DocType: Vehicle,Doors,দরজা -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext সেটআপ সম্পূর্ণ! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext সেটআপ সম্পূর্ণ! DocType: Course Assessment Criteria,Weightage,গুরুত্ব -DocType: Sales Invoice,Tax Breakup,ট্যাক্স ছুটি +DocType: Purchase Invoice,Tax Breakup,ট্যাক্স ছুটি DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: খরচ কেন্দ্র 'লাভ-ক্ষতির' অ্যাকাউন্টের জন্য প্রয়োজন বোধ করা হয় {2}. অনুগ্রহ করে এখানে ক্লিক করুন জন্য একটি ডিফল্ট মূল্য কেন্দ্র স্থাপন করা. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,একটি গ্রাহক গ্রুপ একই নামের সঙ্গে বিদ্যমান গ্রাহকের নাম পরিবর্তন বা ক্রেতা গ্রুপ নামান্তর করুন @@ -1716,14 +1717,14 @@ DocType: Announcement,Instructor,উপাধ্যায় DocType: Employee,AB+,এবি + + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","এই আইটেমটি ভিন্নতা আছে, তাহলে এটি বিক্রয় আদেশ ইত্যাদি নির্বাচন করা যাবে না" DocType: Lead,Next Contact By,পরবর্তী যোগাযোগ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},সারিতে আইটেম {0} জন্য প্রয়োজনীয় পরিমাণ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},সারিতে আইটেম {0} জন্য প্রয়োজনীয় পরিমাণ {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},পরিমাণ আইটেমটি জন্য বিদ্যমান হিসাবে ওয়্যারহাউস {0} মোছা যাবে না {1} DocType: Quotation,Order Type,যাতে টাইপ DocType: Purchase Invoice,Notification Email Address,বিজ্ঞপ্তি ইমেল ঠিকানা ,Item-wise Sales Register,আইটেম-জ্ঞানী সেলস নিবন্ধন DocType: Asset,Gross Purchase Amount,গ্রস ক্রয়ের পরিমাণ DocType: Asset,Depreciation Method,অবচয় পদ্ধতি -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,অফলাইন +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,অফলাইন DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,মৌলিক হার মধ্যে অন্তর্ভুক্ত এই খাজনা? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,মোট লক্ষ্যমাত্রা DocType: Job Applicant,Applicant for a Job,একটি কাজের জন্য আবেদনকারী @@ -1744,7 +1745,7 @@ DocType: Employee,Leave Encashed?,Encashed ত্যাগ করবেন? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ক্ষেত্রের থেকে সুযোগ বাধ্যতামূলক DocType: Email Digest,Annual Expenses,বার্ষিক খরচ DocType: Item,Variants,রুপভেদ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,ক্রয় আদেশ করা +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,ক্রয় আদেশ করা DocType: SMS Center,Send To,পাঠানো apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ছুটি টাইপ জন্য যথেষ্ট ছুটি ভারসাম্য নেই {0} DocType: Payment Reconciliation Payment,Allocated amount,বরাদ্দ পরিমাণ @@ -1752,7 +1753,7 @@ DocType: Sales Team,Contribution to Net Total,একুন অবদান DocType: Sales Invoice Item,Customer's Item Code,গ্রাহকের আইটেম কোড DocType: Stock Reconciliation,Stock Reconciliation,শেয়ার রিকনসিলিয়েশন DocType: Territory,Territory Name,টেরিটরি নাম -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,কাজ-অগ্রগতি ওয়্যারহাউস জমা করার আগে প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,কাজ-অগ্রগতি ওয়্যারহাউস জমা করার আগে প্রয়োজন বোধ করা হয় apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,একটি কাজের জন্য আবেদনকারী. DocType: Purchase Order Item,Warehouse and Reference,ওয়ারহাউস ও রেফারেন্স DocType: Supplier,Statutory info and other general information about your Supplier,আপনার সরবরাহকারীর সম্পর্কে বিধিবদ্ধ তথ্য এবং অন্যান্য সাধারণ তথ্য @@ -1763,16 +1764,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,appraisals apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},সিরিয়াল কোন আইটেম জন্য প্রবেশ সদৃশ {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,একটি শিপিং শাসনের জন্য একটি শর্ত apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,অনুগ্রহ করে প্রবেশ করুন -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","সারিতে আইটেম {0} এর জন্য overbill করা যাবে না {1} চেয়ে আরো অনেক কিছু {2}। ওভার বিলিং অনুমতি দিতে, সেটিংস কেনার সেট করুন" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,দয়া করে আইটেম বা গুদাম উপর ভিত্তি করে ফিল্টার সেট +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","সারিতে আইটেম {0} এর জন্য overbill করা যাবে না {1} চেয়ে আরো অনেক কিছু {2}। ওভার বিলিং অনুমতি দিতে, সেটিংস কেনার সেট করুন" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,দয়া করে আইটেম বা গুদাম উপর ভিত্তি করে ফিল্টার সেট DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),এই প্যাকেজের নিট ওজন. (আইটেম নিট ওজন যোগফল আকারে স্বয়ংক্রিয়ভাবে হিসাব) DocType: Sales Order,To Deliver and Bill,রক্ষা কর এবং বিল থেকে DocType: Student Group,Instructors,প্রশিক্ষক DocType: GL Entry,Credit Amount in Account Currency,অ্যাকাউন্টের মুদ্রা মধ্যে ক্রেডিট পরিমাণ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} দাখিল করতে হবে +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} দাখিল করতে হবে DocType: Authorization Control,Authorization Control,অনুমোদন কন্ট্রোল apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},সারি # {0}: ওয়্যারহাউস প্রত্যাখ্যাত প্রত্যাখ্যান আইটেম বিরুদ্ধে বাধ্যতামূলক {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,প্রদান +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,প্রদান apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","গুদাম {0} কোনো অ্যাকাউন্টে লিঙ্ক করা হয় না, দয়া করে কোম্পানিতে গুদাম রেকর্ডে অ্যাকাউন্ট বা সেট ডিফল্ট জায় অ্যাকাউন্ট উল্লেখ {1}।" apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,আপনার আদেশ পরিচালনা DocType: Production Order Operation,Actual Time and Cost,প্রকৃত সময় এবং খরচ @@ -1788,12 +1789,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,বি DocType: Quotation Item,Actual Qty,প্রকৃত স্টক DocType: Sales Invoice Item,References,তথ্যসূত্র DocType: Quality Inspection Reading,Reading 10,10 পঠন -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","আপনি কিনতে বা বিক্রি করে যে আপনার পণ্য বা সেবা তালিকা. যখন আপনি শুরু মেজার এবং অন্যান্য বৈশিষ্ট্য আইটেমটি গ্রুপ, ইউনিট চেক করতে ভুলবেন না." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","আপনি কিনতে বা বিক্রি করে যে আপনার পণ্য বা সেবা তালিকা. যখন আপনি শুরু মেজার এবং অন্যান্য বৈশিষ্ট্য আইটেমটি গ্রুপ, ইউনিট চেক করতে ভুলবেন না." DocType: Hub Settings,Hub Node,হাব নোড apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,আপনি ডুপ্লিকেট জিনিস প্রবেশ করে. ত্রুটিমুক্ত এবং আবার চেষ্টা করুন. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,সহযোগী +DocType: Company,Sales Target,বিক্রয় টার্গেট DocType: Asset Movement,Asset Movement,অ্যাসেট আন্দোলন -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,নিউ কার্ট +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,নিউ কার্ট apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} আইটেম ধারাবাহিকভাবে আইটেম নয় DocType: SMS Center,Create Receiver List,রিসিভার তালিকা তৈরি করুন DocType: Vehicle,Wheels,চাকা @@ -1834,13 +1836,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,প্রকল্ DocType: Supplier,Supplier of Goods or Services.,পণ্য বা সেবার সরবরাহকারী. DocType: Budget,Fiscal Year,অর্থবছর DocType: Vehicle Log,Fuel Price,জ্বালানীর দাম +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ> নম্বরিং সিরিজের মাধ্যমে উপস্থিতি জন্য সিরিজ সংখ্যা নির্ধারণ করুন DocType: Budget,Budget,বাজেট apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,পরিসম্পদ আইটেম একটি অ স্টক আইটেম হতে হবে. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",এটি একটি আয় বা ব্যয় অ্যাকাউন্ট না হিসাবে বাজেট বিরুদ্ধে {0} নিয়োগ করা যাবে না apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,অর্জন DocType: Student Admission,Application Form Route,আবেদনপত্র রুট apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,টেরিটরি / গ্রাহক -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,যেমন 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,যেমন 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ত্যাগ প্রকার {0} বরাদ্দ করা যাবে না যেহেতু এটা বিনা বেতনে ছুটি হয় apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},সারি {0}: বরাদ্দ পরিমাণ {1} কম হতে পারে অথবা বকেয়া পরিমাণ চালান সমান নয় {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,আপনি বিক্রয় চালান সংরক্ষণ একবার শব্দ দৃশ্যমান হবে. @@ -1849,11 +1852,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} আইটেম সিরিয়াল আমরা জন্য সেটআপ নয়. আইটেম মাস্টার চেক DocType: Maintenance Visit,Maintenance Time,রক্ষণাবেক্ষণ সময় ,Amount to Deliver,পরিমাণ প্রদান করতে -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,একটি পণ্য বা পরিষেবা +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,একটি পণ্য বা পরিষেবা apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,টার্ম শুরুর তারিখ চেয়ে একাডেমিক ইয়ার ইয়ার স্টার্ট তারিখ যা শব্দটি সংযুক্ত করা হয় তার আগে না হতে পারে (শিক্ষাবর্ষ {}). তারিখ সংশোধন করে আবার চেষ্টা করুন. DocType: Guardian,Guardian Interests,গার্ডিয়ান রুচি DocType: Naming Series,Current Value,বর্তমান মূল্য -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,একাধিক অর্থ বছরের তারিখ {0} জন্য বিদ্যমান. অর্থবছরে কোম্পানির নির্ধারণ করুন +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,একাধিক অর্থ বছরের তারিখ {0} জন্য বিদ্যমান. অর্থবছরে কোম্পানির নির্ধারণ করুন apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} তৈরি হয়েছে DocType: Delivery Note Item,Against Sales Order,সেলস আদেশের বিরুদ্ধে ,Serial No Status,সিরিয়াল কোন স্ট্যাটাস @@ -1866,7 +1869,7 @@ DocType: Pricing Rule,Selling,বিক্রি apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},পরিমাণ {0} {1} বিরুদ্ধে কাটা {2} DocType: Employee,Salary Information,বেতন তথ্য DocType: Sales Person,Name and Employee ID,নাম ও কর্মী ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,দরুন জন্ম তারিখ পোস্ট করার আগে হতে পারে না +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,দরুন জন্ম তারিখ পোস্ট করার আগে হতে পারে না DocType: Website Item Group,Website Item Group,ওয়েবসাইট আইটেমটি গ্রুপ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,কর্তব্য এবং কর apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,রেফারেন্স তারিখ লিখুন দয়া করে @@ -1921,9 +1924,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},কর্মচারী জন্য যোগদানের তারিখ সেট করুন {0} DocType: Task,Total Billing Amount (via Time Sheet),মোট বিলিং পরিমাণ (টাইম শিট মাধ্যমে) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,পুনরাবৃত্ত গ্রাহক রাজস্ব -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ভূমিকা 'ব্যয় রাজসাক্ষী' থাকতে হবে -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,জুড়ি -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,উত্পাদনের জন্য BOM এবং Qty নির্বাচন +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ভূমিকা 'ব্যয় রাজসাক্ষী' থাকতে হবে +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,জুড়ি +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,উত্পাদনের জন্য BOM এবং Qty নির্বাচন DocType: Asset,Depreciation Schedule,অবচয় সূচি apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,সেলস অংশীদার ঠিকানা ও যোগাযোগ DocType: Bank Reconciliation Detail,Against Account,অ্যাকাউন্টের বিরুদ্ধে @@ -1933,7 +1936,7 @@ DocType: Item,Has Batch No,ব্যাচ কোন আছে apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},বার্ষিক বিলিং: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),দ্রব্য এবং পরিষেবা কর (GST ভারত) DocType: Delivery Note,Excise Page Number,আবগারি পৃষ্ঠা সংখ্যা -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","কোম্পানি, তারিখ থেকে এবং তারিখ থেকে বাধ্যতামূলক" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","কোম্পানি, তারিখ থেকে এবং তারিখ থেকে বাধ্যতামূলক" DocType: Asset,Purchase Date,ক্রয় তারিখ DocType: Employee,Personal Details,ব্যক্তিগত বিবরণ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},কোম্পানি 'অ্যাসেট অবচয় খরচ কেন্দ্র' নির্ধারণ করুন {0} @@ -1942,9 +1945,9 @@ DocType: Task,Actual End Date (via Time Sheet),প্রকৃত শেষ ত apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},পরিমাণ {0} {1} বিরুদ্ধে {2} {3} ,Quotation Trends,উদ্ধৃতি প্রবণতা apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},আইটেমটি গ্রুপ আইটেমের জন্য আইটেম মাস্টার উল্লেখ না {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,অ্যাকাউন্ট ডেবিট একটি গ্রহনযোগ্য অ্যাকাউন্ট থাকতে হবে +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,অ্যাকাউন্ট ডেবিট একটি গ্রহনযোগ্য অ্যাকাউন্ট থাকতে হবে DocType: Shipping Rule Condition,Shipping Amount,শিপিং পরিমাণ -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,গ্রাহকরা যোগ করুন +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,গ্রাহকরা যোগ করুন apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,অপেক্ষারত পরিমাণ DocType: Purchase Invoice Item,Conversion Factor,রূপান্তর ফ্যাক্টর DocType: Purchase Order,Delivered,নিষ্কৃত @@ -1966,7 +1969,6 @@ DocType: Production Order,Use Multi-Level BOM,মাল্টি লেভেল DocType: Bank Reconciliation,Include Reconciled Entries,মীমাংসা দাখিলা অন্তর্ভুক্ত DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","মূল কোর্স (ফাঁকা ছেড়ে দিন, যদি এই মূল কোর্সের অংশ নয়)" DocType: Leave Control Panel,Leave blank if considered for all employee types,সব কর্মচারী ধরনের জন্য বিবেচিত হলে ফাঁকা ছেড়ে দিন -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গোষ্ঠী> টেরিটরি DocType: Landed Cost Voucher,Distribute Charges Based On,বিতরণ অভিযোগে নির্ভরশীল apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,এইচআর সেটিংস @@ -1974,7 +1976,7 @@ DocType: Salary Slip,net pay info,নেট বিল তথ্য apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,ব্যয় দাবি অনুমোদনের জন্য স্থগিত করা হয়. শুধু ব্যয় রাজসাক্ষী স্ট্যাটাস আপডেট করতে পারবেন. DocType: Email Digest,New Expenses,নিউ খরচ DocType: Purchase Invoice,Additional Discount Amount,অতিরিক্ত মূল্য ছাড়ের পরিমাণ -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","সারি # {0}: Qty, 1 হবে যেমন আইটেম একটি নির্দিষ্ট সম্পদ. একাধিক Qty এ জন্য পৃথক সারি ব্যবহার করুন." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","সারি # {0}: Qty, 1 হবে যেমন আইটেম একটি নির্দিষ্ট সম্পদ. একাধিক Qty এ জন্য পৃথক সারি ব্যবহার করুন." DocType: Leave Block List Allow,Leave Block List Allow,ব্লক মঞ্জুর তালিকা ত্যাগ apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,সংক্ষিপ্তকরণ ফাঁকা বা স্থান হতে পারে না apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,অ-গ্রুপ গ্রুপ @@ -1982,7 +1984,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,স্পো DocType: Loan Type,Loan Name,ঋণ নাম apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,প্রকৃত মোট DocType: Student Siblings,Student Siblings,ছাত্র সহোদর -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,একক +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,একক apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,কোম্পানি উল্লেখ করুন ,Customer Acquisition and Loyalty,গ্রাহক অধিগ্রহণ ও বিশ্বস্ততা DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,অগ্রাহ্য আইটেম শেয়ার রয়েছে সেখানে ওয়্যারহাউস @@ -2000,12 +2002,12 @@ DocType: Workstation,Wages per hour,প্রতি ঘন্টায় মজ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ব্যাচ স্টক ব্যালেন্স {0} হয়ে যাবে ঋণাত্মক {1} ওয়্যারহাউস এ আইটেম {2} জন্য {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,উপাদান অনুরোধ নিম্নলিখিত আইটেম এর পুনরায় আদেশ স্তরের উপর ভিত্তি করে স্বয়ংক্রিয়ভাবে উত্থাপিত হয়েছে DocType: Email Digest,Pending Sales Orders,সেলস অর্ডার অপেক্ষারত -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},অ্যাকাউন্ট {0} অবৈধ. অ্যাকাউন্টের মুদ্রা হতে হবে {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},অ্যাকাউন্ট {0} অবৈধ. অ্যাকাউন্টের মুদ্রা হতে হবে {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM রূপান্তর ফ্যাক্টর সারিতে প্রয়োজন বোধ করা হয় {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার সেলস অর্ডার এক, সেলস চালান বা জার্নাল এন্ট্রি করতে হবে" DocType: Salary Component,Deduction,সিদ্ধান্তগ্রহণ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,সারি {0}: সময় থেকে এবং সময় বাধ্যতামূলক. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,সারি {0}: সময় থেকে এবং সময় বাধ্যতামূলক. DocType: Stock Reconciliation Item,Amount Difference,পরিমাণ পার্থক্য apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},আইটেমের মূল্য জন্য যোগ {0} মূল্যতালিকা {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,এই বিক্রয় ব্যক্তির কর্মী ID লিখুন দয়া করে @@ -2015,11 +2017,11 @@ DocType: Project,Gross Margin,গ্রস মার্জিন apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,প্রথম উত্পাদন আইটেম লিখুন দয়া করে apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,হিসাব ব্যাংক ব্যালেন্সের apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,প্রতিবন্ধী ব্যবহারকারী -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,উদ্ধৃতি +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,উদ্ধৃতি DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,মোট সিদ্ধান্তগ্রহণ ,Production Analytics,উত্পাদনের অ্যানালিটিক্স -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,খরচ আপডেট +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,খরচ আপডেট DocType: Employee,Date of Birth,জন্ম তারিখ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,আইটেম {0} ইতিমধ্যে ফেরত দেয়া হয়েছে DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** অর্থবছরের ** একটি অর্থবছরে প্রতিনিধিত্ব করে. সব হিসাব ভুক্তি এবং অন্যান্য প্রধান লেনদেন ** ** অর্থবছরের বিরুদ্ধে ট্র্যাক করা হয়. @@ -2064,18 +2066,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,কোম্পানি নির্বাচন ... DocType: Leave Control Panel,Leave blank if considered for all departments,সব বিভাগের জন্য বিবেচিত হলে ফাঁকা ছেড়ে দিন apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","কর্মসংস্থান প্রকারভেদ (স্থায়ী, চুক্তি, অন্তরীণ ইত্যাদি)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} আইটেমের জন্য বাধ্যতামূলক {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} আইটেমের জন্য বাধ্যতামূলক {1} DocType: Process Payroll,Fortnightly,পাক্ষিক DocType: Currency Exchange,From Currency,মুদ্রা থেকে apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","অন্তত একটি সারিতে বরাদ্দ পরিমাণ, চালান প্রকার এবং চালান নম্বর নির্বাচন করুন" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,নতুন ক্রয়ের খরচ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},আইটেম জন্য প্রয়োজন বিক্রয় আদেশ {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},আইটেম জন্য প্রয়োজন বিক্রয় আদেশ {0} DocType: Purchase Invoice Item,Rate (Company Currency),হার (কোম্পানি একক) DocType: Student Guardian,Others,অন্যরা DocType: Payment Entry,Unallocated Amount,অব্যবহৃত পরিমাণ apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,একটি মিল খুঁজে খুঁজে পাচ্ছেন না. জন্য {0} অন্য কোনো মান নির্বাচন করুন. DocType: POS Profile,Taxes and Charges,কর ও শুল্ক DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","একটি পণ্য বা, কেনা বিক্রি বা মজুত রাখা হয় যে একটি সেবা." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,আর কোনো আপডেট apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,প্রথম সারির 'পূর্ববর্তী সারি মোট' 'পূর্ববর্তী সারি পরিমাণ' হিসেবে অভিযোগ টাইপ নির্বাচন করা বা না করা apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,শিশু আইটেম একটি প্রোডাক্ট বান্ডেল করা উচিত হবে না. আইটেম অপসারণ `{0} 'এবং সংরক্ষণ করুন @@ -2101,7 +2104,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,মোট বিলিং পরিমাণ apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,একটি ডিফল্ট ইনকামিং ইমেইল অ্যাকাউন্ট এই কাজ করার জন্য সক্রিয় করা আবশ্যক. অনুগ্রহ করে সেটআপ ডিফল্ট ইনকামিং ইমেইল অ্যাকাউন্ট (POP / IMAP) এবং আবার চেষ্টা করুন. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,গ্রহনযোগ্য অ্যাকাউন্ট -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},সারি # {0}: অ্যাসেট {1} ইতিমধ্যে {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},সারি # {0}: অ্যাসেট {1} ইতিমধ্যে {2} DocType: Quotation Item,Stock Balance,স্টক ব্যালেন্স apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,অর্থ প্রদান বিক্রয় আদেশ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,সিইও @@ -2126,10 +2129,11 @@ DocType: C-Form,Received Date,জন্ম গ্রহণ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","আপনি বিক্রয় করের এবং চার্জ টেমপ্লেট একটি স্ট্যান্ডার্ড টেমপ্লেট নির্মাণ করা হলে, একটি নির্বাচন করুন এবং নিচের বাটনে ক্লিক করুন." DocType: BOM Scrap Item,Basic Amount (Company Currency),বেসিক পরিমাণ (কোম্পানি মুদ্রা) DocType: Student,Guardians,অভিভাবকরা +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,দাম দেখানো হবে না যদি মূল্য তালিকা নির্ধারণ করা হয় না apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,এই নৌ-শাসনের জন্য একটি দেশ উল্লেখ বা বিশ্বব্যাপী শিপিং চেক করুন DocType: Stock Entry,Total Incoming Value,মোট ইনকামিং মূল্য -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,ডেবিট প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,ডেবিট প্রয়োজন বোধ করা হয় apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets সাহায্য আপনার দলের দ্বারা সম্পন্ন তৎপরতা জন্য সময়, খরচ এবং বিলিং ট্র্যাক রাখতে" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ক্রয়মূল্য তালিকা DocType: Offer Letter Term,Offer Term,অপরাধ টার্ম @@ -2148,11 +2152,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,প DocType: Timesheet Detail,To Time,সময় DocType: Authorization Rule,Approving Role (above authorized value),(কঠিন মূল্য উপরে) ভূমিকা অনুমোদন apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,একাউন্টে ক্রেডিট একটি প্রদেয় অ্যাকাউন্ট থাকতে হবে -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} এর পিতা বা মাতা বা সন্তান হতে পারবেন না {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} এর পিতা বা মাতা বা সন্তান হতে পারবেন না {2} DocType: Production Order Operation,Completed Qty,সমাপ্ত Qty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, শুধুমাত্র ডেবিট অ্যাকাউন্ট অন্য ক্রেডিট এন্ট্রি বিরুদ্ধে সংযুক্ত করা যাবে জন্য" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,মূল্যতালিকা {0} নিষ্ক্রিয় করা হয় -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},সারি {0}: সমাপ্ত Qty চেয়ে বেশি হতে পারে না {1} অপারেশন জন্য {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},সারি {0}: সমাপ্ত Qty চেয়ে বেশি হতে পারে না {1} অপারেশন জন্য {2} DocType: Manufacturing Settings,Allow Overtime,ওভারটাইম মঞ্জুরি apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ধারাবাহিকভাবে আইটেম {0} শেয়ার এণ্ট্রি শেয়ার সামঞ্জস্যবিধান ব্যবহার করে, ব্যবহার করুন আপডেট করা যাবে না" DocType: Training Event Employee,Training Event Employee,প্রশিক্ষণ ইভেন্ট কর্মচারী @@ -2170,10 +2174,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,বহিরাগত apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ব্যবহারকারী এবং অনুমতি DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},উত্পাদনের আদেশ তৈরী করা হয়েছে: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},উত্পাদনের আদেশ তৈরী করা হয়েছে: {0} DocType: Branch,Branch,শাখা DocType: Guardian,Mobile Number,মোবাইল নম্বর apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ছাপানো ও ব্র্যান্ডিং +DocType: Company,Total Monthly Sales,মোট মাসিক বিক্রয় DocType: Bin,Actual Quantity,প্রকৃত পরিমাণ DocType: Shipping Rule,example: Next Day Shipping,উদাহরণস্বরূপ: আগামী দিন গ্রেপ্তার apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,পাওয়া না সিরিয়াল কোন {0} @@ -2203,7 +2208,7 @@ DocType: Payment Request,Make Sales Invoice,বিক্রয় চালা apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,সফটওয়্যার apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,পরবর্তী যোগাযোগ তারিখ অতীতে হতে পারে না DocType: Company,For Reference Only.,শুধুমাত্র রেফারেন্সের জন্য. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,ব্যাচ নির্বাচন কোন +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,ব্যাচ নির্বাচন কোন apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},অকার্যকর {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,অগ্রিম পরিমাণ @@ -2216,7 +2221,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},বারকোড কোনো আইটেম {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,মামলা নং 0 হতে পারবেন না DocType: Item,Show a slideshow at the top of the page,পৃষ্ঠার উপরের একটি স্লাইডশো প্রদর্শন -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,দোকান DocType: Serial No,Delivery Time,প্রসবের সময় apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,উপর ভিত্তি করে বুড়ো @@ -2230,16 +2235,16 @@ DocType: Rename Tool,Rename Tool,টুল পুনঃনামকরণ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,আপডেট খরচ DocType: Item Reorder,Item Reorder,আইটেম অনুসারে পুনঃক্রম করুন apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,বেতন দেখান স্লিপ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,ট্রান্সফার উপাদান +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,ট্রান্সফার উপাদান DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","অপারেশন, অপারেটিং খরচ উল্লেখ করুন এবং আপনার কাজকর্মকে কোন একটি অনন্য অপারেশন দিতে." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,এই দস্তাবেজটি দ্বারা সীমা উত্তীর্ণ {0} {1} আইটেমের জন্য {4}. আপনি তৈরি করছেন আরেকটি {3} একই বিরুদ্ধে {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,সংরক্ষণ পরে আবর্তক নির্ধারণ করুন -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,নির্বাচন পরিবর্তনের পরিমাণ অ্যাকাউন্ট +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,সংরক্ষণ পরে আবর্তক নির্ধারণ করুন +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,নির্বাচন পরিবর্তনের পরিমাণ অ্যাকাউন্ট DocType: Purchase Invoice,Price List Currency,মূল্যতালিকা মুদ্রা DocType: Naming Series,User must always select,ব্যবহারকারী সবসময় নির্বাচন করতে হবে DocType: Stock Settings,Allow Negative Stock,নেতিবাচক শেয়ার মঞ্জুরি DocType: Installation Note,Installation Note,ইনস্টলেশন উল্লেখ্য -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,করের যোগ +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,করের যোগ DocType: Topic,Topic,বিষয় apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,অর্থায়ন থেকে ক্যাশ ফ্লো DocType: Budget Account,Budget Account,বাজেট অ্যাকাউন্ট @@ -2253,7 +2258,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,trace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),তহবিলের উৎস (দায়) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},সারিতে পরিমাণ {0} ({1}) শিল্পজাত পরিমাণ হিসাবে একই হতে হবে {2} DocType: Appraisal,Employee,কর্মচারী -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,ব্যাচ নির্বাচন +DocType: Company,Sales Monthly History,বিক্রয় মাসিক ইতিহাস +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,ব্যাচ নির্বাচন apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} সম্পূর্ণরূপে বিল করা হয়েছে DocType: Training Event,End Time,শেষ সময় apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,সক্রিয় বেতন কাঠামো {0} দেওয়া তারিখগুলি জন্য কর্মচারী {1} পাওয়া যায়নি @@ -2261,15 +2267,14 @@ DocType: Payment Entry,Payment Deductions or Loss,পেমেন্ট Deductio apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,সেলস বা কেনার জন্য আদর্শ চুক্তি পদ. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,ভাউচার দ্বারা গ্রুপ apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,সেলস পাইপলাইন -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},বেতন কম্পোনেন্ট এর ডিফল্ট অ্যাকাউন্ট সেট করুন {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},বেতন কম্পোনেন্ট এর ডিফল্ট অ্যাকাউন্ট সেট করুন {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,প্রয়োজনীয় উপর DocType: Rename Tool,File to Rename,পুনঃনামকরণ করা ফাইল apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},সারি মধ্যে আইটেম জন্য BOM দয়া করে নির্বাচন করুন {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},অ্যাকাউন্ট {0} {1} অ্যাকাউন্টের মোডে কোম্পানির সঙ্গে মিলছে না: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},আইটেম জন্য বিদ্যমান নয় নির্দিষ্ট BOM {0} {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,রক্ষণাবেক্ষণ সূচি {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,রক্ষণাবেক্ষণ সূচি {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে DocType: Notification Control,Expense Claim Approved,ব্যয় দাবি অনুমোদিত -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ> নম্বরিং সিরিজের মাধ্যমে উপস্থিতি জন্য ধারাবাহিক সংখ্যা নির্ধারণ করুন apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে এই সময়ের জন্য সৃষ্টি apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ফার্মাসিউটিক্যাল apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ক্রয় আইটেম খরচ @@ -2286,7 +2291,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,একটি সম DocType: Upload Attendance,Attendance To Date,তারিখ উপস্থিতি DocType: Warranty Claim,Raised By,দ্বারা উত্থাপিত DocType: Payment Gateway Account,Payment Account,টাকা পরিষদের অ্যাকাউন্ট -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,এগিয়ে যেতে কোম্পানি উল্লেখ করুন +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,এগিয়ে যেতে কোম্পানি উল্লেখ করুন apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,গ্রহনযোগ্য অ্যাকাউন্ট মধ্যে নিট পরিবর্তন apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,পূরক অফ DocType: Offer Letter,Accepted,গৃহীত @@ -2295,12 +2300,12 @@ DocType: SG Creation Tool Course,Student Group Name,স্টুডেন্ট apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"আপনি কি সত্যিই এই কোম্পানির জন্য সব লেনদেন মুছে ফেলতে চান, নিশ্চিত করুন. হিসাবে এটা আপনার মাস্টার ডেটা থাকবে. এই ক্রিয়াটি পূর্বাবস্থায় ফেরানো যাবে না." DocType: Room,Room Number,রুম নম্বর apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},অবৈধ উল্লেখ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) পরিকল্পনা quanitity তার চেয়ে অনেক বেশী হতে পারে না ({2}) উত্পাদন আদেশ {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) পরিকল্পনা quanitity তার চেয়ে অনেক বেশী হতে পারে না ({2}) উত্পাদন আদেশ {3} DocType: Shipping Rule,Shipping Rule Label,শিপিং রুল ট্যাগ apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ব্যবহারকারী ফোরাম -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,কাঁচামালের ফাঁকা থাকতে পারে না. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","স্টক আপডেট করা যায়নি, চালান ড্রপ শিপিং আইটেমটি রয়েছে." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,দ্রুত জার্নাল এন্ট্রি +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,কাঁচামালের ফাঁকা থাকতে পারে না. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","স্টক আপডেট করা যায়নি, চালান ড্রপ শিপিং আইটেমটি রয়েছে." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,দ্রুত জার্নাল এন্ট্রি apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,BOM কোন আইটেম agianst উল্লেখ তাহলে আপনি হার পরিবর্তন করতে পারবেন না DocType: Employee,Previous Work Experience,আগের কাজের অভিজ্ঞতা DocType: Stock Entry,For Quantity,পরিমাণ @@ -2357,7 +2362,7 @@ DocType: SMS Log,No of Requested SMS,অনুরোধ করা এসএম apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,বিনা বেতনে ছুটি অনুমোদিত ছুটি অ্যাপ্লিকেশন রেকর্ডের সঙ্গে মিলছে না DocType: Campaign,Campaign-.####,প্রচারাভিযান -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,পরবর্তী ধাপ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,সম্ভাব্য সর্বোত্তম হারে নির্দিষ্ট আইটেম সরবরাহ অনুগ্রহ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,সম্ভাব্য সর্বোত্তম হারে নির্দিষ্ট আইটেম সরবরাহ অনুগ্রহ DocType: Selling Settings,Auto close Opportunity after 15 days,15 দিন পর অটো বন্ধ সুযোগ apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,শেষ বছর apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / লিড% @@ -2394,7 +2399,7 @@ DocType: Homepage,Homepage,হোম পেজ DocType: Purchase Receipt Item,Recd Quantity,Recd পরিমাণ apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},ফি রেকর্ডস নির্মিত - {0} DocType: Asset Category Account,Asset Category Account,অ্যাসেট শ্রেণী অ্যাকাউন্ট -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},সেলস আদেশ পরিমাণ বেশী আইটেম {0} সৃষ্টি করতে পারে না {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},সেলস আদেশ পরিমাণ বেশী আইটেম {0} সৃষ্টি করতে পারে না {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,শেয়ার এণ্ট্রি {0} দাখিল করা হয় না DocType: Payment Reconciliation,Bank / Cash Account,ব্যাংক / নগদ অ্যাকাউন্ট apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,পরবর্তী সংস্পর্শের মাধ্যমে লিড ইমেল ঠিকানা হিসাবে একই হতে পারে না @@ -2427,7 +2432,7 @@ DocType: Salary Structure,Total Earning,মোট আয় DocType: Purchase Receipt,Time at which materials were received,"উপকরণ গৃহীত হয়েছে, যা এ সময়" DocType: Stock Ledger Entry,Outgoing Rate,আউটগোয়িং কলের হার apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,সংস্থার শাখা মাস্টার. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,বা +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,বা DocType: Sales Order,Billing Status,বিলিং অবস্থা apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,একটি সমস্যা রিপোর্ট apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ইউটিলিটি খরচ @@ -2435,7 +2440,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,সারি # {0}: জার্নাল এন্ট্রি {1} অ্যাকাউন্ট নেই {2} বা ইতিমধ্যেই অন্য ভাউচার বিরুদ্ধে মিলেছে DocType: Buying Settings,Default Buying Price List,ডিফল্ট ক্রয় মূল্য তালিকা DocType: Process Payroll,Salary Slip Based on Timesheet,বেতন স্লিপ শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড উপর ভিত্তি করে -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,উপরে নির্বাচিত মানদণ্ডের বা বেতন স্লিপ জন্য কোন কর্মচারী ইতিমধ্যে তৈরি +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,উপরে নির্বাচিত মানদণ্ডের বা বেতন স্লিপ জন্য কোন কর্মচারী ইতিমধ্যে তৈরি DocType: Notification Control,Sales Order Message,বিক্রয় আদেশ পাঠান apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ইত্যাদি কোম্পানি, মুদ্রা, চলতি অর্থবছরে, মত ডিফল্ট মান" DocType: Payment Entry,Payment Type,শোধের ধরণ @@ -2459,7 +2464,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,রশিদ ডকুমেন্ট দাখিল করতে হবে DocType: Purchase Invoice Item,Received Qty,গৃহীত Qty DocType: Stock Entry Detail,Serial No / Batch,সিরিয়াল কোন / ব্যাচ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,না দেওয়া এবং বিতরিত হয় নি +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,না দেওয়া এবং বিতরিত হয় নি DocType: Product Bundle,Parent Item,মূল আইটেমটি DocType: Account,Account Type,হিসাবের ধরণ DocType: Delivery Note,DN-RET-,ডিএন RET- @@ -2489,8 +2494,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,সর্বমোট পরিমাণ apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,চিরস্থায়ী জায় জন্য ডিফল্ট জায় অ্যাকাউন্ট সেট DocType: Item Reorder,Material Request Type,উপাদান অনুরোধ টাইপ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},থেকে {0} বেতন জন্য Accural জার্নাল এন্ট্রি {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},থেকে {0} বেতন জন্য Accural জার্নাল এন্ট্রি {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,সারি {0}: UOM রূপান্তর ফ্যাক্টর বাধ্যতামূলক apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,সুত্র DocType: Budget,Cost Center,খরচ কেন্দ্র @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,আ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","নির্বাচিত প্রাইসিং রুল 'মূল্য' জন্য তৈরি করা হয় তাহলে, এটি মূল্য তালিকা মুছে ফেলা হবে. প্রাইসিং রুল মূল্য চূড়ান্ত দাম, তাই কোন অতিরিক্ত ছাড় প্রয়োগ করতে হবে. অত: পর, ইত্যাদি বিক্রয় আদেশ, ক্রয় আদেশ মত লেনদেন, এটা বরং 'মূল্য তালিকা হার' ক্ষেত্র ছাড়া, 'হার' ক্ষেত্র সংগৃহীত হবে." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ট্র্যাক শিল্প টাইপ দ্বারা অনুসন্ধান. DocType: Item Supplier,Item Supplier,আইটেম সরবরাহকারী -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,ব্যাচ কোন পেতে আইটেম কোড প্রবেশ করুন +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,ব্যাচ কোন পেতে আইটেম কোড প্রবেশ করুন apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},{0} quotation_to জন্য একটি মান নির্বাচন করুন {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,সব ঠিকানাগুলি. DocType: Company,Stock Settings,স্টক সেটিংস @@ -2535,7 +2540,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,লেনদেন প apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},কোন বেতন স্লিপ মধ্যে পাওয়া {0} এবং {1} ,Pending SO Items For Purchase Request,ক্রয় অনুরোধ জন্য তাই চলছে অপেক্ষারত apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,স্টুডেন্ট অ্যাডমিশন -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} নিষ্ক্রিয় করা +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} নিষ্ক্রিয় করা DocType: Supplier,Billing Currency,বিলিং মুদ্রা DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,অতি বৃহদাকার @@ -2565,7 +2570,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,আবেদনপত্রের অবস্থা DocType: Fees,Fees,ফি DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,বিনিময় হার অন্য মধ্যে এক মুদ্রা রূপান্তর উল্লেখ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,উদ্ধৃতি {0} বাতিল করা হয় +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,উদ্ধৃতি {0} বাতিল করা হয় apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,মোট বকেয়া পরিমাণ DocType: Sales Partner,Targets,লক্ষ্যমাত্রা DocType: Price List,Price List Master,মূল্য তালিকা মাস্টার @@ -2582,7 +2587,7 @@ DocType: POS Profile,Ignore Pricing Rule,প্রাইসিং বিধি DocType: Employee Education,Graduate,স্নাতক DocType: Leave Block List,Block Days,ব্লক দিন DocType: Journal Entry,Excise Entry,আবগারি এণ্ট্রি -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},সতর্কতা: সেলস অর্ডার {0} ইতিমধ্যে গ্রাহকের ক্রয় আদেশের বিরুদ্ধে বিদ্যমান {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},সতর্কতা: সেলস অর্ডার {0} ইতিমধ্যে গ্রাহকের ক্রয় আদেশের বিরুদ্ধে বিদ্যমান {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2608,7 +2613,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),ত ,Salary Register,বেতন নিবন্ধন DocType: Warehouse,Parent Warehouse,পেরেন্ট ওয়্যারহাউস DocType: C-Form Invoice Detail,Net Total,সর্বমোট -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},ডিফল্ট BOM আইটেমের জন্য পাওয়া যায়নি {0} এবং প্রকল্প {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},ডিফল্ট BOM আইটেমের জন্য পাওয়া যায়নি {0} এবং প্রকল্প {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,বিভিন্ন ঋণ ধরনের নির্ধারণ DocType: Bin,FCFS Rate,FCFs হার DocType: Payment Reconciliation Invoice,Outstanding Amount,বাকির পরিমাণ @@ -2645,7 +2650,7 @@ DocType: Salary Detail,Condition and Formula Help,কন্ডিশন ও ফ apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,টেরিটরি গাছ পরিচালনা. DocType: Journal Entry Account,Sales Invoice,বিক্রয় চালান DocType: Journal Entry Account,Party Balance,পার্টি ব্যালেন্স -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,ডিসকাউন্ট উপর প্রয়োগ নির্বাচন করুন +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,ডিসকাউন্ট উপর প্রয়োগ নির্বাচন করুন DocType: Company,Default Receivable Account,ডিফল্ট গ্রহনযোগ্য অ্যাকাউন্ট DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,উপরে নির্বাচিত মানদণ্ডের জন্য প্রদত্ত মোট বেতন জন্য ব্যাংক এনট্রি নির্মাণ DocType: Stock Entry,Material Transfer for Manufacture,প্রস্তুত জন্য উপাদান স্থানান্তর @@ -2659,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,গ্রাহকের ঠিকানা DocType: Employee Loan,Loan Details,ঋণ বিবরণ DocType: Company,Default Inventory Account,ডিফল্ট পরিসংখ্যা অ্যাকাউন্ট -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,সারি {0}: সমাপ্ত Qty শূন্য অনেক বেশী হতে হবে. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,সারি {0}: সমাপ্ত Qty শূন্য অনেক বেশী হতে হবে. DocType: Purchase Invoice,Apply Additional Discount On,অতিরিক্ত ডিসকাউন্ট উপর প্রয়োগ DocType: Account,Root Type,Root- র ধরন DocType: Item,FIFO,FIFO @@ -2676,7 +2681,7 @@ DocType: Purchase Invoice Item,Quality Inspection,উচ্চমানের apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,অতিরিক্ত ছোট DocType: Company,Standard Template,স্ট্যান্ডার্ড টেমপ্লেট DocType: Training Event,Theory,তত্ত্ব -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,সতর্কতা: Qty অনুরোধ উপাদান নূন্যতম অর্ডার QTY কম হয় +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,সতর্কতা: Qty অনুরোধ উপাদান নূন্যতম অর্ডার QTY কম হয় apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,অ্যাকাউন্ট {0} নিথর হয় DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,সংস্থার একাত্মতার অ্যাকাউন্টের একটি পৃথক চার্ট সঙ্গে আইনি সত্তা / সাবসিডিয়ারি. DocType: Payment Request,Mute Email,নিঃশব্দ ইমেইল @@ -2700,7 +2705,7 @@ DocType: Training Event,Scheduled,তালিকাভুক্ত apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,উদ্ধৃতি জন্য অনুরোধ. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""না" এবং "বিক্রয় আইটেম" "শেয়ার আইটেম" যেখানে "হ্যাঁ" হয় আইটেম নির্বাচন করুন এবং অন্য কোন পণ্য সমষ্টি নেই, অনুগ্রহ করে" DocType: Student Log,Academic,একাডেমিক -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),মোট অগ্রিম ({0}) আদেশের বিরুদ্ধে {1} সর্বমোট তার চেয়ে অনেক বেশী হতে পারে না ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),মোট অগ্রিম ({0}) আদেশের বিরুদ্ধে {1} সর্বমোট তার চেয়ে অনেক বেশী হতে পারে না ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,অসমান মাস জুড়ে লক্ষ্যমাত্রা বিতরণ মাসিক ডিস্ট্রিবিউশন নির্বাচন. DocType: Purchase Invoice Item,Valuation Rate,মূল্যনির্ধারণ হার DocType: Stock Reconciliation,SR/,এসআর / @@ -2764,6 +2769,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,তদন্ত উৎস প্রচারণা যদি প্রচারাভিযানের নাম লিখুন apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,সংবাদপত্র পাবলিশার্স apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,ফিস্ক্যাল বছর নির্বাচন +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,প্রত্যাশিত ডেলিভারি তারিখ বিক্রয় আদেশ তারিখের পরে হওয়া উচিত apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,পুনর্বিন্যাস স্তর DocType: Company,Chart Of Accounts Template,একাউন্টস টেমপ্লেটের চার্ট DocType: Attendance,Attendance Date,এ্যাটেনডেন্স তারিখ @@ -2795,7 +2801,7 @@ DocType: Pricing Rule,Discount Percentage,ডিসকাউন্ট শতা DocType: Payment Reconciliation Invoice,Invoice Number,চালান নম্বর DocType: Shopping Cart Settings,Orders,আদেশ DocType: Employee Leave Approver,Leave Approver,রাজসাক্ষী ত্যাগ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,দয়া করে একটি ব্যাচ নির্বাচন +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,দয়া করে একটি ব্যাচ নির্বাচন DocType: Assessment Group,Assessment Group Name,অ্যাসেসমেন্ট গ্রুপের নাম DocType: Manufacturing Settings,Material Transferred for Manufacture,উপাদান প্রস্তুত জন্য বদলিকৃত DocType: Expense Claim,"A user with ""Expense Approver"" role","ব্যয় রাজসাক্ষী" ভূমিকা সাথে একজন ব্যবহারকারী @@ -2831,7 +2837,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,পরবর্তী মাসের শেষ দিন DocType: Support Settings,Auto close Issue after 7 days,7 দিন পরে অটো বন্ধ ইস্যু apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","আগে বরাদ্দ করা না যাবে ছেড়ে {0}, ছুটি ভারসাম্য ইতিমধ্যে হ্যান্ড ফরওয়ার্ড ভবিষ্যতে ছুটি বরাদ্দ রেকর্ড হয়েছে হিসাবে {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),উল্লেখ্য: দরুন / রেফারেন্স তারিখ {0} দিন দ্বারা অনুমোদিত গ্রাহকের ক্রেডিট দিন অতিক্রম (গুলি) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),উল্লেখ্য: দরুন / রেফারেন্স তারিখ {0} দিন দ্বারা অনুমোদিত গ্রাহকের ক্রেডিট দিন অতিক্রম (গুলি) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ছাত্র আবেদনকারীর DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,প্রাপকের জন্য মূল DocType: Asset Category Account,Accumulated Depreciation Account,সঞ্চিত অবচয় অ্যাকাউন্ট @@ -2842,7 +2848,7 @@ DocType: Item,Reorder level based on Warehouse,গুদাম উপর ভি DocType: Activity Cost,Billing Rate,বিলিং রেট ,Qty to Deliver,বিতরণ Qty ,Stock Analytics,স্টক বিশ্লেষণ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,অপারেশনস ফাঁকা রাখা যাবে না +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,অপারেশনস ফাঁকা রাখা যাবে না DocType: Maintenance Visit Purpose,Against Document Detail No,ডকুমেন্ট বিস্তারিত বিরুদ্ধে কোন apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,পার্টির প্রকার বাধ্যতামূলক DocType: Quality Inspection,Outgoing,বহির্গামী @@ -2883,15 +2889,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,ওয়্যারহাউস এ উপলব্ধ Qty apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,বিলের পরিমাণ DocType: Asset,Double Declining Balance,ডাবল পড়ন্ত ব্যালেন্স -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,বন্ধ অর্ডার বাতিল করা যাবে না. বাতিল করার অবারিত করা. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,বন্ধ অর্ডার বাতিল করা যাবে না. বাতিল করার অবারিত করা. DocType: Student Guardian,Father,পিতা -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'আপডেট শেয়ার' স্থায়ী সম্পদ বিক্রি চেক করা যাবে না +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'আপডেট শেয়ার' স্থায়ী সম্পদ বিক্রি চেক করা যাবে না DocType: Bank Reconciliation,Bank Reconciliation,ব্যাংক পুনর্মিলন DocType: Attendance,On Leave,ছুটিতে apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,আপডেট পান apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: অ্যাকাউন্ট {2} কোম্পানির অন্তর্গত নয় {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,উপাদানের জন্য অনুরোধ {0} বাতিল বা বন্ধ করা হয় -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,কয়েকটি নমুনা রেকর্ড যোগ +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,কয়েকটি নমুনা রেকর্ড যোগ apps/erpnext/erpnext/config/hr.py +301,Leave Management,ম্যানেজমেন্ট ত্যাগ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,অ্যাকাউন্ট দ্বারা গ্রুপ DocType: Sales Order,Fully Delivered,সম্পূর্ণ বিতরণ @@ -2900,12 +2906,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","এই স্টক রিকনসিলিয়েশন একটি খোলা এণ্ট্রি যেহেতু পার্থক্য অ্যাকাউন্ট, একটি সম্পদ / দায় ধরনের অ্যাকাউন্ট থাকতে হবে" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},বিতরণ পরিমাণ ঋণ পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},আইটেম জন্য প্রয়োজন ক্রম সংখ্যা ক্রয় {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,উত্পাদনের অর্ডার তৈরি করা না +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,উত্পাদনের অর্ডার তৈরি করা না apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','তারিখ থেকে' অবশ্যই 'তারিখ পর্যন্ত' এর পরে হতে হবে apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ছাত্র হিসাবে অবস্থা পরিবর্তন করা যাবে না {0} ছাত্র আবেদনপত্রের সাথে সংযুক্ত করা হয় {1} DocType: Asset,Fully Depreciated,সম্পূর্ণরূপে মূল্যমান হ্রাস ,Stock Projected Qty,স্টক Qty অনুমিত -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},অন্তর্গত নয় {0} গ্রাহক প্রকল্পের {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},অন্তর্গত নয় {0} গ্রাহক প্রকল্পের {1} DocType: Employee Attendance Tool,Marked Attendance HTML,চিহ্নিত এ্যাটেনডেন্স এইচটিএমএল apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","উদ্ধৃতি প্রস্তাব, দর আপনি আপনার গ্রাহকদের কাছে পাঠানো হয়েছে" DocType: Sales Order,Customer's Purchase Order,গ্রাহকের ক্রয় আদেশ @@ -2915,7 +2921,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations সংখ্যা বুক নির্ধারণ করুন apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,মূল্য বা স্টক apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,প্রোডাকসন্স আদেশ জন্য উত্থাপিত করা যাবে না: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,মিনিট +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,মিনিট DocType: Purchase Invoice,Purchase Taxes and Charges,কর ও শুল্ক ক্রয় ,Qty to Receive,জখন Qty DocType: Leave Block List,Leave Block List Allowed,ব্লক তালিকা প্রেজেন্টেশন ত্যাগ @@ -2928,7 +2934,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,সমস্ত সরবরাহকারী প্রকারভেদ DocType: Global Defaults,Disable In Words,শব্দ অক্ষম apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"আইটেম স্বয়ংক্রিয়ভাবে গণনা করা হয়, কারণ আইটেমটি কোড বাধ্যতামূলক" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},উদ্ধৃতি {0} না টাইপ {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},উদ্ধৃতি {0} না টাইপ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,রক্ষণাবেক্ষণ সময়সূচী আইটেমটি DocType: Sales Order,% Delivered,% বিতরণ করা হয়েছে DocType: Production Order,PRO-,গণমুখী @@ -2951,7 +2957,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,বিক্রেতা ইমেইল DocType: Project,Total Purchase Cost (via Purchase Invoice),মোট ক্রয় খরচ (ক্রয় চালান মাধ্যমে) DocType: Training Event,Start Time,সময় শুরু -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,পরিমাণ বাছাই কর +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,পরিমাণ বাছাই কর DocType: Customs Tariff Number,Customs Tariff Number,কাস্টমস ট্যারিফ সংখ্যা apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ভূমিকা অনুমোদন নিয়ম প্রযোজ্য ভূমিকা হিসাবে একই হতে পারে না apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,এই ইমেইল ডাইজেস্ট থেকে সদস্যতা রদ @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,জনসংযোগ বিস্তারিত DocType: Sales Order,Fully Billed,সম্পূর্ণ দেখানো হয়েছিল apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,হাতে নগদ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},ডেলিভারি গুদাম স্টক আইটেমটি জন্য প্রয়োজন {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},ডেলিভারি গুদাম স্টক আইটেমটি জন্য প্রয়োজন {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),প্যাকেজের গ্রস ওজন. সাধারণত নেট ওজন + প্যাকেজিং উপাদান ওজন. (প্রিন্ট জন্য) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,কার্যক্রম DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,এই ব্যবহারকারীরা হিমায়িত অ্যাকাউন্ট বিরুদ্ধে হিসাব থেকে হিমায়িত অ্যাকাউন্ট সেট এবং তৈরি / পরিবর্তন করার অনুমতি দেওয়া হয় @@ -2984,7 +2990,7 @@ DocType: Student Group,Group Based On,গ্রুপ উপর ভিত্ত DocType: Journal Entry,Bill Date,বিল তারিখ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","সেবা আইটেম, প্রকার, ফ্রিকোয়েন্সি এবং ব্যয় পরিমাণ প্রয়োজন বোধ করা হয়" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","সর্বোচ্চ অগ্রাধিকার দিয়ে একাধিক প্রাইসিং নিয়ম আছে, এমনকি যদি তারপর নিচের অভ্যন্তরীণ অগ্রাধিকার প্রয়োগ করা হয়:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},আপনি সত্যিই থেকে {0} সমস্ত বেতন স্লিপ জমা দিতে চান {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},আপনি সত্যিই থেকে {0} সমস্ত বেতন স্লিপ জমা দিতে চান {1} DocType: Cheque Print Template,Cheque Height,চেক উচ্চতা DocType: Supplier,Supplier Details,সরবরাহকারী DocType: Expense Claim,Approval Status,অনুমোদন অবস্থা @@ -3006,7 +3012,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,উদ্ধৃত apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,আর কিছুই দেখানোর জন্য। DocType: Lead,From Customer,গ্রাহকের কাছ থেকে apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,কল -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,ব্যাচ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,ব্যাচ DocType: Project,Total Costing Amount (via Time Logs),মোট খোয়াতে পরিমাণ (সময় লগসমূহ মাধ্যমে) DocType: Purchase Order Item Supplied,Stock UOM,শেয়ার UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,অর্ডার {0} দাখিল করা হয় না ক্রয় @@ -3037,7 +3043,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,বিরুদ্ধ DocType: Item,Warranty Period (in days),(দিন) ওয়্যারেন্টি সময়কাল apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 সাথে সর্ম্পক apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,অপারেশন থেকে নিট ক্যাশ -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,যেমন ভ্যাট +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,যেমন ভ্যাট apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,আইটেম 4 DocType: Student Admission,Admission End Date,ভর্তি শেষ তারিখ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,সাব-কন্ট্রাক্ট @@ -3045,7 +3051,7 @@ DocType: Journal Entry Account,Journal Entry Account,জার্নাল এ apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,শিক্ষার্থীর গ্রুপ DocType: Shopping Cart Settings,Quotation Series,উদ্ধৃতি সিরিজের apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","একটি আইটেম একই নামের সঙ্গে বিদ্যমান ({0}), আইটেম গ্রুপের নাম পরিবর্তন বা আইটেম নামান্তর করুন" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,দয়া করে গ্রাহক নির্বাচন +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,দয়া করে গ্রাহক নির্বাচন DocType: C-Form,I,আমি DocType: Company,Asset Depreciation Cost Center,অ্যাসেট অবচয় মূল্য কেন্দ্র DocType: Sales Order Item,Sales Order Date,বিক্রয় আদেশ তারিখ @@ -3056,6 +3062,7 @@ DocType: Stock Settings,Limit Percent,সীমা শতকরা ,Payment Period Based On Invoice Date,চালান তারিখ উপর ভিত্তি করে পরিশোধ সময়সীমার apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},নিখোঁজ মুদ্রা বিনিময় হার {0} DocType: Assessment Plan,Examiner,পরীক্ষক +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} সেটআপের মাধ্যমে> সেটিংস> নামকরণ সিরিজ জন্য নামকরণ সিরিজ সেট করুন DocType: Student,Siblings,সহোদর DocType: Journal Entry,Stock Entry,শেয়ার এণ্ট্রি DocType: Payment Entry,Payment References,পেমেন্ট তথ্যসূত্র @@ -3080,7 +3087,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,উত্পাদন অপারেশন কোথায় সম্পন্ন হয়. DocType: Asset Movement,Source Warehouse,উত্স ওয়্যারহাউস DocType: Installation Note,Installation Date,ইনস্টলেশনের তারিখ -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},সারি # {0}: অ্যাসেট {1} কোম্পানির অন্তর্গত নয় {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},সারি # {0}: অ্যাসেট {1} কোম্পানির অন্তর্গত নয় {2} DocType: Employee,Confirmation Date,নিশ্চিতকরণ তারিখ DocType: C-Form,Total Invoiced Amount,মোট invoiced পরিমাণ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,ন্যূনতম Qty সর্বোচ্চ Qty তার চেয়ে অনেক বেশী হতে পারে না @@ -3153,7 +3160,7 @@ DocType: Company,Default Letter Head,চিঠি মাথা ডিফল্ DocType: Purchase Order,Get Items from Open Material Requests,ওপেন উপাদান অনুরোধ থেকে আইটেম পেতে DocType: Item,Standard Selling Rate,স্ট্যান্ডার্ড বিক্রয় হার DocType: Account,Rate at which this tax is applied,"এই ট্যাক্স প্রয়োগ করা হয়, যা এ হার" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,রেকর্ডার Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,রেকর্ডার Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,বর্তমান জব DocType: Company,Stock Adjustment Account,শেয়ার সামঞ্জস্য অ্যাকাউন্ট apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,খরচ লেখা @@ -3167,7 +3174,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,সরবরাহকারী গ্রাহক যাও বিতরণ apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ফরম / আইটেম / {0}) স্টক আউট apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,পরবর্তী তারিখ পোস্টিং তারিখ অনেক বেশী হতে হবে -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},দরুন / রেফারেন্স তারিখ পরে হতে পারে না {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},দরুন / রেফারেন্স তারিখ পরে হতে পারে না {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ডেটা আমদানি ও রপ্তানি apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,কোন ছাত্র পাওয়া apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,চালান পোস্টিং তারিখ @@ -3187,12 +3194,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,এই শিক্ষার্থী উপস্থিতির উপর ভিত্তি করে apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,কোন শিক্ষার্থীরা apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,আরো আইটেম বা খোলা পূর্ণ ফর্ম যোগ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','প্রত্যাশিত প্রসবের তারিখ' দয়া করে প্রবেশ করুন -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,প্রসবের নোট {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,প্রসবের নোট {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,প্রদত্ত পরিমাণ পরিমাণ সর্বমোট তার চেয়ে অনেক বেশী হতে পারে না বন্ধ লিখুন + + apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} আইটেম জন্য একটি বৈধ ব্যাচ নম্বর নয় {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},উল্লেখ্য: ছুটি টাইপ জন্য যথেষ্ট ছুটি ভারসাম্য নেই {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,অবৈধ GSTIN বা অনিবন্ধিত জন্য na লিখুন +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,অবৈধ GSTIN বা অনিবন্ধিত জন্য na লিখুন DocType: Training Event,Seminar,সেমিনার DocType: Program Enrollment Fee,Program Enrollment Fee,প্রোগ্রাম তালিকাভুক্তি ফি DocType: Item,Supplier Items,সরবরাহকারী চলছে @@ -3210,7 +3216,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,শেয়ার বুড়ো apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},ছাত্র {0} ছাত্র আবেদনকারী বিরুদ্ধে অস্তিত্ব {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' নিষ্ক্রিয় +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' নিষ্ক্রিয় apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ওপেন হিসাবে সেট করুন DocType: Cheque Print Template,Scanned Cheque,স্ক্যান করা চেক DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,জমা লেনদেনের পরিচিতিতে স্বয়ংক্রিয় ইমেল পাঠান. @@ -3256,7 +3262,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,মূল্য তালিকা বিনিময় হার DocType: Purchase Invoice Item,Rate,হার apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,অন্তরীণ করা -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ঠিকানা নাম +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,ঠিকানা নাম DocType: Stock Entry,From BOM,BOM থেকে DocType: Assessment Code,Assessment Code,অ্যাসেসমেন্ট কোড apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,মৌলিক @@ -3269,20 +3275,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,বেতন কাঠামো DocType: Account,Bank,ব্যাংক apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,বিমানসংস্থা -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,ইস্যু উপাদান +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,ইস্যু উপাদান DocType: Material Request Item,For Warehouse,গুদাম জন্য DocType: Employee,Offer Date,অপরাধ তারিখ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,উদ্ধৃতি -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,আপনি অফলাইন মোডে হয়. আপনি যতক্ষণ না আপনি নেটওয়ার্ক আছে রিলোড করতে সক্ষম হবে না. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,আপনি অফলাইন মোডে হয়. আপনি যতক্ষণ না আপনি নেটওয়ার্ক আছে রিলোড করতে সক্ষম হবে না. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,কোন ছাত্র সংগঠনের সৃষ্টি. DocType: Purchase Invoice Item,Serial No,ক্রমিক নং apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,মাসিক পরিশোধ পরিমাণ ঋণের পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,প্রথম Maintaince বিবরণ লিখুন দয়া করে +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,সারি # {0}: ক্রয় আদেশ তারিখের আগে উপলব্ধ ডেলিভারি তারিখটি হতে পারে না DocType: Purchase Invoice,Print Language,প্রিন্ট ভাষা DocType: Salary Slip,Total Working Hours,মোট ওয়ার্কিং ঘন্টা DocType: Stock Entry,Including items for sub assemblies,সাব সমাহারকে জিনিস সহ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,লিখুন মান ধনাত্মক হবে -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,লিখুন মান ধনাত্মক হবে apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,সমস্ত অঞ্চল DocType: Purchase Invoice,Items,চলছে apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ছাত্র ইতিমধ্যে নথিভুক্ত করা হয়. @@ -3304,7 +3310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',বৈকল্পিক জন্য মেজার ডিফল্ট ইউনিট '{0}' টেমপ্লেট হিসাবে একই হতে হবে '{1}' DocType: Shipping Rule,Calculate Based On,ভিত্তি করে গণনা DocType: Delivery Note Item,From Warehouse,গুদাম থেকে -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,সামগ্রী বিল দিয়ে কোন সামগ্রী উত্পাদনপ্রণালী +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,সামগ্রী বিল দিয়ে কোন সামগ্রী উত্পাদনপ্রণালী DocType: Assessment Plan,Supervisor Name,সুপারভাইজার নাম DocType: Program Enrollment Course,Program Enrollment Course,প্রোগ্রাম তালিকাভুক্তি কোর্সের DocType: Purchase Taxes and Charges,Valuation and Total,মূল্যনির্ধারণ এবং মোট @@ -3319,32 +3325,33 @@ DocType: Training Event Employee,Attended,উপস্থিত ছিলেন apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'সর্বশেষ অর্ডার থেকে এখন পর্যন্ত হওয়া দিনের সংখ্যা' শূন্য এর চেয়ে বড় বা সমান হতে হবে DocType: Process Payroll,Payroll Frequency,বেতনের ফ্রিকোয়েন্সি DocType: Asset,Amended From,সংশোধিত -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,কাঁচামাল +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,কাঁচামাল DocType: Leave Application,Follow via Email,ইমেইলের মাধ্যমে অনুসরণ করুন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,চারাগাছ ও মেশিনারি DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ছাড়ের পরিমাণ পরে ট্যাক্স পরিমাণ DocType: Daily Work Summary Settings,Daily Work Summary Settings,দৈনন্দিন কাজের সংক্ষিপ্ত সেটিং -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},মূল্যতালিকা {0} এর মুদ্রা নির্বাচিত মুদ্রার সাথে অনুরূপ নয় {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},মূল্যতালিকা {0} এর মুদ্রা নির্বাচিত মুদ্রার সাথে অনুরূপ নয় {1} DocType: Payment Entry,Internal Transfer,অভ্যন্তরীণ স্থানান্তর apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,শিশু অ্যাকাউন্ট এই অ্যাকাউন্টের জন্য বিদ্যমান. আপনি এই অ্যাকাউন্ট মুছে ফেলতে পারবেন না. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,উভয় ক্ষেত্রেই লক্ষ্য Qty বা টার্গেট পরিমাণ বাধ্যতামূলক apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},কোন ডিফল্ট BOM আইটেমটি জন্য বিদ্যমান {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,প্রথম পোস্টিং তারিখ নির্বাচন করুন +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,প্রথম পোস্টিং তারিখ নির্বাচন করুন apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,তারিখ খোলার তারিখ বন্ধ করার আগে করা উচিত DocType: Leave Control Panel,Carry Forward,সামনে আগাও apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,বিদ্যমান লেনদেন সঙ্গে খরচ কেন্দ্র খতিয়ান রূপান্তরিত করা যাবে না DocType: Department,Days for which Holidays are blocked for this department.,"দিন, যার জন্য ছুটির এই বিভাগের জন্য ব্লক করা হয়." ,Produced,উত্পাদিত -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,তৈরী করা হয়েছে বেতন Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,তৈরী করা হয়েছে বেতন Slips DocType: Item,Item Code for Suppliers,সরবরাহকারীদের জন্য আইটেম কোড DocType: Issue,Raised By (Email),দ্বারা উত্থাপিত (ইমেইল) DocType: Training Event,Trainer Name,প্রশিক্ষকদের নাম DocType: Mode of Payment,General,সাধারণ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,গত কমিউনিকেশন apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',বিভাগ 'মূল্যনির্ধারণ' বা 'মূল্যনির্ধারণ এবং মোট' জন্য যখন বিয়োগ করা যাবে -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","আপনার ট্যাক্স মাথা তালিকা (উদাহরণ ভ্যাট, কাস্টমস ইত্যাদি; তারা অনন্য নাম থাকা উচিত) এবং তাদের মান হার. এই কমান্ডের সাহায্যে আপনি সম্পাদনা করতে এবং আরো পরে যোগ করতে পারেন, যা একটি আদর্শ টেমপ্লেট তৈরি করতে হবে." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","আপনার ট্যাক্স মাথা তালিকা (উদাহরণ ভ্যাট, কাস্টমস ইত্যাদি; তারা অনন্য নাম থাকা উচিত) এবং তাদের মান হার. এই কমান্ডের সাহায্যে আপনি সম্পাদনা করতে এবং আরো পরে যোগ করতে পারেন, যা একটি আদর্শ টেমপ্লেট তৈরি করতে হবে." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},ধারাবাহিকভাবে আইটেম জন্য সিরিয়াল আমরা প্রয়োজনীয় {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,চালানসমূহ সঙ্গে ম্যাচ পেমেন্টস্ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},সারি # {0}: আইটেমের বিপরীতে ডেলিভারি তারিখ লিখুন {1} DocType: Journal Entry,Bank Entry,ব্যাংক এণ্ট্রি DocType: Authorization Rule,Applicable To (Designation),প্রযোজ্য (পদবী) ,Profitability Analysis,লাভজনকতা বিশ্লেষণ @@ -3360,17 +3367,18 @@ DocType: Quality Inspection,Item Serial No,আইটেম সিরিয়া apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,কর্মচারী রেকর্ডস তৈরি করুন apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,মোট বর্তমান apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,অ্যাকাউন্টিং বিবৃতি -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,ঘন্টা +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,ঘন্টা apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,নতুন সিরিয়াল কোন গুদাম থাকতে পারে না. গুদাম স্টক এন্ট্রি বা কেনার রসিদ দ্বারা নির্ধারণ করা হবে DocType: Lead,Lead Type,লিড ধরন apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,আপনি ব্লক তারিখগুলি উপর পাতার অনুমোদন যথাযথ অনুমতি নেই -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,এই সব জিনিস ইতিমধ্যে invoiced হয়েছে +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,এই সব জিনিস ইতিমধ্যে invoiced হয়েছে +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,মাসিক বিক্রয় লক্ষ্য apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},দ্বারা অনুমোদিত হতে পারে {0} DocType: Item,Default Material Request Type,ডিফল্ট উপাদান অনুরোধ প্রকার apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,অজানা DocType: Shipping Rule,Shipping Rule Conditions,শিপিং রুল শর্তাবলী DocType: BOM Replace Tool,The new BOM after replacement,প্রতিস্থাপন পরে নতুন BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,বিক্রয় বিন্দু +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,বিক্রয় বিন্দু DocType: Payment Entry,Received Amount,প্রাপ্তঃ পরিমাণ DocType: GST Settings,GSTIN Email Sent On,GSTIN ইমেইল পাঠানো DocType: Program Enrollment,Pick/Drop by Guardian,চয়ন করুন / অবিভাবক দ্বারা ড্রপ @@ -3385,8 +3393,8 @@ DocType: C-Form,Invoices,চালান DocType: Batch,Source Document Name,উত্স দস্তাবেজের নাম DocType: Job Opening,Job Title,কাজের শিরোনাম apps/erpnext/erpnext/utilities/activation.py +97,Create Users,তৈরি করুন ব্যবহারকারীরা -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,গ্রাম -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,প্রস্তুত পরিমাণ 0 থেকে বড় হওয়া উচিত. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,গ্রাম +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,প্রস্তুত পরিমাণ 0 থেকে বড় হওয়া উচিত. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,রক্ষণাবেক্ষণ কল জন্য প্রতিবেদন দেখুন. DocType: Stock Entry,Update Rate and Availability,হালনাগাদ হার এবং প্রাপ্যতা DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,শতকরা আপনি পাবেন বা আদেশ পরিমাণ বিরুদ্ধে আরো বিলি করার অনুমতি দেওয়া হয়. উদাহরণস্বরূপ: আপনি 100 ইউনিট আদেশ আছে. এবং আপনার ভাতা তারপর আপনি 110 ইউনিট গ্রহণ করার অনুমতি দেওয়া হয় 10% হয়. @@ -3398,7 +3406,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,ক্রয় চালান {0} বাতিল অনুগ্রহ প্রথম apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","ই-মেইল ঠিকানা অবশ্যই ইউনিক হতে হবে, ইতিমধ্যে অস্তিত্বমান {0}" DocType: Serial No,AMC Expiry Date,এএমসি মেয়াদ শেষ হওয়ার তারিখ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,প্রাপ্তি +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,প্রাপ্তি ,Sales Register,সেলস নিবন্ধন DocType: Daily Work Summary Settings Company,Send Emails At,ইমেইল পাঠান এ DocType: Quotation,Quotation Lost Reason,উদ্ধৃতি লস্ট কারণ @@ -3411,14 +3419,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,এখনও apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,ক্যাশ ফ্লো বিবৃতি apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ঋণের পরিমাণ সর্বোচ্চ ঋণের পরিমাণ বেশি হতে পারে না {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,লাইসেন্স -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},সি-ফরম থেকে এই চালান {0} মুছে ফেলুন দয়া করে {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},সি-ফরম থেকে এই চালান {0} মুছে ফেলুন দয়া করে {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,এছাড়াও আপনি আগের অর্থবছরের ভারসাম্য এই অর্থবছরের ছেড়ে অন্তর্ভুক্ত করতে চান তাহলে এগিয়ে দয়া করে নির্বাচন করুন DocType: GL Entry,Against Voucher Type,ভাউচার টাইপ বিরুদ্ধে DocType: Item,Attributes,আরোপ করা apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"অ্যাকাউন্ট বন্ধ লিখতে লিখতে, অনুগ্রহ করে" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,শেষ আদেশ তারিখ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},অ্যাকাউন্ট {0} আছে কোম্পানীর জন্যে না {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,{0} সারিতে সিরিয়াল নম্বর দিয়ে ডেলিভারি নোট মেলে না +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,{0} সারিতে সিরিয়াল নম্বর দিয়ে ডেলিভারি নোট মেলে না DocType: Student,Guardian Details,গার্ডিয়ান বিবরণ DocType: C-Form,C-Form,সি-ফরম apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,একাধিক কর্মীদের জন্য মার্ক এ্যাটেনডেন্স @@ -3450,16 +3458,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,সেলস DocType: Stock Entry Detail,Basic Amount,বেসিক পরিমাণ DocType: Training Event,Exam,পরীক্ষা -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},গুদাম স্টক আইটেম জন্য প্রয়োজন {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},গুদাম স্টক আইটেম জন্য প্রয়োজন {0} DocType: Leave Allocation,Unused leaves,অব্যবহৃত পাতার -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,CR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,CR DocType: Tax Rule,Billing State,বিলিং রাজ্য apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,হস্তান্তর apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} পার্টির অ্যাকাউন্টের সাথে যুক্ত না {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(সাব-সমাহারগুলি সহ) অপ্রমাণিত BOM পান +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(সাব-সমাহারগুলি সহ) অপ্রমাণিত BOM পান DocType: Authorization Rule,Applicable To (Employee),প্রযোজ্য (কর্মচারী) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,দরুন জন্ম বাধ্যতামূলক apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,অ্যাট্রিবিউট জন্য বর্ধিত {0} 0 হতে পারবেন না +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গোষ্ঠী> টেরিটরি DocType: Journal Entry,Pay To / Recd From,থেকে / Recd যেন পে DocType: Naming Series,Setup Series,সেটআপ সিরিজ DocType: Payment Reconciliation,To Invoice Date,তারিখ চালান @@ -3486,7 +3495,7 @@ DocType: Journal Entry,Write Off Based On,ভিত্তি করে লিখ apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,লিড করুন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,মুদ্রণ করুন এবং স্টেশনারি DocType: Stock Settings,Show Barcode Field,দেখান বারকোড ফিল্ড -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,সরবরাহকারী ইমেইল পাঠান +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,সরবরাহকারী ইমেইল পাঠান apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","বেতন ইতিমধ্যে মধ্যে {0} এবং {1}, আবেদন সময়ের ত্যাগ এই তারিখ সীমার মধ্যে হতে পারে না সময়ের জন্য প্রক্রিয়া." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,একটি সিরিয়াল নং জন্য ইনস্টলেশন রেকর্ড DocType: Guardian Interest,Guardian Interest,গার্ডিয়ান সুদ @@ -3499,7 +3508,7 @@ DocType: Offer Letter,Awaiting Response,প্রতিক্রিয়ার apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,উপরে apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},অবৈধ অ্যাট্রিবিউট {0} {1} DocType: Supplier,Mention if non-standard payable account,উল্লেখ করো যদি অ-মানক প্রদেয় অ্যাকাউন্ট -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},একই আইটেমকে একাধিক বার প্রবেশ করা হয়েছে। {তালিকা} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},একই আইটেমকে একাধিক বার প্রবেশ করা হয়েছে। {তালিকা} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',দয়া করে মূল্যায়ন 'সমস্ত অ্যাসেসমেন্ট গোষ্ঠীসমূহ' ছাড়া অন্য গোষ্ঠী নির্বাচন করুন DocType: Salary Slip,Earning & Deduction,রোজগার & সিদ্ধান্তগ্রহণ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ঐচ্ছিক. এই সেটিং বিভিন্ন লেনদেন ফিল্টার ব্যবহার করা হবে. @@ -3518,7 +3527,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,বাতিল অ্যাসেট খরচ apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: খরচ কেন্দ্র আইটেম জন্য বাধ্যতামূলক {2} DocType: Vehicle,Policy No,নীতি কোন -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,পণ্য সমষ্টি থেকে আইটেম পেতে +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,পণ্য সমষ্টি থেকে আইটেম পেতে DocType: Asset,Straight Line,সোজা লাইন DocType: Project User,Project User,প্রকল্প ব্যবহারকারী apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,বিভক্ত করা @@ -3530,6 +3539,7 @@ DocType: Sales Team,Contact No.,যোগাযোগের নম্বর. DocType: Bank Reconciliation,Payment Entries,পেমেন্ট দাখিলা DocType: Production Order,Scrap Warehouse,স্ক্র্যাপ ওয়্যারহাউস DocType: Production Order,Check if material transfer entry is not required,যদি বস্তুগত স্থানান্তর এন্ট্রি প্রয়োজন হয় না চেক করুন +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদে কর্মচারী নেমিং সিস্টেম> এইচআর সেটিংস সেট আপ করুন DocType: Program Enrollment Tool,Get Students From,থেকে শিক্ষার্থীরা পান DocType: Hub Settings,Seller Country,বিক্রেতা দেশ apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,ওয়েবসাইটে আইটেম প্রকাশ @@ -3547,19 +3557,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,প DocType: Shipping Rule,Specify conditions to calculate shipping amount,শিপিং পরিমাণ নিরূপণ শর্ত নির্দিষ্ট DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ভূমিকা হিমায়িত একাউন্টস ও সম্পাদনা হিমায়িত সাজপোশাকটি সেট করার মঞ্জুরি apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,এটা সন্তানের নোড আছে খতিয়ান করার খরচ কেন্দ্র রূপান্তর করতে পারবেন না -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,খোলা মূল্য +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,খোলা মূল্য DocType: Salary Detail,Formula,সূত্র apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,সিরিয়াল # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,বিক্রয় কমিশনের DocType: Offer Letter Term,Value / Description,মূল্য / বিবরণ: -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","সারি # {0}: অ্যাসেট {1} জমা দেওয়া যাবে না, এটা আগে থেকেই {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","সারি # {0}: অ্যাসেট {1} জমা দেওয়া যাবে না, এটা আগে থেকেই {2}" DocType: Tax Rule,Billing Country,বিলিং দেশ DocType: Purchase Order Item,Expected Delivery Date,প্রত্যাশিত প্রসবের তারিখ apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ডেবিট ও ক্রেডিট {0} # জন্য সমান নয় {1}. পার্থক্য হল {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,আমোদ - প্রমোদ খরচ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,উপাদান অনুরোধ করুন apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ওপেন আইটেম {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,এই সেলস অর্ডার বাতিলের আগে চালান {0} বাতিল করতে হবে বিক্রয় +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,এই সেলস অর্ডার বাতিলের আগে চালান {0} বাতিল করতে হবে বিক্রয় apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,বয়স DocType: Sales Invoice Timesheet,Billing Amount,বিলিং পরিমাণ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,আইটেম জন্য নির্দিষ্ট অকার্যকর পরিমাণ {0}. পরিমাণ 0 তুলনায় বড় হওয়া উচিত. @@ -3582,7 +3592,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,নতুন গ্রাহক রাজস্ব apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ভ্রমণ খরচ DocType: Maintenance Visit,Breakdown,ভাঙ্গন -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,অ্যাকাউন্ট: {0} একক সঙ্গে: {1} নির্বাচন করা যাবে না +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,অ্যাকাউন্ট: {0} একক সঙ্গে: {1} নির্বাচন করা যাবে না DocType: Bank Reconciliation Detail,Cheque Date,চেক তারিখ apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} কোম্পানি অন্তর্গত নয়: {2} DocType: Program Enrollment Tool,Student Applicants,ছাত্র আবেদনকারীদের @@ -3602,11 +3612,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,পর DocType: Material Request,Issued,জারি apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,শিক্ষার্থীদের কর্মকাণ্ড DocType: Project,Total Billing Amount (via Time Logs),মোট বিলিং পরিমাণ (সময় লগসমূহ মাধ্যমে) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,আমরা এই আইটেম বিক্রয় +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,আমরা এই আইটেম বিক্রয় apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,সরবরাহকারী আইডি DocType: Payment Request,Payment Gateway Details,পেমেন্ট গেটওয়ে বিস্তারিত -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,পরিমাণ 0 তুলনায় বড় হওয়া উচিত -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,নমুনা তথ্য +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,পরিমাণ 0 তুলনায় বড় হওয়া উচিত +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,নমুনা তথ্য DocType: Journal Entry,Cash Entry,ক্যাশ এণ্ট্রি apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,শিশু নোড শুধুমাত্র 'গ্রুপ' টাইপ নোড অধীনে তৈরি করা যেতে পারে DocType: Leave Application,Half Day Date,অর্ধদিবস তারিখ @@ -3615,17 +3625,18 @@ DocType: Sales Partner,Contact Desc,যোগাযোগ নিম্নক্ apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","নৈমিত্তিক মত পাতা ধরণ, অসুস্থ ইত্যাদি" DocType: Email Digest,Send regular summary reports via Email.,ইমেইলের মাধ্যমে নিয়মিত সংক্ষিপ্ত রিপোর্ট পাঠান. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},এ ব্যায়ের দাবি প্রকার ডিফল্ট অ্যাকাউন্ট সেট করুন {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},এ ব্যায়ের দাবি প্রকার ডিফল্ট অ্যাকাউন্ট সেট করুন {0} DocType: Assessment Result,Student Name,শিক্ষার্থীর নাম DocType: Brand,Item Manager,আইটেম ম্যানেজার apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,বেতনের প্রদেয় DocType: Buying Settings,Default Supplier Type,ডিফল্ট সরবরাহকারী ধরন DocType: Production Order,Total Operating Cost,মোট অপারেটিং খরচ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,উল্লেখ্য: আইটেম {0} একাধিক বার প্রবেশ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,উল্লেখ্য: আইটেম {0} একাধিক বার প্রবেশ apps/erpnext/erpnext/config/selling.py +41,All Contacts.,সকল যোগাযোগ. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,আপনার টার্গেট সেট করুন apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,কোম্পানি সমাহার apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ব্যবহারকারী {0} অস্তিত্ব নেই -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,কাচামাল প্রধান আইটেম হিসাবে একই হতে পারে না +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,কাচামাল প্রধান আইটেম হিসাবে একই হতে পারে না DocType: Item Attribute Value,Abbreviation,সংক্ষেপ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,পেমেন্ট এণ্ট্রি আগে থেকেই আছে apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,"{0} সীমা অতিক্রম করে, যেহেতু authroized না" @@ -3643,7 +3654,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,ভূমিকা হ ,Territory Target Variance Item Group-Wise,টেরিটরি উদ্দিষ্ট ভেদাংক আইটেমটি গ্রুপ-প্রজ্ঞাময় apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,সকল গ্রাহকের গ্রুপ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,সঞ্চিত মাসিক -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} বাধ্যতামূলক. হয়তো মুদ্রা বিনিময় রেকর্ড {1} {2} করার জন্য তৈরি করা হয় না. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} বাধ্যতামূলক. হয়তো মুদ্রা বিনিময় রেকর্ড {1} {2} করার জন্য তৈরি করা হয় না. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ট্যাক্স টেমপ্লেট বাধ্যতামূলক. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} অস্তিত্ব নেই DocType: Purchase Invoice Item,Price List Rate (Company Currency),মূল্যতালিকা হার (কোম্পানি একক) @@ -3654,7 +3665,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,শতকরা apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,সম্পাদক DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","অক্ষম করেন, ক্ষেত্র কথার মধ্যে 'কোনো লেনদেনে দৃশ্যমান হবে না" DocType: Serial No,Distinct unit of an Item,একটি আইটেম এর স্বতন্ত্র ইউনিট -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,সেট করুন কোম্পানির +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,সেট করুন কোম্পানির DocType: Pricing Rule,Buying,ক্রয় DocType: HR Settings,Employee Records to be created by,কর্মচারী রেকর্ড করে তৈরি করা DocType: POS Profile,Apply Discount On,Apply ছাড়ের উপর @@ -3665,7 +3676,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,আইটেম অনুযায়ী ট্যাক্স বিস্তারিত apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ইনস্টিটিউট সমাহার ,Item-wise Price List Rate,আইটেম-জ্ঞানী মূল্য তালিকা হার -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,সরবরাহকারী উদ্ধৃতি +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,সরবরাহকারী উদ্ধৃতি DocType: Quotation,In Words will be visible once you save the Quotation.,আপনি উধৃতি সংরক্ষণ একবার শব্দ দৃশ্যমান হবে. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},পরিমাণ ({0}) সারিতে ভগ্নাংশ হতে পারে না {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ফি সংগ্রহ @@ -3688,7 +3699,7 @@ Updated via 'Time Log'",মিনিটের মধ্যে 'টাইম DocType: Customer,From Lead,লিড apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,আদেশ উৎপাদনের জন্য মুক্তি. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ফিস্ক্যাল বছর নির্বাচন ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,পিওএস প্রোফাইল পিওএস এন্ট্রি করতে প্রয়োজন +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,পিওএস প্রোফাইল পিওএস এন্ট্রি করতে প্রয়োজন DocType: Program Enrollment Tool,Enroll Students,শিক্ষার্থীরা তালিকাভুক্ত DocType: Hub Settings,Name Token,নাম টোকেন apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,স্ট্যান্ডার্ড বিক্রি @@ -3706,7 +3717,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,শেয়ার মূল apps/erpnext/erpnext/config/learn.py +234,Human Resource,মানব সম্পদ DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,পেমেন্ট পুনর্মিলন পরিশোধের apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ট্যাক্স সম্পদ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},উত্পাদনের অর্ডার হয়েছে {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},উত্পাদনের অর্ডার হয়েছে {0} DocType: BOM Item,BOM No,BOM কোন DocType: Instructor,INS/,আইএনএস / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,জার্নাল এন্ট্রি {0} {1} বা ইতিমধ্যে অন্যান্য ভাউচার বিরুদ্ধে মিলেছে অ্যাকাউন্ট নেই @@ -3720,7 +3731,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,এক apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,বিশিষ্ট মাসিক DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,সেট লক্ষ্যমাত্রা আইটেমটি গ্রুপ-ভিত্তিক এই বিক্রয় ব্যক্তি. DocType: Stock Settings,Freeze Stocks Older Than [Days],ফ্রিজ স্টক চেয়ে পুরোনো [দিন] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,সারি # {0}: অ্যাসেট স্থায়ী সম্পদ ক্রয় / বিক্রয়ের জন্য বাধ্যতামূলক +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,সারি # {0}: অ্যাসেট স্থায়ী সম্পদ ক্রয় / বিক্রয়ের জন্য বাধ্যতামূলক apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","দুই বা ততোধিক দামে উপরোক্ত অবস্থার উপর ভিত্তি করে পাওয়া যায়, অগ্রাধিকার প্রয়োগ করা হয়. ডিফল্ট মান শূন্য (ফাঁকা) যখন অগ্রাধিকার 0 থেকে 20 এর মধ্যে একটি সংখ্যা হয়. উচ্চতর সংখ্যা একই অবস্থার সঙ্গে একাধিক প্রাইসিং নিয়ম আছে যদি তা প্রাধান্য নিতে হবে." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,অর্থবছরের: {0} না বিদ্যমান DocType: Currency Exchange,To Currency,মুদ্রা @@ -3728,7 +3739,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,ব্যয় দাবি প্রকারভেদ. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},তার {1} আইটেমের জন্য হার বিক্রী {0} চেয়ে কম। বিক্রী হার কত হওয়া উচিত অন্তত {2} DocType: Item,Taxes,কর -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,প্রদত্ত এবং বিতরিত হয় নি +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,প্রদত্ত এবং বিতরিত হয় নি DocType: Project,Default Cost Center,ডিফল্ট খরচের কেন্দ্র DocType: Bank Guarantee,End Date,শেষ তারিখ apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,শেয়ার লেনদেন @@ -3745,7 +3756,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,দৈনন্দিন কাজের সংক্ষিপ্ত সেটিংস কোম্পানি apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,এটা যেহেতু উপেক্ষা আইটেম {0} একটি স্টক আইটেমটি নয় DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,আরও প্রক্রিয়াকরণের জন্য এই উৎপাদন অর্ডার জমা. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,আরও প্রক্রিয়াকরণের জন্য এই উৎপাদন অর্ডার জমা. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","একটি নির্দিষ্ট লেনদেনে প্রাইসিং নিয়ম প্রযোজ্য না করার জন্য, সমস্ত প্রযোজ্য দামে নিষ্ক্রিয় করা উচিত." DocType: Assessment Group,Parent Assessment Group,পেরেন্ট অ্যাসেসমেন্ট গ্রুপ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,জবস @@ -3753,10 +3764,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,জবস DocType: Employee,Held On,অনুষ্ঠিত apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,উত্পাদনের আইটেম ,Employee Information,কর্মচারী তথ্য -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),হার (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),হার (%) DocType: Stock Entry Detail,Additional Cost,অতিরিক্ত খরচ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ভাউচার কোন উপর ভিত্তি করে ফিল্টার করতে পারবে না, ভাউচার দ্বারা গ্রুপকৃত যদি" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,সরবরাহকারী উদ্ধৃতি করা +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,সরবরাহকারী উদ্ধৃতি করা DocType: Quality Inspection,Incoming,ইনকামিং DocType: BOM,Materials Required (Exploded),উপকরণ (অপ্রমাণিত) প্রয়োজন apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","নিজেকে ছাড়া অন্য, আপনার প্রতিষ্ঠানের ব্যবহারকারীদের যুক্ত করুন" @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,অ্যাকাউন্ট: {0} শুধুমাত্র স্টক লেনদেনের মাধ্যমে আপডেট করা যাবে DocType: Student Group Creation Tool,Get Courses,কোর্স করুন DocType: GL Entry,Party,পার্টি -DocType: Sales Order,Delivery Date,প্রসবের তারিখ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,প্রসবের তারিখ DocType: Opportunity,Opportunity Date,সুযোগ তারিখ DocType: Purchase Receipt,Return Against Purchase Receipt,কেনার রসিদ বিরুদ্ধে ফিরে DocType: Request for Quotation Item,Request for Quotation Item,উদ্ধৃতি আইটেম জন্য অনুরোধ @@ -3786,7 +3797,7 @@ DocType: Task,Actual Time (in Hours),(ঘন্টায়) প্রকৃত DocType: Employee,History In Company,কোম্পানি ইন ইতিহাস apps/erpnext/erpnext/config/learn.py +107,Newsletters,নিউজ লেটার DocType: Stock Ledger Entry,Stock Ledger Entry,স্টক লেজার এণ্ট্রি -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,একই আইটেমকে একাধিক বার প্রবেশ করা হয়েছে +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,একই আইটেমকে একাধিক বার প্রবেশ করা হয়েছে DocType: Department,Leave Block List,ব্লক তালিকা ত্যাগ DocType: Sales Invoice,Tax ID,ট্যাক্স আইডি apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} আইটেম সিরিয়াল আমরা জন্য সেটআপ নয়. কলাম ফাঁকা রাখা আবশ্যক @@ -3804,25 +3815,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,কালো DocType: BOM Explosion Item,BOM Explosion Item,BOM বিস্ফোরণ আইটেম DocType: Account,Auditor,নিরীক্ষক -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} উত্পাদিত আইটেম +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} উত্পাদিত আইটেম DocType: Cheque Print Template,Distance from top edge,উপরের প্রান্ত থেকে দূরত্ব apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,মূল্য তালিকা {0} অক্ষম করা থাকে বা কোন অস্তিত্ব নেই DocType: Purchase Invoice,Return,প্রত্যাবর্তন DocType: Production Order Operation,Production Order Operation,উৎপাদন অর্ডার অপারেশন DocType: Pricing Rule,Disable,অক্ষম -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,পেমেন্ট মোড একটি পেমেন্ট করতে প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,পেমেন্ট মোড একটি পেমেন্ট করতে প্রয়োজন বোধ করা হয় DocType: Project Task,Pending Review,মুলতুবি পর্যালোচনা apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ব্যাচ মধ্যে নাম নথিভুক্ত করা হয় না {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","অ্যাসেট {0}, বাতিল করা যাবে না এটা আগে থেকেই {1}" DocType: Task,Total Expense Claim (via Expense Claim),(ব্যয় দাবি মাধ্যমে) মোট ব্যয় দাবি apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,মার্ক অনুপস্থিত -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},সারি {0}: BOM # মুদ্রা {1} নির্বাচিত মুদ্রার সমান হতে হবে {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},সারি {0}: BOM # মুদ্রা {1} নির্বাচিত মুদ্রার সমান হতে হবে {2} DocType: Journal Entry Account,Exchange Rate,বিনিময় হার -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,বিক্রয় আদেশ {0} দাখিল করা হয় না +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,বিক্রয় আদেশ {0} দাখিল করা হয় না DocType: Homepage,Tag Line,ট্যাগ লাইন DocType: Fee Component,Fee Component,ফি কম্পোনেন্ট apps/erpnext/erpnext/config/hr.py +195,Fleet Management,দ্রুতগামী ব্যবস্থাপনা -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,থেকে আইটেম যোগ করুন +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,থেকে আইটেম যোগ করুন DocType: Cheque Print Template,Regular,নিয়মিত apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,সব অ্যাসেসমেন্ট নির্ণায়ক মোট গুরুত্ব 100% হতে হবে DocType: BOM,Last Purchase Rate,শেষ কেনার হার @@ -3843,12 +3854,12 @@ DocType: Employee,Reports to,রিপোর্ট হতে DocType: SMS Settings,Enter url parameter for receiver nos,রিসিভার আমরা জন্য URL প্যারামিটার লিখুন DocType: Payment Entry,Paid Amount,দেওয়া পরিমাণ DocType: Assessment Plan,Supervisor,কর্মকর্তা -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,অনলাইন +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,অনলাইন ,Available Stock for Packing Items,প্যাকিং আইটেম জন্য উপলব্ধ স্টক DocType: Item Variant,Item Variant,আইটেম ভেরিয়েন্ট DocType: Assessment Result Tool,Assessment Result Tool,অ্যাসেসমেন্ট রেজাল্ট টুল DocType: BOM Scrap Item,BOM Scrap Item,BOM স্ক্র্যাপ আইটেম -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,জমা করা অফার মোছা যাবে না +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,জমা করা অফার মোছা যাবে না apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ইতিমধ্যে ডেবিট অ্যাকাউন্ট ব্যালেন্স, আপনি 'ক্রেডিট' হিসেবে 'ব্যালেন্স করতে হবে' সেট করার অনুমতি দেওয়া হয় না" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,গুনমান ব্যবস্থাপনা apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,আইটেম {0} অক্ষম করা হয়েছে @@ -3879,7 +3890,7 @@ DocType: Item Group,Default Expense Account,ডিফল্ট ব্যায apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,স্টুডেন্ট ইমেইল আইডি DocType: Employee,Notice (days),নোটিশ (দিন) DocType: Tax Rule,Sales Tax Template,সেলস ট্যাক্স টেমপ্লেট -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,চালান সংরক্ষণ আইটেম নির্বাচন করুন +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,চালান সংরক্ষণ আইটেম নির্বাচন করুন DocType: Employee,Encashment Date,নগদীকরণ তারিখ DocType: Training Event,Internet,ইন্টারনেটের DocType: Account,Stock Adjustment,শেয়ার সামঞ্জস্য @@ -3927,10 +3938,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,প্ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,আইটেম জন্য অনুমোদিত সর্বোচ্চ ছাড়: {0} {1}% হল apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,নিট অ্যাসেট ভ্যালু হিসেবে DocType: Account,Receivable,প্রাপ্য -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,সারি # {0}: ক্রয় আদেশ ইতিমধ্যেই বিদ্যমান হিসাবে সরবরাহকারী পরিবর্তন করার অনুমতি নেই +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,সারি # {0}: ক্রয় আদেশ ইতিমধ্যেই বিদ্যমান হিসাবে সরবরাহকারী পরিবর্তন করার অনুমতি নেই DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,সেট ক্রেডিট সীমা অতিক্রম লেনদেন জমা করার অনুমতি দেওয়া হয় যে ভূমিকা. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,উত্পাদনপ্রণালী চলছে নির্বাচন -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","মাস্টার ডেটা সিঙ্ক করা, এটা কিছু সময় নিতে পারে" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,উত্পাদনপ্রণালী চলছে নির্বাচন +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","মাস্টার ডেটা সিঙ্ক করা, এটা কিছু সময় নিতে পারে" DocType: Item,Material Issue,উপাদান ইস্যু DocType: Hub Settings,Seller Description,বিক্রেতা বিবরণ DocType: Employee Education,Qualification,যোগ্যতা @@ -3951,11 +3962,10 @@ DocType: BOM,Rate Of Materials Based On,হার উপকরণ ভিত্ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,সাপোর্ট Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,সব অচিহ্নিত DocType: POS Profile,Terms and Conditions,শর্তাবলী -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদে কর্মচারী নেমিং সিস্টেম> এইচআর সেটিংস সেট আপ করুন apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},তারিখ রাজস্ব বছরের মধ্যে হতে হবে. = জন্ম Assuming {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","এখানে আপনি ইত্যাদি উচ্চতা, ওজন, এলার্জি, ঔষধ উদ্বেগ স্থাপন করতে পারে" DocType: Leave Block List,Applies to Company,প্রতিষ্ঠানের ক্ষেত্রে প্রযোজ্য -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,জমা স্টক এণ্ট্রি {0} থাকার কারণে বাতিল করতে পারেন না +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,জমা স্টক এণ্ট্রি {0} থাকার কারণে বাতিল করতে পারেন না DocType: Employee Loan,Disbursement Date,ব্যয়ন তারিখ DocType: Vehicle,Vehicle,বাহন DocType: Purchase Invoice,In Words,শব্দসমূহে @@ -3993,7 +4003,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,গ্লোবাল DocType: Assessment Result Detail,Assessment Result Detail,অ্যাসেসমেন্ট রেজাল্ট বিস্তারিত DocType: Employee Education,Employee Education,কর্মচারী শিক্ষা apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ডুপ্লিকেট আইটেম গ্রুপ আইটেম গ্রুপ টেবিল অন্তর্ভুক্ত -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,এটি একটি আইটেম বিবরণ পেতে প্রয়োজন হয়. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,এটি একটি আইটেম বিবরণ পেতে প্রয়োজন হয়. DocType: Salary Slip,Net Pay,নেট বেতন DocType: Account,Account,হিসাব apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,সিরিয়াল কোন {0} ইতিমধ্যে গৃহীত হয়েছে @@ -4001,7 +4011,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,যানবাহন লগ DocType: Purchase Invoice,Recurring Id,পুনরাবৃত্ত আইডি DocType: Customer,Sales Team Details,সেলস টিম বিবরণ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,স্থায়ীভাবে মুছে ফেলতে চান? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,স্থায়ীভাবে মুছে ফেলতে চান? DocType: Expense Claim,Total Claimed Amount,দাবি মোট পরিমাণ apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,বিক্রি জন্য সম্ভাব্য সুযোগ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},অকার্যকর {0} @@ -4013,7 +4023,7 @@ DocType: Warehouse,PIN,পিন apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,সেটআপ ERPNext আপনার স্কুল DocType: Sales Invoice,Base Change Amount (Company Currency),বেস পরিবর্তন পরিমাণ (কোম্পানি মুদ্রা) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,নিম্নলিখিত গুদাম জন্য কোন হিসাব এন্ট্রি -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,প্রথম নথি সংরক্ষণ করুন. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,প্রথম নথি সংরক্ষণ করুন. DocType: Account,Chargeable,প্রদেয় DocType: Company,Change Abbreviation,পরিবর্তন সমাহার DocType: Expense Claim Detail,Expense Date,ব্যয় তারিখ @@ -4027,7 +4037,6 @@ DocType: BOM,Manufacturing User,উৎপাদন ব্যবহারকা DocType: Purchase Invoice,Raw Materials Supplied,কাঁচামালের সরবরাহ DocType: Purchase Invoice,Recurring Print Format,পুনরাবৃত্ত মুদ্রণ বিন্যাস DocType: C-Form,Series,সিরিজ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,প্রত্যাশিত প্রসবের তারিখ ক্রয় আদেশ তারিখের আগে হতে পারে না DocType: Appraisal,Appraisal Template,মূল্যায়ন টেমপ্লেট DocType: Item Group,Item Classification,আইটেম সাইট apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ব্যবসা উন্নয়ন ব্যবস্থাপক @@ -4066,12 +4075,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,নির apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,প্রশিক্ষণ ঘটনাবলী / ফলাফল apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,যেমন উপর অবচয় সঞ্চিত DocType: Sales Invoice,C-Form Applicable,সি-ফরম প্রযোজ্য -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},অপারেশন টাইম অপারেশন জন্য তার চেয়ে অনেক বেশী 0 হতে হবে {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},অপারেশন টাইম অপারেশন জন্য তার চেয়ে অনেক বেশী 0 হতে হবে {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ওয়ারহাউস বাধ্যতামূলক DocType: Supplier,Address and Contacts,ঠিকানা এবং পরিচিতি DocType: UOM Conversion Detail,UOM Conversion Detail,UOM রূপান্তর বিস্তারিত DocType: Program,Program Abbreviation,প্রোগ্রাম সমাহার -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,উৎপাদন অর্ডার একটি আইটেম টেমপ্লেট বিরুদ্ধে উত্থাপিত হতে পারবেন না +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,উৎপাদন অর্ডার একটি আইটেম টেমপ্লেট বিরুদ্ধে উত্থাপিত হতে পারবেন না apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,চার্জ প্রতিটি আইটেমের বিরুদ্ধে কেনার রসিদ মধ্যে আপডেট করা হয় DocType: Warranty Claim,Resolved By,দ্বারা এই সমস্যাগুলি সমাধান DocType: Bank Guarantee,Start Date,শুরুর তারিখ @@ -4106,6 +4115,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,প্রশিক্ষণ প্রতিক্রিয়া apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,অর্ডার {0} দাখিল করতে হবে উৎপাদন apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},আইটেম জন্য আরম্ভের তারিখ ও শেষ তারিখ নির্বাচন করুন {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,আপনি অর্জন করতে চান একটি বিক্রয় টার্গেট সেট করুন। apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},কোর্সের সারিতে বাধ্যতামূলক {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,তারিখ থেকে তারিখের আগে হতে পারে না DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4123,7 +4133,7 @@ DocType: Account,Income,আয় DocType: Industry Type,Industry Type,শিল্প শ্রেণী apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,কিছু ভুল হয়েছে! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,সতর্কতা: ছুটি আবেদন নিম্নলিখিত ব্লক তারিখ রয়েছে -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,চালান {0} ইতিমধ্যেই জমা দেওয়া হয়েছে বিক্রয় +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,চালান {0} ইতিমধ্যেই জমা দেওয়া হয়েছে বিক্রয় DocType: Assessment Result Detail,Score,স্কোর apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,অর্থবছরের {0} অস্তিত্ব নেই apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,সমাপ্তির তারিখ @@ -4153,7 +4163,7 @@ DocType: Naming Series,Help HTML,হেল্প এইচটিএমএল DocType: Student Group Creation Tool,Student Group Creation Tool,শিক্ষার্থীর গ্রুপ সৃষ্টি টুল DocType: Item,Variant Based On,ভেরিয়েন্ট উপর ভিত্তি করে apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},100% হওয়া উচিত নির্ধারিত মোট গুরুত্ব. এটা হল {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,আপনার সরবরাহকারীদের +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,আপনার সরবরাহকারীদের apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,বিক্রয় আদেশ তৈরি করা হয় যেমন বিচ্ছিন্ন সেট করা যায় না. DocType: Request for Quotation Item,Supplier Part No,সরবরাহকারী পার্ট কোন apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',কেটে যাবে না যখন আরো মূল্যনির্ধারণ 'বা' Vaulation এবং মোট 'জন্য নয় @@ -4163,14 +4173,14 @@ DocType: Item,Has Serial No,সিরিয়াল কোন আছে DocType: Employee,Date of Issue,প্রদান এর তারিখ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} থেকে {1} এর জন্য apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ক্রয় সেটিংস অনুযায়ী ক্রয় Reciept প্রয়োজনীয় == 'হ্যাঁ, তারপর ক্রয় চালান তৈরি করার জন্য, ব্যবহারকারী আইটেমের জন্য প্রথম ক্রয় রশিদ তৈরি করতে হবে যদি {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},সারি # {0}: আইটেমের জন্য সেট সরবরাহকারী {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,সারি {0}: ঘন্টা মান শূন্য থেকে বড় হওয়া উচিত. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},সারি # {0}: আইটেমের জন্য সেট সরবরাহকারী {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,সারি {0}: ঘন্টা মান শূন্য থেকে বড় হওয়া উচিত. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,আইটেম {1} সংযুক্ত ওয়েবসাইট চিত্র {0} পাওয়া যাবে না DocType: Issue,Content Type,কোন ধরনের apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,কম্পিউটার DocType: Item,List this Item in multiple groups on the website.,ওয়েবসাইটে একাধিক গ্রুপ এই আইটেম তালিকা. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,অন্যান্য মুদ্রা হিসাব অনুমতি মাল্টি মুদ্রা বিকল্প চেক করুন -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,আইটেম: {0} সিস্টেমের মধ্যে উপস্থিত না +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,আইটেম: {0} সিস্টেমের মধ্যে উপস্থিত না apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,আপনি হিমায়িত মূল্য নির্ধারণ করার জন্য অনুমতিপ্রাপ্ত নন DocType: Payment Reconciliation,Get Unreconciled Entries,অসমর্পিত এন্ট্রি পেতে DocType: Payment Reconciliation,From Invoice Date,চালান তারিখ থেকে @@ -4196,7 +4206,7 @@ DocType: Stock Entry,Default Source Warehouse,ডিফল্ট সোর্স DocType: Item,Customer Code,গ্রাহক কোড apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},জন্য জন্মদিনের স্মারক {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,শেষ আদেশ থেকে দিনের -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,অ্যাকাউন্ট ডেবিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,অ্যাকাউন্ট ডেবিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে DocType: Buying Settings,Naming Series,নামকরণ সিরিজ DocType: Leave Block List,Leave Block List Name,ব্লক তালিকা নাম apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,বীমা তারিখ শুরু তুলনায় বীমা শেষ তারিখ কম হওয়া উচিত @@ -4213,7 +4223,7 @@ DocType: Vehicle Log,Odometer,দূরত্বমাপণী DocType: Sales Order Item,Ordered Qty,আদেশ Qty apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,আইটেম {0} নিষ্ক্রিয় করা হয় DocType: Stock Settings,Stock Frozen Upto,শেয়ার হিমায়িত পর্যন্ত -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM কোনো স্টক আইটেম নেই +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM কোনো স্টক আইটেম নেই apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},থেকে এবং আবর্তক সময়সীমার জন্য বাধ্যতামূলক তারিখ সময়ের {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,প্রকল্পের কার্যকলাপ / টাস্ক. DocType: Vehicle Log,Refuelling Details,ফুয়েলিং বিস্তারিত @@ -4223,7 +4233,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,সর্বশেষ ক্রয় হার পাওয়া যায়নি DocType: Purchase Invoice,Write Off Amount (Company Currency),পরিমাণ বন্ধ লিখুন (কোম্পানি একক) DocType: Sales Invoice Timesheet,Billing Hours,বিলিং ঘন্টা -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,জন্য {0} পাওয়া ডিফল্ট BOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,জন্য {0} পাওয়া ডিফল্ট BOM apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,সারি # {0}: পুনর্বিন্যাস পরিমাণ সেট করুন apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,তাদের এখানে যোগ করার জন্য আইটেম ট্যাপ DocType: Fees,Program Enrollment,প্রোগ্রাম তালিকাভুক্তি @@ -4255,6 +4265,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,বুড়ো বিন্যাস 2 DocType: SG Creation Tool Course,Max Strength,সর্বোচ্চ শক্তি apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM প্রতিস্থাপিত +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,ডেলিভারি তারিখ উপর ভিত্তি করে আইটেম নির্বাচন করুন ,Sales Analytics,বিক্রয় বিশ্লেষণ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},উপলভ্য {0} ,Prospects Engaged But Not Converted,প্রসপেক্টস সম্পর্কে রয়েছেন কিন্তু রূপান্তর করা @@ -4301,7 +4312,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ছাড় apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,কাজের জন্য শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড. DocType: Purchase Invoice,Against Expense Account,ব্যয় অ্যাকাউন্টের বিরুদ্ধে DocType: Production Order,Production Order,উৎপাদন অর্ডার -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,ইনস্টলেশন উল্লেখ্য {0} ইতিমধ্যেই জমা দেওয়া হয়েছে +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,ইনস্টলেশন উল্লেখ্য {0} ইতিমধ্যেই জমা দেওয়া হয়েছে DocType: Bank Reconciliation,Get Payment Entries,পেমেন্ট দাখিলা করুন DocType: Quotation Item,Against Docname,Docname বিরুদ্ধে DocType: SMS Center,All Employee (Active),সকল কর্মচারী (অনলাইনে) @@ -4310,7 +4321,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,কাঁচামাল খরচ DocType: Item Reorder,Re-Order Level,পুনর্বিন্যাস স্তর DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"আপনি প্রকাশনা আদেশ বাড়াতে বা বিশ্লেষণের জন্য কাঁচামাল ডাউনলোড করতে চান, যার জন্য জিনিস এবং পরিকল্পনা Qty লিখুন." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt চার্ট +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt চার্ট apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,খন্ডকালীন DocType: Employee,Applicable Holiday List,প্রযোজ্য ছুটির তালিকা DocType: Employee,Cheque,চেক @@ -4366,11 +4377,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,উত্পাদনের জন্য Qty সংরক্ষিত DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,চেকমুক্ত রেখে যান আপনি ব্যাচ বিবেচনা করার সময় অবশ্যই ভিত্তিক দলের উপার্জন করতে চাই না। DocType: Asset,Frequency of Depreciation (Months),অবচয় এর ফ্রিকোয়েন্সি (মাস) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,ক্রেডিট অ্যাকাউন্ট +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,ক্রেডিট অ্যাকাউন্ট DocType: Landed Cost Item,Landed Cost Item,ল্যান্ড খরচ আইটেমটি apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,শূন্য মান দেখাও DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,আইটেমের পরিমাণ কাঁচামাল দেওয়া পরিমাণে থেকে repacking / উত্পাদন পরে প্রাপ্ত -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,সেটআপ আমার প্রতিষ্ঠানের জন্য একটি সহজ ওয়েবসাইট +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,সেটআপ আমার প্রতিষ্ঠানের জন্য একটি সহজ ওয়েবসাইট DocType: Payment Reconciliation,Receivable / Payable Account,গ্রহনযোগ্য / প্রদেয় অ্যাকাউন্ট DocType: Delivery Note Item,Against Sales Order Item,বিক্রয় আদেশ আইটেমটি বিরুদ্ধে apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},অ্যাট্রিবিউট মূল্য গুন উল্লেখ করুন {0} @@ -4432,22 +4443,22 @@ DocType: Student,Nationality,জাতীয়তা ,Items To Be Requested,চলছে অনুরোধ করা DocType: Purchase Order,Get Last Purchase Rate,শেষ কেনার হার পেতে DocType: Company,Company Info,প্রতিষ্ঠানের তথ্য -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,নির্বাচন বা নতুন গ্রাহক যোগ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,খরচ কেন্দ্র একটি ব্যয় দাবি বুক করতে প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,নির্বাচন বা নতুন গ্রাহক যোগ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,খরচ কেন্দ্র একটি ব্যয় দাবি বুক করতে প্রয়োজন বোধ করা হয় apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ফান্ডস (সম্পদ) এর আবেদন apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,এই কর্মচারী উপস্থিতি উপর ভিত্তি করে -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,ডেবিট অ্যাকাউন্ট +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,ডেবিট অ্যাকাউন্ট DocType: Fiscal Year,Year Start Date,বছরের শুরু তারিখ DocType: Attendance,Employee Name,কর্মকর্তার নাম DocType: Sales Invoice,Rounded Total (Company Currency),গোলাকৃতি মোট (কোম্পানি একক) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"অ্যাকাউন্ট ধরন নির্বাচন করা হয়, কারণ গ্রুপের গোপন করা যাবে না." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} নথীটি পরিবর্তিত হয়েছে. রিফ্রেশ করুন. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} নথীটি পরিবর্তিত হয়েছে. রিফ্রেশ করুন. DocType: Leave Block List,Stop users from making Leave Applications on following days.,নিম্নলিখিত দিন ছুটি অ্যাপ্লিকেশন তৈরি করা থেকে ব্যবহারকারীদের বিরত থাকুন. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ক্রয় মূল apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,সরবরাহকারী উদ্ধৃতি {0} সৃষ্টি apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,শেষ বছরের শুরুর বছর আগে হতে পারবে না apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,কর্মচারীর সুবিধা -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},বস্তাবন্দী পরিমাণ সারিতে আইটেম {0} জন্য পরিমাণ সমান নয় {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},বস্তাবন্দী পরিমাণ সারিতে আইটেম {0} জন্য পরিমাণ সমান নয় {1} DocType: Production Order,Manufactured Qty,শিল্পজাত Qty DocType: Purchase Receipt Item,Accepted Quantity,গৃহীত পরিমাণ apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},একটি ডিফল্ট কর্মচারী জন্য হলিডে তালিকা নির্ধারণ করুন {0} বা কোম্পানির {1} @@ -4458,11 +4469,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},সারি কোন {0}: পরিমাণ ব্যয় দাবি {1} বিরুদ্ধে পরিমাণ অপেক্ষারত তার চেয়ে অনেক বেশী হতে পারে না. অপেক্ষারত পরিমাণ {2} DocType: Maintenance Schedule,Schedule,সময়সূচি DocType: Account,Parent Account,মূল অ্যাকাউন্ট -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,উপলভ্য +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,উপলভ্য DocType: Quality Inspection Reading,Reading 3,3 পড়া ,Hub,হাব DocType: GL Entry,Voucher Type,ভাউচার ধরন -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,মূল্য তালিকা পাওয়া বা প্রতিবন্ধী না +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,মূল্য তালিকা পাওয়া বা প্রতিবন্ধী না DocType: Employee Loan Application,Approved,অনুমোদিত DocType: Pricing Rule,Price,মূল্য apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} নির্ধারণ করা আবশ্যক উপর অব্যাহতিপ্রাপ্ত কর্মচারী 'বাম' হিসাবে @@ -4531,7 +4542,7 @@ DocType: SMS Settings,Static Parameters,স্ট্যাটিক পরাম DocType: Assessment Plan,Room,কক্ষ DocType: Purchase Order,Advance Paid,অগ্রিম প্রদত্ত DocType: Item,Item Tax,আইটেমটি ট্যাক্স -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,সরবরাহকারী উপাদান +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,সরবরাহকারী উপাদান apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,আবগারি চালান apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ট্রেশহোল্ড {0}% একবারের বেশি প্রদর্শিত DocType: Expense Claim,Employees Email Id,এমপ্লয়িজ ইমেইল আইডি @@ -4571,7 +4582,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,মডেল DocType: Production Order,Actual Operating Cost,আসল অপারেটিং খরচ DocType: Payment Entry,Cheque/Reference No,চেক / রেফারেন্স কোন -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,রুট সম্পাদনা করা যাবে না. DocType: Item,Units of Measure,পরিমাপ ইউনিট DocType: Manufacturing Settings,Allow Production on Holidays,ছুটির উৎপাদন মঞ্জুরি @@ -4604,12 +4614,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,ক্রেডিট দিন apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,স্টুডেন্ট ব্যাচ করুন DocType: Leave Type,Is Carry Forward,এগিয়ে বহন করা হয় -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM থেকে জানানোর পান +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM থেকে জানানোর পান apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,সময় দিন লিড -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},সারি # {0}: পোস্টিং তারিখ ক্রয় তারিখ হিসাবে একই হতে হবে {1} সম্পত্তির {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},সারি # {0}: পোস্টিং তারিখ ক্রয় তারিখ হিসাবে একই হতে হবে {1} সম্পত্তির {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,এই চেক শিক্ষার্থীর ইন্সটিটিউটের হোস্টেল এ অবস্থিত হয়। apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,উপরে টেবিল এ সেলস অর্ডার প্রবেশ করুন -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,জমা দেওয়া হয়নি বেতন Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,জমা দেওয়া হয়নি বেতন Slips ,Stock Summary,শেয়ার করুন সংক্ষিপ্ত apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,অন্য এক গুদাম থেকে একটি সম্পদ ট্রান্সফার DocType: Vehicle,Petrol,পেট্রল diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv index b1bf6a0c5e7..d8b001531be 100644 --- a/erpnext/translations/bs.csv +++ b/erpnext/translations/bs.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Trgovac DocType: Employee,Rented,Iznajmljuje DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Primjenjivo za korisnika -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zaustavila proizvodnju Naredba se ne može otkazati, odčepiti to prvi koji će otkazati" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zaustavila proizvodnju Naredba se ne može otkazati, odčepiti to prvi koji će otkazati" DocType: Vehicle Service,Mileage,kilometraža apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Da li zaista želite da ukine ove imovine? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Izaberite snabdjevač @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,Naplaćeno% apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Tečajna lista moraju biti isti kao {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Naziv kupca DocType: Vehicle,Natural Gas,prirodni gas -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Žiro račun ne može biti imenovan kao {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Žiro račun ne može biti imenovan kao {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Heads (ili grupe) protiv kojih Računovodstvo unosi se izrađuju i sredstva se održavaju. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Izvanredna za {0} ne može biti manji od nule ( {1} ) DocType: Manufacturing Settings,Default 10 mins,Uobičajeno 10 min @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Ostavite ime tipa apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Pokaži otvoren apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Serija Updated uspješno apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Provjeri -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Postavio +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Postavio DocType: Pricing Rule,Apply On,Primjeni na DocType: Item Price,Multiple Item prices.,Više cijene stavke. ,Purchase Order Items To Be Received,Narudžbenica Proizvodi treba primiti @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Način plaćanja račun apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Show Varijante DocType: Academic Term,Academic Term,akademski Term apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,materijal -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Količina +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Količina apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Računi stol ne može biti prazan. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Zajmovi (pasiva) DocType: Employee Education,Year of Passing,Tekuća godina @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Zdravstvena zaštita apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Kašnjenje u plaćanju (Dani) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Servis rashodi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} je već spomenut u prodaje Faktura: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Faktura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} je već spomenut u prodaje Faktura: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Faktura DocType: Maintenance Schedule Item,Periodicity,Periodičnost apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskalna godina {0} je potrebno -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Očekivani Datum isporuke je da je ispred prodajnog naloga Datum apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Obrana DocType: Salary Component,Abbr,Skraćeni naziv DocType: Appraisal Goal,Score (0-5),Ocjena (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Ukupno Costing iznos DocType: Delivery Note,Vehicle No,Ne vozila -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Molimo odaberite Cjenik +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Molimo odaberite Cjenik apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Isplata dokument je potrebno za završetak trasaction DocType: Production Order Operation,Work In Progress,Radovi u toku apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Molimo izaberite datum @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ne u bilo kojem aktivnom fiskalne godine. DocType: Packed Item,Parent Detail docname,Roditelj Detalj docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenca: {0}, Šifra: {1} i kupaca: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,kg DocType: Student Log,Log,Prijavite apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Otvaranje za posao. DocType: Item Attribute,Increment,Prirast @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Oženjen apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Nije dozvoljeno za {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Get stavke iz -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Proizvod {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,No stavke navedene DocType: Payment Reconciliation,Reconcile,pomiriti @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,mirov apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Sljedeća Amortizacija datum ne može biti prije Datum kupovine DocType: SMS Center,All Sales Person,Svi prodavači DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Mjesečna distribucija ** će Vam pomoći distribuirati budžeta / Target preko mjeseca ako imate sezonalnost u vaše poslovanje. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Nije pronađenim predmetima +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Nije pronađenim predmetima apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Plaća Struktura Missing DocType: Lead,Person Name,Ime osobe DocType: Sales Invoice Item,Sales Invoice Item,Stavka fakture prodaje @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Da li je osnovno sredstvo" ne može biti označeno, kao rekord imovine postoji u odnosu na stavku" DocType: Vehicle Service,Brake Oil,Brake ulje DocType: Tax Rule,Tax Type,Vrste poreza -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,oporezivi iznos +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,oporezivi iznos apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Niste ovlašteni za dodati ili ažurirati unose prije {0} DocType: BOM,Item Image (if not slideshow),Slika proizvoda (ako nije slide prikaz) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Kupac postoji s istim imenom DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Satnica / 60) * Puna radno vrijeme -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Izaberite BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Izaberite BOM DocType: SMS Log,SMS Log,SMS log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Troškovi isporučenih Predmeti apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Na odmor na {0} nije između Od datuma i Do datuma @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,škole DocType: School Settings,Validate Batch for Students in Student Group,Potvrditi Batch za studente u Studentskom Group apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nema odmora Snimanje pronađena za zaposlenog {0} za {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Unesite tvrtka prva -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Molimo najprije odaberite Company +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Molimo najprije odaberite Company DocType: Employee Education,Under Graduate,Pod diplomski apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target Na DocType: BOM,Total Cost,Ukupan trošak DocType: Journal Entry Account,Employee Loan,zaposlenik kredita -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Dnevnik aktivnosti: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Artikal {0} ne postoji u sustavu ili je istekao +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Dnevnik aktivnosti: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Artikal {0} ne postoji u sustavu ili je istekao apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nekretnine apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Izjava o računu apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Lijekovi @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Iznos štete apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplikat grupe potrošača naći u tabeli Cutomer grupa apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Dobavljač Tip / Supplier DocType: Naming Series,Prefix,Prefiks -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo naznačite Seriju imena za {0} preko Setup> Settings> Series Naming -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Potrošni +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Potrošni DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Uvoz Prijavite DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Povucite Materijal Zahtjev tipa proizvoda na bazi navedene kriterije DocType: Training Result Employee,Grade,razred DocType: Sales Invoice Item,Delivered By Supplier,Isporučuje dobavljač DocType: SMS Center,All Contact,Svi kontakti -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Proizvodnog naloga već stvorena za sve stavke sa BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Proizvodnog naloga već stvorena za sve stavke sa BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Godišnja zarada DocType: Daily Work Summary,Daily Work Summary,Svakodnevni rad Pregled DocType: Period Closing Voucher,Closing Fiscal Year,Zatvaranje Fiskalna godina -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} je smrznuto +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} je smrznuto apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Molimo odaberite postojećeg društva za stvaranje Kontni plan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Troškovi apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Odaberite Target Skladište @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Količina prihvaćeno + odbijeno mora biti jednaka zaprimljenoj količini proizvoda {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Supply sirovine za kupovinu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Najmanje jedan način plaćanja je potreban za POS računa. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Najmanje jedan način plaćanja je potreban za POS računa. DocType: Products Settings,Show Products as a List,Prikaži proizvode kao listu DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Preuzmite Template, popunite odgovarajuće podatke i priložite modifikovani datoteku. Svi datumi i zaposlenog kombinacija u odabranom periodu doći će u predlošku, sa postojećim pohađanje evidencije" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Stavka {0} nije aktivan ili kraj života je postignut -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Primjer: Osnovni Matematika -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Primjer: Osnovni Matematika +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Podešavanja modula ljudskih resursa DocType: SMS Center,SMS Center,SMS centar DocType: Sales Invoice,Change Amount,Promjena Iznos @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Datum Instalacija ne može biti prije datuma isporuke za točke {0} DocType: Pricing Rule,Discount on Price List Rate (%),Popust na cijenu List stopa (%) DocType: Offer Letter,Select Terms and Conditions,Odaberite uvjeti -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,out vrijednost +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,out vrijednost DocType: Production Planning Tool,Sales Orders,Sales Orders DocType: Purchase Taxes and Charges,Valuation,Procjena ,Purchase Order Trends,Trendovi narudžbenica kupnje @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Je Otvaranje unos DocType: Customer Group,Mention if non-standard receivable account applicable,Spomenite ako nestandardnih potraživanja računa važećim DocType: Course Schedule,Instructor Name,instruktor ime -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Primljen DocType: Sales Partner,Reseller,Prodavač DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Ako je označeno, će uključivati ne-stanju proizvodi u Industrijska zahtjevima." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Protiv prodaje fakture Item ,Production Orders in Progress,Radni nalozi u tijeku apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Neto gotovine iz aktivnosti finansiranja -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage je puna, nije spasio" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage je puna, nije spasio" DocType: Lead,Address & Contact,Adresa i kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj neiskorišteni lišće iz prethodnog izdvajanja apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Sljedeća Ponavljajući {0} će biti kreiran na {1} DocType: Sales Partner,Partner website,website partner apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Dodaj stavku -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kontakt ime +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kontakt ime DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteriji procjene naravno DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Stvara plaće slip za gore navedene kriterije. DocType: POS Customer Group,POS Customer Group,POS kupaca Grupa @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Molimo provjerite 'Je li Advance ""protiv Account {1} ako je to unaprijed unos." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Skladište {0} ne pripada tvrtki {1} DocType: Email Digest,Profit & Loss,Dobiti i gubitka -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Ukupno Costing Iznos (preko Time Sheet) DocType: Item Website Specification,Item Website Specification,Specifikacija web stranice artikla apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Ostavite blokirani @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Faktura prodaje br DocType: Material Request Item,Min Order Qty,Min Red Kol DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course DocType: Lead,Do Not Contact,Ne kontaktirati -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Ljudi koji predaju u vašoj organizaciji +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Ljudi koji predaju u vašoj organizaciji DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Jedinstveni ID za praćenje svih ponavljajući fakture. To je izrađen podnijeti. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer DocType: Item,Minimum Order Qty,Minimalna količina za naručiti @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Objavite u Hub DocType: Student Admission,Student Admission,student Ulaz ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Artikal {0} je otkazan -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Materijal zahtjev +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Materijal zahtjev DocType: Bank Reconciliation,Update Clearance Date,Ažurirajte provjeri datum DocType: Item,Purchase Details,Kupnja Detalji apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Stavka {0} nije pronađena u 'sirovine Isporučuje' sto u narudžbenice {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} ne može biti negativan za stavku {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Pogrešna lozinka DocType: Item,Variant Of,Varijanta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Završene Qty ne može biti veća od 'Količina za proizvodnju' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Završene Qty ne može biti veća od 'Količina za proizvodnju' DocType: Period Closing Voucher,Closing Account Head,Zatvaranje računa šefa DocType: Employee,External Work History,Vanjski History Work apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Kružna Reference Error @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Udaljenost od lijevog rub apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jedinice [{1}] (# obrazac / Stavka / {1}) naći u [{2}] (# obrazac / Skladište / {2}) DocType: Lead,Industry,Industrija DocType: Employee,Job Profile,posao Profile +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Ovo se zasniva na transakcijama protiv ove kompanije. Pogledajte detalje u nastavku DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Obavijesti putem e-pošte na stvaranje automatskog Materijal Zahtjeva DocType: Journal Entry,Multi Currency,Multi valuta DocType: Payment Reconciliation Invoice,Invoice Type,Tip fakture -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Otpremnica +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Otpremnica apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Postavljanje Poreza apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Troškovi prodate imovine apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Plaćanje Entry je izmijenjena nakon što ste ga izvukao. Molimo vas da se ponovo povucite. @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Unesite ' ponovite na dan u mjesecu ' na terenu vrijednosti DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Stopa po kojoj Kupac valuta se pretvaraju u kupca osnovne valute DocType: Course Scheduling Tool,Course Scheduling Tool,Naravno rasporedu Tool -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: fakturi ne može se protiv postojeće imovine {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: fakturi ne može se protiv postojeće imovine {1} DocType: Item Tax,Tax Rate,Porezna stopa apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} već izdvojeno za zaposlenog {1} {2} za razdoblje do {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Odaberite Item +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Odaberite Item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Kupnja Račun {0} već je podnijela apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: serijski br mora biti isti kao {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Pretvoriti u non-Group @@ -444,7 +443,7 @@ DocType: Employee,Widowed,Udovički DocType: Request for Quotation,Request for Quotation,Zahtjev za ponudu DocType: Salary Slip Timesheet,Working Hours,Radno vrijeme DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Kreiranje novog potrošača +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Kreiranje novog potrošača apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ako više Cijene pravila i dalje prevladavaju, korisnici su zamoljeni da postavite prioritet ručno riješiti sukob." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Napravi Narudžbenice ,Purchase Register,Kupnja Registracija @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Examiner Naziv DocType: Purchase Invoice Item,Quantity and Rate,Količina i stopa DocType: Delivery Note,% Installed,Instalirano% -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratorije, itd, gdje se mogu zakazati predavanja." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratorije, itd, gdje se mogu zakazati predavanja." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Unesite ime tvrtke prvi DocType: Purchase Invoice,Supplier Name,Dobavljač Ime apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Pročitajte ERPNext Manual @@ -486,7 +485,7 @@ DocType: Lead,Channel Partner,Partner iz prodajnog kanala DocType: Account,Old Parent,Stari Roditelj apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Obavezna polja - akademska godina DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Prilagodite uvodni tekst koji ide kao dio tog e-maila. Svaka transakcija ima zaseban uvodni tekst. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Molimo postavite zadani plaća račun za kompaniju {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Molimo postavite zadani plaća račun za kompaniju {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global postavke za sve proizvodne procese. DocType: Accounts Settings,Accounts Frozen Upto,Računi Frozen Upto DocType: SMS Log,Sent On,Poslano na adresu @@ -525,14 +524,14 @@ DocType: Journal Entry,Accounts Payable,Naplativa konta apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Izabrani sastavnica nisu za isti predmet DocType: Pricing Rule,Valid Upto,Vrijedi Upto DocType: Training Event,Workshop,radionica -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih kupaca. Oni mogu biti tvrtke ili fizičke osobe. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih kupaca. Oni mogu biti tvrtke ili fizičke osobe. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Dosta dijelova za izgradnju apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direktni prihodi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Ne možete filtrirati na temelju računa , ako grupirani po računu" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Administrativni službenik apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Molimo odaberite predmeta DocType: Timesheet Detail,Hrs,Hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Molimo odaberite Company +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Molimo odaberite Company DocType: Stock Entry Detail,Difference Account,Konto razlike DocType: Purchase Invoice,Supplier GSTIN,dobavljač GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Ne možete zatvoriti zadatak kao zavisne zadatak {0} nije zatvoren. @@ -548,7 +547,7 @@ DocType: Sales Invoice,Offline POS Name,Offline POS Ime apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Molimo vas da definirati razred za Threshold 0% DocType: Sales Order,To Deliver,Dostaviti DocType: Purchase Invoice Item,Item,Artikl -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serijski br stavka ne može biti frakcija +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serijski br stavka ne može biti frakcija DocType: Journal Entry,Difference (Dr - Cr),Razlika ( dr. - Cr ) DocType: Account,Profit and Loss,Račun dobiti i gubitka apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Upravljanje Subcontracting @@ -574,7 +573,7 @@ DocType: Serial No,Warranty Period (Days),Jamstveni period (dani) DocType: Installation Note Item,Installation Note Item,Napomena instalacije proizvoda DocType: Production Plan Item,Pending Qty,U očekivanju Količina DocType: Budget,Ignore,Ignorirati -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} nije aktivan +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} nije aktivan apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS poslati na sljedeće brojeve: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,dimenzije ček setup za štampanje DocType: Salary Slip,Salary Slip Timesheet,Plaća Slip Timesheet @@ -678,8 +677,8 @@ DocType: Installation Note,IN-,IN- DocType: Production Order Operation,In minutes,U minuta DocType: Issue,Resolution Date,Rezolucija Datum DocType: Student Batch Name,Batch Name,Batch ime -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet created: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet created: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,upisati DocType: GST Settings,GST Settings,PDV Postavke DocType: Selling Settings,Customer Naming By,Kupac Imenovanje By @@ -699,7 +698,7 @@ DocType: Activity Cost,Projects User,Projektni korisnik apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Consumed apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} nije pronađen u tabeli details na fakturi DocType: Company,Round Off Cost Center,Zaokružimo troškova Center -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Posjeta za odrzavanje {0} mora biti otkazana prije otkazivanja ove ponude +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Posjeta za odrzavanje {0} mora biti otkazana prije otkazivanja ove ponude DocType: Item,Material Transfer,Materijal transfera apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),P.S. (Dug) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Objavljivanje timestamp mora biti poslije {0} @@ -708,7 +707,7 @@ DocType: Employee Loan,Total Interest Payable,Ukupno kamata DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Sleteo Troškovi poreza i naknada DocType: Production Order Operation,Actual Start Time,Stvarni Start Time DocType: BOM Operation,Operation Time,Operacija Time -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,završiti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,završiti apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,baza DocType: Timesheet,Total Billed Hours,Ukupno Fakturisana Hours DocType: Journal Entry,Write Off Amount,Napišite paušalni iznos @@ -733,7 +732,7 @@ DocType: Vehicle,Odometer Value (Last),Odometar vrijednost (Zadnje) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Plaćanje Ulaz je već stvorena DocType: Purchase Receipt Item Supplied,Current Stock,Trenutni Stock -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ne povezano sa Stavka {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ne povezano sa Stavka {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Preview Plaća Slip apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Račun {0} je ušao više puta DocType: Account,Expenses Included In Valuation,Troškovi uključeni u vrednovanje @@ -757,7 +756,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Zračno-ko DocType: Journal Entry,Credit Card Entry,Credit Card Entry apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Company i računi apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Roba dobijena od dobavljača. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,u vrijednost +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,u vrijednost DocType: Lead,Campaign Name,Naziv kampanje DocType: Selling Settings,Close Opportunity After Days,Zatvori Opportunity Nakon nekoliko dana ,Reserved,Rezervirano @@ -782,17 +781,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,energija DocType: Opportunity,Opportunity From,Prilika od apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mjesečna plaća izjava. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Red {0}: {1} Serijski brojevi potrebni za stavku {2}. Proveli ste {3}. DocType: BOM,Website Specifications,Web Specifikacije apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Od {0} {1} tipa DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Više pravila Cijena postoji sa istim kriterijima, molimo vas da riješe sukob dodjelom prioriteta. Cijena pravila: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može se isključiti ili otkaže BOM kao što je povezano s drugim Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može se isključiti ili otkaže BOM kao što je povezano s drugim Boms DocType: Opportunity,Maintenance,Održavanje DocType: Item Attribute Value,Item Attribute Value,Stavka vrijednost atributa apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne kampanje. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Make Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Make Timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -845,7 +845,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Postavljanje e-pošte apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Unesite predmeta prvi DocType: Account,Liability,Odgovornost -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionisano Iznos ne može biti veći od potraživanja Iznos u nizu {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionisano Iznos ne može biti veći od potraživanja Iznos u nizu {0}. DocType: Company,Default Cost of Goods Sold Account,Uobičajeno Nabavna vrednost prodate robe računa apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Popis Cijena ne bira DocType: Employee,Family Background,Obitelj Pozadina @@ -856,10 +856,10 @@ DocType: Company,Default Bank Account,Zadani bankovni račun apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Da biste filtrirali na osnovu stranke, izaberite Party prvog tipa" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Azuriranje zalihe' se ne može provjeriti jer artikli nisu dostavljeni putem {0} DocType: Vehicle,Acquisition Date,akvizicija Datum -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Predmeti sa višim weightage će biti prikazan veći DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Pomirenje Detalj -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} moraju biti dostavljeni +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} moraju biti dostavljeni apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Niti jedan zaposlenik pronađena DocType: Supplier Quotation,Stopped,Zaustavljen DocType: Item,If subcontracted to a vendor,Ako podizvođača na dobavljača @@ -875,7 +875,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimalni iznos fakture apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} ne pripada kompaniji {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Račun {2} ne može biti Group apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Stavka Row {idx}: {doctype} {docname} ne postoji u gore '{doctype}' sto -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} je već završen ili otkazan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} je već završen ili otkazan apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No zadataka DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Na dan u mjesecu na kojima auto faktura će biti generiran npr 05, 28 itd" DocType: Asset,Opening Accumulated Depreciation,Otvaranje Ispravka vrijednosti @@ -934,7 +934,7 @@ DocType: SMS Log,Requested Numbers,Traženi brojevi DocType: Production Planning Tool,Only Obtain Raw Materials,Nabavite samo sirovine apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Ocjenjivanje. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Omogućavanje 'Koristi se za korpa ", kao košarica je omogućen i treba da postoji barem jedan poreza pravilo za Košarica" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Plaćanje Entry {0} je povezan protiv Order {1}, proverite da li treba da se povuče kao napredak u ovom računu." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Plaćanje Entry {0} je povezan protiv Order {1}, proverite da li treba da se povuče kao napredak u ovom računu." DocType: Sales Invoice Item,Stock Details,Stock Detalji apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Vrijednost Projekta apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-prodaju @@ -957,15 +957,15 @@ DocType: Naming Series,Update Series,Update serija DocType: Supplier Quotation,Is Subcontracted,Je podugovarati DocType: Item Attribute,Item Attribute Values,Stavka Atributi vrijednosti DocType: Examination Result,Examination Result,ispitivanje Rezultat -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Račun kupnje +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Račun kupnje ,Received Items To Be Billed,Primljeni Proizvodi se naplaćuje -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Postavio Plaća Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Postavio Plaća Slips apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Majstor valute . apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referentni Doctype mora biti jedan od {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},U nemogućnosti da pronađe termin u narednih {0} dana za operaciju {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},U nemogućnosti da pronađe termin u narednih {0} dana za operaciju {1} DocType: Production Order,Plan material for sub-assemblies,Plan materijal za podsklopove apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Prodaja Partneri i teritorija -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} mora biti aktivna +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} mora biti aktivna DocType: Journal Entry,Depreciation Entry,Amortizacija Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Molimo odaberite vrstu dokumenta prvi apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Odustani Posjeta materijala {0} prije otkazivanja ovog održavanja pohod @@ -975,7 +975,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Ukupan iznos apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet izdavaštvo DocType: Production Planning Tool,Production Orders,Nalozi -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Vrijednost bilance +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Vrijednost bilance apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Sales Cjenovnik apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Objavite za sinhronizaciju stavke DocType: Bank Reconciliation,Account Currency,Valuta račun @@ -1000,12 +1000,12 @@ DocType: Employee,Exit Interview Details,Izlaz Intervju Detalji DocType: Item,Is Purchase Item,Je dobavljivi proizvod DocType: Asset,Purchase Invoice,Narudzbine DocType: Stock Ledger Entry,Voucher Detail No,Bon Detalj Ne -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Prodaja novih Račun +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Prodaja novih Račun DocType: Stock Entry,Total Outgoing Value,Ukupna vrijednost Odlazni apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Datum otvaranja i zatvaranja datum bi trebao biti u istoj fiskalnoj godini DocType: Lead,Request for Information,Zahtjev za informacije ,LeaderBoard,leaderboard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline Fakture +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Fakture DocType: Payment Request,Paid,Plaćen DocType: Program Fee,Program Fee,naknada za program DocType: Salary Slip,Total in words,Ukupno je u riječima @@ -1013,7 +1013,7 @@ DocType: Material Request Item,Lead Time Date,Datum i vrijeme Lead-a DocType: Guardian,Guardian Name,Guardian ime DocType: Cheque Print Template,Has Print Format,Ima Print Format DocType: Employee Loan,Sanctioned,sankcionisani -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,Obavezan unos. Možda nije kreirana valuta za +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,Obavezan unos. Možda nije kreirana valuta za apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za 'proizvoda Bundle' stavki, Magacin, serijski broj i serijski broj smatrat će se iz 'Pakiranje List' stol. Ako Skladište i serijski broj su isti za sve pakovanje stavke za bilo 'Bundle proizvoda' stavku, te vrijednosti mogu se unijeti u glavnom Stavka stola, vrijednosti će se kopirati u 'Pakiranje List' stol." DocType: Job Opening,Publish on website,Objaviti na web stranici @@ -1026,7 +1026,7 @@ DocType: Cheque Print Template,Date Settings,Datum Postavke apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varijacija ,Company Name,Naziv preduzeća DocType: SMS Center,Total Message(s),Ukupno poruka ( i) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Izaberite Stavka za transfer +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Izaberite Stavka za transfer DocType: Purchase Invoice,Additional Discount Percentage,Dodatni popust Procenat apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Pogledaj listu svih snimke Pomoć DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Odaberite račun šefa banke gdje je ček bio pohranjen. @@ -1040,7 +1040,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Sirovina troškova (poduzeća Valuta) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Svi predmeti su već prebačen za ovu proizvodnju Order. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Rate ne može biti veća od stope koristi u {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,metar +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,metar DocType: Workstation,Electricity Cost,Troškovi struje DocType: HR Settings,Don't send Employee Birthday Reminders,Ne šaljite podsjetnik za rođendan zaposlenika DocType: Item,Inspection Criteria,Inspekcijski Kriteriji @@ -1054,7 +1054,7 @@ DocType: SMS Center,All Lead (Open),Svi potencijalni kupci (aktualni) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Količina nije dostupan za {4} u skladištu {1} na postavljanje trenutku stupanja ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Kreiraj avansno plaćanje DocType: Item,Automatically Create New Batch,Automatski Create New Batch -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Napraviti +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Napraviti DocType: Student Admission,Admission Start Date,Prijem Ozljede Datum DocType: Journal Entry,Total Amount in Words,Ukupan iznos riječima apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Došlo je do pogreške . Jedan vjerojatan razlog bi mogao biti da niste spremili obrazac. Molimo kontaktirajte support@erpnext.com ako se problem ne riješi . @@ -1062,7 +1062,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Moja košarica apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tip narudžbe mora biti jedan od {0} DocType: Lead,Next Contact Date,Datum sledeceg kontaktiranja apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otvaranje Kol -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Unesite račun za promjene Iznos +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Unesite račun za promjene Iznos DocType: Student Batch Name,Student Batch Name,Student Batch Ime DocType: Holiday List,Holiday List Name,Naziv liste odmora DocType: Repayment Schedule,Balance Loan Amount,Balance Iznos kredita @@ -1070,7 +1070,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Stock Opcije DocType: Journal Entry Account,Expense Claim,Rashodi polaganja apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Da li zaista želite da vratite ovaj ukinut imovine? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Količina za {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Količina za {0} DocType: Leave Application,Leave Application,Ostavite aplikaciju apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Ostavite raspodjele alat DocType: Leave Block List,Leave Block List Dates,Ostavite datumi lista blokiranih @@ -1120,7 +1120,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Protiv DocType: Item,Default Selling Cost Center,Zadani trošak prodaje DocType: Sales Partner,Implementation Partner,Provedba partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Poštanski broj +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Poštanski broj apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Prodajnog naloga {0} je {1} DocType: Opportunity,Contact Info,Kontakt Informacije apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Izrada Stock unosi @@ -1138,13 +1138,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Za { apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Prosječna starost DocType: School Settings,Attendance Freeze Date,Posjećenost Freeze Datum DocType: Opportunity,Your sales person who will contact the customer in future,Vaš prodavač koji će ubuduće kontaktirati kupca -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Navedite nekoliko svojih dobavljača. Oni mogu biti tvrtke ili fizičke osobe. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Navedite nekoliko svojih dobavljača. Oni mogu biti tvrtke ili fizičke osobe. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Pogledaj sve proizvode apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalna Olovo Starost (Dana) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Svi sastavnica +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Svi sastavnica DocType: Company,Default Currency,Zadana valuta DocType: Expense Claim,From Employee,Od zaposlenika -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Upozorenje : Sustav neće provjeravati overbilling od iznosa za točku {0} u {1} je nula +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Upozorenje : Sustav neće provjeravati overbilling od iznosa za točku {0} u {1} je nula DocType: Journal Entry,Make Difference Entry,Čine razliku Entry DocType: Upload Attendance,Attendance From Date,Gledatelja Od datuma DocType: Appraisal Template Goal,Key Performance Area,Područje djelovanja @@ -1161,7 +1161,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Tvrtka registracijski brojevi za svoju referencu. Porezni brojevi itd. DocType: Sales Partner,Distributor,Distributer DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Košarica Shipping pravilo -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Proizvodnja Red {0} mora biti otkazana prije poništenja ovu prodajnog naloga +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Proizvodnja Red {0} mora biti otkazana prije poništenja ovu prodajnog naloga apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Molimo podesite 'primijeniti dodatne popusta na' ,Ordered Items To Be Billed,Naručeni artikli za naplatu apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od opseg mora biti manji od u rasponu @@ -1170,10 +1170,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Odbici DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Početak godine -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Prva 2 cifre GSTIN treba se podudarati s državnim broj {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Prva 2 cifre GSTIN treba se podudarati s državnim broj {0} DocType: Purchase Invoice,Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice DocType: Salary Slip,Leave Without Pay,Ostavite bez plaće -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapaciteta za planiranje Error +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kapaciteta za planiranje Error ,Trial Balance for Party,Suđenje Balance za stranke DocType: Lead,Consultant,Konsultant DocType: Salary Slip,Earnings,Zarada @@ -1189,7 +1189,7 @@ DocType: Cheque Print Template,Payer Settings,Payer Postavke DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ovo će biti dodan na Šifra za varijantu. Na primjer, ako je vaš skraćenica ""SM"", a stavka kod je ""T-SHIRT"", stavka kod varijante će biti ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Neto plaća (riječima) će biti vidljiva nakon što spremite klizne plaće. DocType: Purchase Invoice,Is Return,Je li povratak -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Povratak / Debit Napomena +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Povratak / Debit Napomena DocType: Price List Country,Price List Country,Cijena Lista država DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} valjani serijski broj za artikal {1} @@ -1202,7 +1202,7 @@ DocType: Employee Loan,Partially Disbursed,djelomično Isplaćeno apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Šifarnik dobavljača DocType: Account,Balance Sheet,Završni račun apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Troška Za Stavke sa Šifra ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Način plaćanja nije konfiguriran. Molimo provjerite da li račun je postavljena o načinu plaćanja ili na POS profilu. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Način plaćanja nije konfiguriran. Molimo provjerite da li račun je postavljena o načinu plaćanja ili na POS profilu. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Prodavač će dobiti podsjetnik na taj datum kako bi pravovremeno kontaktirao kupca apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Isti stavka ne može se upisati više puta. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Dalje računa može biti pod Grupe, ali unosa može biti protiv ne-Grupe" @@ -1230,7 +1230,7 @@ DocType: Employee Loan Application,Repayment Info,otplata Info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,' Prijave ' ne može biti prazno apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Dupli red {0} sa istim {1} ,Trial Balance,Pretresno bilanca -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađen +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađen apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Postavljanje Zaposlenih DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Odaberite prefiks prvi @@ -1245,11 +1245,11 @@ DocType: Grading Scale,Intervals,intervali apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Najstarije apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Stavka Grupa postoji s istim imenom , molimo promijenite ime stavku ili preimenovati stavku grupe" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Ostatak svijeta +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Ostatak svijeta apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Stavka {0} ne može imati Batch ,Budget Variance Report,Proračun varijance Prijavi DocType: Salary Slip,Gross Pay,Bruto plaća -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Red {0}: Aktivnost Tip je obavezno. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Red {0}: Aktivnost Tip je obavezno. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Isplaćene dividende apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Računovodstvo Ledger DocType: Stock Reconciliation,Difference Amount,Razlika Iznos @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Zaposlenik napuste balans apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Bilans konta {0} uvijek mora biti {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Vrednovanje potrebne za Stavka u nizu objekta {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Primer: Masters u Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Primer: Masters u Computer Science DocType: Purchase Invoice,Rejected Warehouse,Odbijen galerija DocType: GL Entry,Against Voucher,Protiv Voucheru DocType: Item,Default Buying Cost Center,Zadani trošak kupnje apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Da biste dobili najbolje iz ERPNext, preporučujemo vam da malo vremena i gledati ove snimke pomoć." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,Za +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,Za DocType: Supplier Quotation Item,Lead Time in days,Potencijalni kupac u danima apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Računi se plaćaju Sažetak -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Isplata plaće iz {0} do {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Isplata plaće iz {0} do {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Nije ovlašten za uređivanje smrznute račun {0} DocType: Journal Entry,Get Outstanding Invoices,Kreiraj neplaćene račune -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Narudžbenice vam pomoći planirati i pratiti na kupovinu apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Žao nam je , tvrtke ne mogu spojiti" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Neizravni troškovi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Red {0}: Količina je obvezno apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Poljoprivreda -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Vaši proizvodi ili usluge +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Vaši proizvodi ili usluge DocType: Mode of Payment,Mode of Payment,Način plaćanja apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Sajt slika treba da bude javni datoteke ili web stranice URL DocType: Student Applicant,AP,AP @@ -1324,18 +1324,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Poreska stopa artikla DocType: Student Group Student,Group Roll Number,Grupa Roll Broj apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, samo kredit računa može biti povezan protiv drugog ulaska debit" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Ukupno sve težine zadatka treba da bude 1. Molimo prilagodite težine svih zadataka projekta u skladu s tim -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Stavka {0} mora bitisklopljen ugovor artikla apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitalni oprema apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cijene Pravilo prvo se bira na temelju 'Nanesite na' terenu, koji može biti točka, točka Grupa ili Brand." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Molimo prvo postavite kod za stavku +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Molimo prvo postavite kod za stavku DocType: Hub Settings,Seller Website,Prodavač Website DocType: Item,ITEM-,Artikl- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Ukupno dodijeljeno postotak za prodajni tim bi trebao biti 100 DocType: Appraisal Goal,Goal,Cilj DocType: Sales Invoice Item,Edit Description,Uredi opis ,Team Updates,Team Updates -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,za Supplier +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,za Supplier DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Postavljanje Vrsta računa pomaže u odabiru ovaj račun u prometu. DocType: Purchase Invoice,Grand Total (Company Currency),Sveukupno (valuta tvrtke) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Napravi Print Format @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,Website Stavka Grupe DocType: Purchase Invoice,Total (Company Currency),Ukupno (Company valuta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Serijski broj {0} ušao više puta DocType: Depreciation Schedule,Journal Entry,Časopis Stupanje -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} stavke u tijeku +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} stavke u tijeku DocType: Workstation,Workstation Name,Ime Workstation DocType: Grading Scale Interval,Grade Code,Grade Kod DocType: POS Item Group,POS Item Group,POS Stavka Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} ne pripada Stavka {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} ne pripada Stavka {1} DocType: Sales Partner,Target Distribution,Ciljana Distribucija 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 @@ -1411,7 +1411,7 @@ DocType: Quotation,Shopping Cart,Korpa apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daily Odlazni DocType: POS Profile,Campaign,Kampanja DocType: Supplier,Name and Type,Naziv i tip -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Status Odobrenje mora biti ""Odobreno"" ili "" Odbijeno """ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Status Odobrenje mora biti ""Odobreno"" ili "" Odbijeno """ DocType: Purchase Invoice,Contact Person,Kontakt osoba apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',""" Očekivani datum početka ' ne može biti veći od očekivanog datuma završetka""" DocType: Course Scheduling Tool,Course End Date,Naravno Završni datum @@ -1423,8 +1423,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Prefered mail apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Neto promjena u fiksnoj Asset DocType: Leave Control Panel,Leave blank if considered for all designations,Ostavite prazno ako smatra za sve oznake -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datuma i vremena DocType: Email Digest,For Company,Za tvrtke apps/erpnext/erpnext/config/support.py +17,Communication log.,Dnevni pregled komunikacije @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profil posla , DocType: Journal Entry Account,Account Balance,Bilans konta apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Porez pravilo za transakcije. DocType: Rename Tool,Type of document to rename.,Vrsta dokumenta za promjenu naziva. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Kupili smo ovaj artikal +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Kupili smo ovaj artikal apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: gost je dužan protiv potraživanja nalog {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Ukupno Porezi i naknade (Društvo valuta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Pokaži Neriješeni fiskalnu godinu P & L salda @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,Očitavanja DocType: Stock Entry,Total Additional Costs,Ukupno dodatnih troškova DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Otpadnog materijala troškova (poduzeća Valuta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,pod skupštine +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,pod skupštine DocType: Asset,Asset Name,Asset ime DocType: Project,Task Weight,zadatak Težina DocType: Shipping Rule Condition,To Value,Za vrijednost @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Stavka Varijante DocType: Company,Services,Usluge DocType: HR Settings,Email Salary Slip to Employee,E-mail Plaća Slip na zaposlenog DocType: Cost Center,Parent Cost Center,Roditelj troška -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Odaberite Moguće dobavljač +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Odaberite Moguće dobavljač DocType: Sales Invoice,Source,Izvor apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show zatvoren DocType: Leave Type,Is Leave Without Pay,Ostavi se bez plate @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,Nanesite Popust DocType: GST HSN Code,GST HSN Code,PDV HSN Kod DocType: Employee External Work History,Total Experience,Ukupno Iskustvo apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Open Projekti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Pakiranje proklizavanja ( s) otkazan +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Pakiranje proklizavanja ( s) otkazan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Novčani tok iz ulagačkih DocType: Program Course,Program Course,program kursa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Teretni i Forwarding Optužbe @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,program Upis DocType: Sales Invoice Item,Brand Name,Naziv brenda DocType: Purchase Receipt,Transporter Details,Transporter Detalji -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Uobičajeno skladište je potreban za izabranu stavku -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Kutija -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,moguće dobavljač +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Uobičajeno skladište je potreban za izabranu stavku +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Kutija +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,moguće dobavljač DocType: Budget,Monthly Distribution,Mjesečni Distribucija apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver Lista je prazna . Molimo stvoriti Receiver Popis DocType: Production Plan Sales Order,Production Plan Sales Order,Proizvodnja plan prodajnog naloga @@ -1593,7 +1593,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Potraživanja apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studenti su u srcu sistema, dodajte sve svoje studente" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: datum razmak {1} ne može biti prije Ček Datum {2} DocType: Company,Default Holiday List,Uobičajeno Holiday List -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Obveze DocType: Purchase Invoice,Supplier Warehouse,Dobavljač galerija DocType: Opportunity,Contact Mobile No,Kontak GSM @@ -1609,18 +1609,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Ostavite tipa {0} ne može biti duži od {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Pokušajte planiraju operacije za X dana unaprijed. DocType: HR Settings,Stop Birthday Reminders,Zaustavi Rođendan Podsjetnici -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Molimo podesite Uobičajeno plaće plaćaju račun poduzeća {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Molimo podesite Uobičajeno plaće plaćaju račun poduzeća {0} DocType: SMS Center,Receiver List,Lista primalaca -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Traži Stavka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Traži Stavka apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Consumed Iznos apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Neto promjena u gotovini DocType: Assessment Plan,Grading Scale,Pravilo Scale apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,već završena +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,već završena apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock u ruci apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Plaćanje Zahtjev već postoji {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Troškovi Izdata Predmeti -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Količina ne smije biti više od {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Količina ne smije biti više od {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Prethodne finansijske godine nije zatvoren apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Starost (dani) DocType: Quotation Item,Quotation Item,Artikl iz ponude @@ -1634,6 +1634,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,referentni dokument apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} je otkazan ili zaustavljen DocType: Accounts Settings,Credit Controller,Kreditne kontroler +DocType: Sales Order,Final Delivery Date,Datum završne isporuke DocType: Delivery Note,Vehicle Dispatch Date,Vozilo Dispatch Datum DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Račun kupnje {0} nije podnesen @@ -1722,9 +1723,9 @@ DocType: Employee,Date Of Retirement,Datum odlaska u mirovinu DocType: Upload Attendance,Get Template,Kreiraj predložak DocType: Material Request,Transferred,prebačen DocType: Vehicle,Doors,vrata -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,porez Raspad +DocType: Purchase Invoice,Tax Breakup,porez Raspad DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Troškovi Centar je potreban za "dobiti i gubitka računa {2}. Molimo vas da se uspostavi default troškova Centra za kompanije. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Grupa kupaca sa istim nazivom već postoji. Promijenite naziv kupca ili promijenite naziv grupe kupaca. @@ -1737,14 +1738,14 @@ DocType: Announcement,Instructor,instruktor DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ako ova stavka ima varijante, onda ne može biti izabran u prodaji naloge itd" DocType: Lead,Next Contact By,Sledeci put kontaktirace ga -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Količina potrebna za točke {0} je u redu {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Količina potrebna za točke {0} je u redu {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisano ako na njemu ima artikal {1} DocType: Quotation,Order Type,Vrsta narudžbe DocType: Purchase Invoice,Notification Email Address,Obavijest E-mail adresa ,Item-wise Sales Register,Stavka-mudri prodaja registar DocType: Asset,Gross Purchase Amount,Bruto Kupovina Iznos DocType: Asset,Depreciation Method,Način Amortizacija -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je li ovo pristojba uključena u osnovne stope? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Ukupna ciljna DocType: Job Applicant,Applicant for a Job,Kandidat za posao @@ -1765,7 +1766,7 @@ DocType: Employee,Leave Encashed?,Ostavite Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Prilika iz polja je obavezna DocType: Email Digest,Annual Expenses,Godišnji troškovi DocType: Item,Variants,Varijante -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Provjerite narudžbenice +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Provjerite narudžbenice DocType: SMS Center,Send To,Pošalji na adresu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nema dovoljno ravnotežu dopust za dozvolu tipa {0} DocType: Payment Reconciliation Payment,Allocated amount,Izdvojena iznosu @@ -1773,7 +1774,7 @@ DocType: Sales Team,Contribution to Net Total,Doprinos neto Ukupno DocType: Sales Invoice Item,Customer's Item Code,Kupca Stavka Šifra DocType: Stock Reconciliation,Stock Reconciliation,Kataloški pomirenje DocType: Territory,Territory Name,Regija Ime -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Podnositelj prijave za posao. DocType: Purchase Order Item,Warehouse and Reference,Skladište i upute DocType: Supplier,Statutory info and other general information about your Supplier,Zakonska info i druge opće informacije o vašem Dobavljaču @@ -1784,16 +1785,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Appraisals apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Dupli serijski broj je unešen za artikl {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,A uvjet za Shipping Pravilo apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Molimo unesite -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ne može overbill za Stavka {0} u redu {1} više od {2}. Kako bi se omogućilo preko-računa, molimo vas da postavite u kupovini Postavke" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Molimo podesite filter na osnovu Item ili Skladište +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ne može overbill za Stavka {0} u redu {1} više od {2}. Kako bi se omogućilo preko-računa, molimo vas da postavite u kupovini Postavke" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Molimo podesite filter na osnovu Item ili Skladište DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto težina tog paketa. (Automatski izračunava kao zbroj neto težini predmeta) DocType: Sales Order,To Deliver and Bill,Dostaviti i Bill DocType: Student Group,Instructors,instruktori DocType: GL Entry,Credit Amount in Account Currency,Iznos kredita u računu valuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} mora biti dostavljena +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} mora biti dostavljena DocType: Authorization Control,Authorization Control,Odobrenje kontrole apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Odbijena Skladište je obavezno protiv odbijen Stavka {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Plaćanje +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Plaćanje apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Skladište {0} nije povezan na bilo koji račun, navedite račun u zapisnik skladištu ili postaviti zadani popis računa u firmi {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Upravljanje narudžbe DocType: Production Order Operation,Actual Time and Cost,Stvarno vrijeme i troškovi @@ -1809,12 +1810,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bala st DocType: Quotation Item,Actual Qty,Stvarna kol DocType: Sales Invoice Item,References,Reference DocType: Quality Inspection Reading,Reading 10,Čitanje 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Popis svoje proizvode ili usluge koje kupuju ili prodaju . +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Popis svoje proizvode ili usluge koje kupuju ili prodaju . DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Unijeli duple stavke . Molimo ispraviti i pokušajte ponovno . apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Pomoćnik +DocType: Company,Sales Target,Sales Target DocType: Asset Movement,Asset Movement,Asset pokret -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,novi Košarica +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,novi Košarica apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Stavka {0} nijeserijaliziranom predmeta DocType: SMS Center,Create Receiver List,Kreiraj listu primalaca DocType: Vehicle,Wheels,Wheels @@ -1855,13 +1857,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Upravljanje projekti DocType: Supplier,Supplier of Goods or Services.,Dobavljač robe ili usluga. DocType: Budget,Fiscal Year,Fiskalna godina DocType: Vehicle Log,Fuel Price,Cena goriva +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo da podesite serije brojeva za prisustvo preko Setup> Serija numeracije DocType: Budget,Budget,Budžet apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Osnovnih sredstava Stavka mora biti ne-stock stavku. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budžet se ne može dodijeliti protiv {0}, jer to nije prihod ili rashod račun" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Ostvareni DocType: Student Admission,Application Form Route,Obrazac za prijavu Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Teritorij / Customer -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,na primjer 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,na primjer 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Ostavite Tip {0} ne može se dodijeliti jer se ostavi bez plate apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: {1} Izdvojena iznos mora biti manji od ili jednak naplatiti preostali iznos {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,U riječi će biti vidljiv nakon što spremite prodaje fakture. @@ -1870,11 +1873,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Stavka {0} nije dobro postavljen za gospodara , serijski brojevi Provjera" DocType: Maintenance Visit,Maintenance Time,Održavanje Vrijeme ,Amount to Deliver,Iznose Deliver -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Proizvod ili usluga +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Proizvod ili usluga apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termin Ozljede Datum ne može biti ranije od godine Početak Datum akademske godine za koji je vezana pojam (akademska godina {}). Molimo ispravite datume i pokušajte ponovo. DocType: Guardian,Guardian Interests,Guardian Interesi DocType: Naming Series,Current Value,Trenutna vrijednost -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Višestruki fiskalne godine postoje za datum {0}. Molimo podesite kompanije u fiskalnoj godini +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Višestruki fiskalne godine postoje za datum {0}. Molimo podesite kompanije u fiskalnoj godini apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} kreirao DocType: Delivery Note Item,Against Sales Order,Protiv prodajnog naloga ,Serial No Status,Serijski Bez Status @@ -1888,7 +1891,7 @@ DocType: Pricing Rule,Selling,Prodaja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Broj {0} {1} oduzeti protiv {2} DocType: Employee,Salary Information,Plaća informacije DocType: Sales Person,Name and Employee ID,Ime i ID zaposlenika -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Datum dospijeća ne može biti prije datuma objavljivanja +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Datum dospijeća ne može biti prije datuma objavljivanja DocType: Website Item Group,Website Item Group,Web stranica artikla Grupa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Carine i porezi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Unesite Referentni datum @@ -1943,9 +1946,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Molimo vas da postavite datum ulaska za zaposlenog {0} DocType: Task,Total Billing Amount (via Time Sheet),Ukupno Billing Iznos (preko Time Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ponovite Customer prihoda -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) mora imati rolu 'odobravanje troskova' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Odaberite BOM i količina za proizvodnju +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) mora imati rolu 'odobravanje troskova' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Par +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Odaberite BOM i količina za proizvodnju DocType: Asset,Depreciation Schedule,Amortizacija Raspored apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Prodajni partner adrese i kontakti DocType: Bank Reconciliation Detail,Against Account,Protiv računa @@ -1955,7 +1958,7 @@ DocType: Item,Has Batch No,Je Hrpa Ne apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Godišnji Billing: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Poreska dobara i usluga (PDV Indija) DocType: Delivery Note,Excise Page Number,Trošarina Broj stranice -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Kompanija, Od datuma i do danas je obavezno" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Kompanija, Od datuma i do danas je obavezno" DocType: Asset,Purchase Date,Datum kupovine DocType: Employee,Personal Details,Osobni podaci apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Molimo podesite 'Asset Amortizacija troškova Center' u kompaniji {0} @@ -1964,9 +1967,9 @@ DocType: Task,Actual End Date (via Time Sheet),Stvarni Završni datum (preko Tim apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Broj {0} {1} protiv {2} {3} ,Quotation Trends,Trendovi ponude apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Stavka artikla se ne spominje u master artiklu za artikal {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debit na račun mora biti potraživanja računa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debit na račun mora biti potraživanja računa DocType: Shipping Rule Condition,Shipping Amount,Iznos transporta -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Dodaj Kupci +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Dodaj Kupci apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Iznos na čekanju DocType: Purchase Invoice Item,Conversion Factor,Konverzijski faktor DocType: Purchase Order,Delivered,Isporučeno @@ -1988,7 +1991,6 @@ DocType: Production Order,Use Multi-Level BOM,Koristite multi-level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Uključi pomirio objave DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Roditelja za golf (Ostavite prazno, ako to nije dio roditelja naravno)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Ostavite prazno ako smatra za sve tipove zaposlenika -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klijent> Grupa klijenata> Teritorija DocType: Landed Cost Voucher,Distribute Charges Based On,Podijelite Optužbe na osnovu apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,Podešavanja ljudskih resursa @@ -1996,7 +1998,7 @@ DocType: Salary Slip,net pay info,neto plata info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Rashodi Tužba se čeka odobrenje . SamoRashodi Odobritelj može ažurirati status . DocType: Email Digest,New Expenses,novi Troškovi DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Iznos -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Količina mora biti 1, kao stavka je osnovno sredstvo. Molimo koristite posebnom redu za više kom." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Količina mora biti 1, kao stavka je osnovno sredstvo. Molimo koristite posebnom redu za više kom." DocType: Leave Block List Allow,Leave Block List Allow,Ostavite Blok Popis Dopustite apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Skraćeno ne može biti prazan ili prostora apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grupa Non-grupa @@ -2004,7 +2006,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,sportovi DocType: Loan Type,Loan Name,kredit ime apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Ukupno Actual DocType: Student Siblings,Student Siblings,student Siblings -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,jedinica +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,jedinica apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Navedite tvrtke ,Customer Acquisition and Loyalty,Stjecanje kupaca i lojalnost DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Skladište gdje ste održavanju zaliha odbijenih stavki @@ -2022,12 +2024,12 @@ DocType: Workstation,Wages per hour,Plaće po satu apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock balans u Batch {0} će postati negativan {1} {2} za tačka na skladištu {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Nakon materijala Zahtjevi su automatski podignuta na osnovu nivou ponovnog reda stavke DocType: Email Digest,Pending Sales Orders,U očekivanju Prodajni nalozi -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeća. Račun valuta mora biti {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeća. Račun valuta mora biti {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM pretvorbe je potrebno u redu {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od prodajnog naloga, prodaje fakture ili Journal Entry" DocType: Salary Component,Deduction,Odbitak -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Red {0}: Od vremena i do vremena je obavezno. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Red {0}: Od vremena i do vremena je obavezno. DocType: Stock Reconciliation Item,Amount Difference,iznos Razlika apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Stavka Cijena je dodao za {0} u {1} Cjenik apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Unesite zaposlenih Id ove prodaje osoba @@ -2037,11 +2039,11 @@ DocType: Project,Gross Margin,Bruto marža apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Unesite Proizvodnja predmeta prvi apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Izračunato Banka bilans apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,invaliditetom korisnika -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Ponude +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Ponude DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Ukupno Odbitak ,Production Analytics,proizvodnja Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Troškova Ažurirano +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Troškova Ažurirano DocType: Employee,Date of Birth,Datum rođenja apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Artikal {0} je već vraćen DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiskalna godina ** predstavlja finansijske godine. Svi računovodstvene stavke i drugih većih transakcija se prate protiv ** Fiskalna godina **. @@ -2086,18 +2088,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Odaberite preduzeće... DocType: Leave Control Panel,Leave blank if considered for all departments,Ostavite prazno ako smatra za sve odjele apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Vrste zapošljavanja ( trajni ugovor , pripravnik i sl. ) ." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} je obavezno za tu stavku {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} je obavezno za tu stavku {1} DocType: Process Payroll,Fortnightly,četrnaestodnevni DocType: Currency Exchange,From Currency,Od novca apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Troškovi New Kupovina -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Prodajnog naloga potrebna za točke {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Prodajnog naloga potrebna za točke {0} DocType: Purchase Invoice Item,Rate (Company Currency),Ocijeni (Društvo valuta) DocType: Student Guardian,Others,Drugi DocType: Payment Entry,Unallocated Amount,neraspoređenih Iznos apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Ne možete pronaći stavku koja se podudara. Molimo odaberite neki drugi vrijednost za {0}. DocType: POS Profile,Taxes and Charges,Porezi i naknade DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Proizvoda ili usluge koja je kupio, prodati ili držati u čoporu." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra proizvoda> Grupa proizvoda> Marka apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Nema više ažuriranja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Ne možete odabrati vrstu naboja kao ' na prethodnim Row Iznos ""ili"" u odnosu na prethodnu Row Ukupno ""za prvi red" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Dijete Stavka ne bi trebao biti proizvod Bundle. Molimo vas da uklonite stavku `{0}` i uštedite @@ -2123,7 +2126,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Ukupan iznos naplate apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Mora postojati default dolazne omogućio da bi ovo radilo e-pošte. Molimo vas da postavljanje default dolazne e-pošte (POP / IMAP) i pokušajte ponovo. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Potraživanja račun -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} je već {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} je već {2} DocType: Quotation Item,Stock Balance,Kataloški bilanca apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Naloga prodaje na isplatu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2148,10 +2151,11 @@ DocType: C-Form,Received Date,Datum pozicija DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ako ste kreirali standardni obrazac u prodaji poreza i naknada Template, odaberite jednu i kliknite na dugme ispod." DocType: BOM Scrap Item,Basic Amount (Company Currency),Osnovni Iznos (Company Valuta) DocType: Student,Guardians,čuvari +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> Tip dobavljača DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Cijene neće biti prikazan ako nije postavljena Cjenik apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Molimo navedite zemlju za ovaj Dostava pravilo ili provjeriti dostavom diljem svijeta DocType: Stock Entry,Total Incoming Value,Ukupna vrijednost Incoming -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,To je potrebno Debit +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,To je potrebno Debit apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomoći pratiti vremena, troškova i naplate za aktivnostima obavlja svoj tim" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Kupoprodajna cijena List DocType: Offer Letter Term,Offer Term,Ponuda Term @@ -2170,11 +2174,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Traž DocType: Timesheet Detail,To Time,Za vrijeme DocType: Authorization Rule,Approving Role (above authorized value),Odobravanje ulogu (iznad ovlašteni vrijednost) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Credit na račun mora biti računa se plaćaju -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2} DocType: Production Order Operation,Completed Qty,Završen Kol apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Za {0}, samo debitne račune mogu povezati protiv druge kreditne unos" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Cjenik {0} je onemogućen -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Red {0}: Završena Količina ne može biti više od {1} za rad {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Red {0}: Završena Količina ne može biti više od {1} za rad {2} DocType: Manufacturing Settings,Allow Overtime,Omogućiti Prekovremeni rad apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serijalizovanoj Stavka {0} ne može se ažurirati pomoću Stock pomirenje, molimo vas da koristite Stock Entry" DocType: Training Event Employee,Training Event Employee,Treningu zaposlenih @@ -2192,10 +2196,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Vanjski apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Korisnici i dozvole DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Radne naloge Napisano: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Radne naloge Napisano: {0} DocType: Branch,Branch,Ogranak DocType: Guardian,Mobile Number,Broj mobitela apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tiskanje i brendiranje +DocType: Company,Total Monthly Sales,Ukupna mesečna prodaja DocType: Bin,Actual Quantity,Stvarna količina DocType: Shipping Rule,example: Next Day Shipping,Primjer: Sljedeći dan Dostava apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} nije pronađena @@ -2225,7 +2230,7 @@ DocType: Payment Request,Make Sales Invoice,Ostvariti prodaju fakturu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,softvera apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Sljedeća Kontakt datum ne može biti u prošlosti DocType: Company,For Reference Only.,Za referencu samo. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Izaberite serijski br +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Izaberite serijski br apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},{1}: Invalid {0} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Iznos avansa @@ -2238,7 +2243,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No Stavka s Barcode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Slučaj broj ne može biti 0 DocType: Item,Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,prodavaonice DocType: Serial No,Delivery Time,Vrijeme isporuke apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Starenje temelju On @@ -2252,16 +2257,16 @@ DocType: Rename Tool,Rename Tool,Preimenovanje alat apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Update cost DocType: Item Reorder,Item Reorder,Ponovna narudžba artikla apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Pokaži Plaća Slip -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Prijenos materijala +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Prijenos materijala DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Navedite operacija, operativni troškovi i dati jedinstven radom najkasnije do svojih operacija ." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ovaj dokument je preko granice po {0} {1} za stavku {4}. Da li što još {3} u odnosu na isti {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Molimo podesite ponavljaju nakon spremanja -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Izaberite promjene iznos računa +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Molimo podesite ponavljaju nakon spremanja +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Izaberite promjene iznos računa DocType: Purchase Invoice,Price List Currency,Cjenik valuta DocType: Naming Series,User must always select,Korisničko uvijek mora odabrati DocType: Stock Settings,Allow Negative Stock,Dopustite negativnu zalihu DocType: Installation Note,Installation Note,Napomena instalacije -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Dodaj poreze +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Dodaj poreze DocType: Topic,Topic,tema apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Novčani tok iz Financiranje DocType: Budget Account,Budget Account,računa budžeta @@ -2275,7 +2280,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sljed apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Izvor sredstava ( pasiva) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina u redu {0} ( {1} ) mora biti isti kao proizvedena količina {2} DocType: Appraisal,Employee,Radnik -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Izaberite Batch +DocType: Company,Sales Monthly History,Prodaja mesečne istorije +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Izaberite Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} je u potpunosti naplaćeno DocType: Training Event,End Time,End Time apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktivni Plaća Struktura {0} nađeni za zaposlenog {1} za navedeni datumi @@ -2283,15 +2289,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Plaćanje Smanjenja ili gubita apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardni uvjeti ugovora za prodaju ili kupnju. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grupa po jamcu apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,prodaja Pipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Molimo podesite zadani račun u Plaća Komponenta {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Molimo podesite zadani račun u Plaća Komponenta {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Potrebna On DocType: Rename Tool,File to Rename,File da biste preimenovali apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Molimo odaberite BOM za Stavka zaredom {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Računa {0} ne odgovara Company {1} u režimu računa: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Navedene BOM {0} ne postoji za Stavka {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Raspored održavanja {0} mora biti otkazana prije poništenja ovu prodajnog naloga +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Raspored održavanja {0} mora biti otkazana prije poništenja ovu prodajnog naloga DocType: Notification Control,Expense Claim Approved,Rashodi Zahtjev odobren -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo da podesite serije brojeva za prisustvo preko Setup> Serija numeracije apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Plaća listić od zaposlenika {0} već kreirali za ovaj period apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,farmaceutski apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Troškovi Kupljene stavke @@ -2308,7 +2313,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM broj za Gotovi DocType: Upload Attendance,Attendance To Date,Gledatelja do danas DocType: Warranty Claim,Raised By,Povišena Do DocType: Payment Gateway Account,Payment Account,Plaćanje računa -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Navedite Tvrtka postupiti +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Navedite Tvrtka postupiti apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Neto promjena u Potraživanja apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,kompenzacijski Off DocType: Offer Letter,Accepted,Prihvaćeno @@ -2317,12 +2322,12 @@ DocType: SG Creation Tool Course,Student Group Name,Student Ime grupe apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Molimo Vas da proverite da li ste zaista želite izbrisati sve transakcije za ovu kompaniju. Tvoj gospodar podaci će ostati kao što je to. Ova akcija se ne može poništiti. DocType: Room,Room Number,Broj sobe apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Invalid referentni {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne može biti veći nego što je planirana kolicina ({2}) u proizvodnoj porudzbini {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne može biti veći nego što je planirana kolicina ({2}) u proizvodnoj porudzbini {3} DocType: Shipping Rule,Shipping Rule Label,Naziv pravila transporta apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Sirovine ne može biti prazan. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Nije mogao ažurirati zaliha, faktura sadrži drop shipping stavke." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Brzi unos u dnevniku +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Sirovine ne može biti prazan. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Nije mogao ažurirati zaliha, faktura sadrži drop shipping stavke." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Brzi unos u dnevniku apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti brzinu ako BOM spomenuo agianst bilo predmet DocType: Employee,Previous Work Experience,Radnog iskustva DocType: Stock Entry,For Quantity,Za količina @@ -2379,7 +2384,7 @@ DocType: SMS Log,No of Requested SMS,Nema traženih SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Ostavite bez plate ne odgovara odobrenim Records Ostaviti Primjena DocType: Campaign,Campaign-.####,Kampanja-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Sljedeći koraci -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Molimo vas da dostavite navedene stavke na najbolji mogući stope +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Molimo vas da dostavite navedene stavke na najbolji mogući stope DocType: Selling Settings,Auto close Opportunity after 15 days,Auto blizu Opportunity nakon 15 dana apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,do kraja godine apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2436,7 +2441,7 @@ DocType: Homepage,Homepage,homepage DocType: Purchase Receipt Item,Recd Quantity,RecD Količina apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Naknada Records Kreirano - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategorija računa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock upis {0} nije podnesen DocType: Payment Reconciliation,Bank / Cash Account,Banka / Cash račun apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Sljedeća kontaktirati putem ne može biti isti kao Lead-mail adresa @@ -2469,7 +2474,7 @@ DocType: Salary Structure,Total Earning,Ukupna zarada DocType: Purchase Receipt,Time at which materials were received,Vrijeme u kojem su materijali primili DocType: Stock Ledger Entry,Outgoing Rate,Odlazni Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizacija grana majstor . -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ili +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ili DocType: Sales Order,Billing Status,Status naplate apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Prijavi problem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,komunalna Troškovi @@ -2477,7 +2482,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nema nalog {2} ili već usklađeni protiv drugog vaučer DocType: Buying Settings,Default Buying Price List,Zadani cjenik kupnje DocType: Process Payroll,Salary Slip Based on Timesheet,Plaća za klađenje na Timesheet osnovu -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,No zaposlenih za gore odabrane kriterije ili plate klizanja već stvorio +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,No zaposlenih za gore odabrane kriterije ili plate klizanja već stvorio DocType: Notification Control,Sales Order Message,Poruka narudžbe kupca apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Zadane vrijednosti kao što su tvrtke , valute , tekuće fiskalne godine , itd." DocType: Payment Entry,Payment Type,Vrsta plaćanja @@ -2501,7 +2506,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,mora biti dostavljen dokument o prijemu DocType: Purchase Invoice Item,Received Qty,Pozicija Kol DocType: Stock Entry Detail,Serial No / Batch,Serijski Ne / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Ne plaća i ne dostave +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Ne plaća i ne dostave DocType: Product Bundle,Parent Item,Roditelj artikla DocType: Account,Account Type,Vrsta konta DocType: Delivery Note,DN-RET-,DN-RET- @@ -2531,8 +2536,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Ukupan dodijeljeni iznos apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Postaviti zadani račun inventar za trajnu inventar DocType: Item Reorder,Material Request Type,Materijal Zahtjev Tip -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry za plate od {0} do {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage je puna, nije spasio" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry za plate od {0} do {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage je puna, nije spasio" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM Faktor konverzije je obavezno apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref. DocType: Budget,Cost Center,Troška @@ -2550,7 +2555,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Porez apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ako je odabrano cijene Pravilo je napravljen za 'Cijena', to će prepisati cijenu s liste. Pravilnik o cenama cijena konačnu cijenu, tako da nema daljnje popust treba primijeniti. Stoga, u transakcijama poput naloga prodaje, narudžbenice itd, to će biti učitani u 'Rate' na terenu, nego 'Cijena List Rate ""na terenu." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Pratite Potencijalnog kupca prema tip industrije . DocType: Item Supplier,Item Supplier,Dobavljač artikla -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Sve adrese. DocType: Company,Stock Settings,Stock Postavke @@ -2577,7 +2582,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Stvarna količina nakon apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Bez plaće slip pronađena između {0} i {1} ,Pending SO Items For Purchase Request,Otvorena SO Proizvodi za zahtjev za kupnju apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,student Prijemni -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} je onemogućena +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} je onemogućena DocType: Supplier,Billing Currency,Valuta plaćanja DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Ekstra veliki @@ -2607,7 +2612,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Primjena Status DocType: Fees,Fees,naknade DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Odredite Exchange Rate pretvoriti jedne valute u drugu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Ponuda {0} je otkazana +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Ponuda {0} je otkazana apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Ukupno preostali iznos DocType: Sales Partner,Targets,Mete DocType: Price List,Price List Master,Cjenik Master @@ -2624,7 +2629,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorirajte Cijene pravilo DocType: Employee Education,Graduate,Diplomski DocType: Leave Block List,Block Days,Blok Dani DocType: Journal Entry,Excise Entry,Akcizama Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozorenje: prodajnog naloga {0} već postoji protiv narudžbenice kupca {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozorenje: prodajnog naloga {0} već postoji protiv narudžbenice kupca {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2662,7 +2667,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ako ,Salary Register,Plaća Registracija DocType: Warehouse,Parent Warehouse,Parent Skladište DocType: C-Form Invoice Detail,Net Total,Osnovica -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Uobičajeno sastavnice nije pronađen za Stavka {0} i projekt {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Definirati različite vrste kredita DocType: Bin,FCFS Rate,FCFS Stopa DocType: Payment Reconciliation Invoice,Outstanding Amount,Izvanredna Iznos @@ -2699,7 +2704,7 @@ DocType: Salary Detail,Condition and Formula Help,Stanje i Formula Pomoć apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Spisak teritorija - upravljanje. DocType: Journal Entry Account,Sales Invoice,Faktura prodaje DocType: Journal Entry Account,Party Balance,Party Balance -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Molimo odaberite Apply popusta na +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Molimo odaberite Apply popusta na DocType: Company,Default Receivable Account,Uobičajeno Potraživanja račun DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Kreirajte banke unos za ukupne zarade isplaćene za gore odabrane kriterije DocType: Stock Entry,Material Transfer for Manufacture,Prijenos materijala za izradu @@ -2713,7 +2718,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Kupac Adresa DocType: Employee Loan,Loan Details,kredit Detalji DocType: Company,Default Inventory Account,Uobičajeno zaliha računa -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Red {0}: Završena Količina mora biti veća od nule. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Red {0}: Završena Količina mora biti veća od nule. DocType: Purchase Invoice,Apply Additional Discount On,Nanesite dodatni popust na DocType: Account,Root Type,korijen Tip DocType: Item,FIFO,FIFO @@ -2730,7 +2735,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Provjera kvalitete apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,standard Template DocType: Training Event,Theory,teorija -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal tražena količina manja nego minimalna narudžba kol +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal tražena količina manja nego minimalna narudžba kol apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Konto {0} je zamrznut DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna osoba / Podružnica sa zasebnim kontnom pripadaju Organizacije. DocType: Payment Request,Mute Email,Mute-mail @@ -2754,7 +2759,7 @@ DocType: Training Event,Scheduled,Planirano apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Upit za ponudu. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Molimo odaberite Stavka u kojoj "Je Stock Stavka" je "ne" i "Da li je prodaja Stavka" je "Da", a nema drugog Bundle proizvoda" DocType: Student Log,Academic,akademski -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupno unaprijed ({0}) protiv Order {1} ne može biti veći od Grand Ukupno ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupno unaprijed ({0}) protiv Order {1} ne može biti veći od Grand Ukupno ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Odaberite Mjesečni Distribucija nejednako distribuirati mete širom mjeseci. DocType: Purchase Invoice Item,Valuation Rate,Vrednovanje Stopa DocType: Stock Reconciliation,SR/,SR / @@ -2818,6 +2823,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Unesite naziv kampanje, ako je izvor upit je kampanja" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,novinski izdavači apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Odaberite Fiskalna godina +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Očekivani datum isporuke treba da bude nakon datuma prodaje apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Ponovno red Level DocType: Company,Chart Of Accounts Template,Kontni plan Template DocType: Attendance,Attendance Date,Gledatelja Datum @@ -2849,7 +2855,7 @@ DocType: Pricing Rule,Discount Percentage,Postotak rabata DocType: Payment Reconciliation Invoice,Invoice Number,Račun broj DocType: Shopping Cart Settings,Orders,Narudžbe DocType: Employee Leave Approver,Leave Approver,Ostavite odobravatelju -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Molimo odaberite serije +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Molimo odaberite serije DocType: Assessment Group,Assessment Group Name,Procjena Ime grupe DocType: Manufacturing Settings,Material Transferred for Manufacture,Materijal za Preneseni Proizvodnja DocType: Expense Claim,"A user with ""Expense Approver"" role","Korisnik sa ""Rashodi Approver"" ulogu" @@ -2885,7 +2891,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Zadnji dan narednog mjeseca DocType: Support Settings,Auto close Issue after 7 days,Auto blizu izdanje nakon 7 dana apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ostavite se ne može dodijeliti prije {0}, kao odsustvo ravnoteža je već carry-proslijeđen u budućnosti rekord raspodjeli odsustvo {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Napomena: Zbog / Reference Datum premašuje dozvoljeni dana kreditnu kupca {0} dan (a) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Napomena: Zbog / Reference Datum premašuje dozvoljeni dana kreditnu kupca {0} dan (a) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,student zahtjeva DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL primatelja DocType: Asset Category Account,Accumulated Depreciation Account,Ispravka vrijednosti računa @@ -2896,7 +2902,7 @@ DocType: Item,Reorder level based on Warehouse,Nivo Ponovno red zasnovan na Skla DocType: Activity Cost,Billing Rate,Billing Rate ,Qty to Deliver,Količina za dovođenje ,Stock Analytics,Stock Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operacije se ne može ostati prazno +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operacije se ne može ostati prazno DocType: Maintenance Visit Purpose,Against Document Detail No,Protiv dokumenta Detalj No apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party Tip je obavezno DocType: Quality Inspection,Outgoing,Društven @@ -2937,15 +2943,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Dostupna količina na skladištu apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Naplaćeni iznos DocType: Asset,Double Declining Balance,Double degresivne -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Zatvorena kako se ne može otkazati. Otvarati da otkaže. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Zatvorena kako se ne može otkazati. Otvarati da otkaže. DocType: Student Guardian,Father,otac -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' ne može se provjeriti na prodaju osnovnih sredstava +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' ne može se provjeriti na prodaju osnovnih sredstava DocType: Bank Reconciliation,Bank Reconciliation,Banka pomirenje DocType: Attendance,On Leave,Na odlasku apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Get Updates apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Račun {2} ne pripada kompaniji {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materijal Zahtjev {0} je otkazan ili zaustavljen -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Dodati nekoliko uzorku zapisa +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Dodati nekoliko uzorku zapisa apps/erpnext/erpnext/config/hr.py +301,Leave Management,Ostavite Management apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupa po računu DocType: Sales Order,Fully Delivered,Potpuno Isporučeno @@ -2954,12 +2960,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika račun mora biti tip imovine / odgovornošću obzir, jer je to Stock Pomirenje je otvor za ulaz" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Isplaćeni iznos ne može biti veći od Iznos kredita {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Proizvodnog naloga kreiranu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Proizvodnog naloga kreiranu apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"' Od datuma ' mora biti poslije ' Do datuma""" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Ne može promijeniti status studenta {0} je povezana s primjenom student {1} DocType: Asset,Fully Depreciated,potpuno je oslabio ,Stock Projected Qty,Projektovana kolicina na zalihama -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Kupac {0} ne pripada projektu {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Kupac {0} ne pripada projektu {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Označena Posjećenost HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citati su prijedlozi, ponude koje ste poslali svojim kupcima" DocType: Sales Order,Customer's Purchase Order,Narudžbenica kupca @@ -2969,7 +2975,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Molimo podesite Broj Amortizacija Booked apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,"Vrijednost, ili kol" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions naloga ne može biti podignuta za: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minuta +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minuta DocType: Purchase Invoice,Purchase Taxes and Charges,Kupnja Porezi i naknade ,Qty to Receive,Količina za primanje DocType: Leave Block List,Leave Block List Allowed,Ostavite Block List dopuštenih @@ -2982,7 +2988,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Sve vrste dobavljača DocType: Global Defaults,Disable In Words,Onemogućena u Words apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Kod artikla je obvezan jer artikli nisu automatski numerirani -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Ponuda {0} nije tip {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Ponuda {0} nije tip {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Raspored održavanja stavki DocType: Sales Order,% Delivered,Isporučeno% DocType: Production Order,PRO-,PRO- @@ -3005,7 +3011,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Prodavač-mail DocType: Project,Total Purchase Cost (via Purchase Invoice),Ukupno TROŠKA (preko fakturi) DocType: Training Event,Start Time,Start Time -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Odaberite Količina +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Odaberite Količina DocType: Customs Tariff Number,Customs Tariff Number,Carinski tarifni broj apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Odobravanje ulogu ne mogu biti isti kao i ulogepravilo odnosi se na apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odjavili od ovog mail Digest @@ -3029,7 +3035,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detalj DocType: Sales Order,Fully Billed,Potpuno Naplaćeno apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Novac u blagajni -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Isporuka skladište potrebno za zaliha stavku {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Isporuka skladište potrebno za zaliha stavku {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto težina paketa. Obično neto težina + ambalaža težina. (Za tisak) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Korisnici s ovom ulogom smiju postaviti zamrznute račune i izradu / izmjenu računovodstvenih unosa protiv zamrznutih računa @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Grupa na osnovu DocType: Journal Entry,Bill Date,Datum računa apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Servis proizvoda, tip, frekvencija i iznos trošak su potrebne" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Čak i ako postoji više Cijene pravila s najvišim prioritetom, onda sljedeći interni prioriteti primjenjuje se:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Da li zaista želite da dostavi sve Plaća listić od {0} do {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Da li zaista želite da dostavi sve Plaća listić od {0} do {1} DocType: Cheque Print Template,Cheque Height,Ček Visina DocType: Supplier,Supplier Details,Dobavljač Detalji DocType: Expense Claim,Approval Status,Status odobrenja @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Potencijalni kupac d apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ništa više pokazati. DocType: Lead,From Customer,Od kupca apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Pozivi -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,serija +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,serija DocType: Project,Total Costing Amount (via Time Logs),Ukupni troskovi ( iz Time Log-a) DocType: Purchase Order Item Supplied,Stock UOM,Kataloški UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen @@ -3091,7 +3097,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Vratiti protiv fakturi DocType: Item,Warranty Period (in days),Jamstveni period (u danima) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Odnos sa Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Neto novčani tok od operacije -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,na primjer PDV +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,na primjer PDV apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Stavka 4 DocType: Student Admission,Admission End Date,Prijem Završni datum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Podugovaranje @@ -3099,7 +3105,7 @@ DocType: Journal Entry Account,Journal Entry Account,Journal Entry račun apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,student Group DocType: Shopping Cart Settings,Quotation Series,Citat serije apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Stavka postoji s istim imenom ( {0} ) , molimo promijenite ime stavku grupe ili preimenovati stavku" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Molimo odaberite kupac +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Molimo odaberite kupac DocType: C-Form,I,ja DocType: Company,Asset Depreciation Cost Center,Asset Amortizacija troškova Center DocType: Sales Order Item,Sales Order Date,Datum narudžbe kupca @@ -3110,6 +3116,7 @@ DocType: Stock Settings,Limit Percent,limit Procenat ,Payment Period Based On Invoice Date,Razdoblje za naplatu po Datum fakture apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Nedostaje Valuta Tečaj za {0} DocType: Assessment Plan,Examiner,ispitivač +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo naznačite Seriju imena za {0} preko Setup> Settings> Series Naming DocType: Student,Siblings,braća i sestre DocType: Journal Entry,Stock Entry,Kataloški Stupanje DocType: Payment Entry,Payment References,plaćanje Reference @@ -3134,7 +3141,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Gdje se obavljaju proizvodne operacije. DocType: Asset Movement,Source Warehouse,Izvorno skladište DocType: Installation Note,Installation Date,Instalacija Datum -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne pripada kompaniji {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne pripada kompaniji {2} DocType: Employee,Confirmation Date,potvrda Datum DocType: C-Form,Total Invoiced Amount,Ukupno Iznos dostavnice apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Kol ne može biti veći od Max Kol @@ -3207,7 +3214,7 @@ DocType: Company,Default Letter Head,Uobičajeno Letter Head DocType: Purchase Order,Get Items from Open Material Requests,Saznajte Predmeti od Open materijala Zahtjevi DocType: Item,Standard Selling Rate,Standard prodajni kurs DocType: Account,Rate at which this tax is applied,Stopa po kojoj je taj porez se primjenjuje -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Ponovno red Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Ponovno red Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Trenutni Otvori Posao DocType: Company,Stock Adjustment Account,Stock Adjustment račun apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Otpisati @@ -3221,7 +3228,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Dobavljač dostavlja kupaca apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# obrazac / Stavka / {0}) je out of stock apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Sljedeći datum mora biti veći od Datum knjiženja -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Zbog / Reference Datum ne može biti nakon {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Zbog / Reference Datum ne može biti nakon {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Podataka uvoz i izvoz apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,No studenti Found apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Račun Datum knjiženja @@ -3241,12 +3248,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To se temelji na prisustvo ovog Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,No Studenti u apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Dodaj više stavki ili otvoreni punu formu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Unesite ' Očekivani datum isporuke ' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnica {0} mora biti otkazana prije poništenja ove narudžbenice +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnica {0} mora biti otkazana prije poništenja ove narudžbenice apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nije ispravan broj serije za artikal {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Napomena : Nema dovoljno ravnotežu dopust za dozvolu tipa {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Nevažeći GSTIN ili Enter NA neregistriranim +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Nevažeći GSTIN ili Enter NA neregistriranim DocType: Training Event,Seminar,seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Program Upis Naknada DocType: Item,Supplier Items,Dobavljač Predmeti @@ -3264,7 +3270,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Kataloški Starenje apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} postoje protiv podnosioca prijave student {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,kontrolna kartica -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' je onemogućeno +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' je onemogućeno apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Postavi status Otvoreno DocType: Cheque Print Template,Scanned Cheque,skeniranim Ček DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Pošaljite e-poštu automatski da Kontakti na podnošenje transakcija. @@ -3310,7 +3316,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Cjenik tečajna DocType: Purchase Invoice Item,Rate,VPC apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,stažista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Adresa ime +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Adresa ime DocType: Stock Entry,From BOM,Iz BOM DocType: Assessment Code,Assessment Code,procjena Kod apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Osnovni @@ -3323,20 +3329,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Plaća Struktura DocType: Account,Bank,Banka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Aviokompanija -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Tiketi - materijal +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Tiketi - materijal DocType: Material Request Item,For Warehouse,Za galeriju DocType: Employee,Offer Date,ponuda Datum apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citati -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Vi ste u isključenom modu. Nećete biti u mogućnosti da ponovo sve dok imate mrežu. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Vi ste u isključenom modu. Nećete biti u mogućnosti da ponovo sve dok imate mrežu. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,No studentskih grupa stvorio. DocType: Purchase Invoice Item,Serial No,Serijski br apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mjesečna otplate iznos ne može biti veći od iznos kredita apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Unesite prva Maintaince Detalji +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Red # {0}: Očekivani datum isporuke ne može biti pre datuma kupovine naloga DocType: Purchase Invoice,Print Language,print Jezik DocType: Salary Slip,Total Working Hours,Ukupno Radno vrijeme DocType: Stock Entry,Including items for sub assemblies,Uključujući i stavke za pod sklopova -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Unesite vrijednost mora biti pozitivan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra proizvoda> Grupa proizvoda> Marka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Unesite vrijednost mora biti pozitivan apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Sve teritorije DocType: Purchase Invoice,Items,Artikli apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student je već upisana. @@ -3358,7 +3364,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Uobičajeno mjerna jedinica za varijantu '{0}' mora biti isti kao u obrascu '{1}' DocType: Shipping Rule,Calculate Based On,Izračun zasnovan na DocType: Delivery Note Item,From Warehouse,Od Skladište -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Nema artikala sa Bill materijala za proizvodnju +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Nema artikala sa Bill materijala za proizvodnju DocType: Assessment Plan,Supervisor Name,Supervizor ime DocType: Program Enrollment Course,Program Enrollment Course,Program Upis predmeta DocType: Purchase Taxes and Charges,Valuation and Total,Vrednovanje i Total @@ -3373,32 +3379,33 @@ DocType: Training Event Employee,Attended,Pohađao apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,' Dana od poslednje porudzbine ' mora biti veći ili jednak nuli DocType: Process Payroll,Payroll Frequency,Payroll Frequency DocType: Asset,Amended From,Izmijenjena Od -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,sirovine +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,sirovine DocType: Leave Application,Follow via Email,Slijedite putem e-maila apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Biljke i Machineries DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Iznos poreza Nakon iznosa popusta DocType: Daily Work Summary Settings,Daily Work Summary Settings,Svakodnevni rad Pregled Postavke -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjeniku {0} nije sličan s odabranom valute {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjeniku {0} nije sličan s odabranom valute {1} DocType: Payment Entry,Internal Transfer,Interna Transfer apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Dijete računa postoji za taj račun . Ne možete izbrisati ovaj račun . apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ili meta Količina ili ciljani iznos je obvezna apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ne default BOM postoji točke {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Molimo najprije odaberite Datum knjiženja +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Molimo najprije odaberite Datum knjiženja apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Otvaranje Datum bi trebao biti prije zatvaranja datum DocType: Leave Control Panel,Carry Forward,Prenijeti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Troška s postojećim transakcija ne može pretvoriti u knjizi DocType: Department,Days for which Holidays are blocked for this department.,Dani za koje su praznici blokirani za ovaj odjel. ,Produced,Proizvedeno -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Stvorio Plaća Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Stvorio Plaća Slips DocType: Item,Item Code for Suppliers,Šifra za dobavljače DocType: Issue,Raised By (Email),Pokrenuo (E-mail) DocType: Training Event,Trainer Name,trener ime DocType: Mode of Payment,General,Opšti apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Zadnje Komunikacija apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne mogu odbiti kada kategorija je "" vrednovanje "" ili "" Vrednovanje i Total '" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","List poreza glave (npr PDV-a, carina itd, oni treba da imaju jedinstvena imena), a njihov standard stope. Ovo će stvoriti standardni obrazac koji možete uređivati i dodati još kasnije." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","List poreza glave (npr PDV-a, carina itd, oni treba da imaju jedinstvena imena), a njihov standard stope. Ovo će stvoriti standardni obrazac koji možete uređivati i dodati još kasnije." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Meč plaćanja fakture +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Red # {0}: Unesite datum isporuke od stavke {1} DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Odnosi se na (Oznaka) ,Profitability Analysis,Analiza profitabilnosti @@ -3414,17 +3421,18 @@ DocType: Quality Inspection,Item Serial No,Serijski broj artikla apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Kreiranje zaposlenih Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Ukupno Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,knjigovodstvene isprave -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Sat +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Sat apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi serijski broj ne može imati skladište. Skladište mora biti postavljen od strane burze upisu ili kupiti primitka DocType: Lead,Lead Type,Tip potencijalnog kupca apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Niste ovlašteni za odobravanje lišće na bloku Termini -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Svi ovi artikli su već fakturisani +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Svi ovi artikli su već fakturisani +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Mesečni cilj prodaje apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Može biti odobren od strane {0} DocType: Item,Default Material Request Type,Uobičajeno materijala Upit Tip apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,nepoznat DocType: Shipping Rule,Shipping Rule Conditions,Uslovi pravila transporta DocType: BOM Replace Tool,The new BOM after replacement,Novi BOM nakon zamjene -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Point of Sale DocType: Payment Entry,Received Amount,Primljeni Iznos DocType: GST Settings,GSTIN Email Sent On,GSTIN mail poslan DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop Guardian @@ -3439,8 +3447,8 @@ DocType: C-Form,Invoices,Fakture DocType: Batch,Source Document Name,Izvor Document Name DocType: Job Opening,Job Title,Titula apps/erpnext/erpnext/utilities/activation.py +97,Create Users,kreiranje korisnika -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Posjetite izvješće za održavanje razgovora. DocType: Stock Entry,Update Rate and Availability,Ažuriranje Rate i raspoloživost DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Postotak koju smiju primiti ili isporučiti više od naručene količine. Na primjer: Ako ste naručili 100 jedinica. i tvoj ispravak je 10% onda se smiju primati 110 jedinica. @@ -3452,7 +3460,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Molimo vas da otkaže fakturi {0} prvi apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-mail adresa mora biti jedinstvena, već postoji za {0}" DocType: Serial No,AMC Expiry Date,AMC Datum isteka -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,priznanica +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,priznanica ,Sales Register,Prodaja Registracija DocType: Daily Work Summary Settings Company,Send Emails At,Pošalji e-mailova DocType: Quotation,Quotation Lost Reason,Razlog nerealizirane ponude @@ -3465,14 +3473,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Ne Kupci još apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Izvještaj o novčanim tokovima apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Iznos kredita ne može biti veći od Maksimalni iznos kredita od {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licenca -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Molimo vas da uklonite ovu fakture {0} iz C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Molimo vas da uklonite ovu fakture {0} iz C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Molimo odaberite prenositi ako želite uključiti prethodnoj fiskalnoj godini je ravnoteža ostavlja na ovoj fiskalnoj godini DocType: GL Entry,Against Voucher Type,Protiv voucher vrsti DocType: Item,Attributes,Atributi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Unesite otpis račun apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Last Order Datum apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Računa {0} ne pripada kompaniji {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u nizu {0} ne odgovara otpremnica +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u nizu {0} ne odgovara otpremnica DocType: Student,Guardian Details,Guardian Detalji DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Prisustvo za više zaposlenih @@ -3504,16 +3512,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Vr DocType: Tax Rule,Sales,Prodaja DocType: Stock Entry Detail,Basic Amount,Osnovni iznos DocType: Training Event,Exam,ispit -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0} DocType: Leave Allocation,Unused leaves,Neiskorišteni lišće -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,State billing apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Prijenos apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ne povezani s Party nalog {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova ) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova ) DocType: Authorization Rule,Applicable To (Employee),Odnosi se na (Radnik) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date je obavezno apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Prirast za Atributi {0} ne može biti 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klijent> Grupa klijenata> Teritorija DocType: Journal Entry,Pay To / Recd From,Platiti Da / RecD Od DocType: Naming Series,Setup Series,Postavljanje Serija DocType: Payment Reconciliation,To Invoice Date,Da biste Datum računa @@ -3540,7 +3549,7 @@ DocType: Journal Entry,Write Off Based On,Otpis na temelju apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Make Olovo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print i pribora DocType: Stock Settings,Show Barcode Field,Pokaži Barcode Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Pošalji dobavljač Email +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Pošalji dobavljač Email apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plaća je već pripremljena za period od {0} i {1}, Ostavi period aplikacija ne može da bude između tog datuma opseg." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Instalacijski zapis za serijski broj DocType: Guardian Interest,Guardian Interest,Guardian interesa @@ -3553,7 +3562,7 @@ DocType: Offer Letter,Awaiting Response,Čeka se odgovor apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Iznad apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Nevažeći atributa {0} {1} DocType: Supplier,Mention if non-standard payable account,Navesti ukoliko nestandardnog plaća račun -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Isto artikal je ušao više puta. {List} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Isto artikal je ušao više puta. {List} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',"Molimo odaberite grupu procjene, osim 'Svi Procjena grupe'" DocType: Salary Slip,Earning & Deduction,Zarada & Odbitak apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Izborni . Ova postavka će se koristiti za filtriranje u raznim transakcijama . @@ -3572,7 +3581,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Troškovi Rashodovan imovine apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: trošak je obvezan za artikal {2} DocType: Vehicle,Policy No,Politika Nema -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Saznajte Predmeti od Bundle proizvoda +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Saznajte Predmeti od Bundle proizvoda DocType: Asset,Straight Line,Duž DocType: Project User,Project User,Korisnik projekta apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Podijeliti @@ -3584,6 +3593,7 @@ DocType: Sales Team,Contact No.,Kontakt broj DocType: Bank Reconciliation,Payment Entries,plaćanje unosi DocType: Production Order,Scrap Warehouse,Scrap Skladište DocType: Production Order,Check if material transfer entry is not required,Provjerite da li se ne traži upis prenosa materijala +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Molimo da podesite sistem imenovanja zaposlenih u ljudskim resursima> HR Settings DocType: Program Enrollment Tool,Get Students From,Get Studenti iz DocType: Hub Settings,Seller Country,Prodavač Država apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Objavite Artikli na sajtu @@ -3601,19 +3611,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Odredite uvjete za izračunavanje iznosa shipping DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uloga Dozvoljena Set Frozen Accounts & Frozen Edit unosi apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,otvaranje vrijednost +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,otvaranje vrijednost DocType: Salary Detail,Formula,formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisija za prodaju DocType: Offer Letter Term,Value / Description,Vrijednost / Opis -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne može se podnijeti, to je već {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne može se podnijeti, to je već {2}" DocType: Tax Rule,Billing Country,Billing Country DocType: Purchase Order Item,Expected Delivery Date,Očekivani rok isporuke apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debitne i kreditne nije jednaka za {0} {1} #. Razlika je u tome {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Zabava Troškovi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Make Materijal Upit apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otvorena Stavka {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodaja Račun {0} mora biti otkazana prije poništenja ovu prodajnog naloga +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodaja Račun {0} mora biti otkazana prije poništenja ovu prodajnog naloga apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Starost DocType: Sales Invoice Timesheet,Billing Amount,Billing Iznos apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Navedena je pogrešna količina za proizvod {0}. Količina treba biti veći od 0. @@ -3636,7 +3646,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,New Customer prihoda apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,putni troškovi DocType: Maintenance Visit,Breakdown,Slom -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutnom: {1} se ne mogu odabrati +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutnom: {1} se ne mogu odabrati DocType: Bank Reconciliation Detail,Cheque Date,Datum čeka apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Nadređeni konto {1} ne pripada preduzeću: {2} DocType: Program Enrollment Tool,Student Applicants,student Kandidati @@ -3656,11 +3666,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planir DocType: Material Request,Issued,Izdao apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,student aktivnost DocType: Project,Total Billing Amount (via Time Logs),Ukupna naplata (iz Time Log-a) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Prodajemo ovaj artikal +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Prodajemo ovaj artikal apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Dobavljač Id DocType: Payment Request,Payment Gateway Details,Payment Gateway Detalji -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Količina bi trebao biti veći od 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,uzorak podataka +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Količina bi trebao biti veći od 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,uzorak podataka DocType: Journal Entry,Cash Entry,Cash Entry apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Dijete čvorovi se mogu kreirati samo pod 'Grupa' tipa čvorova DocType: Leave Application,Half Day Date,Pola dana datum @@ -3669,17 +3679,18 @@ DocType: Sales Partner,Contact Desc,Kontakt ukratko apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tip lišća poput casual, bolovanja i sl." DocType: Email Digest,Send regular summary reports via Email.,Pošalji redovne zbirne izvještaje putem e-maila. DocType: Payment Entry,PE-,PE -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Molimo podesite zadani račun u Rashodi Preuzmi Tip {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Molimo podesite zadani račun u Rashodi Preuzmi Tip {0} DocType: Assessment Result,Student Name,ime studenta DocType: Brand,Item Manager,Stavka Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll plaćaju DocType: Buying Settings,Default Supplier Type,Zadani tip dobavljača DocType: Production Order,Total Operating Cost,Ukupni trošak -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Napomena : Stavka {0} upisan je više puta +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Napomena : Stavka {0} upisan je više puta apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Svi kontakti. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Postavite cilj apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Skraćeni naziv preduzeća apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Korisnik {0} ne postoji -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Sirovina ne mogu biti isti kao glavni predmet +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Sirovina ne mogu biti isti kao glavni predmet DocType: Item Attribute Value,Abbreviation,Skraćenica apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Plaćanje Entry već postoji apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ne authroized od {0} prelazi granice @@ -3697,7 +3708,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Uloga dopuštenih ured ,Territory Target Variance Item Group-Wise,Teritorij Target varijance artikla Group - Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Sve grupe kupaca apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,akumulirani Mjesečno -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda knjigovodstveni zapis nije kreiran za {1} na {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda knjigovodstveni zapis nije kreiran za {1} na {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Porez Template je obavezno. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Nadređeni konto {1} ne postoji DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cjenik stopa (Društvo valuta) @@ -3708,7 +3719,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Postotak Raspodje apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretarica DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ako onemogućite, 'riječima' polju neće biti vidljivi u bilo koju transakciju" DocType: Serial No,Distinct unit of an Item,Različite jedinice strane jedinice -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Molimo podesite Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Molimo podesite Company DocType: Pricing Rule,Buying,Nabavka DocType: HR Settings,Employee Records to be created by,Zaposlenik Records bi se stvorili DocType: POS Profile,Apply Discount On,Nanesite popusta na @@ -3719,7 +3730,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stavka Wise Porezna Detalj apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut Skraćenica ,Item-wise Price List Rate,Stavka - mudar Cjenovnik Ocijenite -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Dobavljač Ponuda +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Dobavljač Ponuda DocType: Quotation,In Words will be visible once you save the Quotation.,U riječi će biti vidljiv nakon što spremite ponudu. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne može biti frakcija u nizu {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,naplatu naknada @@ -3743,7 +3754,7 @@ Updated via 'Time Log'","u minutama DocType: Customer,From Lead,Od Lead-a apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Narudžbe objavljen za proizvodnju. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Odaberite fiskalnu godinu ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profil potrebno da bi POS upis +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profil potrebno da bi POS upis DocType: Program Enrollment Tool,Enroll Students,upisati studenti DocType: Hub Settings,Name Token,Ime Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna prodaja @@ -3761,7 +3772,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Stock Vrijednost razlika apps/erpnext/erpnext/config/learn.py +234,Human Resource,Human Resource DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pomirenje Plaćanje Plaćanje apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,porezna imovina -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Proizvodnja Poretka bio je {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Proizvodnja Poretka bio je {0} DocType: BOM Item,BOM No,BOM br. DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} nema obzir {1} ili su već usklađene protiv drugih vaučer @@ -3775,7 +3786,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Prenesi apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Izvanredna Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Set cilja predmet Grupa-mudar za ovaj prodavač. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Dionice stariji od [ dana ] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset je obavezan za osnovno sredstvo kupovinu / prodaju +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset je obavezan za osnovno sredstvo kupovinu / prodaju apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ako su dva ili više Pravila cijene se nalaze na osnovu gore uvjetima, Prioritet se primjenjuje. Prioritet je broj od 0 do 20, a zadana vrijednost je nula (prazno). Veći broj znači da će imati prednost, ako postoji više pravila cijenama s istim uslovima." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiskalna godina: {0} ne postoji DocType: Currency Exchange,To Currency,Valutno @@ -3783,7 +3794,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Vrste Rashodi zahtjevu. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopa za stavke prodaje {0} je niža od {1}. stopa prodaje bi trebao biti atleast {2} DocType: Item,Taxes,Porezi -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Platio i nije dostavila +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Platio i nije dostavila DocType: Project,Default Cost Center,Standard Cost Center DocType: Bank Guarantee,End Date,Datum završetka apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock Transakcije @@ -3800,7 +3811,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Svakodnevni rad Pregled Postavke kompanije apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Artikal {0} se ignorira budući da nije skladišni artikal DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Pošaljite ovaj radnog naloga za daljnju obradu . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Pošaljite ovaj radnog naloga za daljnju obradu . apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Da se ne primjenjuje pravilo Cijene u određenoj transakciji, svim primjenjivim pravilima cijena bi trebala biti onemogućen." DocType: Assessment Group,Parent Assessment Group,Parent Procjena Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Posao @@ -3808,10 +3819,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Posao DocType: Employee,Held On,Održanoj apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Proizvodnja Item ,Employee Information,Informacija o zaposlenom -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Stopa ( % ) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Stopa ( % ) DocType: Stock Entry Detail,Additional Cost,Dodatni trošak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"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" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Provjerite Supplier kotaciji +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Provjerite Supplier kotaciji DocType: Quality Inspection,Incoming,Dolazni DocType: BOM,Materials Required (Exploded),Materijali Obavezno (eksplodirala) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Dodaj korisnika u vašoj organizaciji, osim sebe" @@ -3827,7 +3838,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Račun: {0} može ažurirati samo preko Stock Transakcije DocType: Student Group Creation Tool,Get Courses,Get kursevi DocType: GL Entry,Party,Stranka -DocType: Sales Order,Delivery Date,Datum isporuke +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Datum isporuke DocType: Opportunity,Opportunity Date,Datum prilike DocType: Purchase Receipt,Return Against Purchase Receipt,Vratiti protiv Kupovina prijem DocType: Request for Quotation Item,Request for Quotation Item,Zahtjev za ponudu artikla @@ -3841,7 +3852,7 @@ DocType: Task,Actual Time (in Hours),Stvarno vrijeme (u satima) DocType: Employee,History In Company,Povijest tvrtke apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletteri DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Stupanje -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Isto artikal je ušao više puta +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Isto artikal je ušao više puta DocType: Department,Leave Block List,Ostavite Block List DocType: Sales Invoice,Tax ID,Porez ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Stavka {0} nije setup za serijski brojevi Stupac mora biti prazan @@ -3859,25 +3870,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Crn DocType: BOM Explosion Item,BOM Explosion Item,BOM eksplozije artikla DocType: Account,Auditor,Revizor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} artikala proizvedenih +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} artikala proizvedenih DocType: Cheque Print Template,Distance from top edge,Udaljenost od gornje ivice apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Popis Cijena {0} je isključena ili ne postoji DocType: Purchase Invoice,Return,Povratak DocType: Production Order Operation,Production Order Operation,Proizvodnja Order Operation DocType: Pricing Rule,Disable,Ugasiti -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Način plaćanja je potrebno izvršiti uplatu +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Način plaćanja je potrebno izvršiti uplatu DocType: Project Task,Pending Review,Na čekanju apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nije upisana u Batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ne može biti ukinuta, jer je već {1}" DocType: Task,Total Expense Claim (via Expense Claim),Ukupni rashodi potraživanja (preko rashodi potraživanje) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Odsutan -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Red {0}: Valuta sastavnicu # {1} treba da bude jednaka odabrane valute {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Red {0}: Valuta sastavnicu # {1} treba da bude jednaka odabrane valute {2} DocType: Journal Entry Account,Exchange Rate,Tečaj -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen DocType: Homepage,Tag Line,Tag Line DocType: Fee Component,Fee Component,naknada Komponenta apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet Management -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Dodaj stavke iz +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Dodaj stavke iz DocType: Cheque Print Template,Regular,redovan apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Ukupno weightage svih Kriteriji ocjenjivanja mora biti 100% DocType: BOM,Last Purchase Rate,Zadnja kupovna cijena @@ -3898,12 +3909,12 @@ DocType: Employee,Reports to,Izvještaji za DocType: SMS Settings,Enter url parameter for receiver nos,Unesite URL parametar za prijemnike br DocType: Payment Entry,Paid Amount,Plaćeni iznos DocType: Assessment Plan,Supervisor,nadzornik -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,online ,Available Stock for Packing Items,Raspoloživo stanje za pakirane proizvode DocType: Item Variant,Item Variant,Stavka Variant DocType: Assessment Result Tool,Assessment Result Tool,Procjena Alat Rezultat DocType: BOM Scrap Item,BOM Scrap Item,BOM otpad Stavka -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje računa već u zaduženje, ne smiju postaviti 'ravnoteža se mora' kao 'kreditne'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,upravljanja kvalitetom apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Stavka {0} je onemogućena @@ -3934,7 +3945,7 @@ DocType: Item Group,Default Expense Account,Zadani račun rashoda apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student-mail ID DocType: Employee,Notice (days),Obavijest (dani ) DocType: Tax Rule,Sales Tax Template,Porez na promet Template -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Odaberite stavke za spremanje fakture +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Odaberite stavke za spremanje fakture DocType: Employee,Encashment Date,Encashment Datum DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Stock Podešavanje @@ -3982,10 +3993,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Otprema apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maksimalni popust dopušteno za predmet: {0} je {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Neto vrijednost imovine kao i na DocType: Account,Receivable,potraživanja -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nije dozvoljeno da se promijeniti dobavljača kao narudžbenicu već postoji +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nije dozvoljeno da se promijeniti dobavljača kao narudžbenicu već postoji DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Uloga koja je dopušteno podnijeti transakcije koje premašuju kreditnih ograničenja postavljena. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Odaberi stavke za proizvodnju -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master podataka sinhronizaciju, to bi moglo da potraje" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Odaberi stavke za proizvodnju +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master podataka sinhronizaciju, to bi moglo da potraje" DocType: Item,Material Issue,Materijal Issue DocType: Hub Settings,Seller Description,Prodavač Opis DocType: Employee Education,Qualification,Kvalifikacija @@ -4006,11 +4017,10 @@ DocType: BOM,Rate Of Materials Based On,Stopa materijali na temelju apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Podrska za Analitiku apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Poništi sve DocType: POS Profile,Terms and Conditions,Odredbe i uvjeti -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Molimo da podesite sistem imenovanja zaposlenih u ljudskim resursima> HR Settings apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Za datum mora biti unutar fiskalne godine. Pod pretpostavkom da bi datum = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ovdje možete održavati visina, težina, alergije, medicinske brige itd." DocType: Leave Block List,Applies to Company,Odnosi se na preduzeće -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Ne mogu otkazati , jer podnijela Stock Stupanje {0} postoji" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Ne mogu otkazati , jer podnijela Stock Stupanje {0} postoji" DocType: Employee Loan,Disbursement Date,datuma isplate DocType: Vehicle,Vehicle,vozilo DocType: Purchase Invoice,In Words,Riječima @@ -4048,7 +4058,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globalne postavke DocType: Assessment Result Detail,Assessment Result Detail,Procjena Rezultat Detail DocType: Employee Education,Employee Education,Obrazovanje zaposlenog apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplikat stavka grupa naći u tabeli stavka grupa -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Potrebno je da se donese Stavka Detalji. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Potrebno je da se donese Stavka Detalji. DocType: Salary Slip,Net Pay,Neto plaća DocType: Account,Account,Konto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serijski Ne {0} već je primila @@ -4056,7 +4066,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,vozilo se Prijavite DocType: Purchase Invoice,Recurring Id,Ponavljajući Id DocType: Customer,Sales Team Details,Prodaja Team Detalji -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Obrisati trajno? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Obrisati trajno? DocType: Expense Claim,Total Claimed Amount,Ukupno Zatražio Iznos apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencijalne prilike za prodaju. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0} @@ -4068,7 +4078,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Podešavanje vaše škole u ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base Promijeni Iznos (Company Valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nema računovodstvene unosi za sljedeće skladišta -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Spremite dokument prvi. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Spremite dokument prvi. DocType: Account,Chargeable,Naplativ DocType: Company,Change Abbreviation,Promijeni Skraćenica DocType: Expense Claim Detail,Expense Date,Rashodi Datum @@ -4082,7 +4092,6 @@ DocType: BOM,Manufacturing User,Proizvodnja korisnika DocType: Purchase Invoice,Raw Materials Supplied,Sirovine nabavlja DocType: Purchase Invoice,Recurring Print Format,Ponavlja Format DocType: C-Form,Series,serija -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Očekuje se dostava Datum ne može biti prije narudžbenice Datum DocType: Appraisal,Appraisal Template,Procjena Predložak DocType: Item Group,Item Classification,Stavka Klasifikacija apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4121,12 +4130,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Odaberite apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Treninga / Rezultati apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Ispravka vrijednosti kao na DocType: Sales Invoice,C-Form Applicable,C-obrascu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Vrijeme rada mora biti veći od 0 za rad {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Vrijeme rada mora biti veći od 0 za rad {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Skladište je obavezno DocType: Supplier,Address and Contacts,Adresa i kontakti DocType: UOM Conversion Detail,UOM Conversion Detail,UOM pretvorbe Detalj DocType: Program,Program Abbreviation,program Skraćenica -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Proizvodnja Nalog ne može biti podignuta protiv Item Template +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Proizvodnja Nalog ne može biti podignuta protiv Item Template apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Naknade se ažuriraju u Kupovina Prijem protiv svaku stavku DocType: Warranty Claim,Resolved By,Riješen Do DocType: Bank Guarantee,Start Date,Datum početka @@ -4161,6 +4170,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,trening Feedback apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Proizvodnja Red {0} mora biti podnesen apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Molimo odaberite datum početka i datum završetka za točke {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Postavite cilj prodaje koji želite postići. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurs je obavezno u redu {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Do danas ne može biti prije od datuma DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4178,7 +4188,7 @@ DocType: Account,Income,Prihod DocType: Industry Type,Industry Type,Industrija Tip apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Nešto nije bilo u redu! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Upozorenje: Ostavite program sadrži sljedeće blok datume -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Prodajni računi {0} su već potvrđeni +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Prodajni računi {0} su već potvrđeni DocType: Assessment Result Detail,Score,skor apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Fiskalna godina {0} ne postoji apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Završetak Datum @@ -4208,7 +4218,7 @@ DocType: Naming Series,Help HTML,HTML pomoć DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool DocType: Item,Variant Based On,Varijanta na osnovu apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Ukupno bi trebalo biti dodijeljena weightage 100 % . To je {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Vaši dobavljači +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Vaši dobavljači apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Ne mogu se postaviti kao izgubljen kao prodajnog naloga je napravio . DocType: Request for Quotation Item,Supplier Part No,Dobavljač dio br apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Ne mogu odbiti kada kategorija je za 'Vrednovanje' ili 'Vaulation i Total' @@ -4218,14 +4228,14 @@ DocType: Item,Has Serial No,Ima serijski br DocType: Employee,Date of Issue,Datum izdavanja apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Od {0} {1} za apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Prema Kupnja Postavke ako Kupovina Reciept željeni == 'DA', onda za stvaranje fakturi, korisnik treba prvo stvoriti račun za prodaju za stavku {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Set dobavljač za stavku {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Red {0}: Radno vrijednost mora biti veća od nule. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Set dobavljač za stavku {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Red {0}: Radno vrijednost mora biti veća od nule. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Sajt Slika {0} prilogu Stavka {1} ne može biti pronađena DocType: Issue,Content Type,Vrsta sadržaja apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Računar DocType: Item,List this Item in multiple groups on the website.,Popis ovaj predmet u više grupa na web stranici. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Molimo provjerite Multi opciju valuta kako bi se omogućilo račune sa drugoj valuti -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Detaljnije: {0} ne postoji u sustavu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Detaljnije: {0} ne postoji u sustavu apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Niste ovlašteni za postavljanje Frozen vrijednost DocType: Payment Reconciliation,Get Unreconciled Entries,Kreiraj neusklađene ulaze DocType: Payment Reconciliation,From Invoice Date,Iz Datum računa @@ -4251,7 +4261,7 @@ DocType: Stock Entry,Default Source Warehouse,Zadano izvorno skladište DocType: Item,Customer Code,Kupac Šifra apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Rođendan Podsjetnik za {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dana od posljednje narudžbe -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Zaduženja na račun mora biti bilans stanja računa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Zaduženja na račun mora biti bilans stanja računa DocType: Buying Settings,Naming Series,Imenovanje serije DocType: Leave Block List,Leave Block List Name,Ostavite popis imena Block apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Datum osiguranje Početak bi trebao biti manji od datuma osiguranje Kraj @@ -4268,7 +4278,7 @@ DocType: Vehicle Log,Odometer,mjerač za pređeni put DocType: Sales Order Item,Ordered Qty,Naručena kol apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Stavka {0} je onemogućeno DocType: Stock Settings,Stock Frozen Upto,Kataloški Frozen Upto -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ne sadrži nikakve zaliha stavka +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM ne sadrži nikakve zaliha stavka apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Period od perioda i datumima obavezno ponavljaju {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektna aktivnost / zadatak. DocType: Vehicle Log,Refuelling Details,Dopuna goriva Detalji @@ -4278,7 +4288,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Zadnje kupovinu stopa nije pronađen DocType: Purchase Invoice,Write Off Amount (Company Currency),Otpis Iznos (poduzeća Valuta) DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Uobičajeno sastavnice za {0} nije pronađen +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Uobičajeno sastavnice za {0} nije pronađen apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Row # {0}: Molimo set Ponovno redj količinu apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Dodirnite stavke da biste ih dodali ovdje DocType: Fees,Program Enrollment,Upis program @@ -4311,6 +4321,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Starenje Range 2 DocType: SG Creation Tool Course,Max Strength,Max Snaga apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM zamijenjeno +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Izaberite stavke na osnovu datuma isporuke ,Sales Analytics,Prodajna analitika apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Dostupno {0} ,Prospects Engaged But Not Converted,Izgledi Engaged Ali ne pretvaraju @@ -4357,7 +4368,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Popust apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet za zadatke. DocType: Purchase Invoice,Against Expense Account,Protiv Rashodi račun DocType: Production Order,Production Order,Proizvodnja Red -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Napomena instalacije {0} je već potvrđena +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Napomena instalacije {0} je već potvrđena DocType: Bank Reconciliation,Get Payment Entries,Get plaćanja unosi DocType: Quotation Item,Against Docname,Protiv Docname DocType: SMS Center,All Employee (Active),Svi zaposleni (aktivni) @@ -4366,7 +4377,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Troškovi sirovina DocType: Item Reorder,Re-Order Level,Re-order Level DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Unesite stavke i planirani Količina za koje želite povećati proizvodne naloge ili preuzimanje sirovine za analizu. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantogram +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantogram apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part - time DocType: Employee,Applicable Holiday List,Primjenjivo odmor Popis DocType: Employee,Cheque,Ček @@ -4422,11 +4433,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Rezervirano Količina za proizvodnju DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Ostavite nekontrolisano ako ne želite uzeti u obzir batch prilikom donošenja grupe naravno na bazi. DocType: Asset,Frequency of Depreciation (Months),Učestalost amortizacije (mjeseci) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Kreditni račun +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Kreditni račun DocType: Landed Cost Item,Landed Cost Item,Sletio Troškovi artikla apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Pokazati nulte vrijednosti DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Količina predmeta dobije nakon proizvodnju / pakiranje od navedenih količina sirovina -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup jednostavan website za moju organizaciju +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup jednostavan website za moju organizaciju DocType: Payment Reconciliation,Receivable / Payable Account,Potraživanja / Account plaćaju DocType: Delivery Note Item,Against Sales Order Item,Protiv naloga prodaje Item apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Molimo navedite vrijednost atributa za atribut {0} @@ -4488,22 +4499,22 @@ DocType: Student,Nationality,državljanstvo ,Items To Be Requested,Potraživani artikli DocType: Purchase Order,Get Last Purchase Rate,Kreiraj zadnju nabavnu cijenu DocType: Company,Company Info,Podaci o preduzeću -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Odaberite ili dodati novi kupac -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Troška je potrebno rezervirati trošak tvrdnju +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Odaberite ili dodati novi kupac +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Troška je potrebno rezervirati trošak tvrdnju apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Primjena sredstava ( aktiva ) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To se temelji na prisustvo ovog zaposlenih -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Zaduži račun +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Zaduži račun DocType: Fiscal Year,Year Start Date,Početni datum u godini DocType: Attendance,Employee Name,Ime i prezime radnika DocType: Sales Invoice,Rounded Total (Company Currency),Zaobljeni Ukupno (Društvo valuta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Ne mogu da konvertovanje Group, jer je izabran Account Type." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} je izmijenjen . Osvježite stranicu. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} je izmijenjen . Osvježite stranicu. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Prestani korisnike od izrade ostaviti aplikacija na sljedećim danima. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Kupovina Iznos apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dobavljač Ponuda {0} stvorio apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Kraja godine ne može biti prije početka godine apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Primanja zaposlenih -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Prepuna količina mora biti jednaka količina za točku {0} je u redu {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Prepuna količina mora biti jednaka količina za točku {0} je u redu {1} DocType: Production Order,Manufactured Qty,Proizvedeno Kol DocType: Purchase Receipt Item,Accepted Quantity,Prihvaćena količina apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Molimo podesite default odmor Lista za zaposlenog {0} ili kompanije {1} @@ -4514,11 +4525,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},No red {0}: Iznos ne može biti veći od čekanju Iznos protiv rashodi potraživanje {1}. Na čekanju iznos je {2} DocType: Maintenance Schedule,Schedule,Raspored DocType: Account,Parent Account,Roditelj račun -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Dostupno +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Dostupno DocType: Quality Inspection Reading,Reading 3,Čitanje 3 ,Hub,Čvor DocType: GL Entry,Voucher Type,Bon Tip -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cjenik nije pronađena ili invaliditetom +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Cjenik nije pronađena ili invaliditetom DocType: Employee Loan Application,Approved,Odobreno DocType: Pricing Rule,Price,Cijena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo ' @@ -4587,7 +4598,7 @@ DocType: SMS Settings,Static Parameters,Statički parametri DocType: Assessment Plan,Room,soba DocType: Purchase Order,Advance Paid,Advance Paid DocType: Item,Item Tax,Porez artikla -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materijal dobavljaču +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materijal dobavljaču apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Akcizama Račun apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Prag {0}% se pojavljuje više od jednom DocType: Expense Claim,Employees Email Id,Zaposlenici Email ID @@ -4627,7 +4638,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,model DocType: Production Order,Actual Operating Cost,Stvarni operativnih troškova DocType: Payment Entry,Cheque/Reference No,Ček / Reference Ne -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> Tip dobavljača apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Korijen ne može se mijenjati . DocType: Item,Units of Measure,Jedinice mjere DocType: Manufacturing Settings,Allow Production on Holidays,Dopustite Production o praznicima @@ -4660,12 +4670,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Kreditne Dani apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Make Student Batch DocType: Leave Type,Is Carry Forward,Je Carry Naprijed -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM) apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Potencijalni kupac - ukupno dana -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Slanje poruka Datum mora biti isti kao i datum kupovine {1} od imovine {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Slanje poruka Datum mora biti isti kao i datum kupovine {1} od imovine {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Označite ovu ako student boravi na Instituta Hostel. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Molimo unesite Prodajni nalozi u gornjoj tablici -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nije dostavila Plaća Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Nije dostavila Plaća Slips ,Stock Summary,Stock Pregled apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transfer imovine iz jednog skladišta u drugo DocType: Vehicle,Petrol,benzin diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv index b1a4c84c8cd..5985ab51e96 100644 --- a/erpnext/translations/ca.csv +++ b/erpnext/translations/ca.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Comerciant DocType: Employee,Rented,Llogat DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Aplicable per a l'usuari -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Detingut ordre de producció no es pot cancel·lar, unstop primer per cancel·lar" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Detingut ordre de producció no es pot cancel·lar, unstop primer per cancel·lar" DocType: Vehicle Service,Mileage,quilometratge apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,De veres voleu rebutjar aquest actiu? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Tria un proveïdor predeterminat @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Facturat apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Tipus de canvi ha de ser el mateix que {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Nom del client DocType: Vehicle,Natural Gas,Gas Natural -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Compte bancari no pot ser nomenat com {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Compte bancari no pot ser nomenat com {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Capçaleres (o grups) contra els quals es mantenen els assentaments comptables i els saldos apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Excedent per {0} no pot ser menor que zero ({1}) DocType: Manufacturing Settings,Default 10 mins,Per defecte 10 minuts @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Deixa Tipus Nom apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mostra oberts apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Sèrie actualitzat correctament apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,caixa -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural entrada de diari Enviat +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural entrada de diari Enviat DocType: Pricing Rule,Apply On,Aplicar a DocType: Item Price,Multiple Item prices.,Múltiples Preus d'articles ,Purchase Order Items To Be Received,Articles a rebre de l'ordre de compra @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Mode de Compte de Pagam apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Mostra variants DocType: Academic Term,Academic Term,període acadèmic apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,material -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Quantitat +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Quantitat apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,La taula de comptes no pot estar en blanc. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Préstecs (passius) DocType: Employee Education,Year of Passing,Any de defunció @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Sanitari apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Retard en el pagament (dies) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,despesa servei -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de sèrie: {0} ja es fa referència en factura de venda: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Factura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de sèrie: {0} ja es fa referència en factura de venda: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Factura DocType: Maintenance Schedule Item,Periodicity,Periodicitat apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Any fiscal {0} és necessari -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Data de lliurament esperada és sempre davant d'ordres de venda Data apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Defensa DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),Puntuació (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Fila # {0}: DocType: Timesheet,Total Costing Amount,Suma càlcul del cost total DocType: Delivery Note,Vehicle No,Vehicle n -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Seleccionla llista de preus +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Seleccionla llista de preus apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Fila # {0}: No es requereix document de pagament per completar la trasaction DocType: Production Order Operation,Work In Progress,Treball en curs apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Si us plau seleccioni la data @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} no en qualsevol any fiscal activa. DocType: Packed Item,Parent Detail docname,Docname Detall de Pares apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referència: {0}, Codi de l'article: {1} i el Client: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Sessió apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,L'obertura per a una ocupació. DocType: Item Attribute,Increment,Increment @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Casat apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},No està permès per {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Obtenir articles de -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},L'estoc no es pot actualitzar contra la Nota de Lliurament {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},L'estoc no es pot actualitzar contra la Nota de Lliurament {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Producte {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,No hi ha elements que s'enumeren DocType: Payment Reconciliation,Reconcile,Conciliar @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Fons apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Següent Depreciació La data no pot ser anterior a la data de compra DocType: SMS Center,All Sales Person,Tot el personal de vendes DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ** Distribució mensual ajuda a distribuir el pressupost / Target a través de mesos si té l'estacionalitat del seu negoci. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,No articles trobats +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,No articles trobats apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Falta Estructura salarial DocType: Lead,Person Name,Nom de la Persona DocType: Sales Invoice Item,Sales Invoice Item,Factura Sales Item @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""És actiu fix"" no pot estar sense marcar, ja que hi ha registre d'actius contra l'element" DocType: Vehicle Service,Brake Oil,oli dels frens DocType: Tax Rule,Tax Type,Tipus d'Impostos -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,base imposable +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,base imposable apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},No té permisos per afegir o actualitzar les entrades abans de {0} DocType: BOM,Item Image (if not slideshow),Imatge de l'article (si no hi ha presentació de diapositives) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Hi ha un client amb el mateix nom DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hora Tarifa / 60) * Temps real de l'Operació -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Seleccioneu la llista de materials +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Seleccioneu la llista de materials DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Cost dels articles lliurats apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,El dia de festa en {0} no és entre De la data i Fins a la data @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,escoles DocType: School Settings,Validate Batch for Students in Student Group,Validar lots per a estudiants en grup d'alumnes apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},No hi ha registre de vacances trobats per als empleats {0} de {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Si us plau ingressi empresa primer -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Si us plau seleccioneu l'empresa primer +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Si us plau seleccioneu l'empresa primer DocType: Employee Education,Under Graduate,Baix de Postgrau apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On DocType: BOM,Total Cost,Cost total DocType: Journal Entry Account,Employee Loan,préstec empleat -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Registre d'activitat: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,L'Article {0} no existeix en el sistema o ha caducat +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Registre d'activitat: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,L'Article {0} no existeix en el sistema o ha caducat apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Estat de compte apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmacèutics @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Reclamació Import apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicar grup de clients que es troba a la taula de grups cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tipus de Proveïdor / distribuïdor DocType: Naming Series,Prefix,Prefix -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Estableix la sèrie de noms per a {0} a través de la configuració> Configuració> Sèrie de nomenclatura -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumible +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumible DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Importa registre DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Tire Sol·licitud de materials de tipus Fabricació en base als criteris anteriors DocType: Training Result Employee,Grade,grau DocType: Sales Invoice Item,Delivered By Supplier,Lliurat per proveïdor DocType: SMS Center,All Contact,Tots els contactes -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Ordre de producció ja s'ha creat per a tots els elements amb la llista de materials +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Ordre de producció ja s'ha creat per a tots els elements amb la llista de materials apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salari Anual DocType: Daily Work Summary,Daily Work Summary,Resum diari de Treball DocType: Period Closing Voucher,Closing Fiscal Year,Tancant l'Any Fiscal -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} està congelat +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} està congelat apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Seleccioneu empresa ja existent per a la creació del pla de comptes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Despeses d'estoc apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selecciona una destinació de dipòsit @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ Acceptat Rebutjat Quantitat ha de ser igual a la quantitat rebuda per article {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Materials Subministrament primeres per a la Compra -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Es requereix com a mínim una manera de pagament de la factura POS. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Es requereix com a mínim una manera de pagament de la factura POS. DocType: Products Settings,Show Products as a List,Mostrar els productes en forma de llista DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Descarregueu la plantilla, omplir les dades adequades i adjuntar l'arxiu modificat. Totes les dates i empleat combinació en el període seleccionat vindrà a la plantilla, amb els registres d'assistència existents" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,L'article {0} no està actiu o ha arribat al final de la seva vida -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Exemple: Matemàtiques Bàsiques -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per incloure l'impost a la fila {0} en la tarifa d'article, els impostos a les files {1} també han de ser inclosos" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Exemple: Matemàtiques Bàsiques +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per incloure l'impost a la fila {0} en la tarifa d'article, els impostos a les files {1} també han de ser inclosos" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Ajustaments per al Mòdul de Recursos Humans DocType: SMS Center,SMS Center,Centre d'SMS DocType: Sales Invoice,Change Amount,Import de canvi @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Data d'instal·lació no pot ser abans de la data de lliurament d'article {0} DocType: Pricing Rule,Discount on Price List Rate (%),Descompte Preu de llista Taxa (%) DocType: Offer Letter,Select Terms and Conditions,Selecciona Termes i Condicions -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,valor fora +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,valor fora DocType: Production Planning Tool,Sales Orders,Ordres de venda DocType: Purchase Taxes and Charges,Valuation,Valoració ,Purchase Order Trends,Compra Tendències Sol·licitar @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,És assentament d'obertura DocType: Customer Group,Mention if non-standard receivable account applicable,Esmenteu si compta per cobrar no estàndard aplicable DocType: Course Schedule,Instructor Name,nom instructor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Cal informar del magatzem destí abans de presentar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Cal informar del magatzem destí abans de presentar apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Rebuda el DocType: Sales Partner,Reseller,Revenedor DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Si se selecciona, s'inclouran productes no estan en estoc en les sol·licituds de materials." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Contra la factura de venda d'articles ,Production Orders in Progress,Ordres de producció en Construcció apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Efectiu net de Finançament -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage està ple, no va salvar" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage està ple, no va salvar" DocType: Lead,Address & Contact,Direcció i Contacte DocType: Leave Allocation,Add unused leaves from previous allocations,Afegir les fulles no utilitzats de les assignacions anteriors apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Següent Recurrent {0} es crearà a {1} DocType: Sales Partner,Partner website,lloc web de col·laboradors apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Afegeix element -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nom de Contacte +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nom de Contacte DocType: Course Assessment Criteria,Course Assessment Criteria,Criteris d'avaluació del curs DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Crea nòmina per als criteris abans esmentats. DocType: POS Customer Group,POS Customer Group,POS Grup de Clients @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Fila {0}: Si us plau, vegeu ""És Avanç 'contra el Compte {1} si es tracta d'una entrada amb antelació." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Magatzem {0} no pertany a l'empresa {1} DocType: Email Digest,Profit & Loss,D'pèrdues i guanys -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,litre DocType: Task,Total Costing Amount (via Time Sheet),Càlcul del cost total Monto (a través de fulla d'hores) DocType: Item Website Specification,Item Website Specification,Especificacions d'article al Web apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Absència bloquejada @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Factura No DocType: Material Request Item,Min Order Qty,Quantitat de comanda mínima DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curs eina de creació de grup d'alumnes DocType: Lead,Do Not Contact,No entri en contacte -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Les persones que ensenyen en la seva organització +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Les persones que ensenyen en la seva organització DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,L'identificador únic per al seguiment de totes les factures recurrents. Es genera a enviar. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Desenvolupador de Programari DocType: Item,Minimum Order Qty,Quantitat de comanda mínima @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Publicar en el Hub DocType: Student Admission,Student Admission,Admissió d'Estudiants ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,L'article {0} està cancel·lat -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Sol·licitud de materials +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Sol·licitud de materials DocType: Bank Reconciliation,Update Clearance Date,Actualització Data Liquidació DocType: Item,Purchase Details,Informació de compra apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Article {0} no es troba en 'matèries primeres subministrades' taula en l'Ordre de Compra {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Fila # {0}: {1} no pot ser negatiu per a l'element {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Contrasenya Incorrecta DocType: Item,Variant Of,Variant de -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Completat Quantitat no pot ser major que 'Cant de Fabricació' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Completat Quantitat no pot ser major que 'Cant de Fabricació' DocType: Period Closing Voucher,Closing Account Head,Tancant el Compte principal DocType: Employee,External Work History,Historial de treball extern apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Referència Circular Error @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Distància des la vora es apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unitats de [{1}] (# Formulari / article / {1}) que es troba en [{2}] (# Formulari / Magatzem / {2}) DocType: Lead,Industry,Indústria DocType: Employee,Job Profile,Perfil Laboral +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Això es basa en operacions contra aquesta empresa. Vegeu la línia de temps a continuació per obtenir detalls DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificació per correu electrònic a la creació de la Sol·licitud de materials automàtica DocType: Journal Entry,Multi Currency,Multi moneda DocType: Payment Reconciliation Invoice,Invoice Type,Tipus de Factura -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Nota de lliurament +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Nota de lliurament apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configuració d'Impostos apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Cost d'actiu venut apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Entrada de pagament ha estat modificat després es va tirar d'ell. Si us plau, tiri d'ella de nou." @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Si us plau, introdueixi 'Repetiu el Dia del Mes' valor del camp" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Canvi al qual la divisa del client es converteix la moneda base del client DocType: Course Scheduling Tool,Course Scheduling Tool,Eina de Programació de golf -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: Factura de compra no es pot fer front a un actiu existent {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: Factura de compra no es pot fer front a un actiu existent {1} DocType: Item Tax,Tax Rate,Tax Rate apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ja assignat a empleat {1} per al període {2} a {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Seleccioneu Producte +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Seleccioneu Producte apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,La Factura de compra {0} ja està Presentada apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Fila # {0}: Lot No ha de ser igual a {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convertir la no-Group @@ -444,7 +443,7 @@ DocType: Employee,Widowed,Vidu DocType: Request for Quotation,Request for Quotation,Sol · licitud de pressupost DocType: Salary Slip Timesheet,Working Hours,Hores de Treball 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. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Crear un nou client +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Crear un nou client apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si hi ha diverses regles de preus vàlides, es demanarà als usuaris que estableixin la prioritat manualment per resoldre el conflicte." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Crear ordres de compra ,Purchase Register,Compra de Registre @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Nom de l'examinador DocType: Purchase Invoice Item,Quantity and Rate,Quantitat i taxa DocType: Delivery Note,% Installed,% Instal·lat -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aules / laboratoris, etc., on les conferències es poden programar." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aules / laboratoris, etc., on les conferències es poden programar." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Si us plau introdueix el nom de l'empresa primer DocType: Purchase Invoice,Supplier Name,Nom del proveïdor apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Llegiu el Manual ERPNext @@ -486,7 +485,7 @@ DocType: Lead,Channel Partner,Partner de Canal DocType: Account,Old Parent,Antic Pare apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Camp obligatori - Any Acadèmic DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personalitza el text d'introducció que va com una part d'aquest correu electrònic. Cada transacció té un text introductori independent. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Configureu compte per pagar per defecte per a l'empresa {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Configureu compte per pagar per defecte per a l'empresa {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,La configuració global per a tots els processos de fabricació. DocType: Accounts Settings,Accounts Frozen Upto,Comptes bloquejats fins a DocType: SMS Log,Sent On,Enviar on @@ -525,14 +524,14 @@ DocType: Journal Entry,Accounts Payable,Comptes Per Pagar apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Les llistes de materials seleccionats no són per al mateix article DocType: Pricing Rule,Valid Upto,Vàlid Fins DocType: Training Event,Workshop,Taller -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Enumerar alguns dels seus clients. Podrien ser les organitzacions o individus. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Enumerar alguns dels seus clients. Podrien ser les organitzacions o individus. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Peces suficient per construir apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Ingrés Directe apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","No es pot filtrar en funció del compte, si agrupats per Compte" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Oficial Administratiu apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Seleccioneu de golf DocType: Timesheet Detail,Hrs,hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Seleccioneu de l'empresa +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Seleccioneu de l'empresa DocType: Stock Entry Detail,Difference Account,Compte de diferències DocType: Purchase Invoice,Supplier GSTIN,GSTIN proveïdor apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,No es pot tancar tasca com no tanca la seva tasca depèn {0}. @@ -548,7 +547,7 @@ DocType: Sales Invoice,Offline POS Name,Desconnectat Nom POS apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,"Si us plau, defineixi el grau de Llindar 0%" DocType: Sales Order,To Deliver,Per Lliurar DocType: Purchase Invoice Item,Item,Article -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Nº de sèrie article no pot ser una fracció +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Nº de sèrie article no pot ser una fracció DocType: Journal Entry,Difference (Dr - Cr),Diferència (Dr - Cr) DocType: Account,Profit and Loss,Pèrdues i Guanys apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Subcontractació Gestió @@ -574,7 +573,7 @@ DocType: Serial No,Warranty Period (Days),Període de garantia (Dies) DocType: Installation Note Item,Installation Note Item,Nota d'instal·lació de l'article DocType: Production Plan Item,Pending Qty,Pendent Quantitat DocType: Budget,Ignore,Ignorar -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} no està actiu +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} no està actiu apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS enviat als telèfons: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,dimensions de verificació de configuració per a la impressió DocType: Salary Slip,Salary Slip Timesheet,Part d'hores de salari de lliscament @@ -678,8 +677,8 @@ DocType: Installation Note,IN-,IN- DocType: Production Order Operation,In minutes,En qüestió de minuts DocType: Issue,Resolution Date,Resolució Data DocType: Student Batch Name,Batch Name,Nom del lot -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Part d'hores de creació: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},"Si us plau, estableix pagament en efectiu o Compte bancari predeterminat a la Forma de pagament {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Part d'hores de creació: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},"Si us plau, estableix pagament en efectiu o Compte bancari predeterminat a la Forma de pagament {0}" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,inscriure DocType: GST Settings,GST Settings,ajustaments GST DocType: Selling Settings,Customer Naming By,Customer Naming By @@ -699,7 +698,7 @@ DocType: Activity Cost,Projects User,Usuari de Projectes apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Consumit apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} no es troba a Detalls de la factura taula DocType: Company,Round Off Cost Center,Completen centres de cost -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Manteniment Visita {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Manteniment Visita {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes DocType: Item,Material Transfer,Transferència de material apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Obertura (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Data i hora d'enviament ha de ser posterior a {0} @@ -708,7 +707,7 @@ DocType: Employee Loan,Total Interest Payable,L'interès total a pagar DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impostos i Càrrecs Landed Cost DocType: Production Order Operation,Actual Start Time,Temps real d'inici DocType: BOM Operation,Operation Time,Temps de funcionament -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,acabat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,acabat apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,base DocType: Timesheet,Total Billed Hours,Total d'hores facturades DocType: Journal Entry,Write Off Amount,Anota la quantitat @@ -733,7 +732,7 @@ DocType: Vehicle,Odometer Value (Last),Valor del comptaquilòmetres (última) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Màrqueting apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Ja està creat Entrada Pagament DocType: Purchase Receipt Item Supplied,Current Stock,Estoc actual -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Fila # {0}: {1} Actius no vinculat a l'element {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Fila # {0}: {1} Actius no vinculat a l'element {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Salari vista prèvia de lliscament apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Compte {0} s'ha introduït diverses vegades DocType: Account,Expenses Included In Valuation,Despeses incloses en la valoració @@ -757,7 +756,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aeroespaci DocType: Journal Entry,Credit Card Entry,Introducció d'una targeta de crèdit apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Empresa i Comptabilitat apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Productes rebuts de proveïdors. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,en Valor +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,en Valor DocType: Lead,Campaign Name,Nom de la campanya DocType: Selling Settings,Close Opportunity After Days,Tancar Oportunitat Després Dies ,Reserved,Reservat @@ -782,17 +781,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energia DocType: Opportunity,Opportunity From,Oportunitat De apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Nòmina mensual. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Fila {0}: {1} Nombres de sèrie obligatoris per a l'element {2}. Heu proporcionat {3}. DocType: BOM,Website Specifications,Especificacions del lloc web apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Des {0} de tipus {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Fila {0}: el factor de conversió és obligatori DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Regles Preu múltiples existeix amb el mateix criteri, si us plau, resoldre els conflictes mitjançant l'assignació de prioritat. Regles de preus: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,No es pot desactivar o cancel·lar BOM ja que està vinculat amb altres llistes de materials +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,No es pot desactivar o cancel·lar BOM ja que està vinculat amb altres llistes de materials DocType: Opportunity,Maintenance,Manteniment DocType: Item Attribute Value,Item Attribute Value,Element Atribut Valor apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanyes de venda. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,fer part d'hores +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,fer part d'hores DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -845,7 +845,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configuració de comptes de correu electrònic apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Si us plau entra primer l'article DocType: Account,Liability,Responsabilitat -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Import sancionat no pot ser major que la reclamació Quantitat a la fila {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Import sancionat no pot ser major que la reclamació Quantitat a la fila {0}. DocType: Company,Default Cost of Goods Sold Account,Cost per defecte del compte mercaderies venudes apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Llista de preus no seleccionat DocType: Employee,Family Background,Antecedents de família @@ -856,10 +856,10 @@ DocType: Company,Default Bank Account,Compte bancari per defecte apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Per filtrar la base de la festa, seleccioneu Partit Escrigui primer" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Actualització d'Estoc""no es pot comprovar perquè els articles no es lliuren a través de {0}" DocType: Vehicle,Acquisition Date,Data d'adquisició -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Ens +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Ens DocType: Item,Items with higher weightage will be shown higher,Els productes amb major coeficient de ponderació se li apareixen més alta DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detall Conciliació Bancària -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Fila # {0}: {1} d'actius ha de ser presentat +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Fila # {0}: {1} d'actius ha de ser presentat apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,No s'ha trobat cap empeat DocType: Supplier Quotation,Stopped,Detingut DocType: Item,If subcontracted to a vendor,Si subcontractat a un proveïdor @@ -875,7 +875,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Volum mínim Factura apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Centre de cost {2} no pertany a l'empresa {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Compte {2} no pot ser un grup apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Element Fila {} idx: {} {DOCTYPE docname} no existeix en l'anterior '{} tipus de document' taula -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Part d'hores {0} ja s'hagi completat o cancel·lat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Part d'hores {0} ja s'hagi completat o cancel·lat apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No hi ha tasques DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","El dia del mes en què es generarà factura acte per exemple 05, 28, etc." DocType: Asset,Opening Accumulated Depreciation,L'obertura de la depreciació acumulada @@ -934,7 +934,7 @@ DocType: SMS Log,Requested Numbers,Números sol·licitats DocType: Production Planning Tool,Only Obtain Raw Materials,Només obtenció de matèries primeres apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,L'avaluació de l'acompliment. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Habilitació d ' «ús de Compres', com cistella de la compra és activat i ha d'haver almenys una regla fiscal per Compres" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entrada de pagament {0} està enllaçat amb l'Ordre {1}, comprovar si s'ha de llençar com avanç en aquesta factura." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entrada de pagament {0} està enllaçat amb l'Ordre {1}, comprovar si s'ha de llençar com avanç en aquesta factura." DocType: Sales Invoice Item,Stock Details,Estoc detalls apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valor de Projecte apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punt de venda @@ -957,15 +957,15 @@ DocType: Naming Series,Update Series,Actualitza Sèries DocType: Supplier Quotation,Is Subcontracted,Es subcontracta DocType: Item Attribute,Item Attribute Values,Element Valors d'atributs DocType: Examination Result,Examination Result,examen Resultat -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Albarà de compra +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Albarà de compra ,Received Items To Be Billed,Articles rebuts per a facturar -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,nòmines presentades +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,nòmines presentades apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Tipus de canvi principal. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referència Doctype ha de ser un {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Incapaç de trobar la ranura de temps en els pròxims {0} dies per a l'operació {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Incapaç de trobar la ranura de temps en els pròxims {0} dies per a l'operació {1} DocType: Production Order,Plan material for sub-assemblies,Material de Pla de subconjunts apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Punts de venda i Territori -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} ha d'estar activa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} ha d'estar activa DocType: Journal Entry,Depreciation Entry,Entrada depreciació apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Si us plau. Primer seleccioneu el tipus de document apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancel·la Visites Materials {0} abans de cancel·lar aquesta visita de manteniment @@ -975,7 +975,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Quantitat total apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publicant a Internet DocType: Production Planning Tool,Production Orders,Ordres de Producció -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Valor Saldo +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Valor Saldo apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Llista de preus de venda apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publicar sincronitzar articles DocType: Bank Reconciliation,Account Currency,Compte moneda @@ -1000,12 +1000,12 @@ DocType: Employee,Exit Interview Details,Detalls de l'entrevista final DocType: Item,Is Purchase Item,És Compra d'articles DocType: Asset,Purchase Invoice,Factura de Compra DocType: Stock Ledger Entry,Voucher Detail No,Número de detall del comprovant -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nova factura de venda +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nova factura de venda DocType: Stock Entry,Total Outgoing Value,Valor Total sortint apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Data i Data de Tancament d'obertura ha de ser dins el mateix any fiscal DocType: Lead,Request for Information,Sol·licitud d'Informació ,LeaderBoard,Leaderboard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Les factures sincronització sense connexió +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Les factures sincronització sense connexió DocType: Payment Request,Paid,Pagat DocType: Program Fee,Program Fee,tarifa del programa DocType: Salary Slip,Total in words,Total en paraules @@ -1013,7 +1013,7 @@ DocType: Material Request Item,Lead Time Date,Termini d'execució Data DocType: Guardian,Guardian Name,nom tutor DocType: Cheque Print Template,Has Print Format,Format d'impressió té DocType: Employee Loan,Sanctioned,sancionada -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,és obligatori. Potser no es crea registre de canvi de divisa per +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,és obligatori. Potser no es crea registre de canvi de divisa per apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Fila #{0}: Si us plau especifica el número de sèrie per l'article {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pels articles 'Producte Bundle', Magatzem, Serial No i lots No serà considerat en el quadre 'Packing List'. Si Warehouse i lots No són les mateixes per a tots els elements d'embalatge per a qualsevol element 'Producte Bundle', aquests valors es poden introduir a la taula principal de l'article, els valors es copiaran a la taula "Packing List '." DocType: Job Opening,Publish on website,Publicar al lloc web @@ -1026,7 +1026,7 @@ DocType: Cheque Print Template,Date Settings,Configuració de la data apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Desacord ,Company Name,Nom de l'Empresa DocType: SMS Center,Total Message(s),Total Missatge(s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Seleccionar element de Transferència +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Seleccionar element de Transferència DocType: Purchase Invoice,Additional Discount Percentage,Percentatge de descompte addicional apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Veure una llista de tots els vídeos d'ajuda DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Seleccioneu cap compte del banc on xec va ser dipositat. @@ -1040,7 +1040,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Prima Cost de Materials (Companyia de divises) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Tots els articles ja han estat transferits per aquesta ordre de producció. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Fila # {0}: taxa no pot ser més gran que la taxa utilitzada en {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Metre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Metre DocType: Workstation,Electricity Cost,Cost d'electricitat DocType: HR Settings,Don't send Employee Birthday Reminders,No envieu Empleat recordatoris d'aniversari DocType: Item,Inspection Criteria,Criteris d'Inspecció @@ -1054,7 +1054,7 @@ DocType: SMS Center,All Lead (Open),Tots els clients potencials (Obert) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Quantitat no està disponible per {4} al magatzem {1} a publicar moment de l'entrada ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Obtenir bestretes pagades DocType: Item,Automatically Create New Batch,Crear nou lot de forma automàtica -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Fer +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Fer DocType: Student Admission,Admission Start Date,L'entrada Data d'Inici DocType: Journal Entry,Total Amount in Words,Suma total en Paraules apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"S'ha produït un error. Una raó probable podria ser que no ha guardat el formulari. Si us plau, poseu-vos en contacte amb support@erpnext.com si el problema persisteix." @@ -1062,7 +1062,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Carro de la compra apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tipus d'ordre ha de ser un de {0} DocType: Lead,Next Contact Date,Data del següent contacte apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Quantitat d'obertura -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Si us plau, introdueixi el compte per al Canvi Monto" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Si us plau, introdueixi el compte per al Canvi Monto" DocType: Student Batch Name,Student Batch Name,Lot Nom de l'estudiant DocType: Holiday List,Holiday List Name,Nom de la Llista de vacances DocType: Repayment Schedule,Balance Loan Amount,Saldo del Préstec Monto @@ -1070,7 +1070,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opcions sobre accions DocType: Journal Entry Account,Expense Claim,Compte de despeses apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,De veres voleu restaurar aquest actiu rebutjat? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Quantitat de {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Quantitat de {0} DocType: Leave Application,Leave Application,Deixar Aplicació apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Deixa Eina d'Assignació DocType: Leave Block List,Leave Block List Dates,Deixa llista de blocs dates @@ -1120,7 +1120,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Contra DocType: Item,Default Selling Cost Center,Per defecte Centre de Cost de Venda DocType: Sales Partner,Implementation Partner,Soci d'Aplicació -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Codi ZIP +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Codi ZIP apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Vendes Sol·licitar {0} és {1} DocType: Opportunity,Contact Info,Informació de Contacte apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Fer comentaris Imatges @@ -1138,13 +1138,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Per apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Edat mitjana DocType: School Settings,Attendance Freeze Date,L'assistència Freeze Data DocType: Opportunity,Your sales person who will contact the customer in future,La seva persona de vendes que es comunicarà amb el client en el futur -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Enumera alguns de les teves proveïdors. Poden ser les organitzacions o individuals. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Enumera alguns de les teves proveïdors. Poden ser les organitzacions o individuals. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Veure tots els Productes apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),El plom sobre l'edat mínima (Dies) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,totes les llistes de materials +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,totes les llistes de materials DocType: Company,Default Currency,Moneda per defecte DocType: Expense Claim,From Employee,D'Empleat -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertència: El sistema no comprovarà sobrefacturació si la quantitat de l'article {0} a {1} és zero +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertència: El sistema no comprovarà sobrefacturació si la quantitat de l'article {0} a {1} és zero DocType: Journal Entry,Make Difference Entry,Feu Entrada Diferència DocType: Upload Attendance,Attendance From Date,Assistència des de data DocType: Appraisal Template Goal,Key Performance Area,Àrea Clau d'Acompliment @@ -1161,7 +1161,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Els números de registre de l'empresa per la seva referència. Nombres d'impostos, etc." DocType: Sales Partner,Distributor,Distribuïdor DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regles d'enviament de la cistella de lacompra -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Ordre de Producció {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Ordre de Producció {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',"Si us plau, estableix "Aplicar descompte addicional en '" ,Ordered Items To Be Billed,Els articles comandes a facturar apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,De Gamma ha de ser menor que en la nostra gamma @@ -1170,10 +1170,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Deduccions DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Any d'inici -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},2 primers dígits de GSTIN ha de coincidir amb el nombre d'Estat {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},2 primers dígits de GSTIN ha de coincidir amb el nombre d'Estat {0} DocType: Purchase Invoice,Start date of current invoice's period,Data inicial del període de facturació actual DocType: Salary Slip,Leave Without Pay,Absències sense sou -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Planificació de la capacitat d'error +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Planificació de la capacitat d'error ,Trial Balance for Party,Balanç de comprovació per a la festa DocType: Lead,Consultant,Consultor DocType: Salary Slip,Earnings,Guanys @@ -1189,7 +1189,7 @@ DocType: Cheque Print Template,Payer Settings,Configuració del pagador DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Això s'afegeix al Codi de l'article de la variant. Per exemple, si la seva abreviatura és ""SM"", i el codi de l'article és ""samarreta"", el codi de l'article de la variant serà ""SAMARRETA-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,El sou net (en paraules) serà visible un cop que es guardi la nòmina. DocType: Purchase Invoice,Is Return,És la tornada -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Retorn / dèbit Nota +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Retorn / dèbit Nota DocType: Price List Country,Price List Country,Preu de llista País DocType: Item,UOMs,UOMS apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} amb números de sèrie vàlids per Punt {1} @@ -1202,7 +1202,7 @@ DocType: Employee Loan,Partially Disbursed,parcialment Desemborsament apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Base de dades de proveïdors. DocType: Account,Balance Sheet,Balanç apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Centre de cost per l'article amb Codi d'article ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode de pagament no està configurat. Si us plau, comproveu, si el compte s'ha establert en la manera de pagament o en punts de venda perfil." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode de pagament no està configurat. Si us plau, comproveu, si el compte s'ha establert en la manera de pagament o en punts de venda perfil." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,La seva persona de vendes es posarà un avís en aquesta data per posar-se en contacte amb el client apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,El mateix article no es pot introduir diverses vegades. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Altres comptes es poden fer en grups, però les entrades es poden fer contra els no Grups" @@ -1230,7 +1230,7 @@ DocType: Employee Loan Application,Repayment Info,Informació de la devolució apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Entrades' no pot estar buit apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplicar fila {0} amb el mateix {1} ,Trial Balance,Balanç provisional -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Any fiscal {0} no trobat +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Any fiscal {0} no trobat apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Configuració d'Empleats DocType: Sales Order,SO-,TAN- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Seleccioneu el prefix primer @@ -1245,11 +1245,11 @@ DocType: Grading Scale,Intervals,intervals apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Earliest apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Hi ha un grup d'articles amb el mateix nom, si us plau, canvieu el nom de l'article o del grup d'articles" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Nº d'Estudiants mòbil -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resta del món +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Resta del món apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'article {0} no pot tenir per lots ,Budget Variance Report,Pressupost Variància Reportar DocType: Salary Slip,Gross Pay,Sou brut -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Fila {0}: Tipus d'activitat és obligatòria. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Fila {0}: Tipus d'activitat és obligatòria. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividends pagats apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Comptabilitat principal DocType: Stock Reconciliation,Difference Amount,Diferència Monto @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Balanç d'absències d'empleat apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Balanç per compte {0} ha de ser sempre {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Valoració dels tipus requerits per l'article a la fila {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Exemple: Mestratge en Ciències de la Computació +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Exemple: Mestratge en Ciències de la Computació DocType: Purchase Invoice,Rejected Warehouse,Magatzem no conformitats DocType: GL Entry,Against Voucher,Contra justificant DocType: Item,Default Buying Cost Center,Centres de cost de compres predeterminat apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Per obtenir el millor de ERPNext, us recomanem que es prengui un temps i veure aquests vídeos d'ajuda." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,a +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,a DocType: Supplier Quotation Item,Lead Time in days,Termini d'execució en dies apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Comptes per Pagar Resum -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},El pagament del salari de {0} a {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},El pagament del salari de {0} a {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},No autoritzat per editar el compte bloquejat {0} DocType: Journal Entry,Get Outstanding Invoices,Rep les factures pendents -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Vendes Sol·licitar {0} no és vàlid +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Vendes Sol·licitar {0} no és vàlid apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Les ordres de compra li ajudarà a planificar i donar seguiment a les seves compres apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Ho sentim, les empreses no poden fusionar-" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Despeses Indirectes apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Fila {0}: Quantitat és obligatori apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Agricultura -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sincronització de dades mestres -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Els Productes o Serveis de la teva companyia +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sincronització de dades mestres +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Els Productes o Serveis de la teva companyia DocType: Mode of Payment,Mode of Payment,Forma de pagament apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Lloc web imatge ha de ser un arxiu públic o URL del lloc web DocType: Student Applicant,AP,AP @@ -1324,18 +1324,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Element Tipus impositiu DocType: Student Group Student,Group Roll Number,Nombre Rotllo Grup apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Per {0}, només els comptes de crèdit es poden vincular amb un altre seient de dèbit" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total de tots els pesos de tasques ha de ser 1. Si us plau ajusta els pesos de totes les tasques del projecte en conseqüència -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,La Nota de lliurament {0} no està presentada +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,La Nota de lliurament {0} no està presentada apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Article {0} ha de ser un subcontractada article apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capital Equipments apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regla preus es selecciona per primera basada en 'Aplicar On' camp, que pot ser d'article, grup d'articles o Marca." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Configureu primer el codi de l'element +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Configureu primer el codi de l'element DocType: Hub Settings,Seller Website,Venedor Lloc Web DocType: Item,ITEM-,ARTICLE- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,El Percentatge del total assignat per a l'equip de vendes ha de ser de 100 DocType: Appraisal Goal,Goal,Meta DocType: Sales Invoice Item,Edit Description,Descripció ,Team Updates,actualitzacions equip -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Per Proveïdor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Per Proveïdor DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Configurar el Tipus de compte ajuda en la selecció d'aquest compte en les transaccions. DocType: Purchase Invoice,Grand Total (Company Currency),Total (En la moneda de la companyia) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Crear Format d'impressió @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,Grups d'article del Web DocType: Purchase Invoice,Total (Company Currency),Total (Companyia moneda) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Nombre de sèrie {0} va entrar més d'una vegada DocType: Depreciation Schedule,Journal Entry,Entrada de diari -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} articles en procés +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} articles en procés DocType: Workstation,Workstation Name,Nom de l'Estació de treball DocType: Grading Scale Interval,Grade Code,codi grau DocType: POS Item Group,POS Item Group,POS Grup d'articles apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Enviar Resum: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} no pertany a Punt {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} no pertany a Punt {1} DocType: Sales Partner,Target Distribution,Target Distribution 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 @@ -1411,7 +1411,7 @@ DocType: Quotation,Shopping Cart,Carro De La Compra apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Mitjana diària sortint DocType: POS Profile,Campaign,Campanya DocType: Supplier,Name and Type,Nom i Tipus -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Estat d'aprovació ha de ser ""Aprovat"" o ""Rebutjat""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Estat d'aprovació ha de ser ""Aprovat"" o ""Rebutjat""" DocType: Purchase Invoice,Contact Person,Persona De Contacte apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',La 'Data Prevista d'Inici' no pot ser major que la 'Data de Finalització Prevista' DocType: Course Scheduling Tool,Course End Date,Curs Data de finalització @@ -1423,8 +1423,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,preferit per correu electrònic apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Canvi net en actius fixos DocType: Leave Control Panel,Leave blank if considered for all designations,Deixar en blanc si es considera per a totes les designacions -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Càrrec del tipus 'real' a la fila {0} no pot ser inclòs en la partida Rate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Càrrec del tipus 'real' a la fila {0} no pot ser inclòs en la partida Rate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,A partir de data i hora DocType: Email Digest,For Company,Per a l'empresa apps/erpnext/erpnext/config/support.py +17,Communication log.,Registre de Comunicació. @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Perfil del llo DocType: Journal Entry Account,Account Balance,Saldo del compte apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regla fiscal per a les transaccions. DocType: Rename Tool,Type of document to rename.,Tipus de document per canviar el nom. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Comprem aquest article +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Comprem aquest article apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Es requereix al client contra el compte per cobrar {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total Impostos i càrrecs (En la moneda de la Companyia) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Mostra P & L saldos sense tancar l'exercici fiscal @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,Lectures DocType: Stock Entry,Total Additional Costs,Total de despeses addicionals DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),El cost del rebuig de materials (Companyia de divises) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub Assemblies DocType: Asset,Asset Name,Nom d'actius DocType: Project,Task Weight,Pes de tasques DocType: Shipping Rule Condition,To Value,Per Valor @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variants de l'articl DocType: Company,Services,Serveis DocType: HR Settings,Email Salary Slip to Employee,Enviar correu electrònic am salari a l'empleat DocType: Cost Center,Parent Cost Center,Centre de Cost de Pares -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Seleccionar Possible Proveïdor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Seleccionar Possible Proveïdor DocType: Sales Invoice,Source,Font apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostra tancada DocType: Leave Type,Is Leave Without Pay,Es llicencia sense sou @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,aplicar descompte DocType: GST HSN Code,GST HSN Code,Codi HSN GST DocType: Employee External Work History,Total Experience,Experiència total apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,projectes oberts -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Fulla(s) d'embalatge cancel·lat +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Fulla(s) d'embalatge cancel·lat apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Flux d'efectiu d'inversió DocType: Program Course,Program Course,curs programa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Freight and Forwarding Charges @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Les inscripcions del programa DocType: Sales Invoice Item,Brand Name,Marca DocType: Purchase Receipt,Transporter Details,Detalls Transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Es requereix dipòsit per omissió per a l'element seleccionat -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Caixa -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,possible Proveïdor +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Es requereix dipòsit per omissió per a l'element seleccionat +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Caixa +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,possible Proveïdor DocType: Budget,Monthly Distribution,Distribució Mensual apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"La llista de receptors és buida. Si us plau, crea la Llista de receptors" DocType: Production Plan Sales Order,Production Plan Sales Order,Pla de Producció d'ordres de venda @@ -1593,7 +1593,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Les reclamaci apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Els estudiants estan en el cor del sistema, se sumen tots els seus estudiants" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Fila # {0}: data de liquidació {1} no pot ser anterior Xec Data {2} DocType: Company,Default Holiday List,Per defecte Llista de vacances -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Liabilities DocType: Purchase Invoice,Supplier Warehouse,Magatzem Proveïdor DocType: Opportunity,Contact Mobile No,Contacte Mòbil No @@ -1609,18 +1609,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Una absència del tipus {0} no pot ser de més de {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Intenta operacions per a la planificació de X dies d'antelació. DocType: HR Settings,Stop Birthday Reminders,Aturar recordatoris d'aniversari -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Si us plau, estableix nòmina compte per pagar per defecte en l'empresa {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},"Si us plau, estableix nòmina compte per pagar per defecte en l'empresa {0}" DocType: SMS Center,Receiver List,Llista de receptors -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,cerca article +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,cerca article apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Quantitat consumida apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Canvi Net en Efectiu DocType: Assessment Plan,Grading Scale,Escala de Qualificació apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,La unitat de mesura {0} s'ha introduït més d'una vegada a la taula de valors de conversió -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,ja acabat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,ja acabat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,A la mà de la apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Sol·licitud de pagament ja existeix {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Cost d'articles Emeses -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},La quantitat no ha de ser més de {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},La quantitat no ha de ser més de {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Exercici anterior no està tancada apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Edat (dies) DocType: Quotation Item,Quotation Item,Cita d'article @@ -1634,6 +1634,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Document de referència apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} està cancel·lat o parat DocType: Accounts Settings,Credit Controller,Credit Controller +DocType: Sales Order,Final Delivery Date,Data final de lliurament DocType: Delivery Note,Vehicle Dispatch Date,Vehicle Dispatch Date DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,El rebut de compra {0} no està presentat @@ -1722,9 +1723,9 @@ DocType: Employee,Date Of Retirement,Data de la jubilació DocType: Upload Attendance,Get Template,Aconsegueix Plantilla DocType: Material Request,Transferred,transferit DocType: Vehicle,Doors,portes -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Configuració ERPNext completa! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Configuració ERPNext completa! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,desintegració impostos +DocType: Purchase Invoice,Tax Breakup,desintegració impostos DocType: Packing Slip,PS-,PD- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: es requereix de centres de cost de 'pèrdues i guanys' compte {2}. Si us plau, establir un centre de cost per defecte per a la Companyia." apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Hi ha un grup de clients amb el mateix nom, si us plau canvia el nom del client o el nom del Grup de Clients" @@ -1737,14 +1738,14 @@ DocType: Announcement,Instructor,instructor DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si aquest article té variants, llavors no pot ser seleccionada en les comandes de venda, etc." DocType: Lead,Next Contact By,Següent Contactar Per -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Quantitat necessària per Punt {0} a la fila {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Quantitat necessària per Punt {0} a la fila {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magatzem {0} no es pot eliminar com existeix quantitat d'article {1} DocType: Quotation,Order Type,Tipus d'ordre DocType: Purchase Invoice,Notification Email Address,Dir Adreça de correu electrònic per notificacions ,Item-wise Sales Register,Tema-savi Vendes Registre DocType: Asset,Gross Purchase Amount,Compra import brut DocType: Asset,Depreciation Method,Mètode de depreciació -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,desconnectat +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,desconnectat DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Aqeust impost està inclòs a la tarifa bàsica? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Totals de l'objectiu DocType: Job Applicant,Applicant for a Job,Sol·licitant d'ocupació @@ -1765,7 +1766,7 @@ DocType: Employee,Leave Encashed?,Leave Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Oportunitat de camp és obligatori DocType: Email Digest,Annual Expenses,Les despeses anuals DocType: Item,Variants,Variants -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Feu l'Ordre de Compra +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Feu l'Ordre de Compra DocType: SMS Center,Send To,Enviar a apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},There is not enough leave balance for Leave Type {0} DocType: Payment Reconciliation Payment,Allocated amount,Monto assignat @@ -1773,7 +1774,7 @@ DocType: Sales Team,Contribution to Net Total,Contribució neta total DocType: Sales Invoice Item,Customer's Item Code,Del client Codi de l'article DocType: Stock Reconciliation,Stock Reconciliation,Reconciliació d'Estoc DocType: Territory,Territory Name,Nom del Territori -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Es requereix Magatzem de treballs en procés abans de Presentar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Es requereix Magatzem de treballs en procés abans de Presentar apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Sol·licitant d'ocupació. DocType: Purchase Order Item,Warehouse and Reference,Magatzem i Referència DocType: Supplier,Statutory info and other general information about your Supplier,Informació legal i altra informació general sobre el Proveïdor @@ -1784,16 +1785,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,taxacions apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Número de sèrie duplicat per l'article {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Una condició per a una regla d'enviament apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,"Si us plau, entra" -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","No es pot cobrar massa a Punt de {0} a la fila {1} més {2}. Per permetre que l'excés de facturació, si us plau, defineixi en la compra d'Ajustaments" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Si us plau, configurar el filtre basada en l'apartat o Magatzem" +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","No es pot cobrar massa a Punt de {0} a la fila {1} més {2}. Per permetre que l'excés de facturació, si us plau, defineixi en la compra d'Ajustaments" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,"Si us plau, configurar el filtre basada en l'apartat o Magatzem" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El pes net d'aquest paquet. (Calculats automàticament com la suma del pes net d'articles) DocType: Sales Order,To Deliver and Bill,Per Lliurar i Bill DocType: Student Group,Instructors,els instructors DocType: GL Entry,Credit Amount in Account Currency,Suma de crèdit en compte Moneda -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} ha de ser presentat +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} ha de ser presentat DocType: Authorization Control,Authorization Control,Control d'Autorització apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Magatzem Rebutjat és obligatori en la partida rebutjada {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Pagament +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Pagament apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Magatzem {0} no està vinculada a cap compte, si us plau esmentar el compte en el registre de magatzem o un conjunt predeterminat compte d'inventari en companyia {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gestionar les seves comandes DocType: Production Order Operation,Actual Time and Cost,Temps real i Cost @@ -1809,12 +1810,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Article DocType: Quotation Item,Actual Qty,Actual Quantitat DocType: Sales Invoice Item,References,Referències DocType: Quality Inspection Reading,Reading 10,Reading 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Publica els teus productes o serveis de compra o venda Assegura't de revisar el Grup d'articles, unitat de mesura i altres propietats quan comencis" +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Publica els teus productes o serveis de compra o venda Assegura't de revisar el Grup d'articles, unitat de mesura i altres propietats quan comencis" DocType: Hub Settings,Hub Node,Node Hub apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Has introduït articles duplicats. Si us plau, rectifica-ho i torna a intentar-ho." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associat +DocType: Company,Sales Target,Target de vendes DocType: Asset Movement,Asset Movement,moviment actiu -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,nou carro +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,nou carro apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Article {0} no és un article serialitzat DocType: SMS Center,Create Receiver List,Crear Llista de receptors DocType: Vehicle,Wheels,rodes @@ -1855,13 +1857,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Gestió de Projectes DocType: Supplier,Supplier of Goods or Services.,Proveïdor de productes o serveis. DocType: Budget,Fiscal Year,Any Fiscal DocType: Vehicle Log,Fuel Price,Preu del combustible +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Configureu la sèrie de numeració per Assistència mitjançant la configuració> Sèrie de numeració DocType: Budget,Budget,Pressupost apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Actius Fixos L'article ha de ser una posició no de magatzem. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Pressupost no es pot assignar en contra {0}, ja que no és un compte d'ingressos o despeses" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Aconseguit DocType: Student Admission,Application Form Route,Ruta Formulari de Sol·licitud apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Localitat / Client -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,per exemple 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,per exemple 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Deixa Tipus {0} no pot ser assignat ja que es deixa sense paga apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Fila {0}: quantitat assignada {1} ha de ser menor o igual a quantitat pendent de facturar {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En paraules seran visibles un cop que guardi la factura de venda. @@ -1870,11 +1873,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,L'Article {0} no està configurat per a números de sèrie. Comprova la configuració d'articles DocType: Maintenance Visit,Maintenance Time,Temps de manteniment ,Amount to Deliver,La quantitat a Deliver -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Un producte o servei +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Un producte o servei apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"El Termini Data d'inici no pot ser anterior a la data d'inici d'any de l'any acadèmic a què està vinculat el terme (any acadèmic {}). Si us plau, corregeixi les dates i torna a intentar-ho." DocType: Guardian,Guardian Interests,Interessos de la guarda DocType: Naming Series,Current Value,Valor actual -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Hi ha diversos exercicis per a la data {0}. Si us plau, estableix la companyia en l'exercici fiscal" +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Hi ha diversos exercicis per a la data {0}. Si us plau, estableix la companyia en l'exercici fiscal" apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} creat DocType: Delivery Note Item,Against Sales Order,Contra l'Ordre de Venda ,Serial No Status,Estat del número de sèrie @@ -1888,7 +1891,7 @@ DocType: Pricing Rule,Selling,Vendes apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Suma {0} {1} presenta disminuint {2} DocType: Employee,Salary Information,Informació sobre sous DocType: Sales Person,Name and Employee ID,Nom i ID d'empleat -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Data de venciment no pot ser anterior Data de comptabilització +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Data de venciment no pot ser anterior Data de comptabilització DocType: Website Item Group,Website Item Group,Lloc web Grup d'articles apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Taxes i impostos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Si us plau, introduïu la data de referència" @@ -1943,9 +1946,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Si us plau ajust la data d'incorporació dels empleats {0} DocType: Task,Total Billing Amount (via Time Sheet),Facturació quantitat total (a través de fulla d'hores) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repetiu els ingressos dels clients -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ha de tenir rol 'aprovador de despeses' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Parell -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Seleccioneu la llista de materials i d'Unitats de Producció +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ha de tenir rol 'aprovador de despeses' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Parell +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Seleccioneu la llista de materials i d'Unitats de Producció DocType: Asset,Depreciation Schedule,Programació de la depreciació apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Les adreces soci de vendes i contactes DocType: Bank Reconciliation Detail,Against Account,Contra Compte @@ -1955,7 +1958,7 @@ DocType: Item,Has Batch No,Té número de lot apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Facturació anual: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Béns i serveis (GST Índia) DocType: Delivery Note,Excise Page Number,Excise Page Number -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, des de la data i fins a la data és obligatòria" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Company, des de la data i fins a la data és obligatòria" DocType: Asset,Purchase Date,Data de compra DocType: Employee,Personal Details,Dades Personals apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ajust 'Centre de l'amortització del cost de l'actiu' a l'empresa {0} @@ -1964,9 +1967,9 @@ DocType: Task,Actual End Date (via Time Sheet),Data de finalització real (a tra apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Suma {0} {1} {2} contra {3} ,Quotation Trends,Quotation Trends apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Grup L'article no esmenta en mestre d'articles per a l'article {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Dèbit al compte ha de ser un compte per cobrar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Dèbit al compte ha de ser un compte per cobrar DocType: Shipping Rule Condition,Shipping Amount,Total de l'enviament -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Afegir Clients +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Afegir Clients apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,A l'espera de l'Import DocType: Purchase Invoice Item,Conversion Factor,Factor de conversió DocType: Purchase Order,Delivered,Alliberat @@ -1988,7 +1991,6 @@ DocType: Production Order,Use Multi-Level BOM,Utilitzeu Multi-Nivell BOM DocType: Bank Reconciliation,Include Reconciled Entries,Inclogui els comentaris conciliades DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Curs per a Pares (Deixar en blanc, si això no és part del Curs per a Pares)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Deixar en blanc si es considera per a tot tipus d'empleats -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de clients> Territori DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir els càrrecs en base a apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,taula de temps DocType: HR Settings,HR Settings,Configuració de recursos humans @@ -1996,7 +1998,7 @@ DocType: Salary Slip,net pay info,Dades de la xarxa de pagament apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,El compte de despeses està pendent d'aprovació. Només l'aprovador de despeses pot actualitzar l'estat. DocType: Email Digest,New Expenses,Les noves despeses DocType: Purchase Invoice,Additional Discount Amount,Import addicional de descompte -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: Quantitat ha de ser 1, com a element és un actiu fix. Si us plau, utilitzeu fila separada per al qty múltiple." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: Quantitat ha de ser 1, com a element és un actiu fix. Si us plau, utilitzeu fila separada per al qty múltiple." DocType: Leave Block List Allow,Leave Block List Allow,Leave Block List Allow apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr no pot estar en blanc o l'espai apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grup de No-Grup @@ -2004,7 +2006,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Esports DocType: Loan Type,Loan Name,Nom del préstec apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Actual total DocType: Student Siblings,Student Siblings,Els germans dels estudiants -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Unitat +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Unitat apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Si us plau, especifiqui l'empresa" ,Customer Acquisition and Loyalty,Captació i Fidelització DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magatzem en què es desen les existències dels articles rebutjats @@ -2022,12 +2024,12 @@ DocType: Workstation,Wages per hour,Els salaris per hora apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Estoc equilibri en Lot {0} es convertirà en negativa {1} per a la partida {2} a Magatzem {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Després de sol·licituds de materials s'han plantejat de forma automàtica segons el nivell de re-ordre de l'article DocType: Email Digest,Pending Sales Orders,A l'espera d'ordres de venda -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Compte {0} no és vàlid. Compte moneda ha de ser {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Compte {0} no és vàlid. Compte moneda ha de ser {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Es requereix el factor de conversió de la UOM a la fila {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser una d'ordres de venda, factura de venda o entrada de diari" DocType: Salary Component,Deduction,Deducció -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Fila {0}: Del temps i el temps és obligatori. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Fila {0}: Del temps i el temps és obligatori. DocType: Stock Reconciliation Item,Amount Difference,diferència suma apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Article Preu afegit per {0} en Preu de llista {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Introdueixi Empleat Id d'aquest venedor @@ -2037,11 +2039,11 @@ DocType: Project,Gross Margin,Marge Brut apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Si us plau indica primer l'Article a Producció apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Calculat equilibri extracte bancari apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,desactivat usuari -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Oferta +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Oferta DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Deducció total ,Production Analytics,Anàlisi de producció -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Cost Actualitzat +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Cost Actualitzat DocType: Employee,Date of Birth,Data de naixement apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Article {0} ja s'ha tornat DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Any Fiscal ** representa un exercici financer. Els assentaments comptables i altres transaccions importants es segueixen contra ** Any Fiscal **. @@ -2086,18 +2088,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Seleccioneu l'empresa ... DocType: Leave Control Panel,Leave blank if considered for all departments,Deixar en blanc si es considera per a tots els departaments apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipus d'ocupació (permanent, contractats, intern etc.)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} és obligatori per l'article {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} és obligatori per l'article {1} DocType: Process Payroll,Fortnightly,quinzenal DocType: Currency Exchange,From Currency,De la divisa apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Cost de Compra de Nova -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Ordres de venda requerides per l'article {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Ordres de venda requerides per l'article {0} DocType: Purchase Invoice Item,Rate (Company Currency),Rate (Companyia moneda) DocType: Student Guardian,Others,Altres DocType: Payment Entry,Unallocated Amount,Suma sense assignar apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Si no troba un article a joc. Si us plau seleccioni un altre valor per {0}. DocType: POS Profile,Taxes and Charges,Impostos i càrrecs DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un producte o un servei que es compra, es ven o es manté en estoc." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codi d'article> Grup d'elements> Marca apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,No hi ha més actualitzacions apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,No es pot seleccionar el tipus de càrrega com 'Suma de la fila anterior' o 'Total de la fila anterior' per la primera fila apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Nen Article no ha de ser un paquet de productes. Si us plau remoure l'article `` {0} i guardar @@ -2123,7 +2126,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Suma total de facturació apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Hi ha d'haver un defecte d'entrada compte de correu electrònic habilitat perquè això funcioni. Si us plau, configurar un compte de correu electrònic entrant per defecte (POP / IMAP) i torna a intentar-ho." apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Compte per Cobrar -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Fila # {0}: {1} d'actius ja és {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Fila # {0}: {1} d'actius ja és {2} DocType: Quotation Item,Stock Balance,Saldos d'estoc apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Ordres de venda al Pagament apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2148,10 +2151,11 @@ DocType: C-Form,Received Date,Data de recepció DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Si ha creat una plantilla estàndard de les taxes i càrrecs de venda de plantilla, escollir un i feu clic al botó de sota." DocType: BOM Scrap Item,Basic Amount (Company Currency),Import de base (Companyia de divises) DocType: Student,Guardians,guardians +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Els preus no es mostren si la llista de preus no s'ha establert apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Si us plau, especifiqui un país d'aquesta Regla de la tramesa o del check Enviament mundial" DocType: Stock Entry,Total Incoming Value,Valor Total entrant -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Es requereix dèbit per +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Es requereix dèbit per apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Taula de temps ajuden a mantenir la noció del temps, el cost i la facturació d'activitats realitzades pel seu equip" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Llista de preus de Compra DocType: Offer Letter Term,Offer Term,Oferta Termini @@ -2170,11 +2174,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cerca DocType: Timesheet Detail,To Time,Per Temps DocType: Authorization Rule,Approving Role (above authorized value),Aprovar Rol (per sobre del valor autoritzat) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Crèdit al compte ha de ser un compte per pagar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursiu: {0} no pot ser pare o fill de {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM recursiu: {0} no pot ser pare o fill de {2} DocType: Production Order Operation,Completed Qty,Quantitat completada apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Per {0}, només els comptes de dèbit poden ser enllaçats amb una altra entrada de crèdit" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,La llista de preus {0} està deshabilitada -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Fila {0}: Complet Quantitat no pot contenir més de {1} per a l'operació {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Fila {0}: Complet Quantitat no pot contenir més de {1} per a l'operació {2} DocType: Manufacturing Settings,Allow Overtime,Permetre Overtime apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Article serialitzat {0} no es pot actualitzar mitjançant la Reconciliació, utilitzi l'entrada" DocType: Training Event Employee,Training Event Employee,Formació dels treballadors Esdeveniment @@ -2192,10 +2196,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Extern apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Usuaris i permisos DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Ordres de fabricació creades: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Ordres de fabricació creades: {0} DocType: Branch,Branch,Branca DocType: Guardian,Mobile Number,Número de mòbil apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Printing and Branding +DocType: Company,Total Monthly Sales,Vendes mensuals totals DocType: Bin,Actual Quantity,Quantitat real DocType: Shipping Rule,example: Next Day Shipping,exemple: Enviament Dia següent apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} no trobat @@ -2225,7 +2230,7 @@ DocType: Payment Request,Make Sales Invoice,Fer Factura Vendes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,programaris apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Següent Contacte La data no pot ser en el passat DocType: Company,For Reference Only.,Només de referència. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Seleccioneu Lot n +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Seleccioneu Lot n apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},No vàlida {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Quantitat Anticipada @@ -2238,7 +2243,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Número d'article amb Codi de barres {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Cas No. No pot ser 0 DocType: Item,Show a slideshow at the top of the page,Mostra una presentació de diapositives a la part superior de la pàgina -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Botigues DocType: Serial No,Delivery Time,Temps de Lliurament apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Envelliment basat en @@ -2252,16 +2257,16 @@ DocType: Rename Tool,Rename Tool,Eina de canvi de nom apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Actualització de Costos DocType: Item Reorder,Item Reorder,Punt de reorden apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Slip Mostra Salari -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transferir material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transferir material DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especifiqueu les operacions, el cost d'operació i dona una número d'operació únic a les operacions." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Aquest document està per sobre del límit de {0} {1} per a l'element {4}. Estàs fent una altra {3} contra el mateix {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Si us plau conjunt recurrent després de guardar -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Seleccioneu el canvi import del compte +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Si us plau conjunt recurrent després de guardar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Seleccioneu el canvi import del compte DocType: Purchase Invoice,Price List Currency,Price List Currency DocType: Naming Series,User must always select,Usuari sempre ha de seleccionar DocType: Stock Settings,Allow Negative Stock,Permetre existències negatives DocType: Installation Note,Installation Note,Nota d'instal·lació -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Afegir Impostos +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Afegir Impostos DocType: Topic,Topic,tema apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Flux de caixa de finançament DocType: Budget Account,Budget Account,compte pressupostària @@ -2275,7 +2280,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traç apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Font dels fons (Passius) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantitat a la fila {0} ({1}) ha de ser igual que la quantitat fabricada {2} DocType: Appraisal,Employee,Empleat -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Seleccioneu lot +DocType: Company,Sales Monthly History,Historial mensual de vendes +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Seleccioneu lot apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} està totalment facturat DocType: Training Event,End Time,Hora de finalització apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Estructura salarial activa {0} trobats per als empleats {1} dates escollides @@ -2283,15 +2289,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Les deduccions de pagament o p apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Condicions contractuals estàndard per Vendes o la compra. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Agrupa per comprovants apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,pipeline vendes -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Si us plau valor predeterminat en compte Salari El component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Si us plau valor predeterminat en compte Salari El component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Requerit Per DocType: Rename Tool,File to Rename,Arxiu per canviar el nom de apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Seleccioneu la llista de materials per a l'article a la fila {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Compte {0} no coincideix amb el de la seva empresa {1} en la manera de compte: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM especificat {0} no existeix la partida {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programa de manteniment {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programa de manteniment {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes DocType: Notification Control,Expense Claim Approved,Compte de despeses Aprovat -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Configureu la sèrie de numeració per Assistència mitjançant la configuració> Sèrie de numeració apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Nòmina dels empleats {0} ja creat per a aquest període apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmacèutic apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,El cost d'articles comprats @@ -2308,7 +2313,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. de producte DocType: Upload Attendance,Attendance To Date,Assistència fins a la Data DocType: Warranty Claim,Raised By,Raised By DocType: Payment Gateway Account,Payment Account,Compte de Pagament -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Si us plau, especifiqui l'empresa per a procedir" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Si us plau, especifiqui l'empresa per a procedir" apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Canvi net en els comptes per cobrar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Compensatori DocType: Offer Letter,Accepted,Acceptat @@ -2317,12 +2322,12 @@ DocType: SG Creation Tool Course,Student Group Name,Nom del grup d'estudiant apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Si us plau, assegureu-vos que realment voleu esborrar totes les transaccions d'aquesta empresa. Les seves dades mestres romandran tal com és. Aquesta acció no es pot desfer." DocType: Room,Room Number,Número d'habitació apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Invàlid referència {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no pot ser major que quanitity planejat ({2}) en l'ordre de la producció {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no pot ser major que quanitity planejat ({2}) en l'ordre de la producció {3} DocType: Shipping Rule,Shipping Rule Label,Regla Etiqueta d'enviament apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Fòrum d'Usuaris -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Matèries primeres no poden estar en blanc. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","No s'ha pogut actualitzar valors, factura conté els articles de l'enviament de la gota." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Seient Ràpida +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Matèries primeres no poden estar en blanc. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","No s'ha pogut actualitzar valors, factura conté els articles de l'enviament de la gota." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Seient Ràpida apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,No es pot canviar la tarifa si el BOM va cap a un article DocType: Employee,Previous Work Experience,Experiència laboral anterior DocType: Stock Entry,For Quantity,Per Quantitat @@ -2379,7 +2384,7 @@ DocType: SMS Log,No of Requested SMS,No de SMS sol·licitada apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Llicència sense sou no coincideix amb els registres de llicències d'aplicacions aprovades DocType: Campaign,Campaign-.####,Campanya-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Propers passos -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Si us plau subministrar els elements especificats en les millors taxes possibles +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Si us plau subministrar els elements especificats en les millors taxes possibles DocType: Selling Settings,Auto close Opportunity after 15 days,Tancament automàtic després de 15 dies d'Oportunitats apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,De cap d'any apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot /% Plom @@ -2436,7 +2441,7 @@ DocType: Homepage,Homepage,pàgina principal DocType: Purchase Receipt Item,Recd Quantity,Recd Quantitat apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Els registres d'honoraris creats - {0} DocType: Asset Category Account,Asset Category Account,Compte categoria d'actius -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},No es pot produir més Article {0} que en la quantitat de comandes de client {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},No es pot produir més Article {0} que en la quantitat de comandes de client {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Entrada de la {0} no es presenta DocType: Payment Reconciliation,Bank / Cash Account,Compte Bancari / Efectiu apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Per següent Contacte no pot ser la mateixa que la de plom Adreça de correu electrònic @@ -2469,7 +2474,7 @@ DocType: Salary Structure,Total Earning,Benefici total DocType: Purchase Receipt,Time at which materials were received,Moment en què es van rebre els materials DocType: Stock Ledger Entry,Outgoing Rate,Sortint Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organization branch master. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,o +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,o DocType: Sales Order,Billing Status,Estat de facturació apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Informa d'un problema apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Despeses de serveis públics @@ -2477,7 +2482,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Fila # {0}: Seient {1} no té en compte {2} o ja compara amb un altre bo DocType: Buying Settings,Default Buying Price List,Llista de preus per defecte DocType: Process Payroll,Salary Slip Based on Timesheet,Sobre la base de nòmina de part d'hores -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Cap empleat per als criteris anteriorment seleccionat o nòmina ja creat +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Cap empleat per als criteris anteriorment seleccionat o nòmina ja creat DocType: Notification Control,Sales Order Message,Sol·licitar Sales Missatge apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establir valors predeterminats com a Empresa, vigència actual any fiscal, etc." DocType: Payment Entry,Payment Type,Tipus de Pagament @@ -2501,7 +2506,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,document de recepció ha de ser presentat DocType: Purchase Invoice Item,Received Qty,Quantitat rebuda DocType: Stock Entry Detail,Serial No / Batch,Número de sèrie / lot -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,"No satisfets, i no lliurats" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,"No satisfets, i no lliurats" DocType: Product Bundle,Parent Item,Article Pare DocType: Account,Account Type,Tipus de compte DocType: Delivery Note,DN-RET-,DN-RET- @@ -2531,8 +2536,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,total assignat apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Establir compte d'inventari predeterminat d'inventari perpetu DocType: Item Reorder,Material Request Type,Material de Sol·licitud Tipus -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Entrada de diari Accural per a salaris de {0} a {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage està plena, no va salvar" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Entrada de diari Accural per a salaris de {0} a {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage està plena, no va salvar" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Fila {0}: UOM factor de conversió és obligatori apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Àrbitre DocType: Budget,Cost Center,Centre de Cost @@ -2550,7 +2555,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Impos apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Si Regla preus seleccionada està fet per a 'Preu', sobreescriurà Llista de Preus. Regla preu El preu és el preu final, així que no hi ha descompte addicional s'ha d'aplicar. Per tant, en les transaccions com comandes de venda, ordres de compra, etc, es va anar a buscar al camp ""Rate"", en lloc de camp 'Preu de llista Rate'." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Seguiment dels clients potencials per tipus d'indústria. DocType: Item Supplier,Item Supplier,Article Proveïdor -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Si us plau, introduïu el codi d'article per obtenir lots no" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Si us plau, introduïu el codi d'article per obtenir lots no" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Please select a value for {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Totes les direccions. DocType: Company,Stock Settings,Ajustaments d'estocs @@ -2577,7 +2582,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Actual Quantitat Despr apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Sense nòmina trobat entre {0} i {1} ,Pending SO Items For Purchase Request,A l'espera dels Articles de la SO per la sol·licitud de compra apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admissió d'Estudiants -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} està desactivat +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} està desactivat DocType: Supplier,Billing Currency,Facturació moneda DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra gran @@ -2607,7 +2612,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Estat de la sol·licitud DocType: Fees,Fees,taxes DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especificar Tipus de canvi per convertir una moneda en una altra -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,L'annotació {0} està cancel·lada +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,L'annotació {0} està cancel·lada apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Total Monto Pendent DocType: Sales Partner,Targets,Blancs DocType: Price List,Price List Master,Llista de preus Mestre @@ -2624,7 +2629,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorar Regla preus DocType: Employee Education,Graduate,Graduat DocType: Leave Block List,Block Days,Bloc de Dies DocType: Journal Entry,Excise Entry,Entrada impostos especials -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Són els Vendes Sol·licitar {0} ja existeix en contra del client Ordre de Compra {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Són els Vendes Sol·licitar {0} ja existeix en contra del client Ordre de Compra {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2662,7 +2667,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Si m ,Salary Register,salari Registre DocType: Warehouse,Parent Warehouse,Magatzem dels pares DocType: C-Form Invoice Detail,Net Total,Total Net -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Per defecte la llista de materials que no es troba d'article {0} i {1} Projecte +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Definir diversos tipus de préstecs DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Quantitat Pendent @@ -2699,7 +2704,7 @@ DocType: Salary Detail,Condition and Formula Help,Condició i la Fórmula d' apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Administrar Territori arbre. DocType: Journal Entry Account,Sales Invoice,Factura de vendes DocType: Journal Entry Account,Party Balance,Equilibri Partit -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Seleccioneu Aplicar descompte en les +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Seleccioneu Aplicar descompte en les DocType: Company,Default Receivable Account,Predeterminat Compte per Cobrar DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Crear entrada del banc per al sou total pagat pels criteris anteriorment seleccionats DocType: Stock Entry,Material Transfer for Manufacture,Transferència de material per a la fabricació @@ -2713,7 +2718,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Direcció del client DocType: Employee Loan,Loan Details,Detalls de préstec DocType: Company,Default Inventory Account,Compte d'inventari per defecte -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Fila {0}: Complet Quantitat ha de ser més gran que zero. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Fila {0}: Complet Quantitat ha de ser més gran que zero. DocType: Purchase Invoice,Apply Additional Discount On,Aplicar addicional de descompte en les DocType: Account,Root Type,Escrigui root DocType: Item,FIFO,FIFO @@ -2730,7 +2735,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Inspecció de Qualitat apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Petit DocType: Company,Standard Template,plantilla estàndard DocType: Training Event,Theory,teoria -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Advertència: La quantitat de Material sol·licitada és inferior a la Quantitat mínima +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Advertència: La quantitat de Material sol·licitada és inferior a la Quantitat mínima apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,El compte {0} està bloquejat DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entitat Legal / Subsidiari amb un gràfic separat de comptes que pertanyen a l'Organització. DocType: Payment Request,Mute Email,Silenciar-mail @@ -2754,7 +2759,7 @@ DocType: Training Event,Scheduled,Programat apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Sol · licitud de pressupost. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Seleccioneu l'ítem on "És de la Element" és "No" i "És d'articles de venda" és "Sí", i no hi ha un altre paquet de producte" DocType: Student Log,Academic,acadèmic -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),avanç total ({0}) contra l'Ordre {1} no pot ser major que el total general ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),avanç total ({0}) contra l'Ordre {1} no pot ser major que el total general ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Seleccioneu Distribució Mensual de distribuir de manera desigual a través d'objectius mesos. DocType: Purchase Invoice Item,Valuation Rate,Tarifa de Valoració DocType: Stock Reconciliation,SR/,SR / @@ -2818,6 +2823,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Introduïu el nom de la campanya si la font de la investigació és la campanya apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Editors de Newspapers apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Seleccioneu l'any fiscal +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,La data de lliurament prevista hauria de ser posterior a la data de la comanda de vendes apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Nivell de Reabastecimiento DocType: Company,Chart Of Accounts Template,Gràfic de la plantilla de Comptes DocType: Attendance,Attendance Date,Assistència Data @@ -2849,7 +2855,7 @@ DocType: Pricing Rule,Discount Percentage,%Descompte DocType: Payment Reconciliation Invoice,Invoice Number,Número de factura DocType: Shopping Cart Settings,Orders,Ordres DocType: Employee Leave Approver,Leave Approver,Aprovador d'absències -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Seleccioneu un lot +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Seleccioneu un lot DocType: Assessment Group,Assessment Group Name,Nom del grup d'avaluació DocType: Manufacturing Settings,Material Transferred for Manufacture,Material transferit per a la Fabricació DocType: Expense Claim,"A user with ""Expense Approver"" role","Un usuari amb rol de ""Aprovador de despeses""" @@ -2885,7 +2891,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Últim dia del mes DocType: Support Settings,Auto close Issue after 7 days,Tancament automàtic d'emissió després de 7 dies apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deixi no poden ser distribuïdes abans {0}, com a balanç de la llicència ja ha estat remès equipatge al futur registre d'assignació de permís {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: A causa / Data de referència supera permesos dies de crèdit de clients per {0} dia (es) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: A causa / Data de referència supera permesos dies de crèdit de clients per {0} dia (es) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,estudiant sol·licitant DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL PER RECEPTOR DocType: Asset Category Account,Accumulated Depreciation Account,Compte de depreciació acumulada @@ -2896,7 +2902,7 @@ DocType: Item,Reorder level based on Warehouse,Nivell de comanda basat en Magatz DocType: Activity Cost,Billing Rate,Taxa de facturació ,Qty to Deliver,Quantitat a lliurar ,Stock Analytics,Imatges Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Les operacions no poden deixar-se en blanc +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Les operacions no poden deixar-se en blanc DocType: Maintenance Visit Purpose,Against Document Detail No,Contra Detall del document núm apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tipus del partit és obligatori DocType: Quality Inspection,Outgoing,Extravertida @@ -2937,15 +2943,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Disponible Quantitat en magatzem apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Quantitat facturada DocType: Asset,Double Declining Balance,Doble saldo decreixent -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,ordre tancat no es pot cancel·lar. Unclose per cancel·lar. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,ordre tancat no es pot cancel·lar. Unclose per cancel·lar. DocType: Student Guardian,Father,pare -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Actualització d'Estoc 'no es pot comprovar en venda d'actius fixos" +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"""Actualització d'Estoc 'no es pot comprovar en venda d'actius fixos" DocType: Bank Reconciliation,Bank Reconciliation,Conciliació bancària DocType: Attendance,On Leave,De baixa apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obtenir actualitzacions apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Compte {2} no pertany a l'empresa {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Material de Sol·licitud {0} es cancel·la o s'atura -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Afegir uns registres d'exemple +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Afegir uns registres d'exemple apps/erpnext/erpnext/config/hr.py +301,Leave Management,Deixa Gestió apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Agrupa Per Comptes DocType: Sales Order,Fully Delivered,Totalment Lliurat @@ -2954,12 +2960,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Compte diferència ha de ser un tipus de compte d'Actius / Passius, ja que aquest arxiu reconciliació és una entrada d'Obertura" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Suma desemborsat no pot ser més gran que Suma del préstec {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Número d'ordre de Compra per {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Ordre de producció no s'ha creat +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Ordre de producció no s'ha creat apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Des de la data' ha de ser després de 'A data' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},No es pot canviar l'estat d'estudiant {0} està vinculada amb l'aplicació de l'estudiant {1} DocType: Asset,Fully Depreciated,Estant totalment amortitzats ,Stock Projected Qty,Quantitat d'estoc previst -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Client {0} no pertany a projectar {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Client {0} no pertany a projectar {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Assistència marcat HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Les cites són propostes, les ofertes que ha enviat als seus clients" DocType: Sales Order,Customer's Purchase Order,Àrea de clients Ordre de Compra @@ -2969,7 +2975,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Si us plau, ajusteu el número d'amortitzacions Reservats" apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valor o Quantitat apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Comandes produccions no poden ser criats per: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minut +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minut DocType: Purchase Invoice,Purchase Taxes and Charges,Compra Impostos i Càrrecs ,Qty to Receive,Quantitat a Rebre DocType: Leave Block List,Leave Block List Allowed,Llista d'absències permeses bloquejades @@ -2982,7 +2988,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Tots els tipus de proveïdors DocType: Global Defaults,Disable In Words,En desactivar Paraules apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,El codi de l'article és obligatori perquè no s'havia numerat automàticament -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Cita {0} no del tipus {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Cita {0} no del tipus {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Programa de manteniment d'articles DocType: Sales Order,% Delivered,% Lliurat DocType: Production Order,PRO-,PRO- @@ -3005,7 +3011,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Electrònic DocType: Project,Total Purchase Cost (via Purchase Invoice),Cost total de compra (mitjançant compra de la factura) DocType: Training Event,Start Time,Hora d'inici -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Seleccioneu Quantitat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Seleccioneu Quantitat DocType: Customs Tariff Number,Customs Tariff Number,Nombre aranzel duaner apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,El rol d'aprovador no pot ser el mateix que el rol al que la regla s'ha d'aplicar apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Donar-se de baixa d'aquest butlletí per correu electrònic @@ -3029,7 +3035,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,Detall PR DocType: Sales Order,Fully Billed,Totalment Anunciat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Efectiu disponible -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Magatzem de lliurament requerit per tema de valors {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Magatzem de lliurament requerit per tema de valors {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),"El pes brut del paquet. En general, el pes net + embalatge pes del material. (Per imprimir)" apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,programa DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Els usuaris amb aquest rol poden establir comptes bloquejats i crear/modificar els assentaments comptables contra els comptes bloquejats @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Grup d'acord amb DocType: Journal Entry,Bill Date,Data de la factura apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","es requereix la reparació d'articles, tipus, freqüència i quantitat de despeses" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Fins i tot si hi ha diverses regles de preus amb major prioritat, s'apliquen prioritats internes:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},De debò vols que presentin tots nòmina de {0} a {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},De debò vols que presentin tots nòmina de {0} a {1} DocType: Cheque Print Template,Cheque Height,xec Alçada DocType: Supplier,Supplier Details,Detalls del proveïdor DocType: Expense Claim,Approval Status,Estat d'aprovació @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,El plom a la Petici apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Res més que mostrar. DocType: Lead,From Customer,De Client apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Trucades -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,lots +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,lots DocType: Project,Total Costing Amount (via Time Logs),Suma total del càlcul del cost (a través dels registres de temps) DocType: Purchase Order Item Supplied,Stock UOM,UDM de l'Estoc apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Ordre de Compra {0} no es presenta @@ -3091,7 +3097,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Retorn Contra Compra F DocType: Item,Warranty Period (in days),Període de garantia (en dies) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relació amb Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Efectiu net de les operacions -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,"per exemple, l'IVA" +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,"per exemple, l'IVA" apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Article 4 DocType: Student Admission,Admission End Date,L'entrada Data de finalització apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,la subcontractació @@ -3099,7 +3105,7 @@ DocType: Journal Entry Account,Journal Entry Account,Compte entrada de diari apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grup d'Estudiants DocType: Shopping Cart Settings,Quotation Series,Sèrie Cotització apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Hi ha un element amb el mateix nom ({0}), canvieu el nom de grup d'articles o canviar el nom de l'element" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Seleccioneu al client +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Seleccioneu al client DocType: C-Form,I,jo DocType: Company,Asset Depreciation Cost Center,Centre de l'amortització del cost dels actius DocType: Sales Order Item,Sales Order Date,Sol·licitar Sales Data @@ -3110,6 +3116,7 @@ DocType: Stock Settings,Limit Percent,límit de percentatge ,Payment Period Based On Invoice Date,Període de pagament basat en Data de la factura apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manca de canvi de moneda per {0} DocType: Assessment Plan,Examiner,examinador +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Estableix la sèrie de noms per a {0} a través de la configuració> Configuració> Sèrie de nomenclatura DocType: Student,Siblings,els germans DocType: Journal Entry,Stock Entry,Entrada estoc DocType: Payment Entry,Payment References,Referències de pagament @@ -3134,7 +3141,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,On es realitzen les operacions de fabricació. DocType: Asset Movement,Source Warehouse,Magatzem d'origen DocType: Installation Note,Installation Date,Data d'instal·lació -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Fila # {0}: {1} Actius no pertany a l'empresa {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Fila # {0}: {1} Actius no pertany a l'empresa {2} DocType: Employee,Confirmation Date,Data de confirmació DocType: C-Form,Total Invoiced Amount,Suma total facturada apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Quantitat mínima no pot ser major que Quantitat màxima @@ -3207,7 +3214,7 @@ DocType: Company,Default Letter Head,Per defecte Cap de la lletra DocType: Purchase Order,Get Items from Open Material Requests,Obtenir elements de sol·licituds obert de materials DocType: Item,Standard Selling Rate,Estàndard tipus venedor DocType: Account,Rate at which this tax is applied,Rati a la qual s'aplica aquest impost -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Quantitat per a generar comanda +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Quantitat per a generar comanda apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Ofertes d'ocupació actuals DocType: Company,Stock Adjustment Account,Compte d'Ajust d'estocs apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Cancel @@ -3221,7 +3228,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Proveïdor lliura al Client apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (#Form/Item/{0}) està esgotat apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Següent data ha de ser major que la data de publicació -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},A causa / Data de referència no pot ser posterior a {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},A causa / Data de referència no pot ser posterior a {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Les dades d'importació i exportació apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,No s'han trobat estudiants apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Data de la factura d'enviament @@ -3241,12 +3248,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Això es basa en la presència d'aquest Estudiant apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,No Estudiants en apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Afegir més elements o forma totalment oberta -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Si us plau, introdueixi 'la data prevista de lliurament'" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Albarans {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Albarans {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Quantitat pagada + s'amortitza La quantitat no pot ser més gran que la Gran Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} no és un nombre de lot vàlida per Punt {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Note: There is not enough leave balance for Leave Type {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN invàlida o Enter NA per no registrat +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN invàlida o Enter NA per no registrat DocType: Training Event,Seminar,seminari DocType: Program Enrollment Fee,Program Enrollment Fee,Programa de quota d'inscripció DocType: Item,Supplier Items,Articles Proveïdor @@ -3264,7 +3270,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Estoc Envelliment apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Estudiant {0} existeix contra l'estudiant sol·licitant {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Horari -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' es desactiva +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' es desactiva apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Posar com a obert DocType: Cheque Print Template,Scanned Cheque,escanejada Xec DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Enviar correus electrònics automàtics als Contactes al Presentar les transaccions @@ -3311,7 +3317,7 @@ DocType: Purchase Invoice,Price List Exchange Rate,Tipus de canvi per a la llist DocType: Purchase Invoice Item,Rate,Tarifa DocType: Purchase Invoice Item,Rate,Tarifa apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,nom direcció +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,nom direcció DocType: Stock Entry,From BOM,A partir de la llista de materials DocType: Assessment Code,Assessment Code,codi avaluació apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Bàsic @@ -3324,20 +3330,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Estructura salarial DocType: Account,Bank,Banc apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Aerolínia -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Material Issue +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Material Issue DocType: Material Request Item,For Warehouse,Per Magatzem DocType: Employee,Offer Date,Data d'Oferta apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Cites -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Vostè està en mode fora de línia. Vostè no serà capaç de recarregar fins que tingui la xarxa. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Vostè està en mode fora de línia. Vostè no serà capaç de recarregar fins que tingui la xarxa. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,No hi ha grups d'estudiants van crear. DocType: Purchase Invoice Item,Serial No,Número de sèrie apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Quantitat Mensual La devolució no pot ser més gran que Suma del préstec apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Si us plau entra primer els detalls de manteniment +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Fila # {0}: la data de lliurament prevista no pot ser abans de la data de la comanda de compra DocType: Purchase Invoice,Print Language,Llenguatge d'impressió DocType: Salary Slip,Total Working Hours,Temps de treball total DocType: Stock Entry,Including items for sub assemblies,Incloent articles per subconjunts -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Introduir el valor ha de ser positiu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codi d'article> Grup d'elements> Marca +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Introduir el valor ha de ser positiu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Tots els territoris DocType: Purchase Invoice,Items,Articles apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Estudiant ja està inscrit. @@ -3359,7 +3365,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitat de mesura per defecte per Variant '{0}' ha de ser el mateix que a la plantilla '{1}' DocType: Shipping Rule,Calculate Based On,Calcula a causa del DocType: Delivery Note Item,From Warehouse,De Magatzem -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,No hi ha articles amb la llista de materials per a la fabricació de +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,No hi ha articles amb la llista de materials per a la fabricació de DocType: Assessment Plan,Supervisor Name,Nom del supervisor DocType: Program Enrollment Course,Program Enrollment Course,I matrícula Programa DocType: Purchase Taxes and Charges,Valuation and Total,Valoració i total @@ -3374,32 +3380,33 @@ DocType: Training Event Employee,Attended,assistit apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dies Des de la Darrera Comanda' ha de ser més gran que o igual a zero DocType: Process Payroll,Payroll Frequency,La nòmina de freqüència DocType: Asset,Amended From,Modificada Des de -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Matèria Primera +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Matèria Primera DocType: Leave Application,Follow via Email,Seguiu per correu electrònic apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Les plantes i maquinàries DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Suma d'impostos Després del Descompte DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ajustos diàries Resum Treball -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Moneda de la llista de preus {0} no és similar amb la moneda seleccionada {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Moneda de la llista de preus {0} no és similar amb la moneda seleccionada {1} DocType: Payment Entry,Internal Transfer,transferència interna apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Compte Nen existeix per aquest compte. No es pot eliminar aquest compte. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Cal la Quantitat destí i la origen apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No hi ha una llista de materials per defecte d'article {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Seleccioneu Data de comptabilització primer +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Seleccioneu Data de comptabilització primer apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Data d'obertura ha de ser abans de la data de Tancament DocType: Leave Control Panel,Carry Forward,Portar endavant apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centre de costos de les transaccions existents no es pot convertir en llibre major DocType: Department,Days for which Holidays are blocked for this department.,Dies de festa que estan bloquejats per aquest departament. ,Produced,Produït -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,nòmines creades +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,nòmines creades DocType: Item,Item Code for Suppliers,Codi de l'article per Proveïdors DocType: Issue,Raised By (Email),Raised By (Email) DocType: Training Event,Trainer Name,nom entrenador DocType: Mode of Payment,General,General apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,última Comunicació apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',No es pot deduir quan categoria és per a 'Valoració' o 'Valoració i Total' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumereu els seus caps fiscals (per exemple, l'IVA, duanes, etc., sinó que han de tenir noms únics) i les seves tarifes estàndard. Això crearà una plantilla estàndard, que pot editar i afegir més tard." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumereu els seus caps fiscals (per exemple, l'IVA, duanes, etc., sinó que han de tenir noms únics) i les seves tarifes estàndard. Això crearà una plantilla estàndard, que pot editar i afegir més tard." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Nº de Sèrie Necessari per article serialitzat {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Els pagaments dels partits amb les factures +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Fila # {0}: introduïu la data de lliurament amb l'element {1} DocType: Journal Entry,Bank Entry,Entrada Banc DocType: Authorization Rule,Applicable To (Designation),Aplicable a (Designació) ,Profitability Analysis,Compte de resultats @@ -3415,17 +3422,18 @@ DocType: Quality Inspection,Item Serial No,Número de sèrie d'article apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Crear registres d'empleats apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Present total apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Les declaracions de comptabilitat -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Hora +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Hora apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nou Nombre de sèrie no pot tenir Warehouse. Magatzem ha de ser ajustat per Stock entrada o rebut de compra DocType: Lead,Lead Type,Tipus de client potencial apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,No està autoritzat per aprovar els fulls de bloquejar les dates -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Tots aquests elements ja s'han facturat +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Tots aquests elements ja s'han facturat +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Objectiu de vendes mensuals apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Pot ser aprovat per {0} DocType: Item,Default Material Request Type,El material predeterminat Tipus de sol·licitud apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,desconegut DocType: Shipping Rule,Shipping Rule Conditions,Condicions d'enviament DocType: BOM Replace Tool,The new BOM after replacement,La nova llista de materials després del reemplaçament -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Punt de Venda +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Punt de Venda DocType: Payment Entry,Received Amount,quantitat rebuda DocType: GST Settings,GSTIN Email Sent On,GSTIN correu electrònic enviat el DocType: Program Enrollment,Pick/Drop by Guardian,Esculli / gota per Guardian @@ -3440,8 +3448,8 @@ DocType: C-Form,Invoices,Factures DocType: Batch,Source Document Name,Font Nom del document DocType: Job Opening,Job Title,Títol Professional apps/erpnext/erpnext/utilities/activation.py +97,Create Users,crear usuaris -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Quantitat de Fabricació ha de ser major que 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Quantitat de Fabricació ha de ser major que 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Visita informe de presa de manteniment. DocType: Stock Entry,Update Rate and Availability,Actualització de tarifes i disponibilitat DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Percentatge que se li permet rebre o lliurar més en contra de la quantitat demanada. Per exemple: Si vostè ha demanat 100 unitats. i el subsidi és de 10%, llavors se li permet rebre 110 unitats." @@ -3453,7 +3461,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,"Si us plau, cancel·lar Factura de Compra {0} primera" apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Adreça de correu electrònic ha de ser únic, ja existeix per {0}" DocType: Serial No,AMC Expiry Date,AMC Data de caducitat -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,rebut +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,rebut ,Sales Register,Registre de vendes DocType: Daily Work Summary Settings Company,Send Emails At,En enviar correus electrònics DocType: Quotation,Quotation Lost Reason,Cita Perduda Raó @@ -3466,14 +3474,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Els clients n apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Estat de fluxos d'efectiu apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Suma del préstec no pot excedir quantitat màxima del préstec de {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,llicència -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},"Si us plau, elimini aquest Factura {0} de C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},"Si us plau, elimini aquest Factura {0} de C-Form {1}" DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Seleccioneu Carry Forward si també voleu incloure el balanç de l'any fiscal anterior deixa a aquest any fiscal DocType: GL Entry,Against Voucher Type,Contra el val tipus DocType: Item,Attributes,Atributs apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Si us plau indica el Compte d'annotació apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Darrera Data de comanda apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Compte {0} no pertany a la companyia de {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Números de sèrie en fila {0} no coincideix amb la nota de lliurament +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Números de sèrie en fila {0} no coincideix amb la nota de lliurament DocType: Student,Guardian Details,guardià detalls DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Marc d'Assistència per a diversos empleats @@ -3505,16 +3513,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ti DocType: Tax Rule,Sales,Venda DocType: Stock Entry Detail,Basic Amount,Suma Bàsic DocType: Training Event,Exam,examen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Magatzem necessari per a l'article d'estoc {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Magatzem necessari per a l'article d'estoc {0} DocType: Leave Allocation,Unused leaves,Fulles no utilitzades -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Estat de facturació apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transferència apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} no associada al compte de {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch exploded BOM (including sub-assemblies) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch exploded BOM (including sub-assemblies) DocType: Authorization Rule,Applicable To (Employee),Aplicable a (Empleat) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Data de venciment és obligatori apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Increment de Atribut {0} no pot ser 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de clients> Territori DocType: Journal Entry,Pay To / Recd From,Pagar a/Rebut de DocType: Naming Series,Setup Series,Sèrie d'instal·lació DocType: Payment Reconciliation,To Invoice Date,Per Factura @@ -3541,7 +3550,7 @@ DocType: Journal Entry,Write Off Based On,Anotació basada en apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,fer plom apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Impressió i papereria DocType: Stock Settings,Show Barcode Field,Mostra Camp de codi de barres -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Enviar missatges de correu electrònic del proveïdor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Enviar missatges de correu electrònic del proveïdor apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salari ja processada per al període entre {0} i {1}, Deixa període d'aplicació no pot estar entre aquest interval de dates." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Registre d'instal·lació per a un nº de sèrie DocType: Guardian Interest,Guardian Interest,guardià interès @@ -3554,7 +3563,7 @@ DocType: Offer Letter,Awaiting Response,Espera de la resposta apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Per sobre de apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},atribut no vàlid {0} {1} DocType: Supplier,Mention if non-standard payable account,Esmentar si compta per pagar no estàndard -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},El mateix article s'ha introduït diverses vegades. {Llista} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},El mateix article s'ha introduït diverses vegades. {Llista} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',"Si us plau, seleccioneu el grup d'avaluació que no sigui 'Tots els grups d'avaluació'" DocType: Salary Slip,Earning & Deduction,Guanyar i Deducció apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcional. Aquest ajust s'utilitza per filtrar en diverses transaccions. @@ -3573,7 +3582,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Cost d'Actius Scrapped apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centre de Cost és obligatori per l'article {2} DocType: Vehicle,Policy No,sense política -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Obtenir elements del paquet del producte +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Obtenir elements del paquet del producte DocType: Asset,Straight Line,Línia recta DocType: Project User,Project User,usuari projecte apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,divisió @@ -3585,6 +3594,7 @@ DocType: Sales Team,Contact No.,Número de Contacte DocType: Bank Reconciliation,Payment Entries,Les entrades de pagament DocType: Production Order,Scrap Warehouse,Magatzem de ferralla DocType: Production Order,Check if material transfer entry is not required,Comproveu si no es requereix l'entrada de transferència de material +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nomenclatura d'empleats en recursos humans> Configuració de recursos humans DocType: Program Enrollment Tool,Get Students From,Rep estudiants de DocType: Hub Settings,Seller Country,Venedor País apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publicar articles per pàgina web @@ -3602,19 +3612,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especifica les condicions d'enviament per calcular l'import del transport DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Paper deixa forjar congelats Comptes i editar les entrades congelades apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valor d'obertura +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Valor d'obertura DocType: Salary Detail,Formula,fórmula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Comissió de Vendes DocType: Offer Letter Term,Value / Description,Valor / Descripció -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: l'element {1} no pot ser presentat, el que ja és {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: l'element {1} no pot ser presentat, el que ja és {2}" DocType: Tax Rule,Billing Country,Facturació País DocType: Purchase Order Item,Expected Delivery Date,Data de lliurament esperada apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Dèbit i Crèdit no és igual per a {0} # {1}. La diferència és {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Despeses d'Entreteniment apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Fer Sol·licitud de materials apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Obrir element {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La factura {0} ha de ser cancel·lada abans de cancel·lar aquesta comanda de vendes +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La factura {0} ha de ser cancel·lada abans de cancel·lar aquesta comanda de vendes apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Edat DocType: Sales Invoice Timesheet,Billing Amount,Facturació Monto apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantitat no vàlid per a l'aricle {0}. Quantitat ha de ser major que 0. @@ -3637,7 +3647,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nous ingressos al Client apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Despeses de viatge DocType: Maintenance Visit,Breakdown,Breakdown -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Compte: {0} amb la divisa: {1} no es pot seleccionar +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Compte: {0} amb la divisa: {1} no es pot seleccionar DocType: Bank Reconciliation Detail,Cheque Date,Data Xec apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: el compte Pare {1} no pertany a la companyia: {2} DocType: Program Enrollment Tool,Student Applicants,Els sol·licitants dels estudiants @@ -3657,11 +3667,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planif DocType: Material Request,Issued,Emès apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Activitat de l'estudiant DocType: Project,Total Billing Amount (via Time Logs),Suma total de facturació (a través dels registres de temps) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Venem aquest article +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Venem aquest article apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Identificador de Proveïdor DocType: Payment Request,Payment Gateway Details,Passarel·la de Pagaments detalls -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Quantitat ha de ser més gran que 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Les dades de la mostra +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Quantitat ha de ser més gran que 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Les dades de la mostra DocType: Journal Entry,Cash Entry,Entrada Efectiu apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Els nodes fills només poden ser creats sota els nodes de tipus "grup" DocType: Leave Application,Half Day Date,Medi Dia Data @@ -3670,17 +3680,18 @@ DocType: Sales Partner,Contact Desc,Descripció del Contacte apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tipus de fulles com casual, malalts, etc." DocType: Email Digest,Send regular summary reports via Email.,Enviar informes periòdics resumits per correu electrònic. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Si us plau, estableix per defecte en compte Tipus de Despeses {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},"Si us plau, estableix per defecte en compte Tipus de Despeses {0}" DocType: Assessment Result,Student Name,Nom de l'estudiant DocType: Brand,Item Manager,Administració d'elements apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,nòmina per pagar DocType: Buying Settings,Default Supplier Type,Tipus predeterminat de Proveïdor DocType: Production Order,Total Operating Cost,Cost total de funcionament -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Nota: L'article {0} entrat diverses vegades +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Nota: L'article {0} entrat diverses vegades apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tots els contactes. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Estableix el teu objectiu apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abreviatura de l'empresa apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,L'usuari {0} no existeix -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,La matèria primera no pot ser la mateixa que article principal +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,La matèria primera no pot ser la mateixa que article principal DocType: Item Attribute Value,Abbreviation,Abreviatura apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Entrada de pagament ja existeix apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,No distribuïdor oficial autoritzat des {0} excedeix els límits @@ -3698,7 +3709,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Paper animals d'editar ,Territory Target Variance Item Group-Wise,Territori de destinació Variància element de grup-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Tots els Grups de clients apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,acumulat Mensual -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} és obligatori. Potser el registre de canvi de divisa no es crea per {1} a {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} és obligatori. Potser el registre de canvi de divisa no es crea per {1} a {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Plantilla d'impostos és obligatori. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Compte {0}: el compte superior {1} no existeix DocType: Purchase Invoice Item,Price List Rate (Company Currency),Tarifa de preus (en la moneda de la companyia) @@ -3709,7 +3720,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Percentatge d'Ass apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secretari DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Si desactivat, "en les paraules de camp no serà visible en qualsevol transacció" DocType: Serial No,Distinct unit of an Item,Unitat diferent d'un article -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Si us plau ajust l'empresa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Si us plau ajust l'empresa DocType: Pricing Rule,Buying,Compra DocType: HR Settings,Employee Records to be created by,Registres d'empleats a ser creats per DocType: POS Profile,Apply Discount On,Aplicar de descompte en les @@ -3720,7 +3731,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detall d'impostos de tots els articles apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut Abreviatura ,Item-wise Price List Rate,Llista de Preus de tarifa d'article -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Cita Proveïdor +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Cita Proveïdor DocType: Quotation,In Words will be visible once you save the Quotation.,En paraules seran visibles un cop que es guarda la Cotització. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Quantitat ({0}) no pot ser una fracció a la fila {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,cobrar tarifes @@ -3744,7 +3755,7 @@ Updated via 'Time Log'","en minuts DocType: Customer,From Lead,De client potencial apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Comandes llançades per a la producció. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Seleccioneu l'Any Fiscal ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS perfil requerit per fer l'entrada POS +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS perfil requerit per fer l'entrada POS DocType: Program Enrollment Tool,Enroll Students,inscriure els estudiants DocType: Hub Settings,Name Token,Nom Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling @@ -3762,7 +3773,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Diferència del valor d'estoc apps/erpnext/erpnext/config/learn.py +234,Human Resource,Recursos Humans DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Payment Reconciliation Payment apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Actius per impostos -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Producció Ordre ha estat {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Producció Ordre ha estat {0} DocType: BOM Item,BOM No,No BOM DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Seient {0} no té compte {1} o ja compara amb un altre bo @@ -3776,7 +3787,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Puja l' apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Excel·lent Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Establir Grup d'articles per aquest venedor. DocType: Stock Settings,Freeze Stocks Older Than [Days],Congela els estocs més vells de [dies] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Fila # {0}: l'element és obligatori per als actius fixos de compra / venda +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Fila # {0}: l'element és obligatori per als actius fixos de compra / venda apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si dos o més regles de preus es troben basats en les condicions anteriors, s'aplica Prioritat. La prioritat és un nombre entre 0 a 20 mentre que el valor per defecte és zero (en blanc). Un nombre més alt significa que va a prevaler si hi ha diverses regles de preus amb mateixes condicions." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Any fiscal: {0} no existeix DocType: Currency Exchange,To Currency,Per moneda @@ -3784,7 +3795,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tipus de Compte de despeses. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},tarifa per a la venda d'element {0} és més baix que el seu {1}. tipus venedor ha de tenir una antiguitat {2} DocType: Item,Taxes,Impostos -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,A càrrec i no lliurats +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,A càrrec i no lliurats DocType: Project,Default Cost Center,Centre de cost predeterminat DocType: Bank Guarantee,End Date,Data de finalització apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Les transaccions de valors @@ -3801,7 +3812,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Treball Diari resum de la configuració de l'empresa apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Article {0} ignorat ja que no és un article d'estoc DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Presentar aquesta ordre de producció per al seu posterior processament. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Presentar aquesta ordre de producció per al seu posterior processament. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Per no aplicar la Regla de preus en una transacció en particular, totes les normes sobre tarifes aplicables han de ser desactivats." DocType: Assessment Group,Parent Assessment Group,Pares Grup d'Avaluació apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ocupacions @@ -3809,10 +3820,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ocupacions DocType: Employee,Held On,Held On apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Element Producció ,Employee Information,Informació de l'empleat -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Tarifa (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Tarifa (%) DocType: Stock Entry Detail,Additional Cost,Cost addicional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Can not filter based on Voucher No, if grouped by Voucher" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Fer Oferta de Proveïdor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Fer Oferta de Proveïdor DocType: Quality Inspection,Incoming,Entrant DocType: BOM,Materials Required (Exploded),Materials necessaris (explotat) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Afegir usuaris a la seva organització, que no sigui vostè" @@ -3828,7 +3839,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,El compte: {0} només pot ser actualitzat a través de transaccions d'estoc DocType: Student Group Creation Tool,Get Courses,obtenir Cursos DocType: GL Entry,Party,Party -DocType: Sales Order,Delivery Date,Data De Lliurament +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Data De Lliurament DocType: Opportunity,Opportunity Date,Data oportunitat DocType: Purchase Receipt,Return Against Purchase Receipt,Retorn Contra Compra Rebut DocType: Request for Quotation Item,Request for Quotation Item,Sol·licitud de Cotització d'articles @@ -3842,7 +3853,7 @@ DocType: Task,Actual Time (in Hours),Temps real (en hores) DocType: Employee,History In Company,Història a la Companyia apps/erpnext/erpnext/config/learn.py +107,Newsletters,Butlletins DocType: Stock Ledger Entry,Stock Ledger Entry,Ledger entrada Stock -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,El mateix article s'ha introduït diverses vegades +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,El mateix article s'ha introduït diverses vegades DocType: Department,Leave Block List,Deixa Llista de bloqueig DocType: Sales Invoice,Tax ID,Identificació Tributària apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,L'Article {0} no està configurat per números de sèrie. La columna ha d'estar en blanc @@ -3860,25 +3871,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Negre DocType: BOM Explosion Item,BOM Explosion Item,Explosió de BOM d'article DocType: Account,Auditor,Auditor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} articles produïts +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} articles produïts DocType: Cheque Print Template,Distance from top edge,Distància des de la vora superior apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,El preu de llista {0} està desactivat o no existeix DocType: Purchase Invoice,Return,Retorn DocType: Production Order Operation,Production Order Operation,Ordre de Producció Operació DocType: Pricing Rule,Disable,Desactiva -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Forma de pagament es requereix per fer un pagament +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Forma de pagament es requereix per fer un pagament DocType: Project Task,Pending Review,Pendent de Revisió apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} no està inscrit en el Lot {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Actius {0} no pot ser rebutjada, com ja ho és {1}" DocType: Task,Total Expense Claim (via Expense Claim),Reclamació de despeses totals (a través de despeses) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marc Absent -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Fila {0}: Divisa de la llista de materials # {1} ha de ser igual a la moneda seleccionada {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Fila {0}: Divisa de la llista de materials # {1} ha de ser igual a la moneda seleccionada {2} DocType: Journal Entry Account,Exchange Rate,Tipus De Canvi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Comanda de client {0} no es presenta +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Comanda de client {0} no es presenta DocType: Homepage,Tag Line,tag Line DocType: Fee Component,Fee Component,Quota de components apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Gestió de Flotes -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Afegir elements de +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Afegir elements de DocType: Cheque Print Template,Regular,regular apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Coeficient de ponderació total de tots els criteris d'avaluació ha de ser del 100% DocType: BOM,Last Purchase Rate,Darrera Compra Rate @@ -3899,12 +3910,12 @@ DocType: Employee,Reports to,Informes a DocType: SMS Settings,Enter url parameter for receiver nos,Introdueix els paràmetres URL per als receptors DocType: Payment Entry,Paid Amount,Quantitat pagada DocType: Assessment Plan,Supervisor,supervisor -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,en línia +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,en línia ,Available Stock for Packing Items,Estoc disponible per articles d'embalatge DocType: Item Variant,Item Variant,Article Variant DocType: Assessment Result Tool,Assessment Result Tool,Eina resultat de l'avaluació DocType: BOM Scrap Item,BOM Scrap Item,La llista de materials de ferralla d'articles -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,comandes presentats no es poden eliminar +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,comandes presentats no es poden eliminar apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo del compte ja en dèbit, no se li permet establir ""El balanç ha de ser"" com ""crèdit""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestió de la Qualitat apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Element {0} ha estat desactivat @@ -3935,7 +3946,7 @@ DocType: Item Group,Default Expense Account,Compte de Despeses predeterminat apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Estudiant ID de correu electrònic DocType: Employee,Notice (days),Avís (dies) DocType: Tax Rule,Sales Tax Template,Plantilla d'Impost a les Vendes -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Seleccioneu articles per estalviar la factura +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Seleccioneu articles per estalviar la factura DocType: Employee,Encashment Date,Data Cobrament DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Ajust d'estoc @@ -3983,10 +3994,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Despatx apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Descompte màxim permès per l'article: {0} és {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,El valor net d'actius com a DocType: Account,Receivable,Compte per cobrar -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: No es permet canviar de proveïdors com l'Ordre de Compra ja existeix +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: No es permet canviar de proveïdors com l'Ordre de Compra ja existeix DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol al que es permet presentar les transaccions que excedeixin els límits de crèdit establerts. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Seleccionar articles a Fabricació -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Mestre sincronització de dades, que podria portar el seu temps" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Seleccionar articles a Fabricació +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Mestre sincronització de dades, que podria portar el seu temps" DocType: Item,Material Issue,Material Issue DocType: Hub Settings,Seller Description,Venedor Descripció DocType: Employee Education,Qualification,Qualificació @@ -4007,11 +4018,10 @@ DocType: BOM,Rate Of Materials Based On,Tarifa de materials basats en apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics Suport apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,desactivar tot DocType: POS Profile,Terms and Conditions,Condicions -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configureu el sistema de nomenclatura d'empleats en recursos humans> Configuració de recursos humans apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Per a la data ha d'estar dins de l'any fiscal. Suposant Per Data = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aquí pot actualitzar l'alçada, el pes, al·lèrgies, problemes mèdics, etc." DocType: Leave Block List,Applies to Company,S'aplica a l'empresa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,No es pot cancel·lar perquè l'entrada d'estoc {0} ja ha estat Presentada +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,No es pot cancel·lar perquè l'entrada d'estoc {0} ja ha estat Presentada DocType: Employee Loan,Disbursement Date,Data de desemborsament DocType: Vehicle,Vehicle,vehicle DocType: Purchase Invoice,In Words,En Paraules @@ -4049,7 +4059,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Configuració global DocType: Assessment Result Detail,Assessment Result Detail,Avaluació de Resultats Detall DocType: Employee Education,Employee Education,Formació Empleat apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,grup d'articles duplicat trobat en la taula de grup d'articles -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Es necessita a cercar Detalls de l'article. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Es necessita a cercar Detalls de l'article. DocType: Salary Slip,Net Pay,Pay Net DocType: Account,Account,Compte apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Nombre de sèrie {0} ja s'ha rebut @@ -4057,7 +4067,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Inicia vehicle DocType: Purchase Invoice,Recurring Id,Recurrent Aneu DocType: Customer,Sales Team Details,Detalls de l'Equip de Vendes -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Eliminar de forma permanent? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Eliminar de forma permanent? DocType: Expense Claim,Total Claimed Amount,Suma total del Reclamat apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Els possibles oportunitats de venda. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},No vàlida {0} @@ -4069,7 +4079,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Configuració del seu School a ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base quantitat de canvi (moneda de l'empresa) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,No hi ha assentaments comptables per als següents magatzems -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Deseu el document primer. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Deseu el document primer. DocType: Account,Chargeable,Facturable DocType: Company,Change Abbreviation,Canvi Abreviatura DocType: Expense Claim Detail,Expense Date,Data de la Despesa @@ -4083,7 +4093,6 @@ DocType: BOM,Manufacturing User,Usuari de fabricació DocType: Purchase Invoice,Raw Materials Supplied,Matèries primeres subministrades DocType: Purchase Invoice,Recurring Print Format,Recurrent Format d'impressió DocType: C-Form,Series,Sèrie -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Data prevista de lliurament no pot ser anterior a l'Ordre de Compra DocType: Appraisal,Appraisal Template,Plantilla d'Avaluació DocType: Item Group,Item Classification,Classificació d'articles apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Gerent de Desenvolupament de Negocis @@ -4122,12 +4131,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Seleccione apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,L'entrenament d'Esdeveniments / Resultats apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,La depreciació acumulada com a DocType: Sales Invoice,C-Form Applicable,C-Form Applicable -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Temps de funcionament ha de ser major que 0 per a l'operació {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Temps de funcionament ha de ser major que 0 per a l'operació {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Magatzem és obligatori DocType: Supplier,Address and Contacts,Direcció i contactes DocType: UOM Conversion Detail,UOM Conversion Detail,Detall UOM Conversió DocType: Program,Program Abbreviation,abreviatura programa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Ordre de fabricació no es pot aixecar en contra d'una plantilla d'article +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Ordre de fabricació no es pot aixecar en contra d'una plantilla d'article apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Els càrrecs s'actualitzen amb els rebuts de compra contra cada un dels articles DocType: Warranty Claim,Resolved By,Resolta Per DocType: Bank Guarantee,Start Date,Data De Inici @@ -4162,6 +4171,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Formació de vots apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,L'Ordre de Producció {0} ha d'estar Presentada apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Seleccioneu data d'inici i data de finalització per a l'article {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Definiu un objectiu de vendes que vulgueu aconseguir. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Per descomptat és obligatori a la fila {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Fins a la data no pot ser anterior a partir de la data DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype @@ -4179,7 +4189,7 @@ DocType: Account,Income,Ingressos DocType: Industry Type,Industry Type,Tipus d'Indústria apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Quelcom ha fallat! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Advertència: Deixa aplicació conté dates bloc -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Factura {0} ja s'ha presentat +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Factura {0} ja s'ha presentat DocType: Assessment Result Detail,Score,puntuació apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Any fiscal {0} no existeix apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Data d'acabament @@ -4209,7 +4219,7 @@ DocType: Naming Series,Help HTML,Ajuda HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Eina de creació de grup d'alumnes DocType: Item,Variant Based On,En variant basada apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},El pes total assignat ha de ser 100%. És {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Els seus Proveïdors +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Els seus Proveïdors apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,No es pot establir tan perdut com està feta d'ordres de venda. DocType: Request for Quotation Item,Supplier Part No,Proveïdor de part apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',No es pot deduir que és la categoria de 'de Valoració "o" Vaulation i Total' @@ -4219,14 +4229,14 @@ DocType: Item,Has Serial No,No té de sèrie DocType: Employee,Date of Issue,Data d'emissió apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Des {0} de {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","D'acord amb la configuració de comprar si compra Reciept Obligatori == 'SÍ', a continuació, per a la creació de la factura de compra, l'usuari necessita per crear rebut de compra per al primer element {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Fila # {0}: Conjunt de Proveïdors per a l'element {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Fila {0}: valor Hores ha de ser més gran que zero. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Fila # {0}: Conjunt de Proveïdors per a l'element {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Fila {0}: valor Hores ha de ser més gran que zero. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Lloc web Imatge {0} unit a l'article {1} no es pot trobar DocType: Issue,Content Type,Tipus de Contingut apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Ordinador DocType: Item,List this Item in multiple groups on the website.,Fes una llista d'articles en diversos grups en el lloc web. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Si us plau, consulti l'opció Multi moneda per permetre comptes amb una altra moneda" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Article: {0} no existeix en el sistema +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Article: {0} no existeix en el sistema apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,No estàs autoritzat per establir el valor bloquejat DocType: Payment Reconciliation,Get Unreconciled Entries,Aconsegueix entrades no reconciliades DocType: Payment Reconciliation,From Invoice Date,Des Data de la factura @@ -4252,7 +4262,7 @@ DocType: Stock Entry,Default Source Warehouse,Magatzem d'origen predeterminat DocType: Item,Customer Code,Codi de Client apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Recordatori d'aniversari per {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dies des de l'última comanda -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Dèbit al compte ha de ser un compte de Balanç +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Dèbit al compte ha de ser un compte de Balanç DocType: Buying Settings,Naming Series,Sèrie de nomenclatura DocType: Leave Block List,Leave Block List Name,Deixa Nom Llista de bloqueig apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,data d'inici d'assegurança ha de ser inferior a la data d'Assegurances Fi @@ -4269,7 +4279,7 @@ DocType: Vehicle Log,Odometer,comptaquilòmetres DocType: Sales Order Item,Ordered Qty,Quantitat demanada apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Article {0} està deshabilitat DocType: Stock Settings,Stock Frozen Upto,Estoc bloquejat fins a -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM no conté cap article comuna +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM no conté cap article comuna apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Període Des i Període Per dates obligatòries per als recurrents {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Activitat del projecte / tasca. DocType: Vehicle Log,Refuelling Details,Detalls de repostatge @@ -4279,7 +4289,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,taxa de compra d'última no trobat DocType: Purchase Invoice,Write Off Amount (Company Currency),Escriu Off Import (Companyia moneda) DocType: Sales Invoice Timesheet,Billing Hours,Hores de facturació -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM per defecte per {0} no trobat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM per defecte per {0} no trobat apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Fila # {0}: Configureu la quantitat de comanda apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Toc els articles a afegir aquí DocType: Fees,Program Enrollment,programa d'Inscripció @@ -4312,6 +4322,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Rang 2 Envelliment DocType: SG Creation Tool Course,Max Strength,força màx apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM reemplaçat +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Seleccioneu els elements segons la data de lliurament ,Sales Analytics,Analytics de venda apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Disponible {0} ,Prospects Engaged But Not Converted,Perspectives Enganxat Però no es converteix @@ -4358,7 +4369,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Descompte apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Part d'hores per a les tasques. DocType: Purchase Invoice,Against Expense Account,Contra el Compte de Despeses DocType: Production Order,Production Order,Ordre de Producció -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,La Nota d'Instal·lació {0} ja s'ha presentat +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,La Nota d'Instal·lació {0} ja s'ha presentat DocType: Bank Reconciliation,Get Payment Entries,Obtenir registres de pagament DocType: Quotation Item,Against Docname,Contra DocName DocType: SMS Center,All Employee (Active),Tot Empleat (Actiu) @@ -4367,7 +4378,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Matèria primera Cost DocType: Item Reorder,Re-Order Level,Re-Order Nivell DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Introduïu articles i Quantitat prevista per a les que desitja elevar les ordres de producció o descàrrega de matèries primeres per a la seva anàlisi. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagrama de Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Diagrama de Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Temps parcial DocType: Employee,Applicable Holiday List,Llista de vacances aplicable DocType: Employee,Cheque,Xec @@ -4423,11 +4434,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Quantitat reservada per a la Producció DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deixa sense marcar si no vol tenir en compte per lots alhora que els grups basats en curs. DocType: Asset,Frequency of Depreciation (Months),Freqüència de Depreciació (Mesos) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Compte de Crèdit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Compte de Crèdit DocType: Landed Cost Item,Landed Cost Item,Landed Cost article apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostra valors zero DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantitat de punt obtingut després de la fabricació / reempaque de determinades quantitats de matèries primeres -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Configuració d'un lloc web senzill per a la meva organització +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Configuració d'un lloc web senzill per a la meva organització DocType: Payment Reconciliation,Receivable / Payable Account,Compte de cobrament / pagament DocType: Delivery Note Item,Against Sales Order Item,Contra l'Ordre de Venda d'articles apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Si us plau, especifiqui Atribut Valor de l'atribut {0}" @@ -4489,22 +4500,22 @@ DocType: Student,Nationality,nacionalitat ,Items To Be Requested,Articles que s'han de demanar DocType: Purchase Order,Get Last Purchase Rate,Obtenir Darrera Tarifa de compra DocType: Company,Company Info,Qui Som -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Seleccionar o afegir nou client -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Centre de cost és requerit per reservar una reclamació de despeses +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Seleccionar o afegir nou client +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Centre de cost és requerit per reservar una reclamació de despeses apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicació de Fons (Actius) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Això es basa en la presència d'aquest empleat -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Compte Dèbit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Compte Dèbit DocType: Fiscal Year,Year Start Date,Any Data d'Inici DocType: Attendance,Employee Name,Nom de l'Empleat DocType: Sales Invoice,Rounded Total (Company Currency),Total arrodonit (en la divisa de la companyia) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,No es pot encoberta al grup perquè es selecciona Tipus de compte. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,"{0} {1} ha estat modificat. Si us plau, actualitzia" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,"{0} {1} ha estat modificat. Si us plau, actualitzia" DocType: Leave Block List,Stop users from making Leave Applications on following days.,No permetis que els usuaris realitzin Aplicacions d'absències els següents dies. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Import de la compra apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Cita Proveïdor {0} creat apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Any de finalització no pot ser anterior inici any apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Beneficis als empleats -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Quantitat embalada ha de ser igual a la quantitat d'articles per {0} a la fila {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Quantitat embalada ha de ser igual a la quantitat d'articles per {0} a la fila {1} DocType: Production Order,Manufactured Qty,Quantitat fabricada DocType: Purchase Receipt Item,Accepted Quantity,Quantitat Acceptada apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Si us plau, estableix una llista predeterminada de festa per Empleat {0} o de la seva empresa {1}" @@ -4515,11 +4526,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Fila n {0}: Munto no pot ser major que l'espera Monto al Compte de despeses de {1}. A l'espera de Monto és {2} DocType: Maintenance Schedule,Schedule,Horari DocType: Account,Parent Account,Compte primària -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Disponible +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Disponible DocType: Quality Inspection Reading,Reading 3,Lectura 3 ,Hub,Cub DocType: GL Entry,Voucher Type,Tipus de Vals -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,La llista de preus no existeix o està deshabilitada +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,La llista de preus no existeix o està deshabilitada DocType: Employee Loan Application,Approved,Aprovat DocType: Pricing Rule,Price,Preu apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Empleat rellevat en {0} ha de ser establert com 'Esquerra' @@ -4588,7 +4599,7 @@ DocType: SMS Settings,Static Parameters,Paràmetres estàtics DocType: Assessment Plan,Room,habitació DocType: Purchase Order,Advance Paid,Bestreta pagada DocType: Item,Item Tax,Impost d'article -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materials de Proveïdor +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materials de Proveïdor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Impostos Especials Factura apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Llindar {0}% apareix més d'una vegada DocType: Expense Claim,Employees Email Id,Empleats Identificació de l'email @@ -4628,7 +4639,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,model DocType: Production Order,Actual Operating Cost,Cost de funcionament real DocType: Payment Entry,Cheque/Reference No,Xec / No. de Referència -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root no es pot editar. DocType: Item,Units of Measure,Unitats de mesura DocType: Manufacturing Settings,Allow Production on Holidays,Permetre Producció en Vacances @@ -4661,12 +4671,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Dies de Crèdit apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Fer lots Estudiant DocType: Leave Type,Is Carry Forward,Is Carry Forward -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Obtenir elements de la llista de materials +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Obtenir elements de la llista de materials apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Temps de Lliurament Dies -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila # {0}: Data de comptabilització ha de ser la mateixa que la data de compra {1} d'actius {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila # {0}: Data de comptabilització ha de ser la mateixa que la data de compra {1} d'actius {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Comprovar això si l'estudiant està residint a l'alberg de l'Institut. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Si us plau, introdueixi les comandes de client a la taula anterior" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,No Enviat a salaris relliscades +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,No Enviat a salaris relliscades ,Stock Summary,Resum de la apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transferir un actiu d'un magatzem a un altre DocType: Vehicle,Petrol,gasolina diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv index a09e450e6bf..46dbe0470ba 100644 --- a/erpnext/translations/cs.csv +++ b/erpnext/translations/cs.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Dealer DocType: Employee,Rented,Pronajato DocType: Purchase Order,PO-,po- DocType: POS Profile,Applicable for User,Použitelné pro Uživatele -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zastavil výrobu Objednat nelze zrušit, uvolnit ho nejprve zrušit" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zastavil výrobu Objednat nelze zrušit, uvolnit ho nejprve zrušit" DocType: Vehicle Service,Mileage,Najeto apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Opravdu chcete zrušit tuto pohledávku? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Vybrat Výchozí Dodavatel @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Fakturováno apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate musí být stejná jako {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Jméno zákazníka DocType: Vehicle,Natural Gas,Zemní plyn -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankovní účet nemůže být jmenován jako {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Bankovní účet nemůže být jmenován jako {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (nebo skupiny), proti nimž účetní zápisy jsou vyrobeny a stav je veden." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Vynikající pro {0} nemůže být nižší než nula ({1}) DocType: Manufacturing Settings,Default 10 mins,Výchozí 10 min @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Jméno typu absence apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Ukázat otevřené apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Řada Aktualizováno Úspěšně apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Odhlásit se -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Zápis do deníku Vložené +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Zápis do deníku Vložené DocType: Pricing Rule,Apply On,Naneste na DocType: Item Price,Multiple Item prices.,Více ceny položku. ,Purchase Order Items To Be Received,Položky vydané objednávky k přijetí @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Způsob platby účtu apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Zobrazit Varianty DocType: Academic Term,Academic Term,Akademický Term apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiál -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Množství +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Množství apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Účty tabulka nemůže být prázdné. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Úvěry (závazky) DocType: Employee Education,Year of Passing,Rok Passing @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Péče o zdraví apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Zpoždění s platbou (dny) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Service Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} je již uvedeno v prodejní faktuře: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Faktura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} je již uvedeno v prodejní faktuře: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Faktura DocType: Maintenance Schedule Item,Periodicity,Periodicita apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskální rok {0} je vyžadována -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Očekává datum dodání je být před Sales pořadí Datum apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Obrana DocType: Salary Component,Abbr,Zkr DocType: Appraisal Goal,Score (0-5),Score (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Řádek č. {0}: DocType: Timesheet,Total Costing Amount,Celková kalkulace Částka DocType: Delivery Note,Vehicle No,Vozidle -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Prosím, vyberte Ceník" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,"Prosím, vyberte Ceník" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Řádek # {0}: Platba dokument je nutné k dokončení trasaction DocType: Production Order Operation,Work In Progress,Na cestě apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Prosím, vyberte datum" @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} není v žádném aktivní fiskální rok. DocType: Packed Item,Parent Detail docname,Parent Detail docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Odkaz: {0}, kód položky: {1} a zákazník: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Otevření o zaměstnání. DocType: Item Attribute,Increment,Přírůstek @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Ženatý apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Není dovoleno {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Položka získaná z -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Žádné položky nejsou uvedeny DocType: Payment Reconciliation,Reconcile,Srovnat @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Penzi apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Vedle Odpisy datum nemůže být před zakoupením Datum DocType: SMS Center,All Sales Person,Všichni obchodní zástupci DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Měsíční Distribuce ** umožňuje distribuovat Rozpočet / Target celé měsíce, pokud máte sezónnosti ve vaší firmě." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Nebyl nalezen položek +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Nebyl nalezen položek apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Plat Struktura Chybějící DocType: Lead,Person Name,Osoba Jméno DocType: Sales Invoice Item,Sales Invoice Item,Položka prodejní faktury @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Je Fixed Asset" nemůže být bez povšimnutí, protože existuje Asset záznam proti položce" DocType: Vehicle Service,Brake Oil,Brake Oil DocType: Tax Rule,Tax Type,Daňové Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Zdanitelná částka +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Zdanitelná částka apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nejste oprávněni přidávat nebo aktualizovat údaje před {0} DocType: BOM,Item Image (if not slideshow),Item Image (ne-li slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Zákazník existuje se stejným názvem DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hodinová sazba / 60) * Skutečný čas operace -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Vybrat BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Vybrat BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Náklady na dodávaných výrobků apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Dovolená na {0} není mezi Datum od a do dnešního dne @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,školy DocType: School Settings,Validate Batch for Students in Student Group,Ověřit dávku pro studenty ve skupině studentů apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Žádný záznam volno nalezených pro zaměstnance {0} na {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Prosím, nejprave zadejte společnost" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Prosím, vyberte první firma" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Prosím, vyberte první firma" DocType: Employee Education,Under Graduate,Za absolventa apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On DocType: BOM,Total Cost,Celkové náklady DocType: Journal Entry Account,Employee Loan,zaměstnanec Loan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivita Log: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Bod {0} neexistuje v systému nebo vypršela +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Aktivita Log: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Bod {0} neexistuje v systému nebo vypršela apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nemovitost apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Výpis z účtu apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutické @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Nárok Částka apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicitní skupinu zákazníků uvedeny v tabulce na knihy zákazníků skupiny apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Dodavatel Typ / dovozce DocType: Naming Series,Prefix,Prefix -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte prosím jmenovací řadu pro {0} přes Nastavení> Nastavení> Série jmen -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Spotřební +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Spotřební DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Záznam importu DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Vytáhněte Materiál Žádost typu Výroba na základě výše uvedených kritérií DocType: Training Result Employee,Grade,Školní známka DocType: Sales Invoice Item,Delivered By Supplier,Dodává se podle dodavatele DocType: SMS Center,All Contact,Vše Kontakt -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Výrobní zakázka již vytvořili u všech položek s BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Výrobní zakázka již vytvořili u všech položek s BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Roční Plat DocType: Daily Work Summary,Daily Work Summary,Denní práce Souhrn DocType: Period Closing Voucher,Closing Fiscal Year,Uzavření fiskálního roku -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} je zmrazený +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} je zmrazený apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vyberte existující společnosti pro vytváření účtový rozvrh apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Náklady apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Vyberte objekt Target Warehouse @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Schválené + Zamítnuté množství se musí rovnat množství Přijaté u položky {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Dodávky suroviny pro nákup -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,pro POS fakturu je nutná alespoň jeden způsob platby. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,pro POS fakturu je nutná alespoň jeden způsob platby. DocType: Products Settings,Show Products as a List,Zobrazit produkty jako seznam DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Stáhněte si šablony, vyplňte potřebné údaje a přiložte upravený soubor. Všechny termíny a zaměstnanec kombinaci ve zvoleném období přijde v šabloně, se stávajícími evidence docházky" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,"Bod {0} není aktivní, nebo byl dosažen konec života" -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Příklad: Základní Mathematics -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Příklad: Základní Mathematics +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Nastavení pro HR modul DocType: SMS Center,SMS Center,SMS centrum DocType: Sales Invoice,Change Amount,změna Částka @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Datum Instalace nemůže být před datem dodání pro bod {0} DocType: Pricing Rule,Discount on Price List Rate (%),Sleva na Ceník Rate (%) DocType: Offer Letter,Select Terms and Conditions,Vyberte Podmínky -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,limitu +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,limitu DocType: Production Planning Tool,Sales Orders,Prodejní objednávky DocType: Purchase Taxes and Charges,Valuation,Ocenění ,Purchase Order Trends,Nákupní objednávka trendy @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Je vstupní otvor DocType: Customer Group,Mention if non-standard receivable account applicable,Zmínka v případě nestandardní pohledávky účet použitelná DocType: Course Schedule,Instructor Name,instruktor Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Pro Sklad je povinné před Odesláním +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Pro Sklad je povinné před Odesláním apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Přijaté On DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Zda zaškrtnuto, zahrne neskladové položky v požadavcích materiálu." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Proti položce vydané faktury ,Production Orders in Progress,Zakázka na výrobu v Progress apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Čistý peněžní tok z financování -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","Místní úložiště je plná, nezachránil" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","Místní úložiště je plná, nezachránil" DocType: Lead,Address & Contact,Adresa a kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Přidat nevyužité listy z předchozích přídělů apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Další Opakující {0} bude vytvořen na {1} DocType: Sales Partner,Partner website,webové stránky Partner apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Přidat položku -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kontakt Jméno +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kontakt Jméno DocType: Course Assessment Criteria,Course Assessment Criteria,Hodnotící kritéria hřiště DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Vytvoří výplatní pásku na výše uvedených kritérií. DocType: POS Customer Group,POS Customer Group,POS Customer Group @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Zkontrolujte ""Je Advance"" proti účtu {1}, pokud je to záloha záznam." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Sklad {0} nepatří ke společnosti {1} DocType: Email Digest,Profit & Loss,Ztráta zisku -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litr +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litr DocType: Task,Total Costing Amount (via Time Sheet),Celková kalkulace Částka (přes Time Sheet) DocType: Item Website Specification,Item Website Specification,Položka webových stránek Specifikace apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Absence blokována @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Prodejní faktuře č DocType: Material Request Item,Min Order Qty,Min Objednané množství DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool hřiště DocType: Lead,Do Not Contact,Nekontaktujte -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Lidé, kteří vyučují ve vaší organizaci" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Lidé, kteří vyučují ve vaší organizaci" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Unikátní ID pro sledování všech opakující faktury. To je generován na odeslat. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer DocType: Item,Minimum Order Qty,Minimální objednávka Množství @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Publikovat v Hub DocType: Student Admission,Student Admission,Student Vstupné ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Položka {0} je zrušen -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Požadavek na materiál +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Požadavek na materiál DocType: Bank Reconciliation,Update Clearance Date,Aktualizace Výprodej Datum DocType: Item,Purchase Details,Nákup Podrobnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Položka {0} nebyl nalezen v "suroviny dodané" tabulky v objednávce {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fleet manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Řádek # {0}: {1} nemůže být negativní na položku {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Špatné Heslo DocType: Item,Variant Of,Varianta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""" DocType: Period Closing Voucher,Closing Account Head,Závěrečný účet hlava DocType: Employee,External Work History,Vnější práce History apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Kruhové Referenční Chyba @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Vzdálenost od levého ok apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jednotek [{1}] (# Form / bodu / {1}) byla nalezena v [{2}] (# Form / sklad / {2}) DocType: Lead,Industry,Průmysl DocType: Employee,Job Profile,Job Profile +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Toto je založeno na transakcích proti této společnosti. Více informací naleznete v časové ose níže DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Upozornit e-mailem na tvorbu automatických Materiál Poptávka DocType: Journal Entry,Multi Currency,Více měn DocType: Payment Reconciliation Invoice,Invoice Type,Typ faktury -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Dodací list +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Dodací list apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Nastavení Daně apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Náklady prodaných aktiv apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Vstup Platba byla změněna poté, co ji vytáhl. Prosím, vytáhněte ji znovu." @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Prosím, zadejte ""Opakujte dne měsíce"" hodnoty pole" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Sazba, za kterou je měna zákazníka převedena na základní měnu zákazníka" DocType: Course Scheduling Tool,Course Scheduling Tool,Samozřejmě Plánování Tool -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Řádek # {0}: faktury nelze provést vůči stávajícímu aktivu {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Řádek # {0}: faktury nelze provést vůči stávajícímu aktivu {1} DocType: Item Tax,Tax Rate,Tax Rate apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} již přidělené pro zaměstnance {1} na dobu {2} až {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Select Položka +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Select Položka apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Přijatá faktura {0} je již odeslána apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Row # {0}: Batch No musí být stejné, jako {1} {2}" apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Převést na non-Group @@ -444,7 +443,7 @@ DocType: Employee,Widowed,Ovdovělý DocType: Request for Quotation,Request for Quotation,Žádost o cenovou nabídku DocType: Salary Slip Timesheet,Working Hours,Pracovní doba 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. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Vytvořit nový zákazník +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Vytvořit nový zákazník apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Je-li více pravidla pro tvorbu cen i nadále přednost, jsou uživatelé vyzváni k nastavení priority pro vyřešení konfliktu." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Vytvoření objednávek ,Purchase Register,Nákup Register @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Jméno Examiner DocType: Purchase Invoice Item,Quantity and Rate,Množství a cena DocType: Delivery Note,% Installed,% Instalováno -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebny / etc laboratoře, kde mohou být naplánovány přednášky." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebny / etc laboratoře, kde mohou být naplánovány přednášky." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Prosím, zadejte nejprve název společnosti" DocType: Purchase Invoice,Supplier Name,Dodavatel Name apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Přečtěte si ERPNext Manuál @@ -486,7 +485,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Staré nadřazené apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Povinná oblast - Akademický rok DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Přizpůsobte si úvodní text, který jede jako součást tohoto e-mailu. Každá transakce je samostatný úvodní text." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Nastavte prosím výchozí splatný účet společnosti {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Nastavte prosím výchozí splatný účet společnosti {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globální nastavení pro všechny výrobní procesy. DocType: Accounts Settings,Accounts Frozen Upto,Účty Frozen aľ DocType: SMS Log,Sent On,Poslán na @@ -525,14 +524,14 @@ DocType: Journal Entry,Accounts Payable,Účty za úplatu apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Vybrané kusovníky nejsou stejné položky DocType: Pricing Rule,Valid Upto,Valid aľ DocType: Training Event,Workshop,Dílna -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Seznam několik svých zákazníků. Ty by mohly být organizace nebo jednotlivci. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Seznam několik svých zákazníků. Ty by mohly být organizace nebo jednotlivci. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Dost Části vybudovat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Přímý příjmů apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nelze filtrovat na základě účtu, pokud seskupeny podle účtu" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Správní ředitel apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vyberte možnost Kurz DocType: Timesheet Detail,Hrs,hod -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Prosím, vyberte Company" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Prosím, vyberte Company" DocType: Stock Entry Detail,Difference Account,Rozdíl účtu DocType: Purchase Invoice,Supplier GSTIN,Dodavatel GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Nelze zavřít úkol, jak jeho závislý úkol {0} není uzavřen." @@ -548,7 +547,7 @@ DocType: Sales Invoice,Offline POS Name,Offline POS Name apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Zadejte prosím stupeň pro Threshold 0% DocType: Sales Order,To Deliver,Dodat DocType: Purchase Invoice Item,Item,Položka -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Sériové žádná položka nemůže být zlomkem +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Sériové žádná položka nemůže být zlomkem DocType: Journal Entry,Difference (Dr - Cr),Rozdíl (Dr - Cr) DocType: Account,Profit and Loss,Zisky a ztráty apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Správa Subdodávky @@ -574,7 +573,7 @@ DocType: Serial No,Warranty Period (Days),Záruční doba (dny) DocType: Installation Note Item,Installation Note Item,Poznámka k instalaci bod DocType: Production Plan Item,Pending Qty,Čekající Množství DocType: Budget,Ignore,Ignorovat -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} není aktivní +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} není aktivní apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS poslal do následujících čísel: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Zkontrolujte nastavení rozměry pro tisk DocType: Salary Slip,Salary Slip Timesheet,Plat Slip časový rozvrh @@ -678,8 +677,8 @@ DocType: Installation Note,IN-,V- DocType: Production Order Operation,In minutes,V minutách DocType: Issue,Resolution Date,Rozlišení Datum DocType: Student Batch Name,Batch Name,Batch Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Časového rozvrhu vytvoření: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Časového rozvrhu vytvoření: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Zapsat DocType: GST Settings,GST Settings,Nastavení GST DocType: Selling Settings,Customer Naming By,Zákazník Pojmenování By @@ -699,7 +698,7 @@ DocType: Activity Cost,Projects User,Projekty uživatele apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Spotřeba apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} nebyla nalezena v tabulce Podrobnosti Faktury DocType: Company,Round Off Cost Center,Zaokrouhlovací nákladové středisko -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Údržba Navštivte {0} musí být zrušena před zrušením této prodejní objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Údržba Navštivte {0} musí být zrušena před zrušením této prodejní objednávky DocType: Item,Material Transfer,Přesun materiálu apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Časová značka zadání musí být po {0} @@ -708,7 +707,7 @@ DocType: Employee Loan,Total Interest Payable,Celkem splatných úroků DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Přistál nákladů daně a poplatky DocType: Production Order Operation,Actual Start Time,Skutečný čas začátku DocType: BOM Operation,Operation Time,Čas operace -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Dokončit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Dokončit apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Báze DocType: Timesheet,Total Billed Hours,Celkem Předepsané Hodiny DocType: Journal Entry,Write Off Amount,Odepsat Částka @@ -733,7 +732,7 @@ DocType: Vehicle,Odometer Value (Last),Údaj měřiče ujeté vzdálenosti (Last apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Vstup Platba je již vytvořili DocType: Purchase Receipt Item Supplied,Current Stock,Current skladem -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Řádek # {0}: Asset {1} není spojena s item {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Řádek # {0}: Asset {1} není spojena s item {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Preview výplatní pásce apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Účet {0} byl zadán vícekrát DocType: Account,Expenses Included In Valuation,Náklady ceně oceňování @@ -757,7 +756,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Vstup Kreditní karta apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Společnost a účty apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Zboží od dodavatelů. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,v Hodnota +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,v Hodnota DocType: Lead,Campaign Name,Název kampaně DocType: Selling Settings,Close Opportunity After Days,V blízkosti Příležitost po několika dnech ,Reserved,Rezervováno @@ -782,17 +781,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energie DocType: Opportunity,Opportunity From,Příležitost Z apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Měsíční plat prohlášení. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Řádek {0}: {1} Sériová čísla vyžadovaná pro položku {2}. Poskytli jste {3}. DocType: BOM,Website Specifications,Webových stránek Specifikace apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Od {0} typu {1} DocType: Warranty Claim,CI-,Ci apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Konverzní faktor je povinné DocType: Employee,A+,A+ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Více Cena pravidla existuje u stejných kritérií, prosím vyřešit konflikt tím, že přiřadí prioritu. Cena Pravidla: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky" DocType: Opportunity,Maintenance,Údržba DocType: Item Attribute Value,Item Attribute Value,Položka Hodnota atributu apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodej kampaně. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Udělat TimeSheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Udělat TimeSheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -845,7 +845,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Nastavení e-mailový účet apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Prosím, nejdřív zadejte položku" DocType: Account,Liability,Odpovědnost -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionována Částka nemůže být větší než reklamace Částka v řádku {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionována Částka nemůže být větší než reklamace Částka v řádku {0}. DocType: Company,Default Cost of Goods Sold Account,Výchozí Náklady na prodané zboží účtu apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ceník není zvolen DocType: Employee,Family Background,Rodinné poměry @@ -856,10 +856,10 @@ DocType: Company,Default Bank Account,Výchozí Bankovní účet apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Chcete-li filtrovat na základě Party, vyberte typ Party první" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Aktualizovat sklad' nemůže být zaškrtnuto, protože položky nejsou dodány přes {0}" DocType: Vehicle,Acquisition Date,akvizice Datum -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Položky s vyšším weightage budou zobrazeny vyšší DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Odsouhlasení Detail -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Řádek # {0}: {1} Asset musí být předloženy +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Řádek # {0}: {1} Asset musí být předloženy apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Žádný zaměstnanec nalezeno DocType: Supplier Quotation,Stopped,Zastaveno DocType: Item,If subcontracted to a vendor,Pokud se subdodávky na dodavatele @@ -875,7 +875,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimální částka fakt apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: náklady Center {2} nepatří do společnosti {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Účet {2} nemůže být skupina apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Položka Row {idx}: {typ_dokumentu} {} DOCNAME neexistuje v předchozím '{typ_dokumentu}' tabulka -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Časového rozvrhu {0} je již dokončena nebo zrušena +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Časového rozvrhu {0} je již dokončena nebo zrušena apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,žádné úkoly DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Den měsíce, ve kterém auto faktura bude generován například 05, 28 atd" DocType: Asset,Opening Accumulated Depreciation,Otevření Oprávky @@ -934,7 +934,7 @@ DocType: SMS Log,Requested Numbers,Požadované Čísla DocType: Production Planning Tool,Only Obtain Raw Materials,Vypsat pouze slkadový materiál apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Hodnocení výkonu. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Povolení "použití pro nákupního košíku", jak je povoleno Nákupní košík a tam by měla být alespoň jedna daňová pravidla pro Košík" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Platba Vstup {0} je propojen na objednávku {1}, zkontrolujte, zda by měl být tažen za pokrok v této faktuře." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Platba Vstup {0} je propojen na objednávku {1}, zkontrolujte, zda by měl být tažen za pokrok v této faktuře." DocType: Sales Invoice Item,Stock Details,Sklad Podrobnosti apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Hodnota projektu apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Místě prodeje @@ -957,15 +957,15 @@ DocType: Naming Series,Update Series,Řada Aktualizace DocType: Supplier Quotation,Is Subcontracted,Subdodavatelům DocType: Item Attribute,Item Attribute Values,Položka Hodnoty atributů DocType: Examination Result,Examination Result,vyšetření Výsledek -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Příjemka +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Příjemka ,Received Items To Be Billed,"Přijaté položek, které mají být účtovány" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Vložené výplatních páskách +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Vložené výplatních páskách apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Devizový kurz master. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referenční Doctype musí být jedním z {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Nelze najít časový úsek v příštích {0} dní k provozu {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Nelze najít časový úsek v příštích {0} dní k provozu {1} DocType: Production Order,Plan material for sub-assemblies,Plán materiál pro podsestavy apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Obchodní partneři a teritoria -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} musí být aktivní +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} musí být aktivní DocType: Journal Entry,Depreciation Entry,odpisy Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Vyberte první typ dokumentu apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Zrušit Materiál Návštěvy {0} před zrušením tohoto návštěv údržby @@ -975,7 +975,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Celková částka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing DocType: Production Planning Tool,Production Orders,Výrobní Objednávky -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Zůstatek Hodnota +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Zůstatek Hodnota apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Prodejní ceník apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publikování synchronizovat položky DocType: Bank Reconciliation,Account Currency,Měna účtu @@ -1000,12 +1000,12 @@ DocType: Employee,Exit Interview Details,Exit Rozhovor Podrobnosti DocType: Item,Is Purchase Item,je Nákupní Položka DocType: Asset,Purchase Invoice,Přijatá faktura DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail No -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nová prodejní faktura +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nová prodejní faktura DocType: Stock Entry,Total Outgoing Value,Celková hodnota Odchozí apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Datum zahájení a datem ukončení by mělo být v rámci stejného fiskální rok DocType: Lead,Request for Information,Žádost o informace ,LeaderBoard,LeaderBoard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline Faktury +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Faktury DocType: Payment Request,Paid,Placený DocType: Program Fee,Program Fee,Program Fee DocType: Salary Slip,Total in words,Celkem slovy @@ -1013,7 +1013,7 @@ DocType: Material Request Item,Lead Time Date,Datum a čas Leadu DocType: Guardian,Guardian Name,Jméno Guardian DocType: Cheque Print Template,Has Print Format,Má formát tisku DocType: Employee Loan,Sanctioned,schválený -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,je povinné. Možná chybí záznam směnného kurzu pro +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,je povinné. Možná chybí záznam směnného kurzu pro apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Zadejte Pořadové číslo k bodu {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pro "produktem Bundle předměty, sklad, sériové číslo a dávkové No bude považována ze" Balení seznam 'tabulky. Pokud Warehouse a Batch No jsou stejné pro všechny balení položky pro jakoukoli "Výrobek balík" položky, tyto hodnoty mohou být zapsány do hlavní tabulky položky, budou hodnoty zkopírovány do "Balení seznam" tabulku." DocType: Job Opening,Publish on website,Publikovat na webových stránkách @@ -1026,7 +1026,7 @@ DocType: Cheque Print Template,Date Settings,Datum Nastavení apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Odchylka ,Company Name,Název společnosti DocType: SMS Center,Total Message(s),Celkem zpráv (y) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Vybrat položku pro převod +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Vybrat položku pro převod DocType: Purchase Invoice,Additional Discount Percentage,Další slevy Procento apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Zobrazit seznam všech nápovědy videí DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Vyberte účet šéf banky, kde byla uložena kontrola." @@ -1040,7 +1040,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Company měna) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Všechny položky již byly převedeny na výrobu tohoto řádu. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Řádek # {0}: Míra nemůže být větší než rychlost použitá v {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Metr +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Metr DocType: Workstation,Electricity Cost,Cena elektřiny DocType: HR Settings,Don't send Employee Birthday Reminders,Neposílejte zaměstnance připomenutí narozenin DocType: Item,Inspection Criteria,Inspekční Kritéria @@ -1054,7 +1054,7 @@ DocType: SMS Center,All Lead (Open),Všechny Lead (Otevřeny) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Řádek {0}: Množství není k dispozici pro {4} ve skladu {1} při účtování čas vložení údajů ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Získejte zaplacené zálohy DocType: Item,Automatically Create New Batch,Automaticky vytvořit novou dávku -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Dělat +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Dělat DocType: Student Admission,Admission Start Date,Vstupné Datum zahájení DocType: Journal Entry,Total Amount in Words,Celková částka slovy apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Došlo k chybě. Jedním z důvodů by mohlo být pravděpodobné, že jste uložili formulář. Obraťte se prosím na support@erpnext.com Pokud problém přetrvává." @@ -1062,7 +1062,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Můj košík apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Typ objednávky musí být jedním z {0} DocType: Lead,Next Contact Date,Další Kontakt Datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otevření POČET -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Prosím, zadejte účet pro změnu Částka" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Prosím, zadejte účet pro změnu Částka" DocType: Student Batch Name,Student Batch Name,Student Batch Name DocType: Holiday List,Holiday List Name,Název seznamu dovolené DocType: Repayment Schedule,Balance Loan Amount,Balance Výše úvěru @@ -1070,7 +1070,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Akciové opce DocType: Journal Entry Account,Expense Claim,Hrazení nákladů apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Opravdu chcete obnovit tento vyřazen aktivum? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Množství pro {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Množství pro {0} DocType: Leave Application,Leave Application,Požadavek na absenci apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Nástroj pro přidělování dovolených DocType: Leave Block List,Leave Block List Dates,Nechte Block List termíny @@ -1120,7 +1120,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Proti DocType: Item,Default Selling Cost Center,Výchozí Center Prodejní cena DocType: Sales Partner,Implementation Partner,Implementačního partnera -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,PSČ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,PSČ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Prodejní objednávky {0} {1} DocType: Opportunity,Contact Info,Kontaktní informace apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Tvorba přírůstků zásob @@ -1138,13 +1138,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Chce apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Průměrný věk DocType: School Settings,Attendance Freeze Date,Datum ukončení účasti DocType: Opportunity,Your sales person who will contact the customer in future,"Váš obchodní zástupce, který bude kontaktovat zákazníka v budoucnu" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Seznam několik svých dodavatelů. Ty by mohly být organizace nebo jednotlivci. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Seznam několik svých dodavatelů. Ty by mohly být organizace nebo jednotlivci. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Zobrazit všechny produkty apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimální doba plnění (dny) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Všechny kusovníky +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Všechny kusovníky DocType: Company,Default Currency,Výchozí měna DocType: Expense Claim,From Employee,Od Zaměstnance -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Upozornění: Systém nebude kontrolovat nadfakturace, protože částka za položku na {1} je nula {0}" +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Upozornění: Systém nebude kontrolovat nadfakturace, protože částka za položku na {1} je nula {0}" DocType: Journal Entry,Make Difference Entry,Učinit vstup Rozdíl DocType: Upload Attendance,Attendance From Date,Účast Datum od DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area @@ -1161,7 +1161,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Registrace firmy čísla pro váš odkaz. Daňové čísla atd DocType: Sales Partner,Distributor,Distributor DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Nákupní košík Shipping Rule -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Výrobní zakázka {0} musí být zrušena před zrušením této prodejní objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Výrobní zakázka {0} musí být zrušena před zrušením této prodejní objednávky apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Prosím nastavte na "Použít dodatečnou slevu On" ,Ordered Items To Be Billed,Objednané zboží fakturovaných apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"Z rozsahu, musí být nižší než na Range" @@ -1170,10 +1170,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Odpočty DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Začátek Rok -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},První dvě číslice GSTIN by se měly shodovat s číslem státu {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},První dvě číslice GSTIN by se měly shodovat s číslem státu {0} DocType: Purchase Invoice,Start date of current invoice's period,Datum období současného faktury je Začátek DocType: Salary Slip,Leave Without Pay,Volno bez nároku na mzdu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Plánování kapacit Chyba +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Plánování kapacit Chyba ,Trial Balance for Party,Trial váhy pro stranu DocType: Lead,Consultant,Konzultant DocType: Salary Slip,Earnings,Výdělek @@ -1189,7 +1189,7 @@ DocType: Cheque Print Template,Payer Settings,Nastavení plátce DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To bude připojen na položku zákoníku varianty. Například, pokud vaše zkratka je ""SM"", a položka je kód ""T-SHIRT"", položka kód varianty bude ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Čistá Pay (slovy) budou viditelné, jakmile uložíte výplatní pásce." DocType: Purchase Invoice,Is Return,Je Return -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Return / vrubopis +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Return / vrubopis DocType: Price List Country,Price List Country,Ceník Země DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} platí pořadová čísla pro položky {1} @@ -1202,7 +1202,7 @@ DocType: Employee Loan,Partially Disbursed,částečně Vyplacené apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Databáze dodavatelů. DocType: Account,Balance Sheet,Rozvaha apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',"Nákladové středisko u položky s Kód položky """ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba není nakonfigurován. Prosím zkontrolujte, zda je účet byl nastaven na režim plateb nebo na POS Profilu." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba není nakonfigurován. Prosím zkontrolujte, zda je účet byl nastaven na režim plateb nebo na POS Profilu." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Váš obchodní zástupce dostane upomínku na tento den, aby kontaktoval zákazníka" apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Stejnou položku nelze zadat vícekrát. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Další účty mohou být vyrobeny v rámci skupiny, ale údaje lze proti non-skupin" @@ -1230,7 +1230,7 @@ DocType: Employee Loan Application,Repayment Info,splácení Info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Záznamy"" nemohou být prázdné" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplicitní řádek {0} se stejným {1} ,Trial Balance,Trial Balance -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Fiskální rok {0} nebyl nalezen +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Fiskální rok {0} nebyl nalezen apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Nastavení Zaměstnanci DocType: Sales Order,SO-,TAK- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Prosím, vyberte první prefix" @@ -1245,11 +1245,11 @@ DocType: Grading Scale,Intervals,intervaly apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Nejstarší apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Položka Group existuje se stejným názvem, prosím, změnit název položky nebo přejmenovat skupinu položek" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Zbytek světa +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Zbytek světa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Položka {0} nemůže mít dávku ,Budget Variance Report,Rozpočet Odchylka Report DocType: Salary Slip,Gross Pay,Hrubé mzdy -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Řádek {0}: typ činnosti je povinná. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Řádek {0}: typ činnosti je povinná. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendy placené apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Účetní Ledger DocType: Stock Reconciliation,Difference Amount,Rozdíl Částka @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Zaměstnanec Leave Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Zůstatek na účtě {0} musí být vždy {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Ocenění Míra potřebná pro položku v řádku {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Příklad: Masters v informatice +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Příklad: Masters v informatice DocType: Purchase Invoice,Rejected Warehouse,Zamítnuto Warehouse DocType: GL Entry,Against Voucher,Proti poukazu DocType: Item,Default Buying Cost Center,Výchozí Center Nákup Cost apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Chcete-li získat to nejlepší z ERPNext, doporučujeme vám nějaký čas trvat, a sledovat tyto nápovědy videa." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,na +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,na DocType: Supplier Quotation Item,Lead Time in days,Čas leadu ve dnech apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Splatné účty Shrnutí -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Výplata platu od {0} do {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Výplata platu od {0} do {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Není povoleno upravovat zmrazený účet {0} DocType: Journal Entry,Get Outstanding Invoices,Získat neuhrazených faktur -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Prodejní objednávky {0} není platný +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Prodejní objednávky {0} není platný apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Objednávky pomohou při plánování a navázat na vašich nákupech apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Je nám líto, společnosti nemohou být sloučeny" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Nepřímé náklady apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Množství je povinný apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Zemědělství -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Vaše Produkty nebo Služby +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Vaše Produkty nebo Služby DocType: Mode of Payment,Mode of Payment,Způsob platby apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Webové stránky Image by měla být veřejná souboru nebo webové stránky URL DocType: Student Applicant,AP,AP @@ -1324,18 +1324,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Sazba daně položky DocType: Student Group Student,Group Roll Number,Číslo role skupiny apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Pro {0}, tak úvěrové účty mohou být propojeny na jinou položku debetní" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Součet všech vah úkol by měl být 1. Upravte váhy všech úkolů projektu v souladu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Delivery Note {0} není předložena +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Delivery Note {0} není předložena apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Položka {0} musí být Subdodavatelské Item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitálové Vybavení apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ceny Pravidlo je nejprve vybrána na základě ""Použít na"" oblasti, které mohou být položky, položky skupiny nebo značky." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Nejprve nastavte kód položky +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Nejprve nastavte kód položky DocType: Hub Settings,Seller Website,Prodejce Website DocType: Item,ITEM-,POLOŽKA- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Celkové přidělené procento prodejní tým by měl být 100 DocType: Appraisal Goal,Goal,Cíl DocType: Sales Invoice Item,Edit Description,Upravit popis ,Team Updates,tým Aktualizace -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Pro Dodavatele +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Pro Dodavatele DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Nastavení typu účtu pomáhá při výběru tohoto účtu v transakcích. DocType: Purchase Invoice,Grand Total (Company Currency),Celkový součet (Měna společnosti) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Vytvořit formát tisku @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,Webové stránky skupiny položek DocType: Purchase Invoice,Total (Company Currency),Total (Company měny) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Výrobní číslo {0} přihlášeno více než jednou DocType: Depreciation Schedule,Journal Entry,Zápis do deníku -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} položky v probíhající +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} položky v probíhající DocType: Workstation,Workstation Name,Meno pracovnej stanice DocType: Grading Scale Interval,Grade Code,Grade Code DocType: POS Item Group,POS Item Group,POS položky Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1} DocType: Sales Partner,Target Distribution,Target Distribution 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 @@ -1411,7 +1411,7 @@ DocType: Quotation,Shopping Cart,Nákupní vozík apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daily Odchozí DocType: POS Profile,Campaign,Kampaň DocType: Supplier,Name and Type,Název a typ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Stav schválení musí být ""schváleno"" nebo ""Zamítnuto""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Stav schválení musí být ""schváleno"" nebo ""Zamítnuto""" DocType: Purchase Invoice,Contact Person,Kontaktní osoba apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Očekávané datum započetí"" nemůže být větší než ""Očekávané datum ukončení""" DocType: Course Scheduling Tool,Course End Date,Konec Samozřejmě Datum @@ -1423,8 +1423,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,preferovaný Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Čistá změna ve stálých aktiv DocType: Leave Control Panel,Leave blank if considered for all designations,"Ponechte prázdné, pokud se to považuje za všechny označení" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime DocType: Email Digest,For Company,Pro Společnost apps/erpnext/erpnext/config/support.py +17,Communication log.,Komunikační protokol. @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profil Job, po DocType: Journal Entry Account,Account Balance,Zůstatek na účtu apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Daňové Pravidlo pro transakce. DocType: Rename Tool,Type of document to rename.,Typ dokumentu přejmenovat. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Vykupujeme tuto položku +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Vykupujeme tuto položku apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Zákazník je nutná proti pohledávek účtu {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Celkem Daně a poplatky (Company Měnové) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Ukázat P & L zůstatky neuzavřený fiskální rok je @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,Čtení DocType: Stock Entry,Total Additional Costs,Celkem Dodatečné náklady DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Šrot materiálové náklady (Company měna) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Podsestavy +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Podsestavy DocType: Asset,Asset Name,Asset Name DocType: Project,Task Weight,úkol Hmotnost DocType: Shipping Rule Condition,To Value,Chcete-li hodnota @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Položka Varianty DocType: Company,Services,Služby DocType: HR Settings,Email Salary Slip to Employee,Email výplatní pásce pro zaměstnance DocType: Cost Center,Parent Cost Center,Nadřazené Nákladové středisko -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Vyberte Možné dodavatele +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Vyberte Možné dodavatele DocType: Sales Invoice,Source,Zdroj apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show uzavřen DocType: Leave Type,Is Leave Without Pay,Je odejít bez Pay @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,Použít slevu DocType: GST HSN Code,GST HSN Code,GST HSN kód DocType: Employee External Work History,Total Experience,Celková zkušenost apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,otevřené projekty -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Balící list(y) stornován(y) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Balící list(y) stornován(y) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Peněžní tok z investičních DocType: Program Course,Program Course,Program kurzu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Nákladní a Spediční Poplatky @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Program Přihlášky DocType: Sales Invoice Item,Brand Name,Jméno značky DocType: Purchase Receipt,Transporter Details,Transporter Podrobnosti -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Výchozí sklad je vyžadováno pro vybraná položka -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Krabice -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,možné Dodavatel +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Výchozí sklad je vyžadováno pro vybraná položka +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Krabice +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,možné Dodavatel DocType: Budget,Monthly Distribution,Měsíční Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Přijímač Seznam je prázdný. Prosím vytvořte přijímače Seznam DocType: Production Plan Sales Order,Production Plan Sales Order,Výrobní program prodejní objednávky @@ -1593,7 +1593,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Nároky na n apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studenti jsou jádrem systému, přidejte všechny své studenty" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Řádek # {0}: datum Světlá {1} nemůže být před Cheque Datum {2} DocType: Company,Default Holiday List,Výchozí Holiday Seznam -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Závazky DocType: Purchase Invoice,Supplier Warehouse,Dodavatel Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobil @@ -1609,18 +1609,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Absence typu {0} nemůže být delší než {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Zkuste plánování operací pro X dní předem. DocType: HR Settings,Stop Birthday Reminders,Zastavit připomenutí narozenin -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Prosím nastavit výchozí mzdy, splatnou účet ve firmě {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},"Prosím nastavit výchozí mzdy, splatnou účet ve firmě {0}" DocType: SMS Center,Receiver List,Přijímač Seznam -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Hledání položky +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Hledání položky apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Spotřebovaném množství apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Čistá změna v hotovosti DocType: Assessment Plan,Grading Scale,Klasifikační stupnice apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,již byly dokončeny +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,již byly dokončeny apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Skladem v ruce apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Platba Poptávka již existuje {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Náklady na vydaných položek -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Množství nesmí být větší než {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Množství nesmí být větší než {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Předchozí finanční rok není uzavřen apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Stáří (dny) DocType: Quotation Item,Quotation Item,Položka Nabídky @@ -1634,6 +1634,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,referenční dokument apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} je zrušena nebo zastavena DocType: Accounts Settings,Credit Controller,Credit Controller +DocType: Sales Order,Final Delivery Date,Konečný termín dodání DocType: Delivery Note,Vehicle Dispatch Date,Vozidlo Dispatch Datum DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Doklad o koupi {0} není předložena @@ -1722,9 +1723,9 @@ DocType: Employee,Date Of Retirement,Datum odchodu do důchodu DocType: Upload Attendance,Get Template,Získat šablonu DocType: Material Request,Transferred,Přestoupil DocType: Vehicle,Doors,dveře -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Rozdělení daní +DocType: Purchase Invoice,Tax Breakup,Rozdělení daní DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Je zapotřebí nákladového střediska pro 'zisku a ztráty "účtu {2}. Prosím nastavit výchozí nákladového střediska pro společnost. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Zákaznická Skupina existuje se stejným názvem, prosím změnit název zákazníka nebo přejmenujte skupinu zákazníků" @@ -1737,14 +1738,14 @@ DocType: Announcement,Instructor,Instruktor DocType: Employee,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Pokud je tato položka má varianty, pak to nemůže být vybrána v prodejních objednávek atd" DocType: Lead,Next Contact By,Další Kontakt By -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Množství požadované pro bodě {0} v řadě {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Množství požadované pro bodě {0} v řadě {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sklad {0} nelze smazat, protože existuje množství k položce {1}" DocType: Quotation,Order Type,Typ objednávky DocType: Purchase Invoice,Notification Email Address,Oznámení e-mailová adresa ,Item-wise Sales Register,Item-moudrý Sales Register DocType: Asset,Gross Purchase Amount,Gross Částka nákupu DocType: Asset,Depreciation Method,odpisy Metoda -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to poplatek v ceně základní sazbě? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Celkem Target DocType: Job Applicant,Applicant for a Job,Žadatel o zaměstnání @@ -1765,7 +1766,7 @@ DocType: Employee,Leave Encashed?,Dovolená proplacena? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Ze hřiště je povinné DocType: Email Digest,Annual Expenses,roční náklady DocType: Item,Variants,Varianty -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Proveďte objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Proveďte objednávky DocType: SMS Center,Send To,Odeslat apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Není dost bilance dovolenou na vstup typ {0} DocType: Payment Reconciliation Payment,Allocated amount,Přidělené sumy @@ -1773,7 +1774,7 @@ DocType: Sales Team,Contribution to Net Total,Příspěvek na celkových čistý DocType: Sales Invoice Item,Customer's Item Code,Zákazníka Kód položky DocType: Stock Reconciliation,Stock Reconciliation,Reklamní Odsouhlasení DocType: Territory,Territory Name,Území Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Work-in-Progress sklad je zapotřebí před Odeslat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Work-in-Progress sklad je zapotřebí před Odeslat apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Žadatel o zaměstnání. DocType: Purchase Order Item,Warehouse and Reference,Sklad a reference DocType: Supplier,Statutory info and other general information about your Supplier,Statutární info a další obecné informace o váš dodavatel @@ -1784,16 +1785,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,ocenění apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Duplicitní Pořadové číslo vstoupil k bodu {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Podmínka pro pravidla dopravy apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Prosím Vstupte -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nelze overbill k bodu {0} v řadě {1} více než {2}. Aby bylo možné přes-fakturace, je třeba nastavit při nákupu Nastavení" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Prosím nastavit filtr na základě výtisku nebo ve skladu +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nelze overbill k bodu {0} v řadě {1} více než {2}. Aby bylo možné přes-fakturace, je třeba nastavit při nákupu Nastavení" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Prosím nastavit filtr na základě výtisku nebo ve skladu DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Čistá hmotnost tohoto balíčku. (Automaticky vypočítá jako součet čisté váhy položek) DocType: Sales Order,To Deliver and Bill,Dodat a Bill DocType: Student Group,Instructors,instruktoři DocType: GL Entry,Credit Amount in Account Currency,Kreditní Částka v měně účtu -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} musí být předloženy +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} musí být předloženy DocType: Authorization Control,Authorization Control,Autorizace Control apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Řádek # {0}: Zamítnutí Warehouse je povinná proti zamítnuté bodu {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Platba +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Platba apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} není propojen s žádným účtem, uveďte prosím účet v záznamu skladu nebo nastavte výchozí inventární účet ve firmě {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Správa objednávek DocType: Production Order Operation,Actual Time and Cost,Skutečný Čas a Náklady @@ -1809,12 +1810,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle DocType: Quotation Item,Actual Qty,Skutečné Množství DocType: Sales Invoice Item,References,Reference DocType: Quality Inspection Reading,Reading 10,Čtení 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Seznam vaše produkty nebo služby, které jste koupit nebo prodat. Ujistěte se, že zkontrolovat položky Group, měrná jednotka a dalších vlastností při spuštění." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Seznam vaše produkty nebo služby, které jste koupit nebo prodat. Ujistěte se, že zkontrolovat položky Group, měrná jednotka a dalších vlastností při spuštění." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Zadali jste duplicitní položky. Prosím, opravu a zkuste to znovu." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Spolupracovník +DocType: Company,Sales Target,Cíl prodeje DocType: Asset Movement,Asset Movement,Asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,New košík +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,New košík apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Položka {0} není serializovat položky DocType: SMS Center,Create Receiver List,Vytvořit přijímače seznam DocType: Vehicle,Wheels,kola @@ -1855,13 +1857,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Správa projektů DocType: Supplier,Supplier of Goods or Services.,Dodavatel zboží nebo služeb. DocType: Budget,Fiscal Year,Fiskální rok DocType: Vehicle Log,Fuel Price,palivo Cena +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosím, nastavte sérii číslování pro Účast přes Nastavení> Série číslování" DocType: Budget,Budget,Rozpočet apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musí být non-skladová položka. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Rozpočet nelze přiřadit proti {0}, protože to není výnos nebo náklad účet" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Dosažená DocType: Student Admission,Application Form Route,Přihláška Trasa apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territory / Customer -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,např. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,např. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Nechat Typ {0} nemůže být přidělena, neboť se odejít bez zaplacení" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Přidělená částka {1} musí být menší než nebo se rovná fakturovat dlužné částky {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Ve slovech budou viditelné, jakmile uložíte prodejní faktury." @@ -1870,11 +1873,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Položka {0} není nastavení pro Serial č. Zkontrolujte, zda master položku" DocType: Maintenance Visit,Maintenance Time,Údržba Time ,Amount to Deliver,"Částka, která má dodávat" -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Produkt nebo Služba +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Produkt nebo Služba apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Datum zahájení nemůže být dříve než v roce datum zahájení akademického roku, ke kterému termín je spojena (akademický rok {}). Opravte data a zkuste to znovu." DocType: Guardian,Guardian Interests,Guardian Zájmy DocType: Naming Series,Current Value,Current Value -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Několik fiskálních let existují pro data {0}. Prosím nastavte společnost ve fiskálním roce +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Několik fiskálních let existují pro data {0}. Prosím nastavte společnost ve fiskálním roce apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} vytvořil DocType: Delivery Note Item,Against Sales Order,Proti přijaté objednávce ,Serial No Status,Serial No Status @@ -1888,7 +1891,7 @@ DocType: Pricing Rule,Selling,Prodejní apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Množství {0} {1} odečíst proti {2} DocType: Employee,Salary Information,Vyjednávání o platu DocType: Sales Person,Name and Employee ID,Jméno a ID zaměstnance -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Datum splatnosti nesmí být před odesláním Datum +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Datum splatnosti nesmí být před odesláním Datum DocType: Website Item Group,Website Item Group,Website Item Group apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Odvody a daně apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Prosím, zadejte Referenční den" @@ -1943,9 +1946,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Nastavte prosím datum zapojení pro zaměstnance {0} DocType: Task,Total Billing Amount (via Time Sheet),Celková částka Billing (přes Time Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repeat Customer Příjmy -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), musí mít roli ""Schvalovatel výdajů""" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pár -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Vyberte BOM a Množství pro výrobu +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), musí mít roli ""Schvalovatel výdajů""" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Pár +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Vyberte BOM a Množství pro výrobu DocType: Asset,Depreciation Schedule,Plán odpisy apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresy prodejních partnerů a kontakty DocType: Bank Reconciliation Detail,Against Account,Proti účet @@ -1955,7 +1958,7 @@ DocType: Item,Has Batch No,Má číslo šarže apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Roční Billing: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Daň z zboží a služeb (GST India) DocType: Delivery Note,Excise Page Number,Spotřební Číslo stránky -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Firma, Datum od a do dnešního dne je povinná" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Firma, Datum od a do dnešního dne je povinná" DocType: Asset,Purchase Date,Datum nákupu DocType: Employee,Personal Details,Osobní data apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Prosím nastavte "odpisy majetku nákladové středisko" ve firmě {0} @@ -1964,9 +1967,9 @@ DocType: Task,Actual End Date (via Time Sheet),Skutečné datum ukončení (pře apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Množství {0} {1} na {2} {3} ,Quotation Trends,Uvozovky Trendy apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Položka Group není uvedeno v položce mistra na položku {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet" DocType: Shipping Rule Condition,Shipping Amount,Částka - doprava -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Přidat zákazníky +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Přidat zákazníky apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Čeká Částka DocType: Purchase Invoice Item,Conversion Factor,Konverzní faktor DocType: Purchase Order,Delivered,Dodává @@ -1988,7 +1991,6 @@ DocType: Production Order,Use Multi-Level BOM,Použijte Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Zahrnout odsouhlasené zápisy DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Mateřský kurz (nechte prázdné, pokud toto není součástí mateřského kurzu)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Ponechte prázdné, pokud se to považuje za ubytování ve všech typech zaměstnanců" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuovat poplatků na základě apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,Nastavení HR @@ -1996,7 +1998,7 @@ DocType: Salary Slip,net pay info,Čistý plat info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Úhrada výdajů čeká na schválení. Pouze schalovatel výdajů může aktualizovat stav. DocType: Email Digest,New Expenses,Nové výdaje DocType: Purchase Invoice,Additional Discount Amount,Dodatečná sleva Částka -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Řádek # {0}: Množství musí být 1, když je položka investičního majetku. Prosím použít samostatný řádek pro vícenásobné Mn." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Řádek # {0}: Množství musí být 1, když je položka investičního majetku. Prosím použít samostatný řádek pro vícenásobné Mn." DocType: Leave Block List Allow,Leave Block List Allow,Nechte Block List Povolit apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Zkratka nemůže být prázdný znak nebo mezera apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Skupina na Non-Group @@ -2004,7 +2006,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sportovní DocType: Loan Type,Loan Name,půjčka Name apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Celkem Aktuální DocType: Student Siblings,Student Siblings,Studentské Sourozenci -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Jednotka +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Jednotka apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Uveďte prosím, firmu" ,Customer Acquisition and Loyalty,Zákazník Akvizice a loajality DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Sklad, kde se udržují zásoby odmítnutých položek" @@ -2022,12 +2024,12 @@ DocType: Workstation,Wages per hour,Mzda za hodinu apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Sklad bilance v dávce {0} se zhorší {1} k bodu {2} ve skladu {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Následující materiál žádosti byly automaticky zvýšena na základě úrovni re-pořadí položky DocType: Email Digest,Pending Sales Orders,Čeká Prodejní objednávky -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatný. Měna účtu musí být {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatný. Měna účtu musí být {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Konverzní faktor je nutné v řadě {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním ze zakázky odběratele, prodejní faktury nebo Journal Entry" DocType: Salary Component,Deduction,Dedukce -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Řádek {0}: From Time a na čas je povinná. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Řádek {0}: From Time a na čas je povinná. DocType: Stock Reconciliation Item,Amount Difference,výše Rozdíl apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Položka Cena přidán pro {0} v Ceníku {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Prosím, zadejte ID zaměstnance z tohoto prodeje osoby" @@ -2037,11 +2039,11 @@ DocType: Project,Gross Margin,Hrubá marže apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,"Prosím, zadejte první výrobní položku" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Vypočtená výpis z bankovního účtu zůstatek apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,zakázané uživatelské -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Nabídka +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Nabídka DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Celkem Odpočet ,Production Analytics,výrobní Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Náklady Aktualizováno +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Náklady Aktualizováno DocType: Employee,Date of Birth,Datum narození apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Bod {0} již byla vrácena DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiskální rok ** představuje finanční rok. Veškeré účetní záznamy a další významné transakce jsou sledovány proti ** fiskální rok **. @@ -2086,18 +2088,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Vyberte společnost ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Ponechte prázdné, pokud se to považuje za všechna oddělení" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Druhy pracovního poměru (trvalý, smluv, stážista atd.)" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} je povinná k položce {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} je povinná k položce {1} DocType: Process Payroll,Fortnightly,Čtrnáctidenní DocType: Currency Exchange,From Currency,Od Měny apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Náklady na nový nákup -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0} DocType: Purchase Invoice Item,Rate (Company Currency),Cena (Měna Společnosti) DocType: Student Guardian,Others,Ostatní DocType: Payment Entry,Unallocated Amount,nepřidělené Částka apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Nelze najít odpovídající položku. Vyberte nějakou jinou hodnotu pro {0}. DocType: POS Profile,Taxes and Charges,Daně a poplatky DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt nebo služba, která se Nakupuje, Prodává nebo Skladuje." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Žádné další aktualizace apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nelze vybrat druh náboje jako ""On předchozí řady Částka"" nebo ""On předchozí řady Celkem"" pro první řadu" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Dítě Položka by neměla být produkt Bundle. Odeberte položku `{0}` a uložit @@ -2123,7 +2126,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Celková částka fakturace apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Musí existovat výchozí příchozí e-mailový účet povolen pro tuto práci. Prosím nastavit výchozí příchozí e-mailový účet (POP / IMAP) a zkuste to znovu. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Účet pohledávky -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Řádek # {0}: Asset {1} je již {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Řádek # {0}: Asset {1} je již {2} DocType: Quotation Item,Stock Balance,Reklamní Balance apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Prodejní objednávky na platby apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,výkonný ředitel @@ -2148,10 +2151,11 @@ DocType: C-Form,Received Date,Datum přijetí DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Pokud jste vytvořili standardní šablonu v prodeji daní a poplatků šablony, vyberte jednu a klikněte na tlačítko níže." DocType: BOM Scrap Item,Basic Amount (Company Currency),Základní částka (Company měna) DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodavatel> Typ dodavatele DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny nebude zobrazeno, pokud Ceník není nastaven" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Uveďte prosím zemi, k tomuto Shipping pravidla nebo zkontrolovat Celosvětová doprava" DocType: Stock Entry,Total Incoming Value,Celková hodnota Příchozí -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debetní K je vyžadováno +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debetní K je vyžadováno apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomůže udržet přehled o času, nákladů a účtování pro aktivit hotový svého týmu" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Nákupní Ceník DocType: Offer Letter Term,Offer Term,Nabídka Term @@ -2170,11 +2174,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Hleda DocType: Timesheet Detail,To Time,Chcete-li čas DocType: Authorization Rule,Approving Role (above authorized value),Schválení role (nad oprávněné hodnoty) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2} DocType: Production Order Operation,Completed Qty,Dokončené Množství apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Pro {0}, tak debetní účty mohou být spojeny proti jinému připsání" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Ceník {0} je zakázána -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Řádek {0}: Dokončené Množství nemůže být více než {1} pro provoz {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Řádek {0}: Dokončené Množství nemůže být více než {1} pro provoz {2} DocType: Manufacturing Settings,Allow Overtime,Povolit Přesčasy apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serializovaná položka {0} nemůže být aktualizována pomocí odsouhlasení akcií, použijte prosím položku Stock" DocType: Training Event Employee,Training Event Employee,Vzdělávání zaměstnanců Event @@ -2192,10 +2196,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Externí apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Uživatelé a oprávnění DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Výrobní zakázky Vytvořeno: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Výrobní zakázky Vytvořeno: {0} DocType: Branch,Branch,Větev DocType: Guardian,Mobile Number,Telefonní číslo apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tisk a identita +DocType: Company,Total Monthly Sales,Celkový měsíční prodej DocType: Bin,Actual Quantity,Skutečné Množství DocType: Shipping Rule,example: Next Day Shipping,Příklad: Next Day Shipping apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Pořadové číslo {0} nebyl nalezen @@ -2225,7 +2230,7 @@ DocType: Payment Request,Make Sales Invoice,Proveďte prodejní faktuře apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Programy apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Následující Kontakt datum nemůže být v minulosti DocType: Company,For Reference Only.,Pouze orientační. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Vyberte číslo šarže +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Vyberte číslo šarže apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Neplatný {0}: {1} DocType: Purchase Invoice,PINV-RET-,PInv-RET- DocType: Sales Invoice Advance,Advance Amount,Záloha ve výši @@ -2238,7 +2243,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No Položka s čárovým kódem {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Případ č nemůže být 0 DocType: Item,Show a slideshow at the top of the page,Ukazují prezentaci v horní části stránky -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,kusovníky +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,kusovníky apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Zásoba DocType: Serial No,Delivery Time,Dodací lhůta apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Stárnutí dle @@ -2252,16 +2257,16 @@ DocType: Rename Tool,Rename Tool,Přejmenování apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Aktualizace Cost DocType: Item Reorder,Item Reorder,Položka Reorder apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Show výplatní pásce -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Přenos materiálu +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Přenos materiálu DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Zadejte operací, provozní náklady a dávají jedinečnou operaci ne své operace." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tento dokument je nad hranicí {0} {1} pro položku {4}. Děláte si jiný {3} proti stejné {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Prosím nastavte opakující se po uložení -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Vybrat změna výše účet +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Prosím nastavte opakující se po uložení +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Vybrat změna výše účet DocType: Purchase Invoice,Price List Currency,Ceník Měna DocType: Naming Series,User must always select,Uživatel musí vždy vybrat DocType: Stock Settings,Allow Negative Stock,Povolit Negativní Sklad DocType: Installation Note,Installation Note,Poznámka k instalaci -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Přidejte daně +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Přidejte daně DocType: Topic,Topic,Téma apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Peněžní tok z finanční DocType: Budget Account,Budget Account,rozpočet účtu @@ -2275,7 +2280,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Zdrojem finančních prostředků (závazků) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Množství v řadě {0} ({1}), musí být stejné jako množství vyrobené {2}" DocType: Appraisal,Employee,Zaměstnanec -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Vyberte možnost Dávka +DocType: Company,Sales Monthly History,Měsíční historie prodeje +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Vyberte možnost Dávka apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} je plně fakturováno DocType: Training Event,End Time,End Time apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktivní Struktura Plat {0} nalezeno pro zaměstnance {1} pro uvedené termíny @@ -2283,15 +2289,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Platební srážky nebo ztrát apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardní smluvní podmínky pro prodej nebo koupi. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Seskupit podle Poukazu apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,prodejní Pipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Prosím nastavit výchozí účet platu Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Prosím nastavit výchozí účet platu Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Povinné On DocType: Rename Tool,File to Rename,Soubor k přejmenování apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Prosím, vyberte BOM pro položku v řádku {0}" apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Účet {0} neodpovídá společnosti {1} v účtu účtu: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Stanovená BOM {0} neexistuje k bodu {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plán údržby {0} musí být zrušena před zrušením této prodejní objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plán údržby {0} musí být zrušena před zrušením této prodejní objednávky DocType: Notification Control,Expense Claim Approved,Uhrazení výdajů schváleno -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosím, nastavte sérii číslování pro Účast přes Nastavení> Série číslování" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Výplatní pásce zaměstnance {0} již vytvořili pro toto období apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutické apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Náklady na zakoupené zboží @@ -2308,7 +2313,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Ne pro hotový DocType: Upload Attendance,Attendance To Date,Účast na data DocType: Warranty Claim,Raised By,Vznesené DocType: Payment Gateway Account,Payment Account,Platební účet -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Uveďte prosím společnost pokračovat +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Uveďte prosím společnost pokračovat apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Čistá změna objemu pohledávek apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Vyrovnávací Off DocType: Offer Letter,Accepted,Přijato @@ -2317,12 +2322,12 @@ DocType: SG Creation Tool Course,Student Group Name,Jméno Student Group apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Ujistěte se, že opravdu chcete vymazat všechny transakce pro tuto společnost. Vaše kmenová data zůstanou, jak to je. Tuto akci nelze vrátit zpět." DocType: Room,Room Number,Číslo pokoje apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Neplatná reference {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nemůže být větší, než plánované množství ({2}), ve výrobní objednávce {3}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nemůže být větší, než plánované množství ({2}), ve výrobní objednávce {3}" DocType: Shipping Rule,Shipping Rule Label,Přepravní Pravidlo Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Suroviny nemůže být prázdný. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Nelze aktualizovat zásob, faktura obsahuje pokles lodní dopravy zboží." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Rychlý vstup Journal +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Suroviny nemůže být prázdný. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Nelze aktualizovat zásob, faktura obsahuje pokles lodní dopravy zboží." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Rychlý vstup Journal apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Nemůžete změnit sazbu, kdyby BOM zmínil agianst libovolné položky" DocType: Employee,Previous Work Experience,Předchozí pracovní zkušenosti DocType: Stock Entry,For Quantity,Pro Množství @@ -2379,7 +2384,7 @@ DocType: SMS Log,No of Requested SMS,Počet žádaným SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Nechat bez nároku na odměnu nesouhlasí se schválenými záznamů nechat aplikaci DocType: Campaign,Campaign-.####,Kampaň-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Další kroky -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Prosím dodávat uvedené položky na nejlepší možné ceny +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Prosím dodávat uvedené položky na nejlepší možné ceny DocType: Selling Settings,Auto close Opportunity after 15 days,Auto v blízkosti Příležitost po 15 dnech apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,konec roku apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2436,7 +2441,7 @@ DocType: Homepage,Homepage,Domovská stránka DocType: Purchase Receipt Item,Recd Quantity,Recd Množství apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Records Vytvořil - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategorie Account -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Nelze produkují více položku {0} než prodejní objednávky množství {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Nelze produkují více položku {0} než prodejní objednávky množství {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Skladová karta {0} není založena DocType: Payment Reconciliation,Bank / Cash Account,Bank / Peněžní účet apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Následující Kontakt Tím nemůže být stejný jako hlavní e-mailovou adresu @@ -2469,7 +2474,7 @@ DocType: Salary Structure,Total Earning,Celkem Zisk DocType: Purchase Receipt,Time at which materials were received,"Čas, kdy bylo přijato materiály" DocType: Stock Ledger Entry,Outgoing Rate,Odchozí Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizace větev master. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,nebo +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,nebo DocType: Sales Order,Billing Status,Status Fakturace apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Nahlásit problém apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility Náklady @@ -2477,7 +2482,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Řádek # {0}: Journal Entry {1} nemá účet {2} nebo již uzavřeno proti jinému poukazu DocType: Buying Settings,Default Buying Price List,Výchozí Nákup Ceník DocType: Process Payroll,Salary Slip Based on Timesheet,Plat Slip na základě časového rozvrhu -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Žádný zaměstnanec pro výše zvolených kritérií nebo výplatní pásce již vytvořili +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Žádný zaměstnanec pro výše zvolených kritérií nebo výplatní pásce již vytvořili DocType: Notification Control,Sales Order Message,Prodejní objednávky Message apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Nastavit jako výchozí hodnoty, jako je společnost, měna, aktuálním fiskálním roce, atd" DocType: Payment Entry,Payment Type,Typ platby @@ -2501,7 +2506,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Příjem dokument musí být předložen DocType: Purchase Invoice Item,Received Qty,Přijaté Množství DocType: Stock Entry Detail,Serial No / Batch,Výrobní číslo / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Nezaplatil a není doručení +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Nezaplatil a není doručení DocType: Product Bundle,Parent Item,Nadřazená položka DocType: Account,Account Type,Typ účtu DocType: Delivery Note,DN-RET-,DN-RET- @@ -2531,8 +2536,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Celková alokovaná částka apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Nastavte výchozí inventář pro trvalý inventář DocType: Item Reorder,Material Request Type,Materiál Typ požadavku -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Zápis do deníku na platy od {0} do {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","Místní úložiště je plné, nezachránil" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Zápis do deníku na platy od {0} do {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Místní úložiště je plné, nezachránil" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Řádek {0}: UOM Konverzní faktor je povinné apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Nákladové středisko @@ -2550,7 +2555,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Daň apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Je-li zvolena Ceny pravidlo je určen pro ""Cena"", přepíše ceníku. Ceny Pravidlo cena je konečná cena, a proto by měla být použita žádná další sleva. Proto, v transakcích, jako odběratele, objednávky atd, bude stažen v oboru ""sazbou"", spíše než poli ""Ceník sazby""." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Trasa vede od průmyslu typu. DocType: Item Supplier,Item Supplier,Položka Dodavatel -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Vyberte prosím hodnotu pro {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Všechny adresy. DocType: Company,Stock Settings,Stock Nastavení @@ -2577,7 +2582,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Skutečné Množství P apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Žádné výplatní pásce nalezena mezi {0} a {1} ,Pending SO Items For Purchase Request,"Do doby, než SO položky k nákupu Poptávka" apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Student Přijímací -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} je zakázán +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} je zakázán DocType: Supplier,Billing Currency,Fakturace Měna DocType: Sales Invoice,SINV-RET-,Sinv-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Velké @@ -2607,7 +2612,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Stav aplikace DocType: Fees,Fees,Poplatky DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Zadejte Exchange Rate převést jednu měnu na jinou -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Nabídka {0} je zrušena +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Nabídka {0} je zrušena apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Celková dlužná částka DocType: Sales Partner,Targets,Cíle DocType: Price List,Price List Master,Ceník Master @@ -2624,7 +2629,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorovat Ceny pravidlo DocType: Employee Education,Graduate,Absolvent DocType: Leave Block List,Block Days,Blokové dny DocType: Journal Entry,Excise Entry,Spotřební Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozornění: prodejní objednávky {0} již existuje proti Zákazníka Objednávky {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozornění: prodejní objednávky {0} již existuje proti Zákazníka Objednávky {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2662,7 +2667,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Poku ,Salary Register,plat Register DocType: Warehouse,Parent Warehouse,Parent Warehouse DocType: C-Form Invoice Detail,Net Total,Net Total -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Výchozí kusovník nebyl nalezen pro položku {0} a projekt {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Definovat různé typy půjček DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Dlužné částky @@ -2699,7 +2704,7 @@ DocType: Salary Detail,Condition and Formula Help,Stav a Formula nápovědy apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Správa Territory strom. DocType: Journal Entry Account,Sales Invoice,Prodejní faktury DocType: Journal Entry Account,Party Balance,Balance Party -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Prosím, vyberte Použít Sleva na" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Prosím, vyberte Použít Sleva na" DocType: Company,Default Receivable Account,Výchozí pohledávek účtu DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Vytvoření bankovní položka pro celkové vyplacené mzdy za výše zvolených kritérií DocType: Stock Entry,Material Transfer for Manufacture,Materiál Přenos: Výroba @@ -2713,7 +2718,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Zákazník Address DocType: Employee Loan,Loan Details,půjčka Podrobnosti DocType: Company,Default Inventory Account,Výchozí účet inventáře -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Řádek {0}: Dokončené množství musí být větší než nula. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Řádek {0}: Dokončené množství musí být větší než nula. DocType: Purchase Invoice,Apply Additional Discount On,Použít dodatečné Sleva na DocType: Account,Root Type,Root Type DocType: Item,FIFO,FIFO @@ -2730,7 +2735,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Kontrola kvality apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Malé DocType: Company,Standard Template,standardní šablona DocType: Training Event,Theory,Teorie -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Účet {0} je zmrazen DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Právní subjekt / dceřiná společnost s oddělenou Graf účtů, které patří do organizace." DocType: Payment Request,Mute Email,Mute Email @@ -2754,7 +2759,7 @@ DocType: Training Event,Scheduled,Plánované apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Žádost o cenovou nabídku. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Prosím, vyberte položku, kde "Je skladem," je "Ne" a "je Sales Item" "Ano" a není tam žádný jiný produkt Bundle" DocType: Student Log,Academic,Akademický -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Celková záloha ({0}) na objednávku {1} nemůže být větší než celkový součet ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Celková záloha ({0}) na objednávku {1} nemůže být větší než celkový součet ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Vyberte měsíční výplatou na nerovnoměrně distribuovat cílů napříč měsíců. DocType: Purchase Invoice Item,Valuation Rate,Ocenění Rate DocType: Stock Reconciliation,SR/,SR / @@ -2818,6 +2823,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Zadejte název kampaně, pokud zdroj šetření je kampaň" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Vydavatelé novin apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Vyberte Fiskální rok +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Očekávaný termín dodání by měl být po datu objednávky apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Změna pořadí Level DocType: Company,Chart Of Accounts Template,Účtový rozvrh šablony DocType: Attendance,Attendance Date,Účast Datum @@ -2849,7 +2855,7 @@ DocType: Pricing Rule,Discount Percentage,Sleva v procentech DocType: Payment Reconciliation Invoice,Invoice Number,Číslo faktury DocType: Shopping Cart Settings,Orders,Objednávky DocType: Employee Leave Approver,Leave Approver,Schvalovatel absenece -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Vyberte dávku +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Vyberte dávku DocType: Assessment Group,Assessment Group Name,Název skupiny Assessment DocType: Manufacturing Settings,Material Transferred for Manufacture,Převádí jaderný materiál pro Výroba DocType: Expense Claim,"A user with ""Expense Approver"" role","Uživatel s rolí ""Schvalovatel výdajů""" @@ -2885,7 +2891,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Poslední den následujícího měsíce DocType: Support Settings,Auto close Issue after 7 days,Auto v blízkosti Issue po 7 dnech apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Dovolená nemůže být přiděleny před {0}, protože rovnováha dovolené již bylo carry-předávány v budoucí přidělení dovolenou záznamu {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Poznámka: Z důvodu / Referenční datum překračuje povolené zákazníků úvěrové dní od {0} den (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Poznámka: Z důvodu / Referenční datum překračuje povolené zákazníků úvěrové dní od {0} den (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Žadatel DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINÁL PRO PŘÍJEMCE DocType: Asset Category Account,Accumulated Depreciation Account,Účet oprávek @@ -2896,7 +2902,7 @@ DocType: Item,Reorder level based on Warehouse,Úroveň Změna pořadí na zákl DocType: Activity Cost,Billing Rate,Fakturace Rate ,Qty to Deliver,Množství k dodání ,Stock Analytics,Stock Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operace nemůže být prázdné +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operace nemůže být prázdné DocType: Maintenance Visit Purpose,Against Document Detail No,Proti Detail dokumentu č apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Typ strana je povinná DocType: Quality Inspection,Outgoing,Vycházející @@ -2937,15 +2943,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Množství k dispozici na skladu apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Fakturovaná částka DocType: Asset,Double Declining Balance,Double degresivní -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Uzavřená objednávka nemůže být zrušen. Otevřít zrušit. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Uzavřená objednávka nemůže být zrušen. Otevřít zrušit. DocType: Student Guardian,Father,Otec -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Aktualizace Sklad" nemohou být kontrolovány na pevnou prodeji majetku +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"Aktualizace Sklad" nemohou být kontrolovány na pevnou prodeji majetku DocType: Bank Reconciliation,Bank Reconciliation,Bank Odsouhlasení DocType: Attendance,On Leave,Na odchodu apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Získat aktualizace apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Účet {2} nepatří do společnosti {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materiál Request {0} je zrušena nebo zastavena -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Přidat několik ukázkových záznamů +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Přidat několik ukázkových záznamů apps/erpnext/erpnext/config/hr.py +301,Leave Management,Správa absencí apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Seskupit podle účtu DocType: Sales Order,Fully Delivered,Plně Dodáno @@ -2954,12 +2960,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Rozdíl účet musí být typu aktiv / Odpovědnost účet, protože to Reklamní Smíření je Entry Otevření" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Zaplacené částky nemůže být větší než Výše úvěru {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Výrobní příkaz nebyl vytvořen +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Výrobní příkaz nebyl vytvořen apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Datum DO"" musí být po ""Datum OD""" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nemůže změnit statut studenta {0} je propojen s aplikací studentské {1} DocType: Asset,Fully Depreciated,plně odepsán ,Stock Projected Qty,Reklamní Plánovaná POČET -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Výrazná Účast HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citace jsou návrhy, nabídky jste svým zákazníkům odeslané" DocType: Sales Order,Customer's Purchase Order,Zákazníka Objednávka @@ -2969,7 +2975,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Prosím nastavte Počet Odpisy rezervováno apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Hodnota nebo Množství apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Objednávky nemůže být zvýšena pro: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minuta +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minuta DocType: Purchase Invoice,Purchase Taxes and Charges,Nákup Daně a poplatky ,Qty to Receive,Množství pro příjem DocType: Leave Block List,Leave Block List Allowed,Nechte Block List povolena @@ -2982,7 +2988,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Všechny typy Dodavatele DocType: Global Defaults,Disable In Words,Zakázat ve slovech apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinné, protože položka není automaticky číslovány" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Nabídka {0} není typu {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Nabídka {0} není typu {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Plán údržby Item DocType: Sales Order,% Delivered,% Dodáno DocType: Production Order,PRO-,PRO- @@ -3005,7 +3011,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Prodávající E-mail DocType: Project,Total Purchase Cost (via Purchase Invoice),Celkové pořizovací náklady (přes nákupní faktury) DocType: Training Event,Start Time,Start Time -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Zvolte množství +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Zvolte množství DocType: Customs Tariff Number,Customs Tariff Number,Celního sazebníku apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Schválení role nemůže být stejná jako role pravidlo se vztahuje na apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odhlásit se z tohoto Email Digest @@ -3029,7 +3035,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Plně Fakturovaný apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Pokladní hotovost -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Dodávka sklad potřebný pro živočišnou položku {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Dodávka sklad potřebný pro živočišnou položku {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Celková hmotnost balení. Obvykle se čistá hmotnost + obalového materiálu hmotnosti. (Pro tisk) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Uživatelé s touto rolí se mohou nastavit na zmrazené účty a vytvořit / upravit účetní zápisy proti zmrazených účtů @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Skupina založená na DocType: Journal Entry,Bill Date,Datum účtu apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","je nutný servisní položky, typ, frekvence a množství náklady" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","I když existuje více pravidla pro tvorbu cen s nejvyšší prioritou, pak následující interní priority jsou použity:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},"Opravdu chcete, aby předložily všechny výplatní pásce z {0} až {1}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},"Opravdu chcete, aby předložily všechny výplatní pásce z {0} až {1}" DocType: Cheque Print Template,Cheque Height,Šek Výška DocType: Supplier,Supplier Details,Dodavatele Podrobnosti DocType: Expense Claim,Approval Status,Stav schválení @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Lead na nabídku apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nic víc ukázat. DocType: Lead,From Customer,Od Zákazníka apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Volá -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Dávky +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Dávky DocType: Project,Total Costing Amount (via Time Logs),Celková kalkulace Částka (přes Time Záznamy) DocType: Purchase Order Item Supplied,Stock UOM,Reklamní UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Vydaná objednávka {0} není odeslána @@ -3091,7 +3097,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Návrat proti nákupn DocType: Item,Warranty Period (in days),Záruční doba (ve dnech) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Souvislost s Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Čistý peněžní tok z provozní -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,např. DPH +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,např. DPH apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Bod 4 DocType: Student Admission,Admission End Date,Vstupné Datum ukončení apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subdodávky @@ -3099,7 +3105,7 @@ DocType: Journal Entry Account,Journal Entry Account,Zápis do deníku Účet apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group DocType: Shopping Cart Settings,Quotation Series,Číselná řada nabídek apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Položka existuje se stejným názvem ({0}), prosím, změnit název skupiny položky nebo přejmenovat položku" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Vyberte zákazníka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Vyberte zákazníka DocType: C-Form,I,já DocType: Company,Asset Depreciation Cost Center,Asset Odpisy nákladového střediska DocType: Sales Order Item,Sales Order Date,Prodejní objednávky Datum @@ -3110,6 +3116,7 @@ DocType: Stock Settings,Limit Percent,Limit Procento ,Payment Period Based On Invoice Date,Platební období na základě data vystavení faktury apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Chybí Směnárna Kurzy pro {0} DocType: Assessment Plan,Examiner,Zkoušející +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte prosím jmenovací řadu pro {0} přes Nastavení> Nastavení> Série jmen DocType: Student,Siblings,sourozenci DocType: Journal Entry,Stock Entry,Skladová karta DocType: Payment Entry,Payment References,Platební Reference @@ -3134,7 +3141,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Tam, kde jsou výrobní operace prováděny." DocType: Asset Movement,Source Warehouse,Zdroj Warehouse DocType: Installation Note,Installation Date,Datum instalace -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Řádek # {0}: {1} Asset nepatří do společnosti {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Řádek # {0}: {1} Asset nepatří do společnosti {2} DocType: Employee,Confirmation Date,Potvrzení Datum DocType: C-Form,Total Invoiced Amount,Celkem Fakturovaná částka apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min množství nemůže být větší než Max Množství @@ -3207,7 +3214,7 @@ DocType: Company,Default Letter Head,Výchozí hlavičkový DocType: Purchase Order,Get Items from Open Material Requests,Položka získaná z žádostí Otevřít Materiál DocType: Item,Standard Selling Rate,Standardní prodejní kurz DocType: Account,Rate at which this tax is applied,"Sazba, při které se používá tato daň" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Změna pořadí Množství +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Změna pořadí Množství apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Aktuální pracovní příležitosti DocType: Company,Stock Adjustment Account,Reklamní Nastavení účtu apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Odepsat @@ -3221,7 +3228,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Dodavatel doručí zákazníkovi apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Položka / {0}) není na skladě apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Další Datum musí být větší než Datum zveřejnění -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Vzhledem / Referenční datum nemůže být po {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Vzhledem / Referenční datum nemůže být po {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Import dat a export apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Žádní studenti Nalezené apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktura Datum zveřejnění @@ -3241,12 +3248,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To je založeno na účasti tohoto studenta apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Žádné studenty v apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Přidat další položky nebo otevřené plné formě -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Prosím, zadejte ""Očekávaná Datum dodání""" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dodací listy {0} musí být zrušena před zrušením této prodejní objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dodací listy {0} musí být zrušena před zrušením této prodejní objednávky apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Uhrazená částka + odepsaná částka nesmí být větší než celková částka apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} není platná Šarže pro Položku {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Poznámka: Není k dispozici dostatek zůstatek dovolené dovolená za kalendářní typ {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Neplatná hodnota GSTIN nebo Zadejte NA pro neregistrované +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Neplatná hodnota GSTIN nebo Zadejte NA pro neregistrované DocType: Training Event,Seminar,Seminář DocType: Program Enrollment Fee,Program Enrollment Fee,Program zápisné DocType: Item,Supplier Items,Dodavatele položky @@ -3264,7 +3270,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Reklamní Stárnutí apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Existují Student {0} proti uchazeč student {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Rozvrh hodin -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' je vypnuté +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' je vypnuté apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Nastavit jako Otevřít DocType: Cheque Print Template,Scanned Cheque,skenovaných Šek DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Posílat automatické e-maily na Kontakty na předložení transakcí. @@ -3310,7 +3316,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Katalogová cena Exchange Rate DocType: Purchase Invoice Item,Rate,Cena apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Internovat -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,adresa Jméno +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,adresa Jméno DocType: Stock Entry,From BOM,Od BOM DocType: Assessment Code,Assessment Code,Kód Assessment apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Základní @@ -3323,20 +3329,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Plat struktura DocType: Account,Bank,Banka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Letecká linka -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Vydání Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Vydání Material DocType: Material Request Item,For Warehouse,Pro Sklad DocType: Employee,Offer Date,Nabídka Date apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citace -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Jste v režimu offline. Nebudete moci obnovit stránku, dokud nebudete na síťi." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Jste v režimu offline. Nebudete moci obnovit stránku, dokud nebudete na síťi." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Žádné studentské skupiny vytvořen. DocType: Purchase Invoice Item,Serial No,Výrobní číslo apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Měsíční splátka částka nemůže být větší než Výše úvěru apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Prosím, zadejte první maintaince Podrobnosti" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Řádek # {0}: Očekávaný datum dodání nemůže být před datem objednávky DocType: Purchase Invoice,Print Language,Tisk Language DocType: Salary Slip,Total Working Hours,Celkové pracovní doby DocType: Stock Entry,Including items for sub assemblies,Včetně položek pro podsestav -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Zadejte hodnota musí být kladná -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Zadejte hodnota musí být kladná apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Všechny území DocType: Purchase Invoice,Items,Položky apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student je již zapsáno. @@ -3358,7 +3364,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Výchozí měrná jednotka varianty '{0}' musí být stejný jako v Template '{1}' DocType: Shipping Rule,Calculate Based On,Vypočítat založené na DocType: Delivery Note Item,From Warehouse,Ze skladu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Žádné položky s Billem materiálů k výrobě +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Žádné položky s Billem materiálů k výrobě DocType: Assessment Plan,Supervisor Name,Jméno Supervisor DocType: Program Enrollment Course,Program Enrollment Course,Program pro zápis do programu DocType: Purchase Taxes and Charges,Valuation and Total,Oceňování a Total @@ -3373,32 +3379,33 @@ DocType: Training Event Employee,Attended,navštěvoval apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dnů od poslední objednávky"" musí být větší nebo rovno nule" DocType: Process Payroll,Payroll Frequency,Mzdové frekvence DocType: Asset,Amended From,Platném znění -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Surovina +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Surovina DocType: Leave Application,Follow via Email,Sledovat e-mailem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Rostliny a strojní vybavení DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Částka daně po slevě Částka DocType: Daily Work Summary Settings,Daily Work Summary Settings,Každodenní práci Souhrnné Nastavení -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Měna ceníku {0} není podobné s vybranou měnou {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Měna ceníku {0} není podobné s vybranou měnou {1} DocType: Payment Entry,Internal Transfer,vnitřní Převod apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Dětské konto existuje pro tento účet. Nemůžete smazat tento účet. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Buď cílové množství nebo cílová částka je povinná apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No default BOM existuje pro bod {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Prosím, vyberte nejprve Datum zveřejnění" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Prosím, vyberte nejprve Datum zveřejnění" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Datum zahájení by měla být před uzávěrky DocType: Leave Control Panel,Carry Forward,Převádět apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Nákladové středisko se stávajícími transakcemi nelze převést na hlavní účetní knihy DocType: Department,Days for which Holidays are blocked for this department.,"Dnů, po které Prázdniny jsou blokovány pro toto oddělení." ,Produced,Produkoval -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Vytvořené výplatních páskách +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Vytvořené výplatních páskách DocType: Item,Item Code for Suppliers,Položka Kód pro dodavatele DocType: Issue,Raised By (Email),Vznesené (e-mail) DocType: Training Event,Trainer Name,Jméno trenér DocType: Mode of Payment,General,Obecný apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Poslední komunikace apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nelze odečíst, pokud kategorie je určena pro ""ocenění"" nebo ""oceňování a celkový""" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Seznam vaše daňové hlavy (např DPH, cel atd, by měli mít jedinečné názvy) a jejich standardní sazby. Tím se vytvoří standardní šablonu, kterou můžete upravit a přidat další později." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Seznam vaše daňové hlavy (např DPH, cel atd, by měli mít jedinečné názvy) a jejich standardní sazby. Tím se vytvoří standardní šablonu, kterou můžete upravit a přidat další později." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Nos Požadováno pro serializovaném bodu {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Zápas platby fakturami +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Řádek # {0}: Zadejte prosím datum dodání podle položky {1} DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Vztahující se na (označení) ,Profitability Analysis,Analýza ziskovost @@ -3414,17 +3421,18 @@ DocType: Quality Inspection,Item Serial No,Položka Výrobní číslo apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Vytvořit Zaměstnanecké záznamů apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Celkem Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,účetní závěrka -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Hodina +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Hodina apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nové seriové číslo nemůže mít záznam skladu. Sklad musí být nastaven přes skladovou kartu nebo nákupní doklad DocType: Lead,Lead Type,Typ leadu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Nejste oprávněni schvalovat listí na bloku Termíny -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Všechny tyto položky již byly fakturovány +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Všechny tyto položky již byly fakturovány +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Měsíční prodejní cíl apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Může být schválena {0} DocType: Item,Default Material Request Type,Výchozí materiál Typ požadavku apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Neznámý DocType: Shipping Rule,Shipping Rule Conditions,Přepravní Článek Podmínky DocType: BOM Replace Tool,The new BOM after replacement,Nový BOM po změně -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Místo Prodeje +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Místo Prodeje DocType: Payment Entry,Received Amount,přijaté Částka DocType: GST Settings,GSTIN Email Sent On,GSTIN E-mail odeslán na DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop od Guardian @@ -3439,8 +3447,8 @@ DocType: C-Form,Invoices,Faktury DocType: Batch,Source Document Name,Název zdrojového dokumentu DocType: Job Opening,Job Title,Název pozice apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Vytvořit uživatele -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,"Množství, které má výroba musí být větší než 0 ° C." +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,"Množství, které má výroba musí být větší než 0 ° C." apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Navštivte zprávu pro volání údržby. DocType: Stock Entry,Update Rate and Availability,Obnovovací rychlost a dostupnost DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procento máte možnost přijímat nebo dodávat více proti objednaného množství. Například: Pokud jste si objednali 100 kusů. a váš příspěvek je 10%, pak máte možnost získat 110 jednotek." @@ -3452,7 +3460,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Zrušte faktuře {0} první apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-mailová adresa musí být jedinečná, již existuje pro {0}" DocType: Serial No,AMC Expiry Date,AMC Datum vypršení platnosti -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Příjem +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Příjem ,Sales Register,Sales Register DocType: Daily Work Summary Settings Company,Send Emails At,Posílat e-maily At DocType: Quotation,Quotation Lost Reason,Důvod ztráty nabídky @@ -3465,14 +3473,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Zatím žádn apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Přehled o peněžních tocích apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Výše úvěru nesmí být vyšší než Maximální výše úvěru částku {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licence -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prosím, vyberte převádět pokud chcete také zahrnout uplynulý fiskální rok bilance listy tohoto fiskálního roku" DocType: GL Entry,Against Voucher Type,Proti poukazu typu DocType: Item,Attributes,Atributy apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Prosím, zadejte odepsat účet" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Datum poslední objednávky apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Účet {0} nepatří společnosti {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Sériová čísla v řádku {0} neodpovídají poznámce k doručení +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Sériová čísla v řádku {0} neodpovídají poznámce k doručení DocType: Student,Guardian Details,Guardian Podrobnosti DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark docházky pro více zaměstnanců @@ -3504,16 +3512,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ty DocType: Tax Rule,Sales,Prodej DocType: Stock Entry Detail,Basic Amount,Základní částka DocType: Training Event,Exam,Zkouška -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0} DocType: Leave Allocation,Unused leaves,Nepoužité listy -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Fakturace State apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Převod apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} není spojen s účtem Party {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin) DocType: Authorization Rule,Applicable To (Employee),Vztahující se na (Employee) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Datum splatnosti je povinné apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Přírůstek pro atribut {0} nemůže být 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území DocType: Journal Entry,Pay To / Recd From,Platit K / Recd Z DocType: Naming Series,Setup Series,Nastavení číselných řad DocType: Payment Reconciliation,To Invoice Date,Chcete-li data vystavení faktury @@ -3540,7 +3549,7 @@ DocType: Journal Entry,Write Off Based On,Odepsat založené na apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Udělat Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Tisk a papírnictví DocType: Stock Settings,Show Barcode Field,Show čárového kódu Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Poslat Dodavatel e-maily +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Poslat Dodavatel e-maily apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plat již zpracovány pro období mezi {0} a {1}, ponechte dobu použitelnosti nemůže být mezi tomto časovém období." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Instalace rekord pro sériové číslo DocType: Guardian Interest,Guardian Interest,Guardian Zájem @@ -3553,7 +3562,7 @@ DocType: Offer Letter,Awaiting Response,Čeká odpověď apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Výše apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Neplatný atribut {0} {1} DocType: Supplier,Mention if non-standard payable account,Uvedete-li neštandardní splatný účet -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Stejná položka byla zadána několikrát. {seznam} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Stejná položka byla zadána několikrát. {seznam} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Vyberte jinou skupinu hodnocení než skupinu Všechny skupiny DocType: Salary Slip,Earning & Deduction,Výdělek a dedukce apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Volitelné. Toto nastavení bude použito k filtrování v různých transakcí. @@ -3572,7 +3581,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Náklady na sešrotována aktiv apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Nákladové středisko je povinný údaj pro položku {2} DocType: Vehicle,Policy No,Ne politika -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Položka získaná ze souboru výrobků +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Položka získaná ze souboru výrobků DocType: Asset,Straight Line,Přímka DocType: Project User,Project User,projekt Uživatel apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Rozdělit @@ -3584,6 +3593,7 @@ DocType: Sales Team,Contact No.,Kontakt Číslo DocType: Bank Reconciliation,Payment Entries,Platební Příspěvky DocType: Production Order,Scrap Warehouse,šrot Warehouse DocType: Production Order,Check if material transfer entry is not required,"Zkontrolujte, zda není požadováno zadání materiálu" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pro pojmenování zaměstnanců v oblasti lidských zdrojů> Nastavení HR" DocType: Program Enrollment Tool,Get Students From,Získat studenty z DocType: Hub Settings,Seller Country,Prodejce Country apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publikovat položky na webových stránkách @@ -3601,19 +3611,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,Stanovení podmínek pro vypočítat výši poštovného DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role povoleno nastavit zmrazené účty a upravit Mražené Příspěvky apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,otevření Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,otevření Value DocType: Salary Detail,Formula,Vzorec apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Provize z prodeje DocType: Offer Letter Term,Value / Description,Hodnota / Popis -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Řádek # {0}: Asset {1} nemůže být předložen, je již {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Řádek # {0}: Asset {1} nemůže být předložen, je již {2}" DocType: Tax Rule,Billing Country,Fakturace Země DocType: Purchase Order Item,Expected Delivery Date,Očekávané datum dodání apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debetní a kreditní nerovná za {0} # {1}. Rozdíl je v tom {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Výdaje na reprezentaci apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Udělat Materiál Request apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otevřít položku {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodejní faktury {0} musí být zrušena před zrušením této prodejní objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodejní faktury {0} musí být zrušena před zrušením této prodejní objednávky apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Věk DocType: Sales Invoice Timesheet,Billing Amount,Fakturace Částka apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Neplatný množství uvedené na položku {0}. Množství by mělo být větší než 0. @@ -3636,7 +3646,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nový zákazník Příjmy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Cestovní výdaje DocType: Maintenance Visit,Breakdown,Rozbor -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Účet: {0} s měnou: {1} nelze vybrat +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Účet: {0} s měnou: {1} nelze vybrat DocType: Bank Reconciliation Detail,Cheque Date,Šek Datum apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Účet {0}: Nadřazený účet {1} nepatří ke společnosti: {2} DocType: Program Enrollment Tool,Student Applicants,Student Žadatelé @@ -3656,11 +3666,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Pláno DocType: Material Request,Issued,Vydáno apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Studentská aktivita DocType: Project,Total Billing Amount (via Time Logs),Celkem Billing Částka (přes Time Záznamy) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Nabízíme k prodeji tuto položku +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Nabízíme k prodeji tuto položku apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Dodavatel Id DocType: Payment Request,Payment Gateway Details,Platební brána Podrobnosti -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Množství by měla být větší než 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Ukázkové údaje +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Množství by měla být větší než 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Ukázkové údaje DocType: Journal Entry,Cash Entry,Cash Entry apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Podřízené uzly mohou být vytvořeny pouze na základě typu uzly "skupina" DocType: Leave Application,Half Day Date,Half Day Date @@ -3669,17 +3679,18 @@ DocType: Sales Partner,Contact Desc,Kontakt Popis apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Typ ponechává jako neformální, nevolnosti atd." DocType: Email Digest,Send regular summary reports via Email.,Zasílat pravidelné souhrnné zprávy e-mailem. DocType: Payment Entry,PE-,PE -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Prosím nastavit výchozí účet v Expense reklamační typu {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Prosím nastavit výchozí účet v Expense reklamační typu {0} DocType: Assessment Result,Student Name,Jméno studenta DocType: Brand,Item Manager,Manažer Položka apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Mzdové Splatné DocType: Buying Settings,Default Supplier Type,Výchozí typ Dodavatel DocType: Production Order,Total Operating Cost,Celkové provozní náklady -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Poznámka: Položka {0} vstoupil vícekrát +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Poznámka: Položka {0} vstoupil vícekrát apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Všechny kontakty. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Nastavte cíl apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Zkratka Company apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Uživatel: {0} neexistuje -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Surovina nemůže být stejný jako hlavní bod +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Surovina nemůže být stejný jako hlavní bod DocType: Item Attribute Value,Abbreviation,Zkratka apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Platba Entry již existuje apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Není authroized od {0} překročí limity @@ -3697,7 +3708,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Role povoleno upravova ,Territory Target Variance Item Group-Wise,Území Cílová Odchylka Item Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Všechny skupiny zákazníků apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,nahromaděné za měsíc -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možná není vytvořen záznam směnného kurzu pro {1} na {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možná není vytvořen záznam směnného kurzu pro {1} na {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Daňová šablona je povinné. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ceník Rate (Company měny) @@ -3708,7 +3719,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Procento přiděl apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretářka DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Pokud zakázat, "ve slovech" poli nebude viditelný v jakékoli transakce" DocType: Serial No,Distinct unit of an Item,Samostatnou jednotku z položky -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Nastavte společnost +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Nastavte společnost DocType: Pricing Rule,Buying,Nákupy DocType: HR Settings,Employee Records to be created by,"Zaměstnanec Záznamy, které vytvořil" DocType: POS Profile,Apply Discount On,Použít Sleva na @@ -3719,7 +3730,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Položka Wise Tax Detail apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,institut Zkratka ,Item-wise Price List Rate,Item-moudrý Ceník Rate -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Dodavatel Nabídka +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Dodavatel Nabídka DocType: Quotation,In Words will be visible once you save the Quotation.,"Ve slovech budou viditelné, jakmile uložíte nabídku." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Množství ({0}) nemůže být zlomek v řádku {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,vybírat poplatky @@ -3743,7 +3754,7 @@ Updated via 'Time Log'","v minutách DocType: Customer,From Lead,Od Leadu apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Objednávky uvolněna pro výrobu. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Vyberte fiskálního roku ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,"POS Profile požadováno, aby POS Vstup" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,"POS Profile požadováno, aby POS Vstup" DocType: Program Enrollment Tool,Enroll Students,zapsat studenti DocType: Hub Settings,Name Token,Jméno Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardní prodejní @@ -3761,7 +3772,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Reklamní Value Rozdíl apps/erpnext/erpnext/config/learn.py +234,Human Resource,Lidské Zdroje DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Platba Odsouhlasení Platba apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Daňové Aktiva -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Produkční objednávka byla {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Produkční objednávka byla {0} DocType: BOM Item,BOM No,Číslo kusovníku DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Zápis do deníku {0} nemá účet {1} nebo již uzavřeno proti ostatním poukaz @@ -3775,7 +3786,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Nahrajt apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Vynikající Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Nastavit cíle Item Group-moudrý pro tento prodeje osobě. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zásoby Starší než [dny] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Řádek # {0}: Prostředek je povinné pro dlouhodobého majetku nákupu / prodeji +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Řádek # {0}: Prostředek je povinné pro dlouhodobého majetku nákupu / prodeji apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Pokud dva nebo více pravidla pro tvorbu cen se nacházejí na základě výše uvedených podmínek, priorita je aplikována. Priorita je číslo od 0 do 20, zatímco výchozí hodnota je nula (prázdný). Vyšší číslo znamená, že bude mít přednost, pokud existuje více pravidla pro tvorbu cen se za stejných podmínek." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiskální rok: {0} neexistuje DocType: Currency Exchange,To Currency,Chcete-li měny @@ -3783,7 +3794,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Druhy výdajů nároku. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Prodejní cena pro položku {0} je nižší než její {1}. Míra prodeje by měla být nejméně {2} DocType: Item,Taxes,Daně -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Uhrazené a nedoručené +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Uhrazené a nedoručené DocType: Project,Default Cost Center,Výchozí Center Náklady DocType: Bank Guarantee,End Date,Datum ukončení apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Sklad Transakce @@ -3800,7 +3811,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Každodenní práci Souhrnné Nastavení Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Položka {0} ignorována, protože to není skladem" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Odeslat tento výrobní zakázka pro další zpracování. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Odeslat tento výrobní zakázka pro další zpracování. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Nechcete-li použít Ceník článek v dané transakce, by měly být všechny platné pravidla pro tvorbu cen zakázáno." DocType: Assessment Group,Parent Assessment Group,Mateřská skupina Assessment apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs @@ -3808,10 +3819,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs DocType: Employee,Held On,Které se konalo dne apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Výrobní položka ,Employee Information,Informace o zaměstnanci -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Rate (%) DocType: Stock Entry Detail,Additional Cost,Dodatečné náklady apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Vytvořit nabídku dodavatele +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Vytvořit nabídku dodavatele DocType: Quality Inspection,Incoming,Přicházející DocType: BOM,Materials Required (Exploded),Potřebný materiál (Rozložený) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Přidání uživatelů do vaší organizace, jiné než vy" @@ -3827,7 +3838,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Účet: {0} lze aktualizovat pouze prostřednictvím Skladových Transakcí DocType: Student Group Creation Tool,Get Courses,Získat kurzy DocType: GL Entry,Party,Strana -DocType: Sales Order,Delivery Date,Dodávka Datum +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Dodávka Datum DocType: Opportunity,Opportunity Date,Příležitost Datum DocType: Purchase Receipt,Return Against Purchase Receipt,Návrat Proti doklad o koupi DocType: Request for Quotation Item,Request for Quotation Item,Žádost o cenovou nabídku výtisku @@ -3841,7 +3852,7 @@ DocType: Task,Actual Time (in Hours),Skutečná doba (v hodinách) DocType: Employee,History In Company,Historie ve Společnosti apps/erpnext/erpnext/config/learn.py +107,Newsletters,Zpravodaje DocType: Stock Ledger Entry,Stock Ledger Entry,Reklamní Ledger Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Stejný bod byl zadán vícekrát +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Stejný bod byl zadán vícekrát DocType: Department,Leave Block List,Nechte Block List DocType: Sales Invoice,Tax ID,DIČ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Položka {0} není nastavení pro Serial č. Sloupec musí být prázdný @@ -3859,25 +3870,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Černá DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Item DocType: Account,Auditor,Auditor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} předměty vyrobené +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} předměty vyrobené DocType: Cheque Print Template,Distance from top edge,Vzdálenost od horního okraje apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Ceníková cena {0} je zakázáno nebo neexistuje DocType: Purchase Invoice,Return,Zpáteční DocType: Production Order Operation,Production Order Operation,Výrobní zakázka Operace DocType: Pricing Rule,Disable,Zakázat -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Způsob platby je povinen provést platbu +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Způsob platby je povinen provést platbu DocType: Project Task,Pending Review,Čeká Review apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} není zapsána v dávce {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Aktiva {0} nemůže být vyhozen, jak je tomu již {1}" DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Expense nároku) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Řádek {0}: Měna BOM # {1} by se měla rovnat vybrané měně {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Řádek {0}: Měna BOM # {1} by se měla rovnat vybrané měně {2} DocType: Journal Entry Account,Exchange Rate,Exchange Rate -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena DocType: Homepage,Tag Line,tag linka DocType: Fee Component,Fee Component,poplatek Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet management -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Přidat položky z +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Přidat položky z DocType: Cheque Print Template,Regular,Pravidelný apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Celková weightage všech hodnotících kritérií musí být 100% DocType: BOM,Last Purchase Rate,Poslední nákupní sazba @@ -3898,12 +3909,12 @@ DocType: Employee,Reports to,Zprávy DocType: SMS Settings,Enter url parameter for receiver nos,Zadejte url parametr pro přijímače nos DocType: Payment Entry,Paid Amount,Uhrazené částky DocType: Assessment Plan,Supervisor,Dozorce -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online ,Available Stock for Packing Items,K dispozici skladem pro balení položek DocType: Item Variant,Item Variant,Položka Variant DocType: Assessment Result Tool,Assessment Result Tool,Assessment Tool Výsledek DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Předložené objednávky nelze smazat +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Předložené objednávky nelze smazat apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zůstatek na účtu již v inkasa, není dovoleno stanovit ""Balance musí být"" jako ""úvěru""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Řízení kvality apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Item {0} byl zakázán @@ -3934,7 +3945,7 @@ DocType: Item Group,Default Expense Account,Výchozí výdajového účtu apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student ID e-mailu DocType: Employee,Notice (days),Oznámení (dny) DocType: Tax Rule,Sales Tax Template,Daň z prodeje Template -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,"Vyberte položky, které chcete uložit fakturu" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,"Vyberte položky, které chcete uložit fakturu" DocType: Employee,Encashment Date,Inkaso Datum DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Reklamní Nastavení @@ -3982,10 +3993,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Odeslá apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max sleva povoleno položku: {0} {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Čistá hodnota aktiv i na DocType: Account,Receivable,Pohledávky -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Řádek # {0}: Není povoleno měnit dodavatele, objednávky již existuje" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Řádek # {0}: Není povoleno měnit dodavatele, objednávky již existuje" DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Role, která se nechá podat transakcí, které přesahují úvěrové limity." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Vyberte položky do Výroba -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Kmenová data synchronizace, může to trvat nějaký čas" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Vyberte položky do Výroba +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Kmenová data synchronizace, může to trvat nějaký čas" DocType: Item,Material Issue,Material Issue DocType: Hub Settings,Seller Description,Prodejce Popis DocType: Employee Education,Qualification,Kvalifikace @@ -4006,11 +4017,10 @@ DocType: BOM,Rate Of Materials Based On,Hodnotit materiálů na bázi apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Podpora Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Zrušte všechny DocType: POS Profile,Terms and Conditions,Podmínky -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pro pojmenování zaměstnanců v oblasti lidských zdrojů> Nastavení HR" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Chcete-li data by měla být v rámci fiskálního roku. Za předpokladu, že To Date = {0}" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Zde můžete upravovat svou výšku, váhu, alergie, zdravotní problémy atd" DocType: Leave Block List,Applies to Company,Platí pro firmy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Nelze zrušit, protože existuje skladový záznam {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Nelze zrušit, protože existuje skladový záznam {0}" DocType: Employee Loan,Disbursement Date,výplata Datum DocType: Vehicle,Vehicle,Vozidlo DocType: Purchase Invoice,In Words,Slovy @@ -4048,7 +4058,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globální nastavení DocType: Assessment Result Detail,Assessment Result Detail,Posuzování Detail Výsledek DocType: Employee Education,Employee Education,Vzdělávání zaměstnanců apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicitní skupinu položek uvedeny v tabulce na položku ve skupině -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,"Je třeba, aby přinesla Detaily položky." +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,"Je třeba, aby přinesla Detaily položky." DocType: Salary Slip,Net Pay,Net Pay DocType: Account,Account,Účet apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Pořadové číslo {0} již obdržel @@ -4056,7 +4066,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,jízd DocType: Purchase Invoice,Recurring Id,Opakující se Id DocType: Customer,Sales Team Details,Podrobnosti prodejní tým -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Smazat trvale? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Smazat trvale? DocType: Expense Claim,Total Claimed Amount,Celkem žalované částky apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciální příležitosti pro prodej. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neplatný {0} @@ -4068,7 +4078,7 @@ DocType: Warehouse,PIN,KOLÍK apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Nastavte si škola v ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Základna Změna Částka (Company měna) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Žádné účetní záznamy pro následující sklady -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Uložte dokument jako první. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Uložte dokument jako první. DocType: Account,Chargeable,Vyměřovací DocType: Company,Change Abbreviation,Změna zkratky DocType: Expense Claim Detail,Expense Date,Datum výdaje @@ -4082,7 +4092,6 @@ DocType: BOM,Manufacturing User,Výroba Uživatel DocType: Purchase Invoice,Raw Materials Supplied,Dodává suroviny DocType: Purchase Invoice,Recurring Print Format,Opakující Print Format DocType: C-Form,Series,Série -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,"Očekávané datum dodání, nemůže být před zakoupením pořadí Datum" DocType: Appraisal,Appraisal Template,Posouzení Template DocType: Item Group,Item Classification,Položka Klasifikace apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4121,12 +4130,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Select Bra apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Události / výsledky školení apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Oprávky i na DocType: Sales Invoice,C-Form Applicable,C-Form Použitelné -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Čas operace musí být větší než 0 pro operaci {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Čas operace musí být větší než 0 pro operaci {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Sklad je povinné DocType: Supplier,Address and Contacts,Adresa a kontakty DocType: UOM Conversion Detail,UOM Conversion Detail,UOM konverze Detail DocType: Program,Program Abbreviation,Program Zkratka -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Výrobní zakázka nemůže být vznesena proti šablony položky +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Výrobní zakázka nemůže být vznesena proti šablony položky apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Poplatky jsou aktualizovány v dokladu o koupi na každou položku DocType: Warranty Claim,Resolved By,Vyřešena DocType: Bank Guarantee,Start Date,Datum zahájení @@ -4161,6 +4170,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Trénink Feedback apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Výrobní zakázka {0} musí být předloženy apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Prosím, vyberte Počáteční datum a koncové datum pro položku {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Nastavte cíl prodeje, který chcete dosáhnout." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Samozřejmě je povinné v řadě {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,K dnešnímu dni nemůže být dříve od data DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4178,7 +4188,7 @@ DocType: Account,Income,Příjem DocType: Industry Type,Industry Type,Typ Průmyslu apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Něco se pokazilo! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Upozornění: Nechte Aplikace obsahuje následující data bloku -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Prodejní faktury {0} již byla odeslána +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Prodejní faktury {0} již byla odeslána DocType: Assessment Result Detail,Score,Skóre apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Fiskální rok {0} neexistuje apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Dokončení Datum @@ -4208,7 +4218,7 @@ DocType: Naming Series,Help HTML,Nápověda HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Tool Creation DocType: Item,Variant Based On,Varianta založená na apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Celková weightage přiřazen by měla být 100%. Je {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Vaši Dodavatelé +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Vaši Dodavatelé apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Nelze nastavit jako Ztraceno, protože je přijata objednávka." DocType: Request for Quotation Item,Supplier Part No,Žádný dodavatel Part apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nemůže odečíst, pokud kategorie je pro "ocenění" nebo "Vaulation a Total"" @@ -4218,14 +4228,14 @@ DocType: Item,Has Serial No,Má Sériové číslo DocType: Employee,Date of Issue,Datum vydání apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Od {0} do {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Podle nákupních nastavení, pokud je požadováno nákupní požadavek == 'ANO', pak pro vytvoření nákupní faktury musí uživatel nejprve vytvořit doklad o nákupu pro položku {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Řádek # {0}: Nastavte Dodavatel pro položku {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Řádek {0}: doba hodnota musí být větší než nula. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Řádek # {0}: Nastavte Dodavatel pro položku {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Řádek {0}: doba hodnota musí být větší než nula. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} připojuje k bodu {1} nelze nalézt DocType: Issue,Content Type,Typ obsahu apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Počítač DocType: Item,List this Item in multiple groups on the website.,Seznam tuto položku ve více skupinách na internetových stránkách. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Prosím, zkontrolujte více měn možnost povolit účty s jinou měnu" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Položka: {0} neexistuje v systému +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Položka: {0} neexistuje v systému apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nejste oprávněni stanovit hodnotu Zmražení DocType: Payment Reconciliation,Get Unreconciled Entries,Získat smířit záznamů DocType: Payment Reconciliation,From Invoice Date,Z faktury Datum @@ -4251,7 +4261,7 @@ DocType: Stock Entry,Default Source Warehouse,Výchozí zdroj Warehouse DocType: Item,Customer Code,Code zákazníků apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Narozeninová připomínka pro {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Počet dnů od poslední objednávky -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debetní Na účet musí být účtu Rozvaha +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debetní Na účet musí být účtu Rozvaha DocType: Buying Settings,Naming Series,Číselné řady DocType: Leave Block List,Leave Block List Name,Nechte Jméno Block List apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Datum pojištění startu by měla být menší než pojištění koncovým datem @@ -4268,7 +4278,7 @@ DocType: Vehicle Log,Odometer,Počítadlo ujetých kilometrů DocType: Sales Order Item,Ordered Qty,Objednáno Množství apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Položka {0} je zakázána DocType: Stock Settings,Stock Frozen Upto,Reklamní Frozen aľ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM neobsahuje žádnou skladovou položku +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM neobsahuje žádnou skladovou položku apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},"Období od a období, k datům povinné pro opakované {0}" apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektová činnost / úkol. DocType: Vehicle Log,Refuelling Details,Tankovací Podrobnosti @@ -4278,7 +4288,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Poslední cena při platbě nebyl nalezen DocType: Purchase Invoice,Write Off Amount (Company Currency),Odepsat Částka (Company měny) DocType: Sales Invoice Timesheet,Billing Hours,Billing Hodiny -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Výchozí BOM pro {0} nebyl nalezen +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Výchozí BOM pro {0} nebyl nalezen apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Řádek # {0}: Prosím nastavte množství objednací apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Klepnutím na položky je můžete přidat zde DocType: Fees,Program Enrollment,Registrace do programu @@ -4311,6 +4321,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Stárnutí rozsah 2 DocType: SG Creation Tool Course,Max Strength,Max Síla apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM nahradil +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Vyberte položky podle data doručení ,Sales Analytics,Prodejní Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},K dispozici {0} ,Prospects Engaged But Not Converted,"Perspektivy zapojení, ale nekonverze" @@ -4357,7 +4368,7 @@ DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Časového rozvrhu pro úkoly. DocType: Purchase Invoice,Against Expense Account,Proti výdajového účtu DocType: Production Order,Production Order,Výrobní Objednávka -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Poznámka k instalaci {0} již byla odeslána +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Poznámka k instalaci {0} již byla odeslána DocType: Bank Reconciliation,Get Payment Entries,Získat Platební položky DocType: Quotation Item,Against Docname,Proti Docname DocType: SMS Center,All Employee (Active),Všichni zaměstnanci (Aktivní) @@ -4366,7 +4377,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Cena surovin DocType: Item Reorder,Re-Order Level,Re-Order Level DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Zadejte položku a požadované množství ks, které chcete zadat do výroby, nebo si stáhněte soupis materiálu na skladu pro výrobu." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Pruhový diagram +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Pruhový diagram apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part-time DocType: Employee,Applicable Holiday List,Použitelný Seznam Svátků DocType: Employee,Cheque,Šek @@ -4422,11 +4433,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Vyhrazeno Množství pro výrobu DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Ponechte nekontrolované, pokud nechcete dávat pozor na dávku při sestavování kurzových skupin." DocType: Asset,Frequency of Depreciation (Months),Frekvence odpisy (měsíce) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Úvěrový účet +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Úvěrový účet DocType: Landed Cost Item,Landed Cost Item,Přistálo nákladovou položkou apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Ukázat nulové hodnoty DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Množství položky získané po výrobě / přebalení z daných množství surovin -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Nastavení jednoduché webové stránky pro mou organizaci +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Nastavení jednoduché webové stránky pro mou organizaci DocType: Payment Reconciliation,Receivable / Payable Account,Pohledávky / závazky účet DocType: Delivery Note Item,Against Sales Order Item,Proti položce přijaté objednávky apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Uveďte prosím atributu Hodnota atributu {0} @@ -4488,22 +4499,22 @@ DocType: Student,Nationality,Národnost ,Items To Be Requested,Položky se budou vyžadovat DocType: Purchase Order,Get Last Purchase Rate,Získejte posledního nákupu Cena DocType: Company,Company Info,Společnost info -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Vyberte nebo přidání nového zákazníka -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Nákladové středisko je nutné rezervovat výdajů nárok +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Vyberte nebo přidání nového zákazníka +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Nákladové středisko je nutné rezervovat výdajů nárok apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplikace fondů (aktiv) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To je založeno na účasti základu tohoto zaměstnance -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Debetní účet +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Debetní účet DocType: Fiscal Year,Year Start Date,Datum Zahájení Roku DocType: Attendance,Employee Name,Jméno zaměstnance DocType: Sales Invoice,Rounded Total (Company Currency),Celkem zaokrouhleno (měna solečnosti) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Nelze skryté do skupiny, protože je požadovaný typ účtu." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} byl změněn. Prosím aktualizujte. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} byl změněn. Prosím aktualizujte. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Přestaňte uživatelům provádět Nechat aplikací v následujících dnech. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Částka nákupu apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dodavatel Cen {0} vytvořil apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Konec roku nemůže být před uvedením do provozu roku apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Zaměstnanecké benefity -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Balíčky množství se musí rovnat množství pro položku {0} v řadě {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Balíčky množství se musí rovnat množství pro položku {0} v řadě {1} DocType: Production Order,Manufactured Qty,Vyrobeno Množství DocType: Purchase Receipt Item,Accepted Quantity,Schválené Množství apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Prosím nastavit výchozí Holiday List pro zaměstnance {0} nebo {1} Company @@ -4514,11 +4525,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Řádek č {0}: Částka nemůže být větší než Čekající Částka proti Expense nároku {1}. Do doby, než množství je {2}" DocType: Maintenance Schedule,Schedule,Plán DocType: Account,Parent Account,Nadřazený účet -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,K dispozici +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,K dispozici DocType: Quality Inspection Reading,Reading 3,Čtení 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Voucher Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán DocType: Employee Loan Application,Approved,Schválený DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Zaměstnanec úlevu na {0} musí být nastaven jako ""Left""" @@ -4587,7 +4598,7 @@ DocType: SMS Settings,Static Parameters,Statické parametry DocType: Assessment Plan,Room,Pokoj DocType: Purchase Order,Advance Paid,Vyplacené zálohy DocType: Item,Item Tax,Daň Položky -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiál Dodavateli +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiál Dodavateli apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Spotřební Faktura apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Práh {0}% objeví více než jednou DocType: Expense Claim,Employees Email Id,Zaměstnanci Email Id @@ -4627,7 +4638,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Model DocType: Production Order,Actual Operating Cost,Skutečné provozní náklady DocType: Payment Entry,Cheque/Reference No,Šek / Referenční číslo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodavatel> Typ dodavatele apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root nelze upravovat. DocType: Item,Units of Measure,Jednotky měření DocType: Manufacturing Settings,Allow Production on Holidays,Povolit Výrobu při dovolené @@ -4660,12 +4670,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Úvěrové dny apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Udělat Student Batch DocType: Leave Type,Is Carry Forward,Je převádět -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Položka získaná z BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Položka získaná z BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Dodací lhůta dny -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Řádek # {0}: Vysílání datum musí být stejné jako datum nákupu {1} aktiva {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Řádek # {0}: Vysílání datum musí být stejné jako datum nákupu {1} aktiva {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Zkontrolujte, zda student bydlí v Hostelu ústavu." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Prosím, zadejte Prodejní objednávky v tabulce výše" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nepředloženo výplatních páskách +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Nepředloženo výplatních páskách ,Stock Summary,Sklad Souhrn apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Převést aktiva z jednoho skladu do druhého DocType: Vehicle,Petrol,Benzín diff --git a/erpnext/translations/da-DK.csv b/erpnext/translations/da-DK.csv index 986b23e5adc..7e93ef385f6 100644 --- a/erpnext/translations/da-DK.csv +++ b/erpnext/translations/da-DK.csv @@ -11,12 +11,12 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be se DocType: Item,Default Selling Cost Center,Standard Selling Cost center apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Above DocType: Pricing Rule,Selling,Selling -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,Ultima Actualización : Fecha inválida +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,Ultima Actualización : Fecha inválida DocType: Sales Order,% Delivered,% Leveres DocType: Lead,Lead Owner,Bly Owner apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Udgiftområde er obligatorisk for varen {2} apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Skat skabelon til at sælge transaktioner. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,o +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,o DocType: Sales Order,% of materials billed against this Sales Order,% Af materialer faktureret mod denne Sales Order DocType: SMS Center,All Lead (Open),Alle Bly (Open) apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Hent opdateringer diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv index f9e16e6ced9..80af0b09e75 100644 --- a/erpnext/translations/da.csv +++ b/erpnext/translations/da.csv @@ -11,13 +11,13 @@ DocType: Item,Publish Item to hub.erpnext.com,Udgive Vare til hub.erpnext.com apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-mail-meddelelser apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Evaluering DocType: Item,Default Unit of Measure,Standard Måleenhed -DocType: SMS Center,All Sales Partner Contact,Alle Sales Partner Kontakt +DocType: SMS Center,All Sales Partner Contact,Alle forhandlerkontakter DocType: Employee,Leave Approvers,Fraværsgodkendere DocType: Sales Partner,Dealer,Forhandler DocType: Employee,Rented,Lejet DocType: Purchase Order,PO-,IO- DocType: POS Profile,Applicable for User,Gældende for bruger -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppet produktionsordre kan ikke annulleres, Unstop det første til at annullere" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppet produktionsordre kan ikke annulleres, Unstop det første til at annullere" DocType: Vehicle Service,Mileage,Kilometerpenge apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Vil du virkelig kassere dette anlægsaktiv? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Vælg Standard Leverandør @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Faktureret apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Vekselkurs skal være det samme som {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Kundennavn DocType: Vehicle,Natural Gas,Naturgas -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankkonto kan ikke blive navngivet som {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Bankkonto kan ikke blive navngivet som {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Hoveder (eller grupper) mod hvilken regnskabsposter er lavet og balancer opretholdes. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Enestående for {0} kan ikke være mindre end nul ({1}) DocType: Manufacturing Settings,Default 10 mins,Standard 10 min @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Fraværstypenavn apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Vis åben apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Nummerserien opdateret apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,bestilling -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Kassekladde Indsendt +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Kassekladde Indsendt DocType: Pricing Rule,Apply On,Gælder for DocType: Item Price,Multiple Item prices.,Flere varepriser. ,Purchase Order Items To Be Received,"Købsordre, der modtages" @@ -58,9 +58,9 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Draft DocType: Mode of Payment Account,Mode of Payment Account,Betalingsmådekonto apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Vis varianter -DocType: Academic Term,Academic Term,Akademisk Term +DocType: Academic Term,Academic Term,Akademisk betegnelse apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiale -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Mængde +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Mængde apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Regnskab tabel kan ikke være tom. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Lån (passiver) DocType: Employee Education,Year of Passing,År for Passing @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Health Care apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Forsinket betaling (dage) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,tjenesten Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede refereret i salgsfaktura: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Faktura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede refereret i salgsfaktura: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Faktura DocType: Maintenance Schedule Item,Periodicity,Hyppighed apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Regnskabsår {0} er påkrævet -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,"Forventet leveringsdato er være, før Sales Order Dato" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Forsvar DocType: Salary Component,Abbr,Forkortelse DocType: Appraisal Goal,Score (0-5),Score (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Række # {0}: DocType: Timesheet,Total Costing Amount,Total Costing Beløb DocType: Delivery Note,Vehicle No,Køretøjsnr. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Vælg venligst prisliste +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Vælg venligst prisliste apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Betaling dokument er nødvendig for at fuldføre trasaction DocType: Production Order Operation,Work In Progress,Varer i arbejde apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Vælg venligst dato @@ -94,7 +93,7 @@ DocType: Cost Center,Stock User,Lagerbruger DocType: Company,Phone No,Telefonnr. apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kursusskema oprettet: apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Ny {0}: # {1} -,Sales Partners Commission,Salgs Partneres Kommission +,Sales Partners Commission,Forhandlerprovision apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Forkortelse kan ikke have mere end 5 tegn DocType: Payment Request,Payment Request,Betalingsanmodning DocType: Asset,Value After Depreciation,Værdi efter afskrivninger @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ikke i noget aktivt regnskabsår. DocType: Packed Item,Parent Detail docname,Parent Detail docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Reference: {0}, varekode: {1} og kunde: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Rekruttering DocType: Item Attribute,Increment,Tilvækst @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Gift apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Ikke tilladt for {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Hent varer fra -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Lager kan ikke opdateres mod følgeseddel {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Lager kan ikke opdateres mod følgeseddel {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Ingen emner opført DocType: Payment Reconciliation,Reconcile,Forene @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Pensi apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Næste afskrivningsdato kan ikke være før købsdatoen DocType: SMS Center,All Sales Person,Alle salgsmedarbejdere DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Månedlig Distribution ** hjælper dig distribuere Budget / Target tværs måneder, hvis du har sæsonudsving i din virksomhed." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Ikke varer fundet +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Ikke varer fundet apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Lønstruktur mangler DocType: Lead,Person Name,Navn DocType: Sales Invoice Item,Sales Invoice Item,Salgsfakturavare @@ -145,17 +144,17 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Er anlægsaktiv"" kan ikke være umarkeret, da der eksisterer et anlægsaktiv på varen" DocType: Vehicle Service,Brake Oil,Bremse Oil DocType: Tax Rule,Tax Type,Skat Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Skattepligtigt beløb +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Skattepligtigt beløb apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Du har ikke tilladelse til at tilføje eller opdatere poster før {0} DocType: BOM,Item Image (if not slideshow),Varebillede (hvis ikke lysbilledshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,En Kunde eksisterer med samme navn DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timesats / 60) * TidsforbrugIMinutter -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Vælg stykliste +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Vælg stykliste DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Omkostninger ved Leverede varer apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Ferien på {0} er ikke mellem Fra dato og Til dato DocType: Student Log,Student Log,Student Log -DocType: Quality Inspection,Get Specification Details,Få Specifikation Detaljer +DocType: Quality Inspection,Get Specification Details,Hent specifikationer DocType: Lead,Interested,Interesseret apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Opening,Åbning apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Fra {0} til {1} @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Skoler DocType: School Settings,Validate Batch for Students in Student Group,Valider batch for studerende i studentegruppe apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ingen orlov rekord fundet for medarbejderen {0} for {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Indtast venligst firma først -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Vælg venligst firma først +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Vælg venligst firma først DocType: Employee Education,Under Graduate,Under Graduate apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On DocType: BOM,Total Cost,Omkostninger i alt DocType: Journal Entry Account,Employee Loan,Medarbejderlån -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivitet Log: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Vare {0} findes ikke i systemet eller er udløbet +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Aktivitet Log: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Vare {0} findes ikke i systemet eller er udløbet apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Kontoudtog apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Lægemidler @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Beløb apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Doppelt kundegruppe forefindes i Kundegruppetabellen apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Leverandørtype / leverandør DocType: Naming Series,Prefix,Præfiks -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil navngivningsserie for {0} via Setup> Settings> Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Forbrugsmaterialer +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Forbrugsmaterialer DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Import-log DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Hent materialeanmodning af typen Fremstilling på grundlag af de ovennævnte kriterier DocType: Training Result Employee,Grade,Grad DocType: Sales Invoice Item,Delivered By Supplier,Leveret af Leverandøren DocType: SMS Center,All Contact,Alle Kontakt -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Produktionsordre allerede skabt for alle poster med BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Produktionsordre allerede skabt for alle poster med BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Årsløn DocType: Daily Work Summary,Daily Work Summary,Daglige arbejde Summary DocType: Period Closing Voucher,Closing Fiscal Year,Lukning regnskabsår -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} er frosset +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} er frosset apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vælg eksisterende firma for at danne kontoplanen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Udgifter apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Vælg Target Warehouse @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Accepteret + Afvist skal være lig med Modtaget mængde for vare {0} DocType: Request for Quotation,RFQ-,AT- DocType: Item,Supply Raw Materials for Purchase,Supply råstoffer til Indkøb -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Mindst én form for betaling er nødvendig for POS faktura. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Mindst én form for betaling er nødvendig for POS faktura. DocType: Products Settings,Show Products as a List,Vis produkterne på en liste DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Download skabelon, fylde relevante data og vedhæfte den ændrede fil. Alle datoer og medarbejder kombination i den valgte periode vil komme i skabelonen, med eksisterende fremmøde optegnelser" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Vare {0} er ikke aktiv eller slutningen af livet er nået -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Eksempel: Grundlæggende Matematik -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Hvis du vil medtage skat i række {0} i Item sats, skatter i rækker {1} skal også medtages" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Eksempel: Grundlæggende Matematik +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Hvis du vil medtage skat i række {0} i Item sats, skatter i rækker {1} skal også medtages" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Indstillinger for HR modul DocType: SMS Center,SMS Center,SMS-center DocType: Sales Invoice,Change Amount,ændring beløb @@ -248,8 +246,8 @@ apps/erpnext/erpnext/config/selling.py +91,Rules for applying pricing and discou apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must be applicable for Buying or Selling,Prisliste skal være gældende for at købe eller sælge apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Installation dato kan ikke være før leveringsdato for Item {0} DocType: Pricing Rule,Discount on Price List Rate (%),Rabat på prisliste Rate (%) -DocType: Offer Letter,Select Terms and Conditions,Vælg Betingelser -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Out Value +DocType: Offer Letter,Select Terms and Conditions,Vælg betingelser +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Out Value DocType: Production Planning Tool,Sales Orders,Salgsordrer DocType: Purchase Taxes and Charges,Valuation,Værdiansættelse ,Purchase Order Trends,Indkøbsordre Trends @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Åbningspost DocType: Customer Group,Mention if non-standard receivable account applicable,"Nævne, hvis ikke-standard tilgodehavende konto gældende" DocType: Course Schedule,Instructor Name,Instruktør Navn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Til lager skal angives før godkendelse +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Til lager skal angives før godkendelse apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Modtaget On DocType: Sales Partner,Reseller,Forhandler DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Hvis markeret, vil ikke-lagervarer i materialeanmodningerne blive medtaget." @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Mod salgsfakturavarer ,Production Orders in Progress,Igangværende produktionsordrer apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Netto kontant fra Finansiering -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage er fuld, ikke spare" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage er fuld, ikke spare" DocType: Lead,Address & Contact,Adresse og kontaktperson DocType: Leave Allocation,Add unused leaves from previous allocations,Tilføj ubrugte blade fra tidligere tildelinger apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Næste gentagende {0} vil blive oprettet den {1} DocType: Sales Partner,Partner website,Partner hjemmeside apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Tilføj vare -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kontaktnavn +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kontaktnavn DocType: Course Assessment Criteria,Course Assessment Criteria,Kriterier for kursusvurdering DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Opretter lønseddel for ovennævnte kriterier. DocType: POS Customer Group,POS Customer Group,Kassesystem-kundegruppe @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Række {0}: Tjek venligst "Er Advance 'mod konto {1}, hvis dette er et forskud post." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Lager {0} ikke hører til firmaet {1} DocType: Email Digest,Profit & Loss,Profit & Loss -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,liter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,liter DocType: Task,Total Costing Amount (via Time Sheet),Totale omkostninger (via tidsregistrering) DocType: Item Website Specification,Item Website Specification,Item Website Specification apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Fravær blokeret @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,Salgsfakturanr. DocType: Material Request Item,Min Order Qty,Min prisen evt DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Elevgruppeværktøj til dannelse af fag DocType: Lead,Do Not Contact,Må ikke komme i kontakt -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Mennesker, der underviser i din organisation" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Mennesker, der underviser i din organisation" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Den unikke id til at spore alle tilbagevendende fakturaer. Det genereres på send. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer DocType: Item,Minimum Order Qty,Minimum Antal @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,Offentliggør i Hub DocType: Student Admission,Student Admission,Studerende optagelse ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Vare {0} er aflyst -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Materialeanmodning +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Materialeanmodning DocType: Bank Reconciliation,Update Clearance Date,Opdatering Clearance Dato DocType: Item,Purchase Details,Indkøbsdetaljer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Vare {0} ikke fundet i "Raw Materials Leveres 'bord i Indkøbsordre {1} @@ -361,13 +359,13 @@ DocType: Accounts Settings,Settings for Accounts,Indstillinger for regnskab apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Leverandør faktura nr eksisterer i købsfaktura {0} apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Administrer Sales Person Tree. DocType: Job Applicant,Cover Letter,Følgebrev -apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Udestående Checks og Indlån at rydde +apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Anvendes ikke DocType: Item,Synced With Hub,Synkroniseret med Hub DocType: Vehicle,Fleet Manager,Fleet manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Rækken # {0}: {1} kan ikke være negativ for vare {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Forkert adgangskode DocType: Item,Variant Of,Variant af -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Afsluttet Antal kan ikke være større end 'antal til Fremstilling' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Afsluttet Antal kan ikke være større end 'antal til Fremstilling' DocType: Period Closing Voucher,Closing Account Head,Lukning konto Hoved DocType: Employee,External Work History,Ekstern Work History apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Cirkulær reference Fejl @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,Afstand fra venstre kant apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} enheder af [{1}] (# Form / vare / {1}) findes i [{2}] (# Form / Warehouse / {2}) DocType: Lead,Industry,Branche DocType: Employee,Job Profile,Stillingsprofil +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Dette er baseret på transaktioner mod denne virksomhed. Se tidslinjen nedenfor for detaljer DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Give besked på e-mail om oprettelse af automatiske materialeanmodninger DocType: Journal Entry,Multi Currency,Multi Valuta DocType: Payment Reconciliation Invoice,Invoice Type,Fakturatype -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Følgeseddel +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Følgeseddel apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Opsætning Skatter apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Udgifter Solgt Asset apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Betaling indtastning er blevet ændret, efter at du trak det. Venligst trække det igen." @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Indtast en værdi i feltet 'Gentagelsedag i måneden »felt værdi DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Hastighed, hvormed kunden Valuta omdannes til kundens basisvaluta" DocType: Course Scheduling Tool,Course Scheduling Tool,Kursusplanlægningsværktøj -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Køb Faktura kan ikke foretages mod en eksisterende aktiv {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Køb Faktura kan ikke foretages mod en eksisterende aktiv {1} DocType: Item Tax,Tax Rate,Skat apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} allerede afsat til Medarbejder {1} for perioden {2} til {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Vælg Item +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Vælg Item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Købsfaktura {0} er allerede godkendt apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Række # {0}: Partinr. skal være det samme som {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Konverter til ikke-Group @@ -443,7 +442,7 @@ DocType: Employee,Widowed,Enke DocType: Request for Quotation,Request for Quotation,Anmodning om tilbud DocType: Salary Slip Timesheet,Working Hours,Arbejdstider DocType: Naming Series,Change the starting / current sequence number of an existing series.,Skift start / aktuelle sekvensnummer af en eksisterende serie. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Opret ny kunde +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Opret ny kunde apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Hvis flere Priser Regler fortsat gældende, er brugerne bedt om at indstille prioritet manuelt for at løse konflikter." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Opret indkøbsordrer ,Purchase Register,Indkøb Register @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Censornavn DocType: Purchase Invoice Item,Quantity and Rate,Mængde og Pris DocType: Delivery Note,% Installed,% Installeret -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasseværelser / Laboratorier osv hvor foredrag kan planlægges. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasseværelser / Laboratorier osv hvor foredrag kan planlægges. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Indtast venligst firmanavn først DocType: Purchase Invoice,Supplier Name,Leverandørnavn apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Læs ERPNext-håndbogen @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Gammel Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Obligatorisk felt - skoleår DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Tilpas den indledende tekst, der går som en del af denne e-mail. Hver transaktion har en separat indledende tekst." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Indtast venligst standardbetalt konto for virksomheden {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Indtast venligst standardbetalt konto for virksomheden {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globale indstillinger for alle produktionsprocesser. DocType: Accounts Settings,Accounts Frozen Upto,Regnskab Frozen Op DocType: SMS Log,Sent On,Sendt On @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,Kreditor apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,De valgte styklister er ikke for den samme vare DocType: Pricing Rule,Valid Upto,Gyldig til DocType: Training Event,Workshop,Værksted -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Nævn et par af dine kunder. Disse kunne være firmaer eller enkeltpersoner. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Nævn et par af dine kunder. Disse kunne være firmaer eller enkeltpersoner. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Nok Dele til Build apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direkte indkomst apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Kan ikke filtrere baseret på konto, hvis grupperet efter konto" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Kontorfuldmægtig apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vælg kursus DocType: Timesheet Detail,Hrs,timer -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Vælg firma +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Vælg firma DocType: Stock Entry Detail,Difference Account,Forskel konto DocType: Purchase Invoice,Supplier GSTIN,Leverandør GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Opgaven kan ikke lukkes, da dens afhængige opgave {0} ikke er lukket." @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,Offline-kassesystemnavn apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Angiv venligst lønklasse for Tærskel 0% DocType: Sales Order,To Deliver,Til at levere DocType: Purchase Invoice Item,Item,Vare -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serienummervare kan ikke være en brøkdel +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serienummervare kan ikke være en brøkdel DocType: Journal Entry,Difference (Dr - Cr),Difference (Dr - Cr) DocType: Account,Profit and Loss,Resultatopgørelse apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Håndtering af underleverancer @@ -573,14 +572,14 @@ DocType: Serial No,Warranty Period (Days),Garantiperiode (dage) DocType: Installation Note Item,Installation Note Item,Installation Bemærk Vare DocType: Production Plan Item,Pending Qty,Afventende antal DocType: Budget,Ignore,Ignorér -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} er ikke aktiv +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} er ikke aktiv apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS sendt til følgende numre: {0} -apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Opsætning kontrol dimensioner til udskrivning +apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Anvendes ikke DocType: Salary Slip,Salary Slip Timesheet,Lønseddel Timeseddel apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underentreprise købskvittering DocType: Pricing Rule,Valid From,Gyldig fra -DocType: Sales Invoice,Total Commission,Samlet Kommissionen -DocType: Pricing Rule,Sales Partner,Salgs Partner +DocType: Sales Invoice,Total Commission,Samlet provision +DocType: Pricing Rule,Sales Partner,Forhandler DocType: Buying Settings,Purchase Receipt Required,Købskvittering påkrævet apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Værdiansættelsesværdi er obligatorisk, hvis Åbning Stock indtastet" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Ingen poster i faktureringstabellen @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,I- DocType: Production Order Operation,In minutes,I minutter DocType: Issue,Resolution Date,Løsningsdato DocType: Student Batch Name,Batch Name,Partinavn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timeseddel oprettet: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Indstil standard Kontant eller bank konto i mode for betaling {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timeseddel oprettet: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Indstil standard Kontant eller bank konto i mode for betaling {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Indskrive DocType: GST Settings,GST Settings,GST-indstillinger DocType: Selling Settings,Customer Naming By,Kundenavngivning af @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,Sagsbruger apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Forbrugt apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} blev ikke fundet i Invoice Detaljer tabel DocType: Company,Round Off Cost Center,Afrundningsomkostningssted -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,"Vedligeholdelse Besøg {0} skal annulleres, før den annullerer denne Sales Order" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,"Vedligeholdelse Besøg {0} skal annulleres, før den annullerer denne Sales Order" DocType: Item,Material Transfer,Materiale Transfer apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Åbning (dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Udstationering tidsstempel skal være efter {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,Samlet Renteudgifter DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landede Cost Skatter og Afgifter DocType: Production Order Operation,Actual Start Time,Faktisk starttid DocType: BOM Operation,Operation Time,Operation Time -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Slutte +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Slutte apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Grundlag DocType: Timesheet,Total Billed Hours,Total Billed Timer DocType: Journal Entry,Write Off Amount,Skriv Off Beløb @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),Kilometerstand (sidste aflæsning) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Betalingspost er allerede dannet DocType: Purchase Receipt Item Supplied,Current Stock,Aktuel lagerbeholdning -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ikke er knyttet til Vare {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ikke er knyttet til Vare {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Eksempel lønseddel apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} er indtastet flere gange DocType: Account,Expenses Included In Valuation,Udgifter inkluderet i Værdiansættelse @@ -748,7 +747,7 @@ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +82,Tr DocType: BOM Explosion Item,Qty Consumed Per Unit,Antal Consumed Per Unit DocType: Serial No,Warranty Expiry Date,Garanti udløbsdato DocType: Material Request Item,Quantity and Warehouse,Mængde og Warehouse -DocType: Sales Invoice,Commission Rate (%),Kommissionen Rate (%) +DocType: Sales Invoice,Commission Rate (%),Provisionssats (%) apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Vælg venligst Program DocType: Project,Estimated Cost,Anslåede omkostninger DocType: Purchase Order,Link to material requests,Link til materialeanmodninger @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Credit Card indtastning apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Firma og regnskab apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Varer modtaget fra leverandører. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,I Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,I Value DocType: Lead,Campaign Name,Kampagne Navn DocType: Selling Settings,Close Opportunity After Days,Luk salgsmulighed efter dage ,Reserved,Reserveret @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energi DocType: Opportunity,Opportunity From,Salgsmulighed fra apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Månedlige lønseddel. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Række {0}: {1} Serienumre er nødvendige for punkt {2}. Du har angivet {3}. DocType: BOM,Website Specifications,Website Specifikationer apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Fra {0} af typen {1} DocType: Warranty Claim,CI-,Cl- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Række {0}: konverteringsfaktor er obligatorisk DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flere Pris Regler eksisterer med samme kriterier, skal du løse konflikter ved at tildele prioritet. Pris Regler: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Kan ikke deaktivere eller annullere en stykliste, som det er forbundet med andre styklister" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Kan ikke deaktivere eller annullere en stykliste, som det er forbundet med andre styklister" DocType: Opportunity,Maintenance,Vedligeholdelse DocType: Item Attribute Value,Item Attribute Value,Item Attribut Værdi apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Salgskampagner. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Opret tidsregistreringskladde +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Opret tidsregistreringskladde DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Opsætning Email-konto apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Indtast vare først DocType: Account,Liability,Passiver -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bevilliget beløb kan ikke være større end udlægsbeløbet i række {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bevilliget beløb kan ikke være større end udlægsbeløbet i række {0}. DocType: Company,Default Cost of Goods Sold Account,Standard vareforbrug konto apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Prisliste ikke valgt DocType: Employee,Family Background,Familiebaggrund @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,Standard bankkonto apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Hvis du vil filtrere baseret på Party, skal du vælge Party Type først" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Opdater lager' kan ikke markeres, fordi varerne ikke leveres via {0}" DocType: Vehicle,Acquisition Date,Erhvervelsesdato -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Elementer med højere weightage vises højere DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Afstemning Detail -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Række # {0}: Aktiv {1} skal godkendes +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Række # {0}: Aktiv {1} skal godkendes apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Ingen medarbejder fundet DocType: Supplier Quotation,Stopped,Stoppet DocType: Item,If subcontracted to a vendor,Hvis underentreprise til en sælger @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Mindste fakturabeløb apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: omkostningssted {2} tilhører ikke firma {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} kan ikke være en gruppe apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {IDX}: {doctype} {DOCNAME} findes ikke i ovenstående '{doctype}' tabel -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Tidsregistreringskladde {0} er allerede afsluttet eller annulleret +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Tidsregistreringskladde {0} er allerede afsluttet eller annulleret apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Ingen opgaver DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Den dag i den måned, hvor auto faktura vil blive genereret f.eks 05, 28 osv" DocType: Asset,Opening Accumulated Depreciation,Åbning Akkumulerede afskrivninger @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,Anmodet Numbers DocType: Production Planning Tool,Only Obtain Raw Materials,Kun Opnå råstoffer apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Præstationsvurdering. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivering »anvendelse til indkøbskurv"", som indkøbskurv er aktiveret, og der skal være mindst én momsregel til Indkøbskurven" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling indtastning {0} er forbundet mod Order {1}, kontrollere, om det skal trækkes forhånd i denne faktura." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling indtastning {0} er forbundet mod Order {1}, kontrollere, om det skal trækkes forhånd i denne faktura." DocType: Sales Invoice Item,Stock Details,Stock Detaljer apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Sagsværdi apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Kassesystem @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,Opdatering Series DocType: Supplier Quotation,Is Subcontracted,Underentreprise DocType: Item Attribute,Item Attribute Values,Item Egenskab Værdier DocType: Examination Result,Examination Result,eksamensresultat -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Købskvittering +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Købskvittering ,Received Items To Be Billed,Modtagne varer skal faktureres -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Godkendte lønsedler +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Godkendte lønsedler apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valutakursen mester. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Henvisning Doctype skal være en af {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Kan ikke finde Time Slot i de næste {0} dage til Operation {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Kan ikke finde Time Slot i de næste {0} dage til Operation {1} DocType: Production Order,Plan material for sub-assemblies,Plan materiale til sub-enheder -apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Salgspartnere og områder -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,Stykliste {0} skal være aktiv +apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Forhandlere og områder +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,Stykliste {0} skal være aktiv DocType: Journal Entry,Depreciation Entry,Afskrivninger indtastning apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Vælg dokumenttypen først apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,"Annuller Materiale Besøg {0}, før den annullerer denne vedligeholdelse Besøg" @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Samlet beløb apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing DocType: Production Planning Tool,Production Orders,Produktionsordrer -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Balance Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Balance Value apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Salgsprisliste apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Udgive synkronisere emner DocType: Bank Reconciliation,Account Currency,Konto Valuta @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,Exit Interview Detaljer DocType: Item,Is Purchase Item,Er Indkøb Item DocType: Asset,Purchase Invoice,Købsfaktura DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail Nej -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nye salgsfaktura +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nye salgsfaktura DocType: Stock Entry,Total Outgoing Value,Samlet værdi udgående apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Åbning Dato og Closing Datoen skal ligge inden samme regnskabsår DocType: Lead,Request for Information,Anmodning om information ,LeaderBoard,LEADERBOARD -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Synkroniser Offline fakturaer +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synkroniser Offline fakturaer DocType: Payment Request,Paid,Betalt DocType: Program Fee,Program Fee,Program Fee DocType: Salary Slip,Total in words,I alt i ord @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,Leveringstid Dato DocType: Guardian,Guardian Name,Guardian Navn DocType: Cheque Print Template,Has Print Format,Har Print Format DocType: Employee Loan,Sanctioned,sanktioneret -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,er obligatorisk. Måske Valutaveksling rekord er ikke skabt til +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,er obligatorisk. Måske Valutaveksling rekord er ikke skabt til apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Række # {0}: Angiv serienummer for vare {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For produktpakke-varer, lagre, serienumre og partier vil blive betragtet fra pakkelistetabellen. Hvis lager og parti er ens for alle pakkede varer for enhver produktpakkevare, kan disse værdier indtastes for den vigtigste vare, og værdierne vil blive kopieret til pakkelistetabellen." DocType: Job Opening,Publish on website,Udgiv på hjemmesiden @@ -1006,10 +1006,10 @@ DocType: Cheque Print Template,Date Settings,Datoindstillinger apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varians ,Company Name,Firmaets navn DocType: SMS Center,Total Message(s),Besked (er) i alt -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Vælg Item for Transfer +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Vælg Item for Transfer DocType: Purchase Invoice,Additional Discount Percentage,Ekstra rabatprocent apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Se en liste over alle hjælpevideoerne -DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Vælg højde leder af den bank, hvor checken blev deponeret." +DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Anvendes ikke DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Tillad brugeren at redigere prislistesatsen i transaktioner DocType: Pricing Rule,Max Qty,Maksimal mængde apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +30,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Råmaterialeomkostninger (firmavaluta) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Alle varer er allerede blevet overført til denne produktionsordre. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Row # {0}: Prisen kan ikke være større end den sats, der anvendes i {1} {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Måler +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Måler DocType: Workstation,Electricity Cost,Elektricitetsomkostninger DocType: HR Settings,Don't send Employee Birthday Reminders,Send ikke medarbejderfødselsdags- påmindelser DocType: Item,Inspection Criteria,Kontrolkriterier @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),Alle emner (åbne) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Række {0}: Antal ikke tilgængelig for {4} i lageret {1} på udstationering tid af posten ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Få forskud DocType: Item,Automatically Create New Batch,Opret automatisk et nyt parti -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Opret +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Opret DocType: Student Admission,Admission Start Date,Optagelse Startdato DocType: Journal Entry,Total Amount in Words,Samlet beløb i Words apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Der opstod en fejl. En sandsynlig årsag kan være, at du ikke har gemt formularen. Kontakt venligst support@erpnext.com hvis problemet fortsætter." @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Indkøbskurv apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Bestil type skal være en af {0} DocType: Lead,Next Contact Date,Næste kontakt d. apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Åbning Antal -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Indtast konto for returbeløb +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Indtast konto for returbeløb DocType: Student Batch Name,Student Batch Name,Elevgruppenavn DocType: Holiday List,Holiday List Name,Helligdagskalendernavn DocType: Repayment Schedule,Balance Loan Amount,Balance Lånebeløb @@ -1050,20 +1050,20 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Aktieoptioner DocType: Journal Entry Account,Expense Claim,Udlæg apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Vil du virkelig gendanne dette kasserede anlægsaktiv? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Antal for {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Antal for {0} DocType: Leave Application,Leave Application,Ansøg om fravær apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Fraværstildelingsværktøj DocType: Leave Block List,Leave Block List Dates,Fraværsblokeringsdatoer DocType: Workstation,Net Hour Rate,Netto timeløn DocType: Landed Cost Purchase Receipt,Landed Cost Purchase Receipt,Landed Cost købskvittering -DocType: Company,Default Terms,Standard Vilkår +DocType: Company,Default Terms,Standardvilkår DocType: Packing Slip Item,Packing Slip Item,Pakkeseddelvare DocType: Purchase Invoice,Cash/Bank Account,Kontant / Bankkonto apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Angiv en {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Fjernede elementer uden nogen ændringer i mængde eller værdi. DocType: Delivery Note,Delivery To,Levering Til apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Attributtabellen er obligatorisk -DocType: Production Planning Tool,Get Sales Orders,Få salgsordrer +DocType: Production Planning Tool,Get Sales Orders,Hent salgsordrer apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} kan ikke være negativ apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Rabat DocType: Asset,Total Number of Depreciations,Samlet antal afskrivninger @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Imod DocType: Item,Default Selling Cost Center,Standard salgsomkostningssted DocType: Sales Partner,Implementation Partner,Implementering Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postnummer +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Postnummer apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Salgsordre {0} er {1} DocType: Opportunity,Contact Info,Kontaktinformation apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Making Stock Angivelser @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Til apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Gennemsnitlig alder DocType: School Settings,Attendance Freeze Date,Tilmelding senest d. DocType: Opportunity,Your sales person who will contact the customer in future,"Din salgsmedarbejder, som vil kontakte kunden i fremtiden" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Nævn et par af dine leverandører. Disse kunne være firmaer eller enkeltpersoner. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Nævn et par af dine leverandører. Disse kunne være firmaer eller enkeltpersoner. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Se alle produkter apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Mindste levealder (dage) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Alle styklister +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Alle styklister DocType: Company,Default Currency,Standardvaluta DocType: Expense Claim,From Employee,Fra Medarbejder -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Advarsel: Systemet vil ikke tjekke for overfakturering, da beløbet for vare {0} i {1} er nul" +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Advarsel: Systemet vil ikke tjekke for overfakturering, da beløbet for vare {0} i {1} er nul" DocType: Journal Entry,Make Difference Entry,Make Difference indtastning DocType: Upload Attendance,Attendance From Date,Fremmøde fradato DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Firma registreringsnumre til din reference. Skat numre etc. DocType: Sales Partner,Distributor,Distributør DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Indkøbskurv forsendelsesregler -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,"Produktionsordre {0} skal annulleres, før den annullerer denne Sales Order" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,"Produktionsordre {0} skal annulleres, før den annullerer denne Sales Order" apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Venligst sæt 'Anvend Ekstra Rabat på' ,Ordered Items To Be Billed,Bestilte varer at blive faktureret apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Fra Range skal være mindre end at ligge @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Fradrag DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Startår -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},De første 2 cifre i GSTIN skal svare til statens nummer {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},De første 2 cifre i GSTIN skal svare til statens nummer {0} DocType: Purchase Invoice,Start date of current invoice's period,Startdato for nuværende fakturaperiode DocType: Salary Slip,Leave Without Pay,Fravær uden løn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapacitetsplanlægningsfejl +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kapacitetsplanlægningsfejl ,Trial Balance for Party,Trial Balance til Party DocType: Lead,Consultant,Konsulent DocType: Salary Slip,Earnings,Indtjening @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,payer Indstillinger DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dette vil blive føjet til varen af varianten. For eksempel, hvis dit forkortelse er ""SM"", og varenummeret er ""T-SHIRT"", så vil variantens varenummer blive ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Nettoløn (i ord) vil være synlig, når du gemmer lønsedlen." DocType: Purchase Invoice,Is Return,Er Return -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Retur / debetnota +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Retur / debetnota DocType: Price List Country,Price List Country,Prislisteland DocType: Item,UOMs,Enheder apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} gyldige serienumre for vare {1} @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,Delvist udbetalt apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverandør database. DocType: Account,Balance Sheet,Balance apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Omkostningssted for vare med varenr. ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalingsmåde er ikke konfigureret. Kontroller, om konto er blevet indstillet på betalingsmåden eller på Kassesystemprofilen." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalingsmåde er ikke konfigureret. Kontroller, om konto er blevet indstillet på betalingsmåden eller på Kassesystemprofilen." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Din salgsmedarbejder vil få en påmindelse på denne dato om at kontakte kunden apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samme vare kan ikke indtastes flere gange. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Kan gøres yderligere konti under grupper, men oplysningerne kan gøres mod ikke-grupper" @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,tilbagebetaling Info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Indlæg' kan ikke være tomt apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplikér række {0} med samme {1} ,Trial Balance,Trial Balance -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Regnskabsår {0} blev ikke fundet +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Regnskabsår {0} blev ikke fundet apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Opsætning af Medarbejdere DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Vælg venligst præfiks først @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,Intervaller apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Tidligste apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Der eksisterer en varegruppe med samme navn, og du bedes derfor ændre varenavnet eller omdøbe varegruppen" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Studerende mobiltelefonnr. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resten af verden +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Resten af verden apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Vare {0} kan ikke have parti ,Budget Variance Report,Budget Variance Report DocType: Salary Slip,Gross Pay,Gross Pay -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Række {0}: Aktivitetstypen er obligatorisk. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Række {0}: Aktivitetstypen er obligatorisk. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Betalt udbytte apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Regnskab Ledger DocType: Stock Reconciliation,Difference Amount,Differencebeløb @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Medarbejder Leave Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Balance for konto {0} skal altid være {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Værdiansættelse Rate kræves for Item i række {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Eksempel: Masters i Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Eksempel: Masters i Computer Science DocType: Purchase Invoice,Rejected Warehouse,Afvist lager DocType: GL Entry,Against Voucher,Modbilag DocType: Item,Default Buying Cost Center,Standard købsomkostningssted apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","For at få det bedste ud af ERPNext, anbefaler vi, at du tager lidt tid og se disse hjælpe videoer." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,til +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,til DocType: Supplier Quotation Item,Lead Time in days,Lead Time i dage apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Kreditorer Resumé -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Udbetaling af løn fra {0} til {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Udbetaling af løn fra {0} til {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Ikke autoriseret til at redigere låst konto {0} -DocType: Journal Entry,Get Outstanding Invoices,Få udestående fakturaer -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig +DocType: Journal Entry,Get Outstanding Invoices,Hent åbne fakturaer +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Indkøbsordrer hjælpe dig med at planlægge og følge op på dine køb apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Beklager, kan virksomhederne ikke slås sammen" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Indirekte udgifter apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Række {0}: Antal er obligatorisk apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Landbrug -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Dine produkter eller tjenester +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Dine produkter eller tjenester DocType: Mode of Payment,Mode of Payment,Betalingsmåde apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Website Billede bør være en offentlig fil eller webadresse DocType: Student Applicant,AP,AP @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Varemoms-% DocType: Student Group Student,Group Roll Number,Gruppe Roll nummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",For {0} kan kun kredit konti knyttes mod en anden debet post apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totalen for vægtningen af alle opgaver skal være 1. Juster vægten af alle sagsopgaver i overensstemmelse hermed -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Følgeseddel {0} er ikke godkendt +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Følgeseddel {0} er ikke godkendt apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Vare {0} skal være en underentreprise Vare apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capital Udstyr apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prisfastsættelsesregel skal først baseres på feltet 'Gælder for', som kan indeholde vare, varegruppe eller varemærke." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Indstil varenummeret først +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Indstil varenummeret først DocType: Hub Settings,Seller Website,Sælger Website DocType: Item,ITEM-,VARE- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Samlede fordelte procentdel for salgsteam bør være 100 DocType: Appraisal Goal,Goal,Goal DocType: Sales Invoice Item,Edit Description,Rediger beskrivelse ,Team Updates,Team opdateringer -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,For Leverandøren +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,For Leverandøren DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Indstilling Kontotype hjælper med at vælge denne konto i transaktioner. DocType: Purchase Invoice,Grand Total (Company Currency),Beløb i alt (firmavaluta) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Opret Print Format @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,Webside-varegrupper DocType: Purchase Invoice,Total (Company Currency),I alt (firmavaluta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Serienummer {0} indtastet mere end én gang DocType: Depreciation Schedule,Journal Entry,Kassekladde -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} igangværende varer +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} igangværende varer DocType: Workstation,Workstation Name,Workstation Navn DocType: Grading Scale Interval,Grade Code,Grade kode DocType: POS Item Group,POS Item Group,Kassesystem-varegruppe apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail nyhedsbrev: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},Stykliste {0} hører ikke til vare {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},Stykliste {0} hører ikke til vare {1} DocType: Sales Partner,Target Distribution,Target Distribution 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 @@ -1353,7 +1353,7 @@ DocType: Purchase Invoice,Supplier Invoice Date,Leverandør fakturadato apps/erpnext/erpnext/templates/includes/product_page.js +18,per,om apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Du skal aktivere Indkøbskurven DocType: Payment Entry,Writeoff,Skrive af -DocType: Appraisal Template Goal,Appraisal Template Goal,Vurdering Template Goal +DocType: Appraisal Template Goal,Appraisal Template Goal,Skabelon til vurderingsmål DocType: Salary Component,Earning,Tillæg DocType: Purchase Invoice,Party Account Currency,Party Account Valuta ,BOM Browser,Styklistesøgning @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,Indkøbskurv apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Gennemsnitlig Daily Udgående DocType: POS Profile,Campaign,Kampagne DocType: Supplier,Name and Type,Navn og type -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Godkendelsesstatus skal "Godkendt" eller "Afvist" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Godkendelsesstatus skal "Godkendt" eller "Afvist" DocType: Purchase Invoice,Contact Person,Kontaktperson apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Forventet startdato' kan ikke være større end 'Forventet slutdato ' DocType: Course Scheduling Tool,Course End Date,Kursus slutdato @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,foretrukket Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Nettoændring i anlægsaktiver DocType: Leave Control Panel,Leave blank if considered for all designations,Lad stå tomt hvis det anses for alle betegnelser -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Afgift af typen 'Actual "i rækken {0} kan ikke indgå i Item Rate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Afgift af typen 'Actual "i rækken {0} kan ikke indgå i Item Rate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Fra datotid DocType: Email Digest,For Company,Til firma apps/erpnext/erpnext/config/support.py +17,Communication log.,Kommunikation log. @@ -1412,7 +1412,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Buying Amount,Køb Beløb DocType: Sales Invoice,Shipping Address Name,Leveringsadressenavn apps/erpnext/erpnext/accounts/doctype/account/account.js +58,Chart of Accounts,Kontoplan -DocType: Material Request,Terms and Conditions Content,Vilkår og betingelser Indhold +DocType: Material Request,Terms and Conditions Content,Vilkår og -betingelsesindhold apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +555,cannot be greater than 100,må ikke være større end 100 apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Vare {0} er ikke en lagervare DocType: Maintenance Visit,Unscheduled,Uplanlagt @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Stillingsprofi DocType: Journal Entry Account,Account Balance,Kontosaldo apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Momsregel til transaktioner. DocType: Rename Tool,Type of document to rename.,Type dokument omdøbe. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Vi køber denne vare +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Vi køber denne vare apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Kunden er påkrævet mod Tilgodehavende konto {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Moms i alt (firmavaluta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Vis uafsluttede finanspolitiske års P & L balancer @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,Aflæsninger DocType: Stock Entry,Total Additional Costs,Yderligere omkostninger i alt DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Skrot materialeomkostninger (firmavaluta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub forsamlinger +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub forsamlinger DocType: Asset,Asset Name,Aktivnavn DocType: Project,Task Weight,Opgavevægtning DocType: Shipping Rule Condition,To Value,Til Value @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Item Varianter DocType: Company,Services,Tjenester DocType: HR Settings,Email Salary Slip to Employee,E-mail lønseddel til medarbejder DocType: Cost Center,Parent Cost Center,Overordnet omkostningssted -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Vælg Mulig leverandør +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Vælg Mulig leverandør DocType: Sales Invoice,Source,Kilde apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Vis lukket DocType: Leave Type,Is Leave Without Pay,Er fravær uden løn @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,Anvend rabat DocType: GST HSN Code,GST HSN Code,GST HSN-kode DocType: Employee External Work History,Total Experience,Total Experience apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Åbne sager -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Pakkeseddel (ler) annulleret +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Pakkeseddel (ler) annulleret apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Pengestrømme fra investeringsaktiviteter DocType: Program Course,Program Course,Kursusprogram apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Fragt og Forwarding Afgifter @@ -1538,13 +1538,13 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,program Tilmeldingsaftaler DocType: Sales Invoice Item,Brand Name,Varemærkenavn DocType: Purchase Receipt,Transporter Details,Transporter Detaljer -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Standardlageret er påkrævet for den valgte vare -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Kasse -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,mulig leverandør +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Standardlageret er påkrævet for den valgte vare +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Kasse +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,mulig leverandør DocType: Budget,Monthly Distribution,Månedlig Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Modtager List er tom. Opret Modtager liste DocType: Production Plan Sales Order,Production Plan Sales Order,Produktion Plan kundeordre -DocType: Sales Partner,Sales Partner Target,Salgs Partner Mål +DocType: Sales Partner,Sales Partner Target,Forhandlermål DocType: Loan Type,Maximum Loan Amount,Maksimalt lånebeløb DocType: Pricing Rule,Pricing Rule,Prisfastsættelsesregel apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Dupliceringsrulle nummer for studerende {0} @@ -1570,9 +1570,9 @@ DocType: Products Settings,"If checked, the Home page will be the default Item G DocType: Quality Inspection Reading,Reading 4,Reading 4 apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Krav om selskabets regning. apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studerende er i hjertet af systemet, tilføje alle dine elever" -apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},"Row # {0}: Clearance dato {1} kan ikke være, før Cheque Dato {2}" +apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Anvendes ikke {0} {1} {2} DocType: Company,Default Holiday List,Standard helligdagskalender -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Passiver DocType: Purchase Invoice,Supplier Warehouse,Leverandør Warehouse DocType: Opportunity,Contact Mobile No,Kontakt mobiltelefonnr. @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Fravær af typen {0} må ikke vare længere end {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Prøv at planlægge operationer for X dage i forvejen. DocType: HR Settings,Stop Birthday Reminders,Stop Fødselsdag Påmindelser -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Venligst sæt Standard Payroll Betales konto i Company {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Venligst sæt Standard Payroll Betales konto i Company {0} DocType: SMS Center,Receiver List,Modtageroversigt -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Søg Vare +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Søg Vare apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Forbrugt Mængde apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Nettoændring i kontanter DocType: Assessment Plan,Grading Scale,karakterbekendtgørelsen apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Måleenhed {0} er indtastet mere end én gang i Conversion Factor Table -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Allerede afsluttet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Allerede afsluttet apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock i hånden apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Betalingsanmodning findes allerede {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Omkostninger ved Udstedte Varer -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Antal må ikke være mere end {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Antal må ikke være mere end {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Foregående regnskabsår er ikke lukket apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Alder (dage) DocType: Quotation Item,Quotation Item,Tilbudt vare @@ -1613,6 +1613,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,referencedokument apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} er aflyst eller stoppet DocType: Accounts Settings,Credit Controller,Credit Controller +DocType: Sales Order,Final Delivery Date,Sidste Leveringsdato DocType: Delivery Note,Vehicle Dispatch Date,Køretøj Dispatch Dato DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Købskvittering {0} er ikke godkendt @@ -1643,9 +1644,9 @@ apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_as ,Customer Credit Balance,Customer Credit Balance apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Netto Ændring i Kreditor apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kunden kræves for 'Customerwise Discount' -apps/erpnext/erpnext/config/accounts.py +142,Update bank payment dates with journals.,Opdater bank terminer med tidsskrifter. +apps/erpnext/erpnext/config/accounts.py +142,Update bank payment dates with journals.,Opdatér bankbetalingsdatoerne med kladderne. apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Priser -DocType: Quotation,Term Details,Term Detaljer +DocType: Quotation,Term Details,Betingelsesdetaljer DocType: Project,Total Sales Cost (via Sales Order),Samlet salgsomkostninger (via salgsordre) apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Kan ikke tilmelde mere end {0} studerende til denne elevgruppe. apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,Dato for pensionering DocType: Upload Attendance,Get Template,Hent skabelon DocType: Material Request,Transferred,overført DocType: Vehicle,Doors,Døre -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext opsætning er afsluttet ! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext opsætning er afsluttet ! DocType: Course Assessment Criteria,Weightage,Vægtning -DocType: Sales Invoice,Tax Breakup,Skatteafbrydelse +DocType: Purchase Invoice,Tax Breakup,Skatteafbrydelse DocType: Packing Slip,PS-,PS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: omkostningssted er påkrævet for resultatopgørelsekonto {2}. Opret venligst et standard omkostningssted for firmaet. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,En kundegruppe med samme navn findes. Ret Kundens navn eller omdøb kundegruppen @@ -1716,14 +1717,14 @@ DocType: Announcement,Instructor,Instruktør DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Hvis denne vare har varianter, så det kan ikke vælges i salgsordrer mv" DocType: Lead,Next Contact By,Næste kontakt af -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},"Mængde, der kræves for Item {0} i række {1}" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},"Mængde, der kræves for Item {0} i række {1}" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Lager {0} kan ikke slettes, da der eksisterer et antal varer {1} på lageret" DocType: Quotation,Order Type,Bestil Type DocType: Purchase Invoice,Notification Email Address,Meddelelse E-mailadresse ,Item-wise Sales Register,Vare-wise Sales Register DocType: Asset,Gross Purchase Amount,Bruttokøbesum DocType: Asset,Depreciation Method,Afskrivningsmetode -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er denne Tax inkluderet i Basic Rate? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Samlet Target DocType: Job Applicant,Applicant for a Job,Ansøger @@ -1744,7 +1745,7 @@ DocType: Employee,Leave Encashed?,Skal fravær udbetales? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Salgsmulighed Fra-feltet er obligatorisk DocType: Email Digest,Annual Expenses,årlige Omkostninger DocType: Item,Variants,Varianter -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Opret indkøbsordre +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Opret indkøbsordre DocType: SMS Center,Send To,Send til apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Der er ikke nok dage til rådighed til fraværstype {0} DocType: Payment Reconciliation Payment,Allocated amount,Tildelte beløb @@ -1752,7 +1753,7 @@ DocType: Sales Team,Contribution to Net Total,Bidrag til Net Total DocType: Sales Invoice Item,Customer's Item Code,Kundens varenr. DocType: Stock Reconciliation,Stock Reconciliation,Stock Afstemning DocType: Territory,Territory Name,Områdenavn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,"Work-in-Progress Warehouse er nødvendig, før Indsend" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,"Work-in-Progress Warehouse er nødvendig, før Indsend" apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Ansøger. DocType: Purchase Order Item,Warehouse and Reference,Lager og reference DocType: Supplier,Statutory info and other general information about your Supplier,Lovpligtig information og andre generelle oplysninger om din leverandør @@ -1763,16 +1764,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Medarbejdervurderinger apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Doppelte serienumre er indtastet for vare {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Betingelse for en forsendelsesregel apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Kom ind -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan ikke overfakturere for vare {0} i række {1} for mere end {2}. For at tillade over-fakturering, skal du ændre i Indkøbsindstillinger" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Indstil filter baseret på Item eller Warehouse +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan ikke overfakturere for vare {0} i række {1} for mere end {2}. For at tillade over-fakturering, skal du ændre i Indkøbsindstillinger" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Indstil filter baseret på Item eller Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovægten af denne pakke. (Beregnes automatisk som summen af nettovægt på poster) DocType: Sales Order,To Deliver and Bill,At levere og Bill DocType: Student Group,Instructors,Instruktører DocType: GL Entry,Credit Amount in Account Currency,Credit Beløb i Konto Valuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,Stykliste {0} skal godkendes +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,Stykliste {0} skal godkendes DocType: Authorization Control,Authorization Control,Authorization Kontrol apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Række # {0}: Afvist Warehouse er obligatorisk mod afvist element {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Betaling +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Betaling apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Lager {0} er ikke knyttet til nogen konto, angiv venligst kontoen i lagerplaceringen eller angiv standard lagerkonto i firma {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Administrér dine ordrer DocType: Production Order Operation,Actual Time and Cost,Aktuel leveringstid og omkostninger @@ -1788,12 +1789,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle DocType: Quotation Item,Actual Qty,Faktiske Antal DocType: Sales Invoice Item,References,Referencer DocType: Quality Inspection Reading,Reading 10,Reading 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","List dine produkter eller tjenester, som du køber eller sælger. Sørg for at kontrollere varegruppe, måleenhed og andre egenskaber, når du starter." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","List dine produkter eller tjenester, som du køber eller sælger. Sørg for at kontrollere varegruppe, måleenhed og andre egenskaber, når du starter." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Du har indtastet dubletter. Venligst rette, og prøv igen." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associate +DocType: Company,Sales Target,Salgsmål DocType: Asset Movement,Asset Movement,Asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Ny kurv +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Ny kurv apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Vare {0} er ikke en serienummervare DocType: SMS Center,Create Receiver List,Opret Modtager liste DocType: Vehicle,Wheels,Hjul @@ -1834,13 +1836,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Håndtering af sager DocType: Supplier,Supplier of Goods or Services.,Leverandør af varer eller tjenesteydelser. DocType: Budget,Fiscal Year,Regnskabsår DocType: Vehicle Log,Fuel Price,Brændstofpris +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Venligst opsæt nummereringsserier for Tilstedeværelse via Opsætning> Nummereringsserie DocType: Budget,Budget,Budget apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Anlægsaktiv-varen skal være en ikke-lagervare. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan ikke tildeles mod {0}, da det ikke er en indtægt eller omkostning konto" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Opnået DocType: Student Admission,Application Form Route,Ansøgningsskema Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Område / kunde -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,fx 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,fx 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Fraværstype {0} kan ikke fordeles, da den er af typen uden løn" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Række {0}: Allokeret mængde {1} skal være mindre end eller lig med at fakturere udestående beløb {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"""I ord"" vil være synlig, når du gemmer salgsfakturaen." @@ -1849,11 +1852,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Vare {0} er ikke sat op til serienumre. Tjek vare-masteren DocType: Maintenance Visit,Maintenance Time,Vedligeholdelsestid ,Amount to Deliver,"Beløb, Deliver" -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,En vare eller tjenesteydelse -apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Den Term Startdato kan ikke være tidligere end året Start Dato for skoleåret, som udtrykket er forbundet (Studieår {}). Ret de datoer og prøv igen." +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,En vare eller tjenesteydelse +apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Betingelsernes startdato kan ikke være tidligere end startdatoen for skoleåret, som udtrykket er forbundet med (Studieår {}). Ret venligst datoerne og prøv igen." DocType: Guardian,Guardian Interests,Guardian Interesser DocType: Naming Series,Current Value,Aktuel værdi -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Flere regnskabsår findes for den dato {0}. Indstil selskab i regnskabsåret +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Flere regnskabsår findes for den dato {0}. Indstil selskab i regnskabsåret apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} oprettet DocType: Delivery Note Item,Against Sales Order,Mod kundeordre ,Serial No Status,Serienummerstatus @@ -1866,7 +1869,7 @@ DocType: Pricing Rule,Selling,Salg apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Mængden {0} {1} trækkes mod {2} DocType: Employee,Salary Information,Løn Information DocType: Sales Person,Name and Employee ID,Navne og Medarbejder ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Forfaldsdato kan ikke være før bogføringsdatoen +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Forfaldsdato kan ikke være før bogføringsdatoen DocType: Website Item Group,Website Item Group,Webside-varegruppe apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Skatter og afgifter apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Indtast referencedato @@ -1921,11 +1924,11 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Angiv datoen for tilslutning til medarbejder {0} DocType: Task,Total Billing Amount (via Time Sheet),Faktureret beløb i alt (via Tidsregistrering) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Omsætning gamle kunder -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), skal have rollen 'Udlægsgodkender'" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Vælg stykliste og produceret antal +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), skal have rollen 'Udlægsgodkender'" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Par +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Vælg stykliste og produceret antal DocType: Asset,Depreciation Schedule,Afskrivninger Schedule -apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Salgspartneradresser og kontakter +apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Forhandleradresser og kontakter DocType: Bank Reconciliation Detail,Against Account,Mod konto apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Halv Dag Dato skal være mellem Fra dato og Til dato DocType: Maintenance Schedule Detail,Actual Date,Faktisk dato @@ -1933,7 +1936,7 @@ DocType: Item,Has Batch No,Har partinr. apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Årlig fakturering: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Varer og tjenesteydelser Skat (GST Indien) DocType: Delivery Note,Excise Page Number,Excise Sidetal -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Fra dato og Til dato er obligatorisk" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Company, Fra dato og Til dato er obligatorisk" DocType: Asset,Purchase Date,Købsdato DocType: Employee,Personal Details,Personlige oplysninger apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Venligst sæt 'Asset Afskrivninger Omkostninger Centers i Company {0} @@ -1942,9 +1945,9 @@ DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdato (via Tidsregistr apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Mængden {0} {1} mod {2} {3} ,Quotation Trends,Tilbud trends apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Varegruppe ikke er nævnt i vare-masteren for vare {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debit-Til konto skal være et tilgodehavende konto +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debit-Til konto skal være et tilgodehavende konto DocType: Shipping Rule Condition,Shipping Amount,Forsendelsesmængde -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Tilføj kunder +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Tilføj kunder apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Afventende beløb DocType: Purchase Invoice Item,Conversion Factor,Konverteringsfaktor DocType: Purchase Order,Delivered,Leveret @@ -1966,7 +1969,6 @@ DocType: Production Order,Use Multi-Level BOM,Brug Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Medtag Afstemt Angivelser DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Overordnet kursus (markér ikke, hvis dette ikke er en del af et overordnet kursus)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Lad feltet stå tomt, hvis det skal gælde for alle medarbejdertyper" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuere afgifter baseret på apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Tidsregistreringskladder DocType: HR Settings,HR Settings,HR-indstillinger @@ -1974,7 +1976,7 @@ DocType: Salary Slip,net pay info,nettoløn info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Udlæg afventer godkendelse. Kun Udlægs-godkenderen kan opdatere status. DocType: Email Digest,New Expenses,Nye udgifter DocType: Purchase Invoice,Additional Discount Amount,Ekstra rabatbeløb -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Række # {0}: Antal skal være én, eftersom varen er et anlægsaktiv. Brug venligst separat række til flere antal." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Række # {0}: Antal skal være én, eftersom varen er et anlægsaktiv. Brug venligst separat række til flere antal." DocType: Leave Block List Allow,Leave Block List Allow,Tillad blokerede fraværsansøgninger apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Forkortelsen kan ikke være tom eller bestå af mellemrum apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Gruppe til ikke-Group @@ -1982,7 +1984,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport DocType: Loan Type,Loan Name,Lånenavn apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Samlede faktiske DocType: Student Siblings,Student Siblings,Student Søskende -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Enhed +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Enhed apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Angiv venligst firma ,Customer Acquisition and Loyalty,Kundetilgang og -loyalitet DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Lager, hvor du vedligeholder lager af afviste varer" @@ -2000,12 +2002,12 @@ DocType: Workstation,Wages per hour,Timeløn apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagersaldo i parti {0} vil blive negativ {1} for vare {2} på lager {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Følgende materialeanmodninger er blevet dannet automatisk baseret på varens genbestillelsesniveau DocType: Email Digest,Pending Sales Orders,Afventende salgsordrer -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Konto Valuta skal være {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Konto Valuta skal være {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Omregningsfaktor kræves i række {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Række # {0}: referencedokumenttype skal være en af følgende: salgsordre, salgsfaktura eller kassekladde" DocType: Salary Component,Deduction,Fradrag -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Række {0}: Fra tid og til tid er obligatorisk. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Række {0}: Fra tid og til tid er obligatorisk. DocType: Stock Reconciliation Item,Amount Difference,beløb Forskel apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Varepris tilføjet for {0} i prisliste {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Indtast venligst Medarbejder Id dette salg person @@ -2015,11 +2017,11 @@ DocType: Project,Gross Margin,Gross Margin apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Indtast venligst Produktion Vare først apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Beregnede kontoudskrift balance apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Deaktiveret bruger -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Tilbud +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Tilbud DocType: Quotation,QTN-,T- DocType: Salary Slip,Total Deduction,Samlet Fradrag ,Production Analytics,Produktionsanalyser -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Omkostninger opdateret +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Omkostninger opdateret DocType: Employee,Date of Birth,Fødselsdato apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Element {0} er allerede blevet returneret DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Regnskabsår ** repræsenterer et regnskabsår. Alle regnskabsposteringer og andre større transaktioner spores mod ** regnskabsår **. @@ -2064,18 +2066,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Vælg firma ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Lad stå tomt, hvis det skal gælde for alle afdelinger" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Typer af beskæftigelse (permanent, kontrakt, praktikant osv)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} er obligatorisk for vare {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} er obligatorisk for vare {1} DocType: Process Payroll,Fortnightly,Hver 14. dag DocType: Currency Exchange,From Currency,Fra Valuta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Udgifter til nye køb -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Salgsordre påkrævet for vare {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Salgsordre påkrævet for vare {0} DocType: Purchase Invoice Item,Rate (Company Currency),Sats (firmavaluta) DocType: Student Guardian,Others,Andre DocType: Payment Entry,Unallocated Amount,Ufordelt beløb apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Kan ikke finde en matchende Item. Vælg en anden værdi for {0}. -DocType: POS Profile,Taxes and Charges,Skatter og Afgifter +DocType: POS Profile,Taxes and Charges,Moms DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","En vare eller tjenesteydelse, der købes, sælges eller opbevares på lager." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Mærke apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Ikke flere opdateringer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Kan ikke vælge charge type som 'On Forrige Row Beløb' eller 'On Forrige Row alt "for første række apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Underordnet vare bør ikke være en produktpakke. Fjern vare `{0}` og gem @@ -2101,7 +2104,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Samlet faktureringsbeløb apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Der skal være en standard indgående e-mail-konto aktiveret for at dette virker. Venligst setup en standard indgående e-mail-konto (POP / IMAP), og prøv igen." apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Tilgodehavende konto -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Salgsordre til betaling apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Direktør @@ -2126,13 +2129,14 @@ DocType: C-Form,Received Date,Modtaget d. DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Hvis du har oprettet en standard skabelon i Salg Skatter og Afgifter Skabelon, skal du vælge en, og klik på knappen nedenfor." DocType: BOM Scrap Item,Basic Amount (Company Currency),Grundbeløb (Company Currency) DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverandør> Leverandør Type DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Priserne vil ikke blive vist, hvis prisliste ikke er indstillet" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Angiv et land for denne forsendelsesregel eller check ""Levering til hele verden""" DocType: Stock Entry,Total Incoming Value,Samlet værdi indgående -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debet-til skal angives +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debet-til skal angives apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Tidskladder hjælper med at holde styr på tid, omkostninger og fakturering for aktiviteter udført af dit team" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Indkøbsprisliste -DocType: Offer Letter Term,Offer Term,Offer Term +DocType: Offer Letter Term,Offer Term,Tilbudsbetingelser DocType: Quality Inspection,Quality Manager,Kvalitetschef DocType: Job Applicant,Job Opening,Rekrutteringssag DocType: Payment Reconciliation,Payment Reconciliation,Afstemning af betalinger @@ -2148,11 +2152,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Søg DocType: Timesheet Detail,To Time,Til Time DocType: Authorization Rule,Approving Role (above authorized value),Godkendelse (over autoriserede værdi) Rolle apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredit til konto skal være en Betales konto -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan ikke være forælder eller barn af {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan ikke være forælder eller barn af {2} DocType: Production Order Operation,Completed Qty,Afsluttet Antal apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",For {0} kan kun betalingskort konti knyttes mod en anden kredit post apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Prisliste {0} er deaktiveret -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Række {0}: Afsluttet Antal kan ikke være mere end {1} til drift {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Række {0}: Afsluttet Antal kan ikke være mere end {1} til drift {2} DocType: Manufacturing Settings,Allow Overtime,Tillad Overarbejde apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serienummervare {0} kan ikke opdateres ved hjælp af lagerafstemning, brug venligst lagerposter" DocType: Training Event Employee,Training Event Employee,Træning Begivenhed Medarbejder @@ -2170,10 +2174,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Ekstern apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Brugere og tilladelser DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Produktionsordrer Oprettet: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Produktionsordrer Oprettet: {0} DocType: Branch,Branch,Filial DocType: Guardian,Mobile Number,Mobiltelefonnr. apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Udskriving +DocType: Company,Total Monthly Sales,Samlet månedlig salg DocType: Bin,Actual Quantity,Faktiske Mængde DocType: Shipping Rule,example: Next Day Shipping,eksempel: Næste dages levering apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serienummer {0} ikke fundet @@ -2186,7 +2191,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} DocType: Sales Order,Not Delivered,Ikke leveret ,Bank Clearance Summary,Bank Clearance Summary apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Opret og administrér de daglige, ugentlige og månedlige e-mail-nyhedsbreve." -DocType: Appraisal Goal,Appraisal Goal,Vurdering Goal +DocType: Appraisal Goal,Appraisal Goal,Vurderingsmål DocType: Stock Reconciliation Item,Current Amount,Det nuværende beløb apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Bygninger DocType: Fee Structure,Fee Structure,Gebyr struktur @@ -2203,7 +2208,7 @@ DocType: Payment Request,Make Sales Invoice,Opret salgsfaktura apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Næste kontakt d. kan ikke være i fortiden DocType: Company,For Reference Only.,Kun til reference. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Vælg partinr. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Vælg partinr. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ugyldig {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-Retsinformation DocType: Sales Invoice Advance,Advance Amount,Advance Beløb @@ -2216,7 +2221,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ingen vare med stregkode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Case No. ikke være 0 DocType: Item,Show a slideshow at the top of the page,Vis et diasshow på toppen af siden -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,styklister +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,styklister apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Butikker DocType: Serial No,Delivery Time,Leveringstid apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Aldring Baseret på @@ -2230,16 +2235,16 @@ DocType: Rename Tool,Rename Tool,Omdøb Tool apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Opdatering Omkostninger DocType: Item Reorder,Item Reorder,Genbestil vare apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Vis lønseddel -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transfer Materiale +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transfer Materiale DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Angiv operationer, driftsomkostninger og giver en unik Operation nej til dine operationer." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dette dokument er over grænsen ved {0} {1} for vare {4}. Er du gør en anden {3} mod samme {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Venligst sæt tilbagevendende efter besparelse -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Vælg ændringsstørrelse konto +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Venligst sæt tilbagevendende efter besparelse +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Vælg ændringsstørrelse konto DocType: Purchase Invoice,Price List Currency,Prisliste Valuta DocType: Naming Series,User must always select,Brugeren skal altid vælge DocType: Stock Settings,Allow Negative Stock,Tillad Negativ Stock DocType: Installation Note,Installation Note,Installation Bemærk -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Tilføj Skatter +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Tilføj Skatter DocType: Topic,Topic,Emne apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Pengestrømme fra finansaktiviteter DocType: Budget Account,Budget Account,Budget-konto @@ -2253,23 +2258,23 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sporb apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Finansieringskilde (Passiver) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Antal i række {0} ({1}), skal være det samme som den fremstillede mængde {2}" DocType: Appraisal,Employee,Medarbejder -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Vælg Batch +DocType: Company,Sales Monthly History,Salg Månedlig historie +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Vælg Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} er fuldt faktureret DocType: Training Event,End Time,End Time apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktiv lønstruktur {0} fundet for medarbejder {1} for de givne datoer DocType: Payment Entry,Payment Deductions or Loss,Betalings Fradrag eller Tab -apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standard kontraktvilkår for Salg eller Indkøb. +apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardkontraktvilkår for Salg eller Indkøb. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Sortér efter Bilagstype apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Salgspipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Angiv standardkonto i lønart {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Angiv standardkonto i lønart {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Forfalder den DocType: Rename Tool,File to Rename,Fil til Omdøb apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Vælg BOM for Item i række {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} stemmer ikke overens med virksomhed {1} i kontoens tilstand: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Specificeret stykliste {0} findes ikke for vare {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Vedligeholdelsesplan {0} skal annulleres, før den annullerer denne Sales Order" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Vedligeholdelsesplan {0} skal annulleres, før den annullerer denne Sales Order" DocType: Notification Control,Expense Claim Approved,Udlæg godkendt -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Venligst opsæt nummereringsserier for Tilstedeværelse via Opsætning> Nummereringsserie apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Lønseddel af medarbejder {0} allerede oprettet for denne periode apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutiske apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Omkostninger ved Købte varer @@ -2286,7 +2291,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Styklistenr. for en DocType: Upload Attendance,Attendance To Date,Fremmøde tildato DocType: Warranty Claim,Raised By,Oprettet af DocType: Payment Gateway Account,Payment Account,Betalingskonto -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Angiv venligst firma for at fortsætte +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Angiv venligst firma for at fortsætte apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Nettoændring i Debitor apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompenserende Off DocType: Offer Letter,Accepted,Accepteret @@ -2295,12 +2300,12 @@ DocType: SG Creation Tool Course,Student Group Name,Elevgruppenavn apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Kontroller, at du virkelig ønsker at slette alle transaktioner for dette selskab. Dine stamdata vil forblive som den er. Denne handling kan ikke fortrydes." DocType: Room,Room Number,Værelsesnummer apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ugyldig henvisning {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan ikke være større end planlagt antal ({2}) på produktionsordre {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan ikke være større end planlagt antal ({2}) på produktionsordre {3} DocType: Shipping Rule,Shipping Rule Label,Forsendelseregeltekst apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Brugerforum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Råmaterialer kan ikke være tom. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Kunne ikke opdatere lager, faktura indeholder drop shipping element." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Hurtig kassekladde +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Råmaterialer kan ikke være tom. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Kunne ikke opdatere lager, faktura indeholder drop shipping element." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Hurtig kassekladde apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Du kan ikke ændre kurs, hvis BOM nævnt agianst ethvert element" DocType: Employee,Previous Work Experience,Tidligere erhvervserfaring DocType: Stock Entry,For Quantity,For Mængde @@ -2310,7 +2315,7 @@ apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Anmodning om. DocType: Production Planning Tool,Separate production order will be created for each finished good item.,"Vil blive oprettet separat produktion, for hver færdigvare god element." apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} skal være negativ til gengæld dokument ,Minutes to First Response for Issues,Minutter til First Response for Issues -DocType: Purchase Invoice,Terms and Conditions1,Vilkår og forhold1 +DocType: Purchase Invoice,Terms and Conditions1,Vilkår og betingelser 1 apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Navnet på det institut, som du konfigurerer dette system." DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Kontering frosset op til denne dato, kan ingen gøre / ændre post undtagen rolle angivet nedenfor." apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Gem venligst dokumentet, før generere vedligeholdelsesplan" @@ -2357,7 +2362,7 @@ DocType: SMS Log,No of Requested SMS,Antal af forespurgte SMS'er apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Fravær uden løn stemmer ikke med de godkendte fraværsansøgninger DocType: Campaign,Campaign-.####,Kampagne -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Næste skridt -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Angiv venligst de angivne poster på de bedste mulige priser +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Angiv venligst de angivne poster på de bedste mulige priser DocType: Selling Settings,Auto close Opportunity after 15 days,Luk automatisk salgsmulighed efter 15 dage apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Slutår apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Tilbud/emne % @@ -2394,7 +2399,7 @@ DocType: Homepage,Homepage,Hjemmeside DocType: Purchase Receipt Item,Recd Quantity,RECD Mængde apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Records Oprettet - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategori konto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Kan ikke producere mere Item {0} end Sales Order mængde {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Kan ikke producere mere Item {0} end Sales Order mængde {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Lagerindtastning {0} er ikke godkendt DocType: Payment Reconciliation,Bank / Cash Account,Bank / kontantautomat konto apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Næste kontakt af kan ikke være den samme som emnets e-mailadresse @@ -2427,7 +2432,7 @@ DocType: Salary Structure,Total Earning,Samlet Earning DocType: Purchase Receipt,Time at which materials were received,"Tidspunkt, hvor materialer blev modtaget" DocType: Stock Ledger Entry,Outgoing Rate,Udgående Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisation filial-master. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,eller +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,eller DocType: Sales Order,Billing Status,Faktureringsstatus apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Rapporter et problem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,"El, vand og varmeudgifter" @@ -2435,14 +2440,14 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Kassekladde {1} har ikke konto {2} eller allerede matchet mod en anden kupon DocType: Buying Settings,Default Buying Price List,Standard indkøbsprisliste DocType: Process Payroll,Salary Slip Based on Timesheet,Lønseddel Baseret på Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ingen medarbejder for de ovenfor udvalgte kriterier eller lønseddel allerede skabt +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Ingen medarbejder for de ovenfor udvalgte kriterier eller lønseddel allerede skabt DocType: Notification Control,Sales Order Message,Salgsordrebesked apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Indstil standardværdier som Firma, Valuta, indeværende regnskabsår, m.v." DocType: Payment Entry,Payment Type,Betalingstype apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vælg venligst et parti for vare {0}. Kunne ikke finde et eneste parti, der opfylder dette krav" DocType: Process Payroll,Select Employees,Vælg Medarbejdere DocType: Opportunity,Potential Sales Deal,Potentielle Sales Deal -DocType: Payment Entry,Cheque/Reference Date,Check / reference Dato +DocType: Payment Entry,Cheque/Reference Date,Anvendes ikke DocType: Purchase Invoice,Total Taxes and Charges,Moms i alt DocType: Employee,Emergency Contact,Emergency Kontakt DocType: Bank Reconciliation Detail,Payment Entry,Betaling indtastning @@ -2459,7 +2464,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kvittering skal godkendes DocType: Purchase Invoice Item,Received Qty,Modtaget Antal DocType: Stock Entry Detail,Serial No / Batch,Serienummer / Parti -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Ikke betalte og ikke leveret +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Ikke betalte og ikke leveret DocType: Product Bundle,Parent Item,Overordnet vare DocType: Account,Account Type,Kontotype DocType: Delivery Note,DN-RET-,DN-Retsinformation @@ -2489,8 +2494,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Samlet bevilgede beløb apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Indstil standard lagerkonto for evigvarende opgørelse DocType: Item Reorder,Material Request Type,Materialeanmodningstype -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Kassekladde til løn fra {0} til {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage er fuld, ikke spare" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Kassekladde til løn fra {0} til {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage er fuld, ikke spare" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Række {0}: Enhedskode-konverteringsfaktor er obligatorisk apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Omkostningssted @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Indko apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Hvis valgte Prisfastsættelse Regel er lavet til "pris", vil det overskrive prislisten. Prisfastsættelse Regel prisen er den endelige pris, så ingen yderligere rabat bør anvendes. Derfor i transaktioner som Sales Order, Indkøbsordre osv, det vil blive hentet i "Rate 'felt, snarere end' Prisliste Rate 'område." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Analysér emner efter branchekode. DocType: Item Supplier,Item Supplier,Vareleverandør -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Indtast venligst varenr. for at få partinr. +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Indtast venligst varenr. for at få partinr. apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Vælg en værdi for {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle adresser. DocType: Company,Stock Settings,Stock Indstillinger @@ -2535,13 +2540,13 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Aktuel Antal Efter Tran apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ingen lønseddel fundet mellem {0} og {1} ,Pending SO Items For Purchase Request,Afventende salgsordre-varer til indkøbsanmodning apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Studerende optagelser -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} er deaktiveret +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} er deaktiveret DocType: Supplier,Billing Currency,Fakturering Valuta DocType: Sales Invoice,SINV-RET-,SF-RET apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Fravær i alt ,Profit and Loss Statement,Resultatopgørelse -DocType: Bank Reconciliation Detail,Cheque Number,Check Number +DocType: Bank Reconciliation Detail,Cheque Number,Anvendes ikke ,Sales Browser,Salg Browser DocType: Journal Entry,Total Credit,Samlet kredit apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Advarsel: En anden {0} # {1} eksisterer mod lagerpost {2} @@ -2565,7 +2570,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Ansøgning status DocType: Fees,Fees,Gebyrer DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Angiv Exchange Rate til at konvertere en valuta til en anden -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Tilbud {0} er ikke længere gyldigt +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Tilbud {0} er ikke længere gyldigt apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Samlede udestående beløb DocType: Sales Partner,Targets,Mål DocType: Price List,Price List Master,Master-Prisliste @@ -2582,7 +2587,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorér prisfastsættelsesregel DocType: Employee Education,Graduate,Graduate DocType: Leave Block List,Block Days,Blokér dage DocType: Journal Entry,Excise Entry,Excise indtastning -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Advarsel: Salg Order {0} findes allerede mod Kundens Indkøbsordre {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Advarsel: Salg Order {0} findes allerede mod Kundens Indkøbsordre {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2595,7 +2600,7 @@ Examples: 1. Returns Policy. 1. Terms of shipping, if applicable. 1. Ways of addressing disputes, indemnity, liability, etc. -1. Address and Contact of your Company.","Standard vilkår og betingelser, der kan føjes til salg og køb. Eksempler: 1. gyldighed tilbuddet. 1. Betalingsbetingelser (i forvejen, på kredit, del forhånd osv). 1. Hvad er ekstra (eller skulle betales af Kunden). 1. Sikkerhed / forbrug advarsel. 1. Garanti hvis nogen. 1. Retur Politik. 1. Betingelser for skibsfart, hvis relevant. 1. Måder adressering tvister, erstatning, ansvar mv 1. Adresse og Kontakt i din virksomhed." +1. Address and Contact of your Company.","Standardvilkår og -betingelser, der kan føjes til salg og køb. Eksempler: 1. gyldighed for tilbuddet. 1. Betalingsbetingelser (på forhånd, på kredit, delvist på forhånd osv). 1. Hvad er ekstra (eller skal betales af kunden). 1. Sikkerhed / forbrugerinformation. 1. Garanti (hvis nogen). 1. Returpolitik. 1. Betingelser for skibsfart (hvis relevant). 1. Håndtering af tvister, erstatning, ansvar mv 1. Adresse og kontakt i din virksomhed." DocType: Attendance,Leave Type,Fraværstype DocType: Purchase Invoice,Supplier Invoice Details,Leverandør fakturadetaljer apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Udgift / Difference konto ({0}) skal være en »resultatet« konto @@ -2608,7 +2613,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Hvis ,Salary Register,Løn Register DocType: Warehouse,Parent Warehouse,Forældre Warehouse DocType: C-Form Invoice Detail,Net Total,Netto i alt -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Standard BOM ikke fundet for Item {0} og Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Standard BOM ikke fundet for Item {0} og Project {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Definer forskellige låneformer DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Udestående beløb @@ -2645,7 +2650,7 @@ DocType: Salary Detail,Condition and Formula Help,Tilstand og formel Hjælp apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Administrer Område-træ. DocType: Journal Entry Account,Sales Invoice,Salgsfaktura DocType: Journal Entry Account,Party Balance,Party Balance -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Vælg Anvend Rabat på +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Vælg Anvend Rabat på DocType: Company,Default Receivable Account,Standard Tilgodehavende konto DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Opret Bank Punktet om den samlede løn for de ovenfor valgte kriterier DocType: Stock Entry,Material Transfer for Manufacture,Materiale Transfer til Fremstilling @@ -2659,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Kundeadresse DocType: Employee Loan,Loan Details,Lånedetaljer DocType: Company,Default Inventory Account,Standard lagerkonto -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Række {0}: suppleret Antal skal være større end nul. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Række {0}: suppleret Antal skal være større end nul. DocType: Purchase Invoice,Apply Additional Discount On,Påfør Yderligere Rabat på DocType: Account,Root Type,Rodtype DocType: Item,FIFO,FIFO @@ -2674,9 +2679,9 @@ DocType: Purchase Invoice,Select Supplier Address,Vælg leverandør Adresse apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +380,Add Employees,Tilføj medarbejdere DocType: Purchase Invoice Item,Quality Inspection,Kvalitetskontrol apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small -DocType: Company,Standard Template,Standard Template +DocType: Company,Standard Template,Standardskabelon DocType: Training Event,Theory,Teori -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Anmodet materialemængde er mindre end minimum ordremængden +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Anmodet materialemængde er mindre end minimum ordremængden apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Konto {0} er spærret DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juridisk enhed / Datterselskab med en separat Kontoplan tilhører organisationen. DocType: Payment Request,Mute Email,Mute Email @@ -2700,7 +2705,7 @@ DocType: Training Event,Scheduled,Planlagt apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Anmodning om tilbud. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Vælg venligst en vare, hvor ""Er lagervare"" er ""nej"" og ""Er salgsvare"" er ""Ja"", og der er ingen anden produktpakke" DocType: Student Log,Academic,Akademisk -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Samlet forhånd ({0}) mod Order {1} kan ikke være større end Grand alt ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Samlet forhånd ({0}) mod Order {1} kan ikke være større end Grand alt ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Vælg Månedlig Distribution til ujævnt distribuere mål på tværs måneder. DocType: Purchase Invoice Item,Valuation Rate,Værdiansættelse Rate DocType: Stock Reconciliation,SR/,SR / @@ -2715,7 +2720,7 @@ apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +2 DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Vedligehold faktureringstimer og arbejdstimer i samme tidskladde DocType: Maintenance Visit Purpose,Against Document No,Mod dokument nr DocType: BOM,Scrap,Skrot -apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Administrer Sales Partners. +apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Administrér forhandlere. DocType: Quality Inspection,Inspection Type,Kontroltype apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Lager med eksisterende transaktion kan ikke konverteres til gruppen. DocType: Assessment Result Tool,Result HTML,resultat HTML @@ -2764,6 +2769,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Indtast navnet på kampagne, hvis kilden undersøgelsesudvalg er kampagne" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Dagblade udgivere apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Vælg regnskabsår +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Forventet Leveringsdato skal være efter salgsordre apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Genbestil Level DocType: Company,Chart Of Accounts Template,Kontoplan Skabelon DocType: Attendance,Attendance Date,Fremmødedato @@ -2784,7 +2790,7 @@ DocType: Sales Order,In Words will be visible once you save the Sales Order.,"I DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Elevgruppe fremmødeværktøj apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Grænse overskredet apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital -apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"En akademisk sigt denne ""skoleår '{0} og"" Term Name' {1} findes allerede. Venligst ændre disse poster, og prøv igen." +apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"En akademisk betegnelse for denne ""skoleår '{0} og"" betingelsesnavn' {1} findes allerede. Korrigér venligst og prøv igen." apps/erpnext/erpnext/stock/doctype/item/item.py +461,"As there are existing transactions against item {0}, you can not change the value of {1}","Da der er eksisterende transaktioner mod element {0}, kan du ikke ændre værdien af {1}" DocType: UOM,Must be Whole Number,Skal være hele tal DocType: Leave Control Panel,New Leaves Allocated (In Days),Nyt fravær tildelt (i dage) @@ -2795,7 +2801,7 @@ DocType: Pricing Rule,Discount Percentage,Discount Procent DocType: Payment Reconciliation Invoice,Invoice Number,Fakturanummer DocType: Shopping Cart Settings,Orders,Ordrer DocType: Employee Leave Approver,Leave Approver,Fraværsgodkender -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Vælg venligst et parti +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Vælg venligst et parti DocType: Assessment Group,Assessment Group Name,Assessment Group Name DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiale Overført til Fremstilling DocType: Expense Claim,"A user with ""Expense Approver"" role",En bruger med 'Udlægsgodkender'-rolle @@ -2824,14 +2830,14 @@ DocType: Payment Request,Recipient Message And Payment Details,Modtager Besked O DocType: Training Event,Trainer Email,Trainer Email apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +546,Material Requests {0} created,Materialeanmodning {0} oprettet DocType: Production Planning Tool,Include sub-contracted raw materials,Medtag underleverandører råmaterialer -apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Skabelon af vilkår eller kontrakt. +apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Skabelon til vilkår eller kontrakt. DocType: Purchase Invoice,Address and Contact,Adresse og kontaktperson DocType: Cheque Print Template,Is Account Payable,Er konto Betales apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Lager kan ikke opdateres mod købskvittering {0} DocType: Supplier,Last Day of the Next Month,Sidste dag i den næste måned DocType: Support Settings,Auto close Issue after 7 days,Auto tæt Issue efter 7 dage apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Efterlad ikke kan fordeles inden {0}, da orlov balance allerede har været carry-fremsendt i fremtiden orlov tildeling rekord {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Bemærk: forfalden / reference Dato overstiger tilladte kredit dage efter {0} dag (e) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Bemærk: forfalden / reference Dato overstiger tilladte kredit dage efter {0} dag (e) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Ansøger DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,OPRINDELIGT FOR RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Akkumuleret Afskrivninger konto @@ -2842,7 +2848,7 @@ DocType: Item,Reorder level based on Warehouse,Genbestil niveau baseret på Ware DocType: Activity Cost,Billing Rate,Faktureringssats ,Qty to Deliver,Antal at levere ,Stock Analytics,Lageranalyser -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operationer kan ikke være tomt +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operationer kan ikke være tomt DocType: Maintenance Visit Purpose,Against Document Detail No,Imod Dokument Detail Nej apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party Typen er obligatorisk DocType: Quality Inspection,Outgoing,Udgående @@ -2866,7 +2872,7 @@ DocType: Lead,Market Segment,Markedssegment apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +900,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt beløb kan ikke være større end den samlede negative udestående beløb {0} DocType: Employee Internal Work History,Employee Internal Work History,Medarbejder Intern Arbejde Historie apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Lukning (dr) -DocType: Cheque Print Template,Cheque Size,Check Størrelse +DocType: Cheque Print Template,Cheque Size,Anvendes ikke apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serienummer {0} ikke er på lager apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Beskatningsskabelon for salgstransaktioner. DocType: Sales Invoice,Write Off Outstanding Amount,Skriv Off Udestående beløb @@ -2883,15 +2889,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Tilgængeligt antal på lageret apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Faktureret beløb DocType: Asset,Double Declining Balance,Dobbelt Faldende Balance -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Lukket ordre kan ikke annulleres. Unclose at annullere. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Lukket ordre kan ikke annulleres. Unclose at annullere. DocType: Student Guardian,Father,Far -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Opdater lager' kan ikke kontrolleres pga. salg af anlægsaktiver +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Opdater lager' kan ikke kontrolleres pga. salg af anlægsaktiver DocType: Bank Reconciliation,Bank Reconciliation,Bank Afstemning DocType: Attendance,On Leave,Fraværende apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Modtag nyhedsbrev apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} tilhører ikke firma {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materialeanmodning {0} er annulleret eller stoppet -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Tilføj et par prøve optegnelser +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Tilføj et par prøve optegnelser apps/erpnext/erpnext/config/hr.py +301,Leave Management,Fraværsadministration apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Sortér efter konto DocType: Sales Order,Fully Delivered,Fuldt Leveres @@ -2900,12 +2906,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differencebeløbet skal være en kontotype Aktiv / Fordring, da dette Stock Forsoning er en åbning indtastning" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Udbetalte beløb kan ikke være større end Lånebeløb {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Indkøbsordrenr. påkrævet for vare {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Produktionsordre ikke oprettet +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Produktionsordre ikke oprettet apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Fra dato' skal være efter 'Til dato' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Kan ikke ændre status som studerende {0} er forbundet med student ansøgning {1} DocType: Asset,Fully Depreciated,fuldt afskrevet ,Stock Projected Qty,Stock Forventet Antal -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Kunden {0} hører ikke til sag {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Kunden {0} hører ikke til sag {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Markant Deltagelse HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citater er forslag, bud, du har sendt til dine kunder" DocType: Sales Order,Customer's Purchase Order,Kundens Indkøbsordre @@ -2915,7 +2921,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Venligst sæt Antal Afskrivninger Reserveret apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Værdi eller mængde apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Ordrer kan ikke hæves til: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minut +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minut DocType: Purchase Invoice,Purchase Taxes and Charges,Købe Skatter og Afgifter ,Qty to Receive,Antal til Modtag DocType: Leave Block List,Leave Block List Allowed,Tillad blokerede fraværsansøgninger @@ -2928,7 +2934,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Alle leverandørtyper DocType: Global Defaults,Disable In Words,Deaktiver i ord apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Varenr. er obligatorisk, fordi varen ikke nummereres automatisk" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Tilbud {0} ikke af typen {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Tilbud {0} ikke af typen {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vedligeholdelse Skema Vare DocType: Sales Order,% Delivered,% Leveret DocType: Production Order,PRO-,PRO- @@ -2951,7 +2957,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Sælger Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Samlet anskaffelsespris (via købsfaktura) DocType: Training Event,Start Time,Start Time -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Vælg antal +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Vælg antal DocType: Customs Tariff Number,Customs Tariff Number,Toldtarif nummer apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Godkendelse Rolle kan ikke være det samme som rolle reglen gælder for apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Afmeld dette e-mail-nyhedsbrev @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Fuldt Billed apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Kassebeholdning -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Levering lager kræves for lagervare {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Levering lager kræves for lagervare {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruttovægt af pakken. Normalt nettovægt + emballagematerialevægt. (til udskrivning) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Brugere med denne rolle får lov til at sætte indefrosne konti og oprette / ændre regnskabsposter mod indefrosne konti @@ -2984,8 +2990,8 @@ DocType: Student Group,Group Based On,Gruppe baseret på DocType: Journal Entry,Bill Date,Bill Dato apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Tjenesten Vare, type, frekvens og omkostninger beløb kræves" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Selv hvis der er flere Priser Regler med højeste prioritet, derefter følgende interne prioriteringer anvendt:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Vil du virkelig ønsker at sende alle lønseddel fra {0} til {1} -DocType: Cheque Print Template,Cheque Height,Check Højde +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Vil du virkelig ønsker at sende alle lønseddel fra {0} til {1} +DocType: Cheque Print Template,Cheque Height,Anvendes ikke DocType: Supplier,Supplier Details,Leverandør Detaljer DocType: Expense Claim,Approval Status,Godkendelsesstatus DocType: Hub Settings,Publish Items to Hub,Udgive varer i Hub @@ -3006,7 +3012,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Emne til tilbud apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Intet mere at vise. DocType: Lead,From Customer,Fra kunde apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Opkald -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,partier +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,partier DocType: Project,Total Costing Amount (via Time Logs),Total Costing Beløb (via Time Logs) DocType: Purchase Order Item Supplied,Stock UOM,Lagerenhed apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Indkøbsordre {0} er ikke godkendt @@ -3024,7 +3030,7 @@ DocType: Journal Entry,Remark,Bemærkning DocType: Purchase Receipt Item,Rate and Amount,Sats og Beløb apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Kontotype for {0} skal være {1} apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Ferie og fravær -DocType: School Settings,Current Academic Term,Nuværende Akademisk Term +DocType: School Settings,Current Academic Term,Nuværende akademisk betegnelse DocType: Sales Order,Not Billed,Ikke Billed apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Begge lagre skal høre til samme firma apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ingen kontakter tilføjet endnu. @@ -3037,7 +3043,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Retur Against købsfak DocType: Item,Warranty Period (in days),Garantiperiode (i dage) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Forholdet til Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Netto kontant fra drift -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,fx moms +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,fx moms apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Vare 4 DocType: Student Admission,Admission End Date,Optagelse Slutdato apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Underleverandører @@ -3045,7 +3051,7 @@ DocType: Journal Entry Account,Journal Entry Account,Kassekladde konto apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Elevgruppe DocType: Shopping Cart Settings,Quotation Series,Tilbudsnummer apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","En vare eksisterer med samme navn ({0}), og du bedes derfor ændre navnet på varegruppen eller omdøbe varen" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Vælg venligst kunde +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Vælg venligst kunde DocType: C-Form,I,jeg DocType: Company,Asset Depreciation Cost Center,Asset Afskrivninger Omkostninger center DocType: Sales Order Item,Sales Order Date,Salgsordredato @@ -3056,6 +3062,7 @@ DocType: Stock Settings,Limit Percent,Begrænsningsprocent ,Payment Period Based On Invoice Date,Betaling Periode Baseret på Fakturadato apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manglende Valutakurser for {0} DocType: Assessment Plan,Examiner,Censor +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil navngivningsserie for {0} via Setup> Settings> Naming Series DocType: Student,Siblings,Søskende DocType: Journal Entry,Stock Entry,Lagerindtastning DocType: Payment Entry,Payment References,Betalingsreferencer @@ -3080,7 +3087,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Hvor fremstillingsprocesser gennemføres. DocType: Asset Movement,Source Warehouse,Kilde Warehouse DocType: Installation Note,Installation Date,Installation Dato -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Række # {0}: Aktiv {1} hører ikke til firma {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Række # {0}: Aktiv {1} hører ikke til firma {2} DocType: Employee,Confirmation Date,Bekræftet den DocType: C-Form,Total Invoiced Amount,Totalt faktureret beløb apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Antal kan ikke være større end Max Antal @@ -3125,7 +3132,7 @@ apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type ema DocType: Manufacturer,Manufacturers used in Items,"Producenter, der anvendes i artikler" apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Henvis afrunde omkostningssted i selskabet DocType: Purchase Invoice,Terms,Betingelser -DocType: Academic Term,Term Name,Term Navn +DocType: Academic Term,Term Name,Betingelsesnavn DocType: Buying Settings,Purchase Order Required,Indkøbsordre påkrævet ,Item-wise Sales History,Vare-wise Sales History DocType: Expense Claim,Total Sanctioned Amount,Total Sanktioneret Beløb @@ -3153,7 +3160,7 @@ DocType: Company,Default Letter Head,Standard Letter hoved DocType: Purchase Order,Get Items from Open Material Requests,Hent varer fra åbne materialeanmodninger DocType: Item,Standard Selling Rate,Standard salgskurs DocType: Account,Rate at which this tax is applied,"Hastighed, hvormed denne afgift anvendes" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Genbestil Antal +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Genbestil Antal apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Aktuelle ledige stillinger DocType: Company,Stock Adjustment Account,Stock Justering konto apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Afskriv @@ -3167,7 +3174,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Leverandøren leverer til Kunden apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Vare / {0}) er udsolgt apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Næste dato skal være større end bogføringsdatoen -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Due / reference Dato kan ikke være efter {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Due / reference Dato kan ikke være efter {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Dataind- og udlæsning apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Ingen studerende Fundet apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktura Bogføringsdato @@ -3187,12 +3194,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dette er baseret på deltagelse af denne Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Ingen studerende i apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Tilføj flere varer eller åben fulde form -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Indtast 'Forventet leveringsdato' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,"Følgesedler {0} skal annulleres, før den salgsordre annulleres" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,"Følgesedler {0} skal annulleres, før den salgsordre annulleres" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Betalt beløb + Skriv Off Beløb kan ikke være større end beløb i alt apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} er ikke et gyldigt partinummer for vare {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Bemærk: Der er ikke nok dage til rådighed til fraværstype {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Ugyldig GSTIN eller Indtast NA for Uregistreret +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Ugyldig GSTIN eller Indtast NA for Uregistreret DocType: Training Event,Seminar,Seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Program Tilmelding Gebyr DocType: Item,Supplier Items,Leverandør Varer @@ -3201,7 +3207,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +16,New Co apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +17,Transactions can only be deleted by the creator of the Company,Transaktioner kan kun slettes af skaberen af selskabet apps/erpnext/erpnext/accounts/general_ledger.py +21,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Forkert antal finansposter fundet. Du har muligvis valgt en forkert konto. DocType: Employee,Prefered Contact Email,Foretrukket kontakt e-mail -DocType: Cheque Print Template,Cheque Width,Check Bredde +DocType: Cheque Print Template,Cheque Width,Anvendes ikke DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,Godkend salgspris for vare mod købspris eller værdiansættelsespris DocType: Program,Fee Schedule,Fee Schedule DocType: Hub Settings,Publish Availability,Offentliggøre Tilgængelighed @@ -3210,9 +3216,9 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stock Ageing apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} findes mod studerende ansøger {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Tidsregistrering -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' er deaktiveret +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' er deaktiveret apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Sæt som Open -DocType: Cheque Print Template,Scanned Cheque,scannede Cheque +DocType: Cheque Print Template,Scanned Cheque,Anvendes ikke DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Sende automatiske e-mails til Kontakter på Indsendelse transaktioner. DocType: Timesheet,Total Billable Amount,Samlet faktureres Beløb apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Vare 3 @@ -3257,7 +3263,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Prisliste valutakurs DocType: Purchase Invoice Item,Rate,Sats apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Adresse Navn +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Adresse Navn DocType: Stock Entry,From BOM,Fra stykliste DocType: Assessment Code,Assessment Code,Assessment Code apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Grundlæggende @@ -3270,20 +3276,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Lønstruktur DocType: Account,Bank,Bank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Flyselskab -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Issue Materiale +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Issue Materiale DocType: Material Request Item,For Warehouse,Til lager DocType: Employee,Offer Date,Offer Dato apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Tilbud -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Du er i offline-tilstand. Du vil ikke være i stand til at genindlæse, indtil du har netværk igen." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Du er i offline-tilstand. Du vil ikke være i stand til at genindlæse, indtil du har netværk igen." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Ingen elevgrupper oprettet. DocType: Purchase Invoice Item,Serial No,Serienummer apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Månedlig tilbagebetaling beløb kan ikke være større end Lånebeløb apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Indtast venligst Maintaince Detaljer først -DocType: Purchase Invoice,Print Language,print Sprog +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Række nr. {0}: Forventet leveringsdato kan ikke være før købsdato +DocType: Purchase Invoice,Print Language,Udskrivningssprog DocType: Salary Slip,Total Working Hours,Arbejdstid i alt DocType: Stock Entry,Including items for sub assemblies,Herunder elementer til sub forsamlinger -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Indtast værdien skal være positiv -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Mærke +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Indtast værdien skal være positiv apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Alle områder DocType: Purchase Invoice,Items,Varer apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student er allerede tilmeldt. @@ -3291,7 +3297,7 @@ DocType: Fiscal Year,Year Name,År navn DocType: Process Payroll,Process Payroll,Lønafregning apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Der er flere helligdage end arbejdsdage i denne måned. DocType: Product Bundle Item,Product Bundle Item,Produktpakkevare -DocType: Sales Partner,Sales Partner Name,Salgs Partner Navn +DocType: Sales Partner,Sales Partner Name,Forhandlernavn apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Anmodning om tilbud DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalt fakturabeløb DocType: Student Language,Student Language,Student Sprog @@ -3305,7 +3311,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard måleenhed for Variant '{0}' skal være samme som i skabelon '{1}' DocType: Shipping Rule,Calculate Based On,Beregn baseret på DocType: Delivery Note Item,From Warehouse,Fra lager -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Ingen stykliste-varer at fremstille +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Ingen stykliste-varer at fremstille DocType: Assessment Plan,Supervisor Name,supervisor Navn DocType: Program Enrollment Course,Program Enrollment Course,Tilmeldingskursusprogramm DocType: Purchase Taxes and Charges,Valuation and Total,Værdiansættelse og Total @@ -3320,32 +3326,33 @@ DocType: Training Event Employee,Attended,deltog apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dage siden sidste ordre' skal være større end eller lig med nul DocType: Process Payroll,Payroll Frequency,Lønafregningsfrekvens DocType: Asset,Amended From,Ændret Fra -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Råmateriale +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Råmateriale DocType: Leave Application,Follow via Email,Følg via e-mail apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Planter og Machineries DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skat Beløb Efter Discount Beløb DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daglige Arbejde Resumé Indstillinger -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta liste prisen {0} er ikke ens med den valgte valuta {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuta liste prisen {0} er ikke ens med den valgte valuta {1} DocType: Payment Entry,Internal Transfer,Intern overførsel apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Eksisterer barn konto til denne konto. Du kan ikke slette denne konto. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Enten target qty eller målbeløbet er obligatorisk apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ingen standard-stykliste eksisterer for vare {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vælg bogføringsdato først +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Vælg bogføringsdato først apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,"Åbning Dato bør være, før Closing Dato" DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Cost Center med eksisterende transaktioner kan ikke konverteres til finans DocType: Department,Days for which Holidays are blocked for this department.,"Dage, for hvilke helligdage er blokeret for denne afdeling." ,Produced,Produceret -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Oprettede lønsedler +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Oprettede lønsedler DocType: Item,Item Code for Suppliers,Varenr. for leverandører DocType: Issue,Raised By (Email),Oprettet af (e-mail) DocType: Training Event,Trainer Name,Trainer Navn DocType: Mode of Payment,General,Generelt apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Sidste kommunikation apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ikke kan fradrage, når kategorien er for "Værdiansættelse" eller "Værdiansættelse og Total '" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste dine skattemæssige hoveder (f.eks moms, Told osv de skal have entydige navne) og deres faste satser. Dette vil skabe en standard skabelon, som du kan redigere og tilføje mere senere." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste dine skattemæssige hoveder (f.eks moms, Told osv de skal have entydige navne) og deres faste satser. Dette vil skabe en standard skabelon, som du kan redigere og tilføje mere senere." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serienummer påkrævet for serienummervare {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match betalinger med fakturaer +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Række nr. {0}: Indtast venligst Leveringsdato mod punkt {1} DocType: Journal Entry,Bank Entry,Bank indtastning DocType: Authorization Rule,Applicable To (Designation),Gælder for (Betegnelse) ,Profitability Analysis,Lønsomhedsanalyse @@ -3361,17 +3368,18 @@ DocType: Quality Inspection,Item Serial No,Serienummer til varer apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Opret Medarbejder Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Samlet tilstede apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Regnskabsoversigter -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Time +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Time apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nyt serienummer kan ikke have lager angivet. Lageret skal sættes ved lagerindtastning eller købskvittering DocType: Lead,Lead Type,Emnetype apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Du er ikke autoriseret til at godkende fravær på blokerede dage -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Alle disse varer er allerede blevet faktureret +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Alle disse varer er allerede blevet faktureret +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Månedligt salgsmål apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kan godkendes af {0} DocType: Item,Default Material Request Type,Standard materialeanmodningstype apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Ukendt DocType: Shipping Rule,Shipping Rule Conditions,Forsendelsesregelbetingelser DocType: BOM Replace Tool,The new BOM after replacement,Den nye BOM efter udskiftning -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Kassesystem +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Kassesystem DocType: Payment Entry,Received Amount,modtaget Beløb DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Sent On DocType: Program Enrollment,Pick/Drop by Guardian,Vælg / Drop af Guardian @@ -3386,8 +3394,8 @@ DocType: C-Form,Invoices,Fakturaer DocType: Batch,Source Document Name,Kildedokumentnavn DocType: Job Opening,Job Title,Titel apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Opret Brugere -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Mængde til Fremstilling skal være større end 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Mængde til Fremstilling skal være større end 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Besøg rapport til vedligeholdelse opkald. DocType: Stock Entry,Update Rate and Availability,Opdatering Vurder og tilgængelighed DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procentdel, du får lov til at modtage eller levere mere mod den bestilte mængde. For eksempel: Hvis du har bestilt 100 enheder. og din Allowance er 10%, så du får lov til at modtage 110 enheder." @@ -3399,7 +3407,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Annullér købsfaktura {0} først apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-mailadresse skal være unik, findes allerede for {0}" DocType: Serial No,AMC Expiry Date,AMC Udløbsdato -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Kvittering +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Kvittering ,Sales Register,Salgs Register DocType: Daily Work Summary Settings Company,Send Emails At,Send e-mails på DocType: Quotation,Quotation Lost Reason,Tilbud afvist - årsag @@ -3412,14 +3420,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Ingen kunder apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Pengestrømsanalyse apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløb kan ikke overstige det maksimale lånebeløb på {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licens -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Fjern denne faktura {0} fra C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Fjern denne faktura {0} fra C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vælg Carry Forward hvis du også ønsker at inkludere foregående regnskabsår balance blade til indeværende regnskabsår DocType: GL Entry,Against Voucher Type,Mod Bilagstype DocType: Item,Attributes,Attributter apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Indtast venligst Skriv Off konto apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Sidste ordredato apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konto {0} ikke hører til virksomheden {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i række {0} stemmer ikke overens med Leveringsnotat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i række {0} stemmer ikke overens med Leveringsnotat DocType: Student,Guardian Details,Guardian Detaljer DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Deltagelse for flere medarbejdere @@ -3451,16 +3459,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ty DocType: Tax Rule,Sales,Salg DocType: Stock Entry Detail,Basic Amount,Grundbeløb DocType: Training Event,Exam,Eksamen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Lager kræves for lagervare {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Lager kræves for lagervare {0} DocType: Leave Allocation,Unused leaves,Ubrugte blade -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Anvendes ikke apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Overførsel apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ikke forbundet med Party konto {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Hent eksploderede BOM (herunder underenheder) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Hent eksploderede BOM (herunder underenheder) DocType: Authorization Rule,Applicable To (Employee),Gælder for (Medarbejder) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Forfaldsdato er obligatorisk apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Tilvækst til Attribut {0} kan ikke være 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Journal Entry,Pay To / Recd From,Betal Til / RECD Fra DocType: Naming Series,Setup Series,Opsætning af nummerserier DocType: Payment Reconciliation,To Invoice Date,Til fakturadato @@ -3487,12 +3496,12 @@ DocType: Journal Entry,Write Off Based On,Skriv Off baseret på apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Opret emne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print og papirvarer DocType: Stock Settings,Show Barcode Field,Vis stregkodefelter -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Send Leverandør Emails +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Send Leverandør Emails apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Løn allerede behandlet for perioden {0} til {1}, ferie ansøgningsperiode kan ikke være i dette datointerval." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Installationspost for et serienummer DocType: Guardian Interest,Guardian Interest,Guardian Renter apps/erpnext/erpnext/config/hr.py +177,Training,Uddannelse -DocType: Timesheet,Employee Detail,Medarbejder Detail +DocType: Timesheet,Employee Detail,Medarbejderoplysninger apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Næste dagsdato og Gentagelsesdag i måneden skal være ens apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Indstillinger for websted hjemmeside @@ -3500,7 +3509,7 @@ DocType: Offer Letter,Awaiting Response,Afventer svar apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Frem apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Ugyldig attribut {0} {1} DocType: Supplier,Mention if non-standard payable account,Angiv hvis ikke-standard betalingskonto -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Samme vare er indtastet flere gange. {liste} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Samme vare er indtastet flere gange. {liste} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Vælg venligst vurderingsgruppen bortset fra 'Alle vurderingsgrupper' DocType: Salary Slip,Earning & Deduction,Tillæg & fradrag apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valgfri. Denne indstilling vil blive brugt til at filtrere i forskellige transaktioner. @@ -3519,7 +3528,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Udgifter kasseret anlægsaktiv apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Omkostningssted er obligatorisk for vare {2} DocType: Vehicle,Policy No,Politik Ingen -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Hent varer fra produktpakke +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Hent varer fra produktpakke DocType: Asset,Straight Line,Lineær afskrivning DocType: Project User,Project User,Sagsbruger apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Dele @@ -3531,12 +3540,13 @@ DocType: Sales Team,Contact No.,Kontaktnr. DocType: Bank Reconciliation,Payment Entries,Betalings Entries DocType: Production Order,Scrap Warehouse,Skrotlager DocType: Production Order,Check if material transfer entry is not required,"Kontroller, om materialetilførsel ikke er påkrævet" -DocType: Program Enrollment Tool,Get Students From,Få studerende fra +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Opsæt venligst medarbejdernavnesystem i menneskelige ressourcer> HR-indstillinger +DocType: Program Enrollment Tool,Get Students From,Hent studerende fra DocType: Hub Settings,Seller Country,Sælgers land apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publicer Punkter på hjemmesiden apps/erpnext/erpnext/utilities/activation.py +124,Group your students in batches,Opdel dine elever i grupper DocType: Authorization Rule,Authorization Rule,Autorisation Rule -DocType: Sales Invoice,Terms and Conditions Details,Betingelser Detaljer +DocType: Sales Invoice,Terms and Conditions Details,Betingelsesdetaljer apps/erpnext/erpnext/templates/generators/item.html +85,Specifications,Specifikationer DocType: Sales Taxes and Charges Template,Sales Taxes and Charges Template,Salg Skatter og Afgifter Skabelon apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +68,Total (Credit),I alt (kredit) @@ -3548,19 +3558,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,Angiv betingelser for at beregne forsendelsesmængden DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle Tilladt til Indstil Frosne Konti og Rediger Frosne Entries apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,åbning Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,åbning Value DocType: Salary Detail,Formula,Formel apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serienummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Salgsprovisioner DocType: Offer Letter Term,Value / Description,/ Beskrivelse -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke indsendes, er det allerede {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke indsendes, er det allerede {2}" DocType: Tax Rule,Billing Country,Faktureringsland DocType: Purchase Order Item,Expected Delivery Date,Forventet leveringsdato apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debet og kredit ikke ens for {0} # {1}. Forskellen er {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Repræsentationsudgifter apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Opret materialeanmodning apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Åbent Item {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,"Salgsfaktura {0} skal annulleres, før denne salgsordre annulleres" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,"Salgsfaktura {0} skal annulleres, før denne salgsordre annulleres" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Alder DocType: Sales Invoice Timesheet,Billing Amount,Faktureret beløb apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ugyldig mængde angivet for element {0}. Mængde bør være større end 0. @@ -3583,8 +3593,8 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Omsætning nye kunder apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Rejseudgifter DocType: Maintenance Visit,Breakdown,Sammenbrud -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan ikke vælges {1} -DocType: Bank Reconciliation Detail,Cheque Date,Checkdato +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan ikke vælges {1} +DocType: Bank Reconciliation Detail,Cheque Date,Anvendes ikke apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Forældre-konto {1} tilhører ikke virksomheden: {2} DocType: Program Enrollment Tool,Student Applicants,Student Ansøgere apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Succesfuld slettet alle transaktioner i forbindelse med dette selskab! @@ -3603,11 +3613,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planl DocType: Material Request,Issued,Udstedt apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Studentaktivitet DocType: Project,Total Billing Amount (via Time Logs),Faktureringsbeløb i alt (via Time Logs) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Vi sælger denne vare +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Vi sælger denne vare apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Leverandør id DocType: Payment Request,Payment Gateway Details,Betaling Gateway Detaljer -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Mængde bør være større end 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Prøvedata +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Mængde bør være større end 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Prøvedata DocType: Journal Entry,Cash Entry,indtastning af kontanter apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child noder kan kun oprettes under 'koncernens typen noder DocType: Leave Application,Half Day Date,Halv dag dato @@ -3616,17 +3626,18 @@ DocType: Sales Partner,Contact Desc,Kontaktbeskrivelse apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Type blade som afslappet, syge etc." DocType: Email Digest,Send regular summary reports via Email.,Send regelmæssige sammenfattende rapporter via e-mail. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Angiv standardkonto i udlægstype {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Angiv standardkonto i udlægstype {0} DocType: Assessment Result,Student Name,Elevnavn DocType: Brand,Item Manager,Varechef apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Udbetalt løn DocType: Buying Settings,Default Supplier Type,Standard-leverandørtype DocType: Production Order,Total Operating Cost,Samlede driftsomkostninger -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Bemærk: Varer {0} indtastet flere gange +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Bemærk: Varer {0} indtastet flere gange apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Alle kontakter. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Indstil dit mål apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Firma-forkortelse apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Brugeren {0} eksisterer ikke -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Råvarer kan ikke være samme som vigtigste element +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Råvarer kan ikke være samme som vigtigste element DocType: Item Attribute Value,Abbreviation,Forkortelse apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Betaling indtastning findes allerede apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ikke authroized da {0} overskrider grænser @@ -3644,8 +3655,8 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Rolle Tilladt at redig ,Territory Target Variance Item Group-Wise,Områdemål Variance Item Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Alle kundegrupper apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Akkumuleret månedlig -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Måske Valutaveksling record er ikke skabt for {1} til {2}. -apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Skat Skabelon er obligatorisk. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Måske Valutaveksling record er ikke skabt for {1} til {2}. +apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Momsskabelon er obligatorisk. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Forældre-konto {1} findes ikke DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prisliste Rate (Company Valuta) DocType: Products Settings,Products Settings,Produkter Indstillinger @@ -3655,7 +3666,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Procentvis fordel apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretær DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Hvis deaktivere, 'I Words' område vil ikke være synlig i enhver transaktion" DocType: Serial No,Distinct unit of an Item,Særskilt enhed af et element -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Angiv venligst firma +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Angiv venligst firma DocType: Pricing Rule,Buying,Køb DocType: HR Settings,Employee Records to be created by,Medarbejdere skal oprettes af DocType: POS Profile,Apply Discount On,Påfør Rabat på @@ -3666,7 +3677,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Wise Tax Detail apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut Forkortelse ,Item-wise Price List Rate,Item-wise Prisliste Rate -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Leverandørtilbud +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Leverandørtilbud DocType: Quotation,In Words will be visible once you save the Quotation.,"I Ord vil være synlig, når du gemmer tilbuddet." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Mængde ({0}) kan ikke være en brøkdel i række {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Saml Gebyrer @@ -3689,7 +3700,7 @@ Updated via 'Time Log'",i minutter Opdateret via 'Time Log' DocType: Customer,From Lead,Fra Emne apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Ordrer frigives til produktion. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Vælg regnskabsår ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS profil kræves for at gøre POS indtastning +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS profil kræves for at gøre POS indtastning DocType: Program Enrollment Tool,Enroll Students,Tilmeld Studerende DocType: Hub Settings,Name Token,Navn Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard salg @@ -3707,7 +3718,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Stock Value Forskel apps/erpnext/erpnext/config/learn.py +234,Human Resource,Menneskelige Ressourcer DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Betaling Afstemning Betaling apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Skatteaktiver -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Produktionsordre har været {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Produktionsordre har været {0} DocType: BOM Item,BOM No,Styklistenr. DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Kassekladde {0} har ikke konto {1} eller allerede matchet mod andre kupon @@ -3721,7 +3732,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Indlæs apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Enestående Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Fastsatte mål Item Group-wise for denne Sales Person. DocType: Stock Settings,Freeze Stocks Older Than [Days],Frys Stocks Ældre end [dage] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Række {0}: Aktiv er obligatorisk for anlægsaktiv køb / salg +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Række {0}: Aktiv er obligatorisk for anlægsaktiv køb / salg apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Hvis to eller flere Priser Regler er fundet på grundlag af de ovennævnte betingelser, er Priority anvendt. Prioritet er et tal mellem 0 og 20, mens Standardværdien er nul (blank). Højere antal betyder, at det vil have forrang, hvis der er flere Priser Regler med samme betingelser." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiscal År: {0} ikke eksisterer DocType: Currency Exchange,To Currency,Til Valuta @@ -3729,7 +3740,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Udlægstyper. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Salgsprisen for vare {0} er lavere end dens {1}. Salgsprisen skal være mindst {2} DocType: Item,Taxes,Moms -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Betalt og ikke leveret +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Betalt og ikke leveret DocType: Project,Default Cost Center,Standard omkostningssted DocType: Bank Guarantee,End Date,Slutdato apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Lagertransaktioner @@ -3746,7 +3757,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daglige arbejde Resumé Indstillinger Firma apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Vare {0} ignoreres, da det ikke er en lagervare" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Indsend denne produktionsordre til videre forarbejdning. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Indsend denne produktionsordre til videre forarbejdning. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Hvis du ikke vil anvende Prisfastsættelse Regel i en bestemt transaktion, bør alle gældende Priser Regler deaktiveres." DocType: Assessment Group,Parent Assessment Group,Parent Group Assessment apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Stillinger @@ -3754,10 +3765,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Stillinger DocType: Employee,Held On,Held On apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produktion Vare ,Employee Information,Medarbejder Information -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Sats (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Sats (%) DocType: Stock Entry Detail,Additional Cost,Yderligere omkostning apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",Kan ikke filtrere baseret på bilagsnr. hvis der sorteres efter Bilagstype -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Opret Leverandørtilbud +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Opret Leverandørtilbud DocType: Quality Inspection,Incoming,Indgående DocType: BOM,Materials Required (Exploded),Nødvendige materialer (Sprængskitse) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",Tilføj andre brugere til din organisation end dig selv @@ -3773,7 +3784,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} kan kun opdateres via Lagertransaktioner DocType: Student Group Creation Tool,Get Courses,Hent kurser DocType: GL Entry,Party,Selskab -DocType: Sales Order,Delivery Date,Leveringsdato +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Leveringsdato DocType: Opportunity,Opportunity Date,Salgsmulighedsdato DocType: Purchase Receipt,Return Against Purchase Receipt,Retur mod købskvittering DocType: Request for Quotation Item,Request for Quotation Item,Anmodning om tilbud Varer @@ -3787,13 +3798,13 @@ DocType: Task,Actual Time (in Hours),Faktisk tid (i timer) DocType: Employee,History In Company,Historie I Company apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nyhedsbreve DocType: Stock Ledger Entry,Stock Ledger Entry,Lagerpost -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Samme vare er blevet indtastet flere gange +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Samme vare er blevet indtastet flere gange DocType: Department,Leave Block List,Blokér fraværsansøgninger DocType: Sales Invoice,Tax ID,CVR-nr. apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Vare {0} er ikke opsat til serienumre. Kolonnen skal være tom DocType: Accounts Settings,Accounts Settings,Kontoindstillinger apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Godkende -DocType: Customer,Sales Partner and Commission,Salgs Partner og Kommission +DocType: Customer,Sales Partner and Commission,Forhandler og provision DocType: Employee Loan,Rate of Interest (%) / Year,Rente (%) / år ,Project Quantity,Sagsmængde apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +73,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","I alt {0} for alle punkter er nul, kan være du skal ændre "Fordel afgifter baseret på '" @@ -3805,25 +3816,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Sort DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Vare DocType: Account,Auditor,Revisor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} varer produceret +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} varer produceret DocType: Cheque Print Template,Distance from top edge,Afstand fra overkanten apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Prisliste {0} er deaktiveret eller findes ikke DocType: Purchase Invoice,Return,Retur DocType: Production Order Operation,Production Order Operation,Produktionsordre Operation DocType: Pricing Rule,Disable,Deaktiver -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Betalingsmåde er forpligtet til at foretage en betaling +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Betalingsmåde er forpligtet til at foretage en betaling DocType: Project Task,Pending Review,Afventende anmeldelse apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} er ikke indskrevet i batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Anlægsaktiv {0} kan ikke kasseres, da det allerede er {1}" DocType: Task,Total Expense Claim (via Expense Claim),Udlæg ialt (via Udlæg) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Fraværende -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Række {0}: Valuta af BOM # {1} skal være lig med den valgte valuta {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Række {0}: Valuta af BOM # {1} skal være lig med den valgte valuta {2} DocType: Journal Entry Account,Exchange Rate,Vekselkurs -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Salgsordre {0} er ikke godkendt +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Salgsordre {0} er ikke godkendt DocType: Homepage,Tag Line,tag Linje DocType: Fee Component,Fee Component,Gebyr Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Flådestyring -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Tilføj varer fra +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Tilføj varer fra DocType: Cheque Print Template,Regular,Fast apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Samlet vægtning af alle vurderingskriterier skal være 100% DocType: BOM,Last Purchase Rate,Sidste købsværdi @@ -3844,12 +3855,12 @@ DocType: Employee,Reports to,Rapporter til DocType: SMS Settings,Enter url parameter for receiver nos,Indtast url parameter for receiver nos DocType: Payment Entry,Paid Amount,Betalt beløb DocType: Assessment Plan,Supervisor,Tilsynsførende -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online ,Available Stock for Packing Items,Tilgængelig Stock til Emballerings- Varer DocType: Item Variant,Item Variant,Varevariant DocType: Assessment Result Tool,Assessment Result Tool,Assessment Resultat Tool DocType: BOM Scrap Item,BOM Scrap Item,Stykliste skrotvare -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Godkendte ordrer kan ikke slettes +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Godkendte ordrer kan ikke slettes apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Konto balance er debit. Du har ikke lov til at ændre 'Balancetype' til 'kredit' apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kvalitetssikring apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Vare {0} er blevet deaktiveret @@ -3880,13 +3891,13 @@ DocType: Item Group,Default Expense Account,Standard udgiftskonto apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID DocType: Employee,Notice (days),Varsel (dage) DocType: Tax Rule,Sales Tax Template,Salg Afgift Skabelon -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Vælg elementer for at gemme fakturaen +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Vælg elementer for at gemme fakturaen DocType: Employee,Encashment Date,Indløsningsdato DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Stock Justering apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Standard Aktivitets Omkostninger findes for Aktivitets Type - {0} DocType: Production Order,Planned Operating Cost,Planlagte driftsomkostninger -DocType: Academic Term,Term Start Date,Term startdato +DocType: Academic Term,Term Start Date,Betingelser startdato apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count apps/erpnext/erpnext/controllers/recurring_document.py +136,Please find attached {0} #{1},Vedlagt {0} # {1} apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Kontoudskrift balance pr Finans @@ -3928,10 +3939,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatc apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maksimal rabat tilladt for vare: {0} er {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Indre værdi som på DocType: Account,Receivable,Tilgodehavende -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Række # {0}: Ikke tilladt at skifte leverandør, da indkøbsordre allerede findes" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Række # {0}: Ikke tilladt at skifte leverandør, da indkøbsordre allerede findes" DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rolle, som får lov til at indsende transaktioner, der overstiger kredit grænser." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Vælg varer til Produktion -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master data synkronisering, kan det tage nogen tid" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Vælg varer til Produktion +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master data synkronisering, kan det tage nogen tid" DocType: Item,Material Issue,Materiale Issue DocType: Hub Settings,Seller Description,Sælger Beskrivelse DocType: Employee Education,Qualification,Kvalifikation @@ -3952,11 +3963,10 @@ DocType: BOM,Rate Of Materials Based On,Rate Of materialer baseret på apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Support Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Fravælg alle DocType: POS Profile,Terms and Conditions,Betingelser -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Opsæt venligst medarbejdernavnesystem i menneskelige ressourcer> HR-indstillinger apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Til dato bør være inden regnskabsåret. Antages Til dato = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Her kan du vedligeholde højde, vægt, allergier, medicinske problemer osv" DocType: Leave Block List,Applies to Company,Gælder for hele firmaet -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Kan ikke annullere, for en godkendt lagerindtastning {0} eksisterer" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Kan ikke annullere, for en godkendt lagerindtastning {0} eksisterer" DocType: Employee Loan,Disbursement Date,Udbetaling Dato DocType: Vehicle,Vehicle,Køretøj DocType: Purchase Invoice,In Words,I Words @@ -3994,7 +4004,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globale indstillinger DocType: Assessment Result Detail,Assessment Result Detail,Vurdering Resultat Detail DocType: Employee Education,Employee Education,Medarbejder Uddannelse apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Samme varegruppe findes to gange i varegruppetabellen -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Det er nødvendigt at hente Elementdetaljer. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Det er nødvendigt at hente Elementdetaljer. DocType: Salary Slip,Net Pay,Nettoløn DocType: Account,Account,Konto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serienummer {0} er allerede blevet modtaget @@ -4002,7 +4012,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Kørebog DocType: Purchase Invoice,Recurring Id,Tilbagevendende Id DocType: Customer,Sales Team Details,Salgs Team Detaljer -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Slet permanent? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Slet permanent? DocType: Expense Claim,Total Claimed Amount,Total krævede beløb apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentielle muligheder for at sælge. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ugyldig {0} @@ -4014,7 +4024,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Opsætning din skole i ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base ændring beløb (Company Currency) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Ingen bogføring for følgende lagre -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Gem dokumentet først. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Gem dokumentet først. DocType: Account,Chargeable,Gebyr DocType: Company,Change Abbreviation,Skift Forkortelse DocType: Expense Claim Detail,Expense Date,Udlægsdato @@ -4028,8 +4038,7 @@ DocType: BOM,Manufacturing User,Produktionsbruger DocType: Purchase Invoice,Raw Materials Supplied,Raw Materials Leveres DocType: Purchase Invoice,Recurring Print Format,Tilbagevendende Print Format DocType: C-Form,Series,Nummerserie -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,"Forventet leveringsdato kan ikke være, før indkøbsordre Dato" -DocType: Appraisal,Appraisal Template,Vurdering skabelon +DocType: Appraisal,Appraisal Template,Vurderingsskabelon DocType: Item Group,Item Classification,Item Klassifikation apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Vedligeholdelse Besøg Formål @@ -4043,7 +4052,7 @@ DocType: Item Attribute Value,Attribute Value,Attribut Værdi DocType: Salary Detail,Salary Detail,Løn Detail apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +997,Please select {0} first,Vælg {0} først apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} af varer {1} er udløbet. -DocType: Sales Invoice,Commission,Kommissionen +DocType: Sales Invoice,Commission,Provision apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tidsregistrering til Produktion. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal DocType: Salary Detail,Default Amount,Standard Mængde @@ -4067,17 +4076,17 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Vælg vare apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Træningsarrangementer / Resultater apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Akkumulerede afskrivninger som på DocType: Sales Invoice,C-Form Applicable,C-anvendelig -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Driftstid skal være større end 0 til drift {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Driftstid skal være større end 0 til drift {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Lager er obligatorisk DocType: Supplier,Address and Contacts,Adresse og kontaktpersoner DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Konvertering Detail DocType: Program,Program Abbreviation,Program Forkortelse -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Produktionsordre kan ikke rejses mod en Vare skabelon +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Produktionsordre kan ikke rejses mod en Vare skabelon apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Afgifter er opdateret i købskvitteringen for hver enkelt vare DocType: Warranty Claim,Resolved By,Løst af DocType: Bank Guarantee,Start Date,Startdato apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Afsætte blade i en periode. -apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Checks og Indskud forkert ryddet +apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Anvendes ikke apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Konto {0}: Konto kan ikke samtidig være forældre-konto DocType: Purchase Invoice Item,Price List Rate,Prisliste Rate apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Opret tilbud til kunder @@ -4107,12 +4116,13 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Træning Feedback apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Produktionsordre {0} skal godkendes apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Vælg Start og slutdato for Item {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Indstil et salgsmål, du gerne vil opnå." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kursus er obligatorisk i række {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Til dato kan ikke være før fra dato DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Tilføj / rediger priser DocType: Batch,Parent Batch,Overordnet parti -DocType: Cheque Print Template,Cheque Print Template,Check Print skabelon +DocType: Cheque Print Template,Cheque Print Template,Anvendes ikke apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Diagram af omkostningssteder ,Requested Items To Be Ordered,Anmodet Varer skal bestilles DocType: Price List,Price List Name,Prislistenavn @@ -4124,7 +4134,7 @@ DocType: Account,Income,Indtægter DocType: Industry Type,Industry Type,Branchekode apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Noget gik galt! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Advarsel: Fraværsansøgningen indeholder følgende blokerede dage -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Salgsfaktura {0} er allerede blevet godkendt +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Salgsfaktura {0} er allerede blevet godkendt DocType: Assessment Result Detail,Score,score apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Regnskabsår {0} findes ikke apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Afslutning Dato @@ -4154,7 +4164,7 @@ DocType: Naming Series,Help HTML,Hjælp HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Værktøj til dannelse af elevgrupper DocType: Item,Variant Based On,Variant Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Samlet weightage tildelt skulle være 100%. Det er {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Dine Leverandører +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Dine Leverandører apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Kan ikke indstilles som Lost som Sales Order er foretaget. DocType: Request for Quotation Item,Supplier Part No,Leverandør varenummer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Kan ikke fratrække når kategori er for "Værdiansættelse" eller "Vaulation og Total ' @@ -4164,23 +4174,23 @@ DocType: Item,Has Serial No,Har serienummer DocType: Employee,Date of Issue,Udstedt den apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Fra {0} for {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","I henhold til købsindstillingerne, hvis købsmodtagelse er påkrævet == 'JA' og derefter for at oprette købsfaktura, skal brugeren først oprette købsmodtagelse for vare {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Række # {0}: Indstil Leverandør for vare {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Række {0}: Timer værdi skal være større end nul. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Række # {0}: Indstil Leverandør for vare {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Række {0}: Timer værdi skal være større end nul. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Website Billede {0} er knyttet til Vare {1} kan ikke findes DocType: Issue,Content Type,Indholdstype apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Computer DocType: Item,List this Item in multiple groups on the website.,Liste denne vare i flere grupper på hjemmesiden. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Kontroller venligst Multi Valuta indstilling for at tillade konti med anden valuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} findes ikke i systemet +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Item: {0} findes ikke i systemet apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Du er ikke autoriseret til at fastsætte Frozen værdi -DocType: Payment Reconciliation,Get Unreconciled Entries,Få ikke-afstemte Entries +DocType: Payment Reconciliation,Get Unreconciled Entries,Hent ikke-afstemte poster DocType: Payment Reconciliation,From Invoice Date,Fra fakturadato apps/erpnext/erpnext/accounts/party.py +259,Billing currency must be equal to either default comapany's currency or party account currency,Faktureringsvaluta skal være lig med enten firmaets standardvaluta eller partens kontovaluta apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Udbetal fravær apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Hvad gør det? apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Til lager apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Alle Student Indlæggelser -,Average Commission Rate,Gennemsnitlig Kommissionens Rate +,Average Commission Rate,Gennemsnitlig provisionssats apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Har serienummer' kan ikke være 'Ja' for ikke-lagerførte vare apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Fremmøde kan ikke markeres for fremtidige datoer DocType: Pricing Rule,Pricing Rule Help,Hjælp til prisfastsættelsesregel @@ -4197,7 +4207,7 @@ DocType: Stock Entry,Default Source Warehouse,Standardkildelager DocType: Item,Customer Code,Kundekode apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Birthday Reminder for {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dage siden sidste ordre -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debit-Til konto skal være en balance konto +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debit-Til konto skal være en balance konto DocType: Buying Settings,Naming Series,Navngivningsnummerserie DocType: Leave Block List,Leave Block List Name,Blokering af fraværsansøgninger apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Forsikring Startdato skal være mindre end Forsikring Slutdato @@ -4214,7 +4224,7 @@ DocType: Vehicle Log,Odometer,kilometertæller DocType: Sales Order Item,Ordered Qty,Bestilt antal apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Vare {0} er deaktiveret DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Op -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Stykliste indeholder ikke nogen lagervarer +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,Stykliste indeholder ikke nogen lagervarer apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periode fra og periode datoer obligatorisk for tilbagevendende {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Sagsaktivitet / opgave. DocType: Vehicle Log,Refuelling Details,Brændstofpåfyldningsdetaljer @@ -4224,7 +4234,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Sidste købsværdi ikke fundet DocType: Purchase Invoice,Write Off Amount (Company Currency),Skriv Off Beløb (Company Valuta) DocType: Sales Invoice Timesheet,Billing Hours,Fakturerede timer -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Standard stykliste for {0} blev ikke fundet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Standard stykliste for {0} blev ikke fundet apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Række # {0}: Venligst sæt genbestille mængde apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tryk på elementer for at tilføje dem her DocType: Fees,Program Enrollment,Program Tilmelding @@ -4256,6 +4266,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing Range 2 DocType: SG Creation Tool Course,Max Strength,Max Strength apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Stykliste erstattet +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Vælg varer baseret på Leveringsdato ,Sales Analytics,Salgsanalyser apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Tilgængelige {0} ,Prospects Engaged But Not Converted,Udsigter Engageret men ikke konverteret @@ -4302,8 +4313,8 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Discount apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timeseddel til opgaver. DocType: Purchase Invoice,Against Expense Account,Mod udgiftskonto DocType: Production Order,Production Order,Produktionsordre -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Installation Bemærk {0} er allerede blevet indsendt -DocType: Bank Reconciliation,Get Payment Entries,Få Betalings Entries +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Installation Bemærk {0} er allerede blevet indsendt +DocType: Bank Reconciliation,Get Payment Entries,Hent betalingsposter DocType: Quotation Item,Against Docname,Mod Docname DocType: SMS Center,All Employee (Active),Alle medarbejdere (aktive) apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +9,View Now,Se nu @@ -4311,10 +4322,10 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Råmaterialeomkostninger DocType: Item Reorder,Re-Order Level,Re-Order Level DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Indtast poster og planlagt qty, som du ønsker at hæve produktionsordrer eller downloade råmaterialer til analyse." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt-diagram +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt-diagram apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Deltid DocType: Employee,Applicable Holiday List,Gældende helligdagskalender -DocType: Employee,Cheque,Check +DocType: Employee,Cheque,Anvendes ikke apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Nummerserien opdateret apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Kontotype er obligatorisk DocType: Item,Serial Number Series,Serienummer-nummerserie @@ -4338,7 +4349,7 @@ DocType: BOM,Materials,Materialer DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Hvis ikke afkrydset, skal hver afdeling vælges, hvor det skal anvendes." apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Kilde og Target Warehouse kan ikke være samme apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Bogføringsdato og -tid er obligatorisk -apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Skat skabelon til at købe transaktioner. +apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Momsskabelon til købstransaktioner. ,Item Prices,Varepriser DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"I Ord vil være synlig, når du gemmer indkøbsordre." DocType: Period Closing Voucher,Period Closing Voucher,Periode Lukning Voucher @@ -4367,11 +4378,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Reserveret Antal for Produktion DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Markér ikke, hvis du ikke vil overveje batch mens du laver kursusbaserede grupper." DocType: Asset,Frequency of Depreciation (Months),Hyppigheden af afskrivninger (måneder) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Kreditkonto +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Kreditkonto DocType: Landed Cost Item,Landed Cost Item,Landed Cost Vare apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Vis nulværdier DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Mængde post opnået efter fremstilling / ompakning fra givne mængde råvarer -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Opsæt en simpel hjemmeside for mit firma +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Opsæt en simpel hjemmeside for mit firma DocType: Payment Reconciliation,Receivable / Payable Account,Tilgodehavende / Betales konto DocType: Delivery Note Item,Against Sales Order Item,Mod Sales Order Item apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Angiv Attribut Værdi for attribut {0} @@ -4410,7 +4421,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Lad feltet stå tomt, hvis du laver elevergrupper hvert år" DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Hvis markeret, Total nej. af Arbejdsdage vil omfatte helligdage, og dette vil reducere værdien af Løn Per Day" DocType: Purchase Invoice,Total Advance,Samlet Advance -apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +23,The Term End Date cannot be earlier than the Term Start Date. Please correct the dates and try again.,Den Term Slutdato kan ikke være tidligere end den Term startdato. Ret de datoer og prøv igen. +apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +23,The Term End Date cannot be earlier than the Term Start Date. Please correct the dates and try again.,Betingelsernes slutdato kan ikke være tidligere end betingelsernes startdato. Ret venligst datoerne og prøv igen. apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,Citeringsantal ,BOM Stock Report,BOM Stock Rapport DocType: Stock Reconciliation Item,Quantity Difference,Mængdeforskel @@ -4431,24 +4442,24 @@ DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours apps/erpnext/erpnext/public/js/pos/pos.html +89,Customers in Queue,Kunder i kø DocType: Student,Nationality,Nationalitet ,Items To Be Requested,Varer til bestilling -DocType: Purchase Order,Get Last Purchase Rate,Få Sidste Purchase Rate +DocType: Purchase Order,Get Last Purchase Rate,Hent sidste købssats DocType: Company,Company Info,Firmainformation -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Vælg eller tilføj ny kunde -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Omkostningssted er forpligtet til at bestille et udlæg +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Vælg eller tilføj ny kunde +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Omkostningssted er forpligtet til at bestille et udlæg apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Anvendelse af midler (Aktiver) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dette er baseret på deltagelse af denne Medarbejder -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Debetkonto +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Debetkonto DocType: Fiscal Year,Year Start Date,År Startdato DocType: Attendance,Employee Name,Medarbejdernavn DocType: Sales Invoice,Rounded Total (Company Currency),Afrundet i alt (firmavaluta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Kan ikke skjult til gruppen, fordi Kontotype er valgt." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} er blevet ændret. Venligst opdater. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} er blevet ændret. Venligst opdater. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop brugere fra at oprette fraværsansøgninger for de følgende dage. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Indkøbsbeløb apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Leverandørtilbud {0} oprettet apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Slutår kan ikke være før startår apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Personalegoder -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Pakket mængde skal være lig mængde for vare {0} i række {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Pakket mængde skal være lig mængde for vare {0} i række {1} DocType: Production Order,Manufactured Qty,Fremstillet mængde DocType: Purchase Receipt Item,Accepted Quantity,Mængde apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Angiv en standard helligdagskalender for medarbejder {0} eller firma {1} @@ -4459,11 +4470,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Rækkenr. {0}: Beløb kan ikke være større end Udestående Beløb overfor Udlæg {1}. Udestående Beløb er {2} DocType: Maintenance Schedule,Schedule,Køreplan DocType: Account,Parent Account,Parent Konto -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Tilgængelig +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Tilgængelig DocType: Quality Inspection Reading,Reading 3,Reading 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Bilagstype -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Prisliste ikke fundet eller deaktiveret +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Prisliste ikke fundet eller deaktiveret DocType: Employee Loan Application,Approved,Godkendt DocType: Pricing Rule,Price,Pris apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Medarbejder lettet på {0} skal indstilles som "Left" @@ -4532,7 +4543,7 @@ DocType: SMS Settings,Static Parameters,Statiske parametre DocType: Assessment Plan,Room,Værelse DocType: Purchase Order,Advance Paid,Forudbetalt DocType: Item,Item Tax,Varemoms -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiale til leverandøren +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiale til leverandøren apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Skattestyrelsen Faktura apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Grænsen {0}% forekommer mere end én gang DocType: Expense Claim,Employees Email Id,Medarbejdere Email Id @@ -4552,7 +4563,7 @@ DocType: Employee Education,Major/Optional Subjects,Større / Valgfag DocType: Sales Invoice Item,Drop Ship,Drop Ship DocType: Training Event,Attendees,Deltagere DocType: Employee,"Here you can maintain family details like name and occupation of parent, spouse and children","Her kan du opretholde familiens detaljer som navn og besættelse af forældre, ægtefælle og børn" -DocType: Academic Term,Term End Date,Term Slutdato +DocType: Academic Term,Term End Date,Betingelser slutdato DocType: Hub Settings,Seller Name,Sælger Navn DocType: Purchase Invoice,Taxes and Charges Deducted (Company Currency),Skatter og Afgifter Fratrukket (Company Valuta) DocType: Item Group,General Settings,Generelle indstillinger @@ -4563,7 +4574,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +96,Please DocType: Item Attribute,Numeric Values,Numeriske værdier apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Vedhæft Logo apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,lagrene -DocType: Customer,Commission Rate,Kommissionens Rate +DocType: Customer,Commission Rate,Provisionssats apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Opret Variant apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Blokér fraværsansøgninger pr. afdeling. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Betaling Type skal være en af Modtag, Pay og Intern Transfer" @@ -4571,8 +4582,7 @@ apps/erpnext/erpnext/config/selling.py +179,Analytics,Analyser apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empty,Indkøbskurv er tom DocType: Vehicle,Model,Model DocType: Production Order,Actual Operating Cost,Faktiske driftsomkostninger -DocType: Payment Entry,Cheque/Reference No,Check / referencenummer -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverandør> Leverandør Type +DocType: Payment Entry,Cheque/Reference No,Anvendes ikke apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root kan ikke redigeres. DocType: Item,Units of Measure,Måleenheder DocType: Manufacturing Settings,Allow Production on Holidays,Tillad produktion på helligdage @@ -4589,11 +4599,11 @@ DocType: Student Leave Application,Mark as Present,Markér som tilstede DocType: Purchase Order,To Receive and Bill,Til at modtage og Bill apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Fremhævede varer apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Designer -apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Vilkår og betingelser Skabelon +apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Skabelon til vilkår og betingelser DocType: Serial No,Delivery Details,Levering Detaljer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Omkostningssted kræves i række {0} i Skattetabellen for type {1} DocType: Program,Program Code,programkode -DocType: Terms and Conditions,Terms and Conditions Help,Vilkår og betingelser Hjælp +DocType: Terms and Conditions,Terms and Conditions Help,Hjælp til vilkår og betingelser ,Item-wise Purchase Register,Vare-wise Purchase Tilmeld DocType: Batch,Expiry Date,Udløbsdato ,accounts-browser,konti-browser @@ -4605,12 +4615,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Kreditdage apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Masseopret elever DocType: Leave Type,Is Carry Forward,Er Carry Forward -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Hent varer fra stykliste +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Hent varer fra stykliste apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time dage -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Række # {0}: Bogføringsdato skal være den samme som købsdatoen {1} af aktivet {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Række # {0}: Bogføringsdato skal være den samme som købsdatoen {1} af aktivet {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Tjek dette, hvis den studerende er bosiddende på instituttets Hostel." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Indtast salgsordrer i ovenstående tabel -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ikke-godkendte lønsedler +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Ikke-godkendte lønsedler ,Stock Summary,Stock Summary apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Overfør et aktiv fra et lager til et andet DocType: Vehicle,Petrol,Benzin diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 9992d194f18..0f94fe6a4d4 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Händler DocType: Employee,Rented,Gemietet DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Anwenden für Benutzer -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",Angehaltener Fertigungsauftrag kann nicht storniert werden. Bitte zuerst den Fertigungsauftrag fortsetzen um ihn dann zu stornieren +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",Angehaltener Fertigungsauftrag kann nicht storniert werden. Bitte zuerst den Fertigungsauftrag fortsetzen um ihn dann zu stornieren DocType: Vehicle Service,Mileage,Kilometerstand apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Wollen Sie wirklich diese Anlageklasse zu Schrott? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Standard -Lieferant auswählen @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% verrechnet apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Wechselkurs muss derselbe wie {0} {1} ({2}) sein DocType: Sales Invoice,Customer Name,Kundenname DocType: Vehicle,Natural Gas,Erdgas -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankname {0} ungültig +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Bankname {0} ungültig DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Typen (oder Gruppen), zu denen Buchungseinträge vorgenommen und Salden geführt werden." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Ausstände für {0} können nicht kleiner als Null sein ({1}) DocType: Manufacturing Settings,Default 10 mins,Standard 10 Minuten @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Bezeichnung der Abwesenheit apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,zeigen open apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Nummernkreise erfolgreich geändert apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Auschecken -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Eingereicht +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Eingereicht DocType: Pricing Rule,Apply On,Anwenden auf DocType: Item Price,Multiple Item prices.,Mehrere verschiedene Artikelpreise ,Purchase Order Items To Be Received,Eingehende Lieferantenauftrags-Artikel @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Art des Zahlungskontos apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Varianten anzeigen DocType: Academic Term,Academic Term,Semester apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Stoff -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Menge +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Menge apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Kontenliste darf nicht leer sein. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Darlehen/Kredite (Verbindlichkeiten) DocType: Employee Education,Year of Passing,Abschlussjahr @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Gesundheitswesen apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Zahlungsverzug (Tage) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Dienstzeitaufwand -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Seriennummer: {0} wird bereits in der Verkaufsrechnung referenziert: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Rechnung +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Seriennummer: {0} wird bereits in der Verkaufsrechnung referenziert: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Rechnung DocType: Maintenance Schedule Item,Periodicity,Häufigkeit apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiscal Year {0} ist erforderlich -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,"Voraussichtlicher Liefertermin ist, bevor Kundenauftragsdatum" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Verteidigung DocType: Salary Component,Abbr,Kürzel DocType: Appraisal Goal,Score (0-5),Punktzahl (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Zeile # {0}: DocType: Timesheet,Total Costing Amount,Gesamtkalkulation Betrag DocType: Delivery Note,Vehicle No,Fahrzeug-Nr. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Bitte eine Preisliste auswählen +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Bitte eine Preisliste auswählen apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,"Row # {0}: Zahlungsbeleg ist erforderlich, um die trasaction abzuschließen" DocType: Production Order Operation,Work In Progress,Laufende Arbeit/-en apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Bitte wählen Sie Datum @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} nicht in einem aktiven Geschäftsjahr. DocType: Packed Item,Parent Detail docname,Übergeordnetes Detail Dokumentenname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenz: {0}, Item Code: {1} und Kunde: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,kg DocType: Student Log,Log,Log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Stellenausschreibung DocType: Item Attribute,Increment,Schrittweite @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Verheiratet apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Nicht zulässig für {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Holen Sie Elemente aus -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Lager kann nicht mit Lieferschein {0} aktualisiert werden +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Lager kann nicht mit Lieferschein {0} aktualisiert werden apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Keine Artikel aufgeführt DocType: Payment Reconciliation,Reconcile,Abgleichen @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Pensi apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Weiter Abschreibungen Datum kann nicht vor dem Kauf Datum DocType: SMS Center,All Sales Person,Alle Vertriebsmitarbeiter DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Monatliche Ausschüttung ** hilft Ihnen, das Budget / Ziel über Monate zu verteilen, wenn Sie Saisonalität in Ihrem Unternehmen haben." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Nicht Artikel gefunden +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Nicht Artikel gefunden apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Gehaltsstruktur Fehlende DocType: Lead,Person Name,Name der Person DocType: Sales Invoice Item,Sales Invoice Item,Ausgangsrechnungs-Artikel @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ist Anlagevermögen"" kann nicht deaktiviert werden, da Anlagebuchung gegen den Artikel vorhanden" DocType: Vehicle Service,Brake Oil,Bremsöl DocType: Tax Rule,Tax Type,Steuerart -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Steuerpflichtiger Betrag +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Steuerpflichtiger Betrag apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Sie haben keine Berechtigung Buchungen vor {0} hinzuzufügen oder zu aktualisieren DocType: BOM,Item Image (if not slideshow),Artikelbild (wenn keine Diashow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Es existiert bereits ein Kunde mit dem gleichen Namen DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Stundensatz / 60) * tatsächliche Betriebszeit -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Wählen Sie BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Wählen Sie BOM DocType: SMS Log,SMS Log,SMS-Protokoll apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Aufwendungen für gelieferte Artikel apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Der Urlaub am {0} ist nicht zwischen dem Von-Datum und dem Bis-Datum @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Schulen DocType: School Settings,Validate Batch for Students in Student Group,Validate Batch für Studierende in der Studentengruppe apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Kein Urlaubssatz für Mitarbeiter gefunden {0} von {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Bitte zuerst die Firma angeben -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Bitte zuerst Firma auswählen +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Bitte zuerst Firma auswählen DocType: Employee Education,Under Graduate,Schulabgänger apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Ziel auf DocType: BOM,Total Cost,Gesamtkosten DocType: Journal Entry Account,Employee Loan,Arbeitnehmerdarlehen -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivitätsprotokoll: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Artikel {0} ist nicht im System vorhanden oder abgelaufen +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Aktivitätsprotokoll: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Artikel {0} ist nicht im System vorhanden oder abgelaufen apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Immobilien apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Kontoauszug apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Pharmaprodukte @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Betrag einfordern apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Doppelte Kundengruppe in der cutomer Gruppentabelle gefunden apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Lieferantentyp / Lieferant DocType: Naming Series,Prefix,Präfix -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Bitte nennen Sie die Naming Series für {0} über Setup> Einstellungen> Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Verbrauchsgut +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Verbrauchsgut DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Importprotokoll DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Ziehen Werkstoff Anfrage des Typs Herstellung auf der Basis der oben genannten Kriterien DocType: Training Result Employee,Grade,Klasse DocType: Sales Invoice Item,Delivered By Supplier,Geliefert von Lieferant DocType: SMS Center,All Contact,Alle Kontakte -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Fertigungsauftrag bereits für alle Positionen mit BOM erstellt +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Fertigungsauftrag bereits für alle Positionen mit BOM erstellt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Jahresgehalt DocType: Daily Work Summary,Daily Work Summary,tägliche Arbeitszusammenfassung DocType: Period Closing Voucher,Closing Fiscal Year,Abschluss des Geschäftsjahres -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} ist gesperrt +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} ist gesperrt apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Bitte wählen Sie Bestehende Unternehmen für die Erstellung von Konten apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Lagerkosten apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Wählen Sie Target Warehouse @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akzeptierte + abgelehnte Menge muss für diese Position {0} gleich der erhaltenen Menge sein DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Rohmaterial für Einkauf bereitstellen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Mindestens eine Art der Bezahlung ist für POS-Rechnung erforderlich. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Mindestens eine Art der Bezahlung ist für POS-Rechnung erforderlich. DocType: Products Settings,Show Products as a List,Produkte anzeigen als Liste DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Vorlage herunterladen, passende Daten eintragen und geänderte Datei anfügen. Alle Termine und Mitarbeiter-Kombinationen im gewählten Zeitraum werden in die Vorlage übernommen, inklusive der bestehenden Anwesenheitslisten" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Artikel {0} ist nicht aktiv oder hat das Ende der Lebensdauer erreicht -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Beispiel: Basismathematik -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuern im Artikelpreis in Zeile {0} einzubeziehen, müssen Steuern in den Zeilen {1} ebenfalls einbezogen sein" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Beispiel: Basismathematik +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuern im Artikelpreis in Zeile {0} einzubeziehen, müssen Steuern in den Zeilen {1} ebenfalls einbezogen sein" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Einstellungen für das Personal-Modul DocType: SMS Center,SMS Center,SMS-Center DocType: Sales Invoice,Change Amount,Anzahl ändern @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Installationsdatum kann nicht vor dem Liefertermin für Artikel {0} liegen DocType: Pricing Rule,Discount on Price List Rate (%),Rabatt auf die Preisliste (%) DocType: Offer Letter,Select Terms and Conditions,Bitte Geschäftsbedingungen auswählen -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Out Wert +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Out Wert DocType: Production Planning Tool,Sales Orders,Kundenaufträge DocType: Purchase Taxes and Charges,Valuation,Bewertung ,Purchase Order Trends,Entwicklung Lieferantenaufträge @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Ist Eröffnungsbuchung DocType: Customer Group,Mention if non-standard receivable account applicable,"Vermerken, wenn kein Standard-Forderungskonto verwendbar ist" DocType: Course Schedule,Instructor Name,Ausbilder-Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,"""Für Lager"" wird vor dem Übertragen benötigt" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,"""Für Lager"" wird vor dem Übertragen benötigt" apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Eingegangen am DocType: Sales Partner,Reseller,Wiederverkäufer DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Wenn diese Option aktiviert, wird nicht auf Lager gehalten im Materialanforderungen enthalten." @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Zu Ausgangsrechnungs-Position ,Production Orders in Progress,Fertigungsaufträge in Arbeit apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Nettocashflow aus Finanzierung -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage ist voll, nicht gespeichert" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage ist voll, nicht gespeichert" DocType: Lead,Address & Contact,Adresse & Kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Ungenutzten Urlaub von vorherigen Zuteilungen hinzufügen apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Nächste Wiederholung {0} wird erstellt am {1} DocType: Sales Partner,Partner website,Partner-Website apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Artikel hinzufügen -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Ansprechpartner +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Ansprechpartner DocType: Course Assessment Criteria,Course Assessment Criteria,Kursbeurteilungskriterien DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Erstellt eine Gehaltsabrechnung gemäß der oben getroffenen Auswahl. DocType: POS Customer Group,POS Customer Group,POS Kundengruppe @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Zeile {0}: Wenn es sich um eine Vorkasse-Buchung handelt, bitte ""Ist Vorkasse"" zu Konto {1} anklicken, ." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Lager {0} gehört nicht zu Firma {1} DocType: Email Digest,Profit & Loss,Profiteinbuße -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Liter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Liter DocType: Task,Total Costing Amount (via Time Sheet),Gesamtkostenbetrag (über Arbeitszeitblatt) DocType: Item Website Specification,Item Website Specification,Artikel-Webseitenspezifikation apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Urlaub gesperrt @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,Ausgangsrechnungs-Nr. DocType: Material Request Item,Min Order Qty,Mindestbestellmenge DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool-Kurs DocType: Lead,Do Not Contact,Nicht Kontakt aufnehmen -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Menschen, die in Ihrer Organisation lehren" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Menschen, die in Ihrer Organisation lehren" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Die eindeutige ID für die Nachverfolgung aller wiederkehrenden Rechnungen. Wird beim Übertragen erstellt. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software-Entwickler DocType: Item,Minimum Order Qty,Mindestbestellmenge @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,Im Hub veröffentlichen DocType: Student Admission,Student Admission,Studenten Eintritt ,Terretory,Region apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Artikel {0} wird storniert -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Materialanfrage +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Materialanfrage DocType: Bank Reconciliation,Update Clearance Date,Abwicklungsdatum aktualisieren DocType: Item,Purchase Details,Einkaufsdetails apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Artikel {0} in Tabelle ""Rohmaterialien geliefert"" des Lieferantenauftrags {1} nicht gefunden" @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,Flottenmanager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} kann für Artikel nicht negativ sein {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Falsches Passwort DocType: Item,Variant Of,Variante von -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Gefertigte Menge kann nicht größer sein als ""Menge für Herstellung""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Gefertigte Menge kann nicht größer sein als ""Menge für Herstellung""" DocType: Period Closing Voucher,Closing Account Head,Bezeichnung des Abschlusskontos DocType: Employee,External Work History,Externe Arbeits-Historie apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Zirkelschluss-Fehler @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,Entfernung vom linken Ran apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} Einheiten [{1}] (# Form / Item / {1}) im Lager [{2}] (# Form / Lager / {2}) DocType: Lead,Industry,Industrie DocType: Employee,Job Profile,Stellenbeschreibung +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Dies beruht auf Transaktionen gegen diese Gesellschaft. Siehe Zeitleiste unten für Details DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Bei Erstellung einer automatischen Materialanfrage per E-Mail benachrichtigen DocType: Journal Entry,Multi Currency,Unterschiedliche Währungen DocType: Payment Reconciliation Invoice,Invoice Type,Rechnungstyp -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Lieferschein +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Lieferschein apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Steuern einrichten apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Herstellungskosten der verkauften Vermögens apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Zahlungsbuchung wurde geändert, nachdem sie abgerufen wurde. Bitte erneut abrufen." @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Bitte Feldwert ""Wiederholung an Tag von Monat"" eingeben" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Kurs, zu dem die Kundenwährung in die Basiswährung des Kunden umgerechnet wird" DocType: Course Scheduling Tool,Course Scheduling Tool,Kursplanung Werkzeug -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kauf Rechnung kann nicht gegen einen bereits bestehenden Asset vorgenommen werden {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kauf Rechnung kann nicht gegen einen bereits bestehenden Asset vorgenommen werden {1} DocType: Item Tax,Tax Rate,Steuersatz apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} bereits an Mitarbeiter {1} zugeteilt für den Zeitraum {2} bis {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Artikel auswählen +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Artikel auswählen apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Eingangsrechnung {0} wurde bereits übertragen apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Zeile # {0}: Chargennummer muss dieselbe sein wie {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,In nicht-Gruppe umwandeln @@ -443,7 +442,7 @@ DocType: Employee,Widowed,Verwitwet DocType: Request for Quotation,Request for Quotation,Angebotsanfrage DocType: Salary Slip Timesheet,Working Hours,Arbeitszeit DocType: Naming Series,Change the starting / current sequence number of an existing series.,Anfangs- / Ist-Wert eines Nummernkreises ändern. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Erstellen Sie einen neuen Kunden +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Erstellen Sie einen neuen Kunden apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Wenn mehrere Preisregeln weiterhin gleichrangig gelten, werden die Benutzer aufgefordert, Vorrangregelungen manuell zu erstellen, um den Konflikt zu lösen." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Erstellen von Bestellungen ,Purchase Register,Übersicht über Einkäufe @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Prüfer-Name DocType: Purchase Invoice Item,Quantity and Rate,Menge und Preis DocType: Delivery Note,% Installed,% installiert -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Die Klassenräume / Laboratorien usw., wo Vorträge können geplant werden." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Die Klassenräume / Laboratorien usw., wo Vorträge können geplant werden." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Bitte zuerst den Firmennamen angeben DocType: Purchase Invoice,Supplier Name,Lieferantenname apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lesen Sie das ERPNext-Handbuch @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,Vertriebspartner DocType: Account,Old Parent,Alte übergeordnetes Element apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Pflichtfeld - Akademisches Jahr DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Einleitenden Text anpassen, der zu dieser E-Mail gehört. Jede Transaktion hat einen eigenen Einleitungstext." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Bitte setzen Sie das Zahlungsverzugskonto für die Firma {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Bitte setzen Sie das Zahlungsverzugskonto für die Firma {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Allgemeine Einstellungen für alle Fertigungsprozesse DocType: Accounts Settings,Accounts Frozen Upto,Konten gesperrt bis DocType: SMS Log,Sent On,Gesendet am @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,Verbindlichkeiten apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Die ausgewählten Stücklisten sind nicht für den gleichen Artikel DocType: Pricing Rule,Valid Upto,Gültig bis DocType: Training Event,Workshop,Werkstatt -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Bitte ein paar Kunden angeben. Dies können Firmen oder Einzelpersonen sein. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Bitte ein paar Kunden angeben. Dies können Firmen oder Einzelpersonen sein. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Genug Teile zu bauen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direkte Erträge apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Wenn nach Konto gruppiert wurde, kann nicht auf Grundlage des Kontos gefiltert werden." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Administrativer Benutzer apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Bitte wählen Sie Kurs DocType: Timesheet Detail,Hrs,Std -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Bitte Firma auswählen +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Bitte Firma auswählen DocType: Stock Entry Detail,Difference Account,Differenzkonto DocType: Purchase Invoice,Supplier GSTIN,Lieferant GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Aufgabe kann nicht geschlossen werden, da die von ihr abhängige Aufgabe {0} nicht geschlossen ist." @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,Offline-Verkaufsstellen-Name apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Bitte definieren Sie Grade for Threshold 0% DocType: Sales Order,To Deliver,Auszuliefern DocType: Purchase Invoice Item,Item,Artikel -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serien-Nr Element kann nicht ein Bruchteil sein +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serien-Nr Element kann nicht ein Bruchteil sein DocType: Journal Entry,Difference (Dr - Cr),Differenz (Soll - Haben) DocType: Account,Profit and Loss,Gewinn und Verlust apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Unteraufträge vergeben @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),Garantiefrist (Tage) DocType: Installation Note Item,Installation Note Item,Bestandteil des Installationshinweises DocType: Production Plan Item,Pending Qty,Ausstehende Menge DocType: Budget,Ignore,Ignorieren -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} ist nicht aktiv +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} ist nicht aktiv apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS an folgende Nummern verschickt: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Setup-Kontrollmaße für den Druck DocType: Salary Slip,Salary Slip Timesheet,Gehaltszettel Timesheet @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,IM- DocType: Production Order Operation,In minutes,In Minuten DocType: Issue,Resolution Date,Datum der Entscheidung DocType: Student Batch Name,Batch Name,Stapelname -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet erstellt: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},"Bitte Standardeinstellungen für Kassen- oder Bankkonto in ""Zahlungsart"" {0} setzen" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet erstellt: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},"Bitte Standardeinstellungen für Kassen- oder Bankkonto in ""Zahlungsart"" {0} setzen" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Einschreiben DocType: GST Settings,GST Settings,GST-Einstellungen DocType: Selling Settings,Customer Naming By,Benennung der Kunden nach @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,Nutzer Projekt apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Verbraucht apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} nicht in der Rechnungs-Details-Tabelle gefunden DocType: Company,Round Off Cost Center,Abschluss-Kostenstelle -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Wartungsbesuch {0} muss vor Stornierung dieses Kundenauftrages abgebrochen werden +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Wartungsbesuch {0} muss vor Stornierung dieses Kundenauftrages abgebrochen werden DocType: Item,Material Transfer,Materialübertrag apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Anfangsstand (Soll) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Buchungszeitstempel muss nach {0} liegen @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,Gesamtsumme der Zinszahlungen DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Einstandspreis Steuern und Gebühren DocType: Production Order Operation,Actual Start Time,Tatsächliche Startzeit DocType: BOM Operation,Operation Time,Zeit für einen Arbeitsgang -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Fertig +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Fertig apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Base DocType: Timesheet,Total Billed Hours,Insgesamt Angekündigt Stunden DocType: Journal Entry,Write Off Amount,Abschreibungs-Betrag @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),Odometer Wert (Last) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Payment Eintrag bereits erstellt DocType: Purchase Receipt Item Supplied,Current Stock,Aktueller Lagerbestand -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Vermögens {1} nicht auf Artikel verknüpft {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Vermögens {1} nicht auf Artikel verknüpft {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Vorschau Gehaltsabrechnung apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} wurde mehrmals eingegeben DocType: Account,Expenses Included In Valuation,In der Bewertung enthaltene Aufwendungen @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Luft- und DocType: Journal Entry,Credit Card Entry,Kreditkarten-Buchung apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Firma und Konten apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Von Lieferanten erhaltene Ware -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,Wert bei +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,Wert bei DocType: Lead,Campaign Name,Kampagnenname DocType: Selling Settings,Close Opportunity After Days,Schließen Gelegenheit nach Tagen ,Reserved,Reserviert @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energie DocType: Opportunity,Opportunity From,Chance von apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Monatliche Gehaltsabrechnung +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Zeile {0}: {1} Für den Eintrag {2} benötigte Seriennummern. Du hast {3} zur Verfügung gestellt. DocType: BOM,Website Specifications,Webseiten-Spezifikationen apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Von {0} vom Typ {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Umrechnungsfaktor ist zwingend erfoderlich DocType: Employee,A+,A+ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Es sind mehrere Preisregeln mit gleichen Kriterien vorhanden, lösen Sie Konflikte, indem Sie Prioritäten zuweisen. Preis Regeln: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Stückliste kann nicht deaktiviert oder storniert werden, weil sie mit anderen Stücklisten verknüpft ist" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Stückliste kann nicht deaktiviert oder storniert werden, weil sie mit anderen Stücklisten verknüpft ist" DocType: Opportunity,Maintenance,Wartung DocType: Item Attribute Value,Item Attribute Value,Attributwert des Artikels apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Vertriebskampagnen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Machen Sie Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Machen Sie Timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -844,7 +844,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Einrichten E-Mail-Konto apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Bitte zuerst den Artikel angeben DocType: Account,Liability,Verbindlichkeit -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Genehmigter Betrag kann nicht größer als geforderter Betrag in Zeile {0} sein. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Genehmigter Betrag kann nicht größer als geforderter Betrag in Zeile {0} sein. DocType: Company,Default Cost of Goods Sold Account,Standard-Herstellkosten apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Preisliste nicht ausgewählt DocType: Employee,Family Background,Familiärer Hintergrund @@ -855,10 +855,10 @@ DocType: Company,Default Bank Account,Standardbankkonto apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Um auf der Grundlage von Gruppen zu filtern, bitte zuerst den Gruppentyp wählen" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Lager aktualisieren"" kann nicht ausgewählt werden, da Artikel nicht über {0} geliefert wurden" DocType: Vehicle,Acquisition Date,Kaufdatum -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Stk +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Stk DocType: Item,Items with higher weightage will be shown higher,Artikel mit höherem Gewicht werden weiter oben angezeigt DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Ausführlicher Kontenabgleich -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Vermögens {1} muss eingereicht werden +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Vermögens {1} muss eingereicht werden apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Kein Mitarbeiter gefunden DocType: Supplier Quotation,Stopped,Angehalten DocType: Item,If subcontracted to a vendor,Wenn an einen Zulieferer untervergeben @@ -874,7 +874,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Mindestabrechnung apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostenstelle {2} gehört nicht zur Firma {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} darf keine Gruppe sein apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Artikel Row {idx}: {} {Doctype docname} existiert nicht in der oben '{Doctype}' Tisch -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} ist bereits abgeschlossen oder abgebrochen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} ist bereits abgeschlossen oder abgebrochen apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,keine Vorgänge DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Der Tag des Monats, an welchem eine automatische Rechnung erstellt wird, z. B. 05, 28 usw." DocType: Asset,Opening Accumulated Depreciation,Öffnungs Kumulierte Abschreibungen @@ -933,7 +933,7 @@ DocType: SMS Log,Requested Numbers,Angeforderte Nummern DocType: Production Planning Tool,Only Obtain Raw Materials,Erhalten Sie nur Rohstoffe apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Mitarbeiterbeurteilung apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivieren "Verwendung für Einkaufswagen", wie Einkaufswagen aktiviert ist und es sollte mindestens eine Steuerregel für Einkaufswagen sein" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Zahlung {0} ist mit der Bestellung {1} verknüpft, überprüfen Sie bitte, ob es als Anteil in dieser Rechnung gezogen werden sollte." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Zahlung {0} ist mit der Bestellung {1} verknüpft, überprüfen Sie bitte, ob es als Anteil in dieser Rechnung gezogen werden sollte." DocType: Sales Invoice Item,Stock Details,Lagerdetails apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projektwert apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Verkaufsstelle @@ -956,15 +956,15 @@ DocType: Naming Series,Update Series,Nummernkreise aktualisieren DocType: Supplier Quotation,Is Subcontracted,Ist Untervergabe DocType: Item Attribute,Item Attribute Values,Artikel-Attributwerte DocType: Examination Result,Examination Result,Prüfungsergebnis -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Kaufbeleg +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Kaufbeleg ,Received Items To Be Billed,"Von Lieferanten gelieferte Artikel, die noch abgerechnet werden müssen" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Eingereicht Gehaltsabrechnungen +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Eingereicht Gehaltsabrechnungen apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Stammdaten zur Währungsumrechnung apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referenz Doctype muss man von {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},In den nächsten {0} Tagen kann für den Arbeitsgang {1} kein Zeitfenster gefunden werden +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},In den nächsten {0} Tagen kann für den Arbeitsgang {1} kein Zeitfenster gefunden werden DocType: Production Order,Plan material for sub-assemblies,Materialplanung für Unterbaugruppen apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Vertriebspartner und Territorium -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,Stückliste {0} muss aktiv sein +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,Stückliste {0} muss aktiv sein DocType: Journal Entry,Depreciation Entry,Abschreibungs Eintrag apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Bitte zuerst den Dokumententyp auswählen apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Materialkontrolle {0} stornieren vor Abbruch dieses Wartungsbesuchs @@ -974,7 +974,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Gesamtsumme apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Veröffentlichung im Internet DocType: Production Planning Tool,Production Orders,Fertigungsaufträge -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Bilanzwert +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Bilanzwert apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Verkaufspreisliste apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,"Veröffentlichen, um Elemente zu synchronisieren" DocType: Bank Reconciliation,Account Currency,Kontenwährung @@ -999,12 +999,12 @@ DocType: Employee,Exit Interview Details,Details zum Austrittsgespräch verlasse DocType: Item,Is Purchase Item,Ist Einkaufsartikel DocType: Asset,Purchase Invoice,Eingangsrechnung DocType: Stock Ledger Entry,Voucher Detail No,Belegdetail-Nr. -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Neue Ausgangsrechnung +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Neue Ausgangsrechnung DocType: Stock Entry,Total Outgoing Value,Gesamtwert Auslieferungen apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Eröffnungsdatum und Abschlussdatum sollten im gleichen Geschäftsjahr sein DocType: Lead,Request for Information,Informationsanfrage ,LeaderBoard,Bestenliste -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline-Rechnungen +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline-Rechnungen DocType: Payment Request,Paid,Bezahlt DocType: Program Fee,Program Fee,Programmgebühr DocType: Salary Slip,Total in words,Summe in Worten @@ -1012,7 +1012,7 @@ DocType: Material Request Item,Lead Time Date,Lieferzeit und -datum DocType: Guardian,Guardian Name,Wächter-Name DocType: Cheque Print Template,Has Print Format,Hat das Druckformat DocType: Employee Loan,Sanctioned,sanktionierte -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,ist zwingend erforderlich. Vielleicht wurde kein Datensatz für den Geldwechsel erstellt für +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,ist zwingend erforderlich. Vielleicht wurde kein Datensatz für den Geldwechsel erstellt für apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Zeile #{0}: Bitte Seriennummer für Artikel {1} angeben apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Für Artikel aus ""Produkt-Bundles"" werden Lager, Seriennummer und Chargennummer aus der Tabelle ""Packliste"" berücksichtigt. Wenn Lager und Chargennummer für alle Packstücke in jedem Artikel eines Produkt-Bundles gleich sind, können diese Werte in die Tabelle ""Hauptpositionen"" eingetragen werden, Die Werte werden in die Tabelle ""Packliste"" kopiert." DocType: Job Opening,Publish on website,Veröffentlichen Sie auf der Website @@ -1025,7 +1025,7 @@ DocType: Cheque Print Template,Date Settings,Datums-Einstellungen apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Abweichung ,Company Name,Firmenname DocType: SMS Center,Total Message(s),Summe Nachricht(en) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Artikel für Übertrag auswählen +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Artikel für Übertrag auswählen DocType: Purchase Invoice,Additional Discount Percentage,Zusätzlicher prozentualer Rabatt apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Sehen Sie eine Liste aller Hilfe-Videos DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Bezeichnung des Kontos bei der Bank, bei der der Scheck eingereicht wurde, auswählen." @@ -1039,7 +1039,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Rohstoffkosten (Gesellschaft Währung) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Alle Artikel wurden schon für diesen Fertigungsauftrag übernommen. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Row # {0}: Die Rate kann nicht größer sein als die Rate, die in {1} {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Meter DocType: Workstation,Electricity Cost,Stromkosten DocType: HR Settings,Don't send Employee Birthday Reminders,Keine Mitarbeitergeburtstagserinnerungen senden DocType: Item,Inspection Criteria,Prüfkriterien @@ -1053,7 +1053,7 @@ DocType: SMS Center,All Lead (Open),Alle Leads (offen) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Menge nicht für {4} in Lager {1} zum Zeitpunkt des Eintrags Entsendung ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Gezahlte Anzahlungen aufrufen DocType: Item,Automatically Create New Batch,Automatisch neue Charge erstellen -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Erstellen +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Erstellen DocType: Student Admission,Admission Start Date,Der Eintritt Startdatum DocType: Journal Entry,Total Amount in Words,Gesamtsumme in Worten apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Es ist ein Fehler aufgetreten. Ein möglicher Grund könnte sein, dass Sie das Formular nicht gespeichert haben. Bitte kontaktieren Sie support@erpnext.com wenn das Problem weiterhin besteht." @@ -1061,7 +1061,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mein Warenkorb apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Bestelltyp muss aus {0} sein DocType: Lead,Next Contact Date,Nächstes Kontaktdatum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Anfangsmenge -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Bitte geben Sie Konto für Änderungsbetrag +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Bitte geben Sie Konto für Änderungsbetrag DocType: Student Batch Name,Student Batch Name,Studentenstapelname DocType: Holiday List,Holiday List Name,Urlaubslistenname DocType: Repayment Schedule,Balance Loan Amount,Bilanz Darlehensbetrag @@ -1069,7 +1069,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Lager-Optionen DocType: Journal Entry Account,Expense Claim,Aufwandsabrechnung apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Wollen Sie wirklich dieses verschrottet Asset wiederherzustellen? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Menge für {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Menge für {0} DocType: Leave Application,Leave Application,Urlaubsantrag apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Urlaubszuordnungs-Werkzeug DocType: Leave Block List,Leave Block List Dates,Urlaubssperrenliste Termine @@ -1119,7 +1119,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Zu DocType: Item,Default Selling Cost Center,Standard-Vertriebskostenstelle DocType: Sales Partner,Implementation Partner,Umsetzungspartner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postleitzahl +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Postleitzahl apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Kundenauftrag {0} ist {1} DocType: Opportunity,Contact Info,Kontakt-Information apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Lagerbuchungen erstellen @@ -1137,13 +1137,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},An { apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Durchschnittsalter DocType: School Settings,Attendance Freeze Date,Anwesenheit Einfrieren Datum DocType: Opportunity,Your sales person who will contact the customer in future,"Ihr Vertriebsmitarbeiter, der den Kunden in Zukunft kontaktiert" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Bitte ein paar Lieferanten angeben. Diese können Firmen oder Einzelpersonen sein. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Bitte ein paar Lieferanten angeben. Diese können Firmen oder Einzelpersonen sein. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Alle Produkte apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum Lead Age (Tage) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Alle Stücklisten +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Alle Stücklisten DocType: Company,Default Currency,Standardwährung DocType: Expense Claim,From Employee,Von Mitarbeiter -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Achtung: Das System erkennt keine überhöhten Rechnungen, da der Betrag für Artikel {0} in {1} gleich Null ist" +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Achtung: Das System erkennt keine überhöhten Rechnungen, da der Betrag für Artikel {0} in {1} gleich Null ist" DocType: Journal Entry,Make Difference Entry,Differenzbuchung erstellen DocType: Upload Attendance,Attendance From Date,Anwesenheit von Datum DocType: Appraisal Template Goal,Key Performance Area,Entscheidender Leistungsbereich @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Meldenummern des Unternehmens für Ihre Unterlagen. Steuernummern usw. DocType: Sales Partner,Distributor,Lieferant DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Warenkorb-Versandregel -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Fertigungsauftrag {0} muss vor Stornierung dieses Kundenauftages abgebrochen werden +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Fertigungsauftrag {0} muss vor Stornierung dieses Kundenauftages abgebrochen werden apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',"Bitte ""Zusätzlichen Rabatt anwenden auf"" aktivieren" ,Ordered Items To Be Billed,"Bestellte Artikel, die abgerechnet werden müssen" apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Von-Bereich muss kleiner sein als Bis-Bereich @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Abzüge DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Startjahr -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Die ersten 2 Ziffern von GSTIN sollten mit der Statusnummer {0} übereinstimmen +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Die ersten 2 Ziffern von GSTIN sollten mit der Statusnummer {0} übereinstimmen DocType: Purchase Invoice,Start date of current invoice's period,Startdatum der laufenden Rechnungsperiode DocType: Salary Slip,Leave Without Pay,Unbezahlter Urlaub -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Fehler in der Kapazitätsplanung +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Fehler in der Kapazitätsplanung ,Trial Balance for Party,Summen- und Saldenliste für Gruppe DocType: Lead,Consultant,Berater DocType: Salary Slip,Earnings,Einkünfte @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,Payer Einstellungen DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dies wird an den Artikelcode der Variante angehängt. Beispiel: Wenn Ihre Abkürzung ""SM"" und der Artikelcode ""T-SHIRT"" sind, so ist der Artikelcode der Variante ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Nettolohn (in Worten) wird angezeigt, sobald Sie die Gehaltsabrechnung speichern." DocType: Purchase Invoice,Is Return,Ist Rückgabe -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Return / Lastschrift +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Return / Lastschrift DocType: Price List Country,Price List Country,Preisliste Land DocType: Item,UOMs,Maßeinheiten apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} gültige Seriennummern für Artikel {1} @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,teil~~POS=TRUNC Zahlter apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Lieferantendatenbank DocType: Account,Balance Sheet,Bilanz apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Kostenstelle für den Artikel mit der Artikel-Nr. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Zahlungsmittel ist nicht konfiguriert. Bitte überprüfen Sie, ob ein Konto in den Zahlungsmodi oder in einem Verkaufsstellen-Profil eingestellt wurde." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Zahlungsmittel ist nicht konfiguriert. Bitte überprüfen Sie, ob ein Konto in den Zahlungsmodi oder in einem Verkaufsstellen-Profil eingestellt wurde." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Ihr Vertriebsmitarbeiter erhält an diesem Datum eine Erinnerung, den Kunden zu kontaktieren" apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Das gleiche Einzelteil kann nicht mehrfach eingegeben werden. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Weitere Konten können unter Gruppen angelegt werden, aber Buchungen können zu nicht-Gruppen erstellt werden" @@ -1229,7 +1229,7 @@ DocType: Employee Loan Application,Repayment Info,Die Rückzahlung Info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Buchungen"" kann nicht leer sein" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Doppelte Zeile {0} mit dem gleichen {1} ,Trial Balance,Probebilanz -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Das Geschäftsjahr {0} nicht gefunden +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Das Geschäftsjahr {0} nicht gefunden apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Mitarbeiter anlegen DocType: Sales Order,SO-,DAMIT- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Bitte zuerst Präfix auswählen @@ -1244,11 +1244,11 @@ DocType: Grading Scale,Intervals,Intervalle apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Frühestens apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",Eine Artikelgruppe mit dem gleichen Namen existiert bereits. Bitte den Artikelnamen ändern oder die Artikelgruppe umbenennen apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobil-Nr -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Rest der Welt +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Rest der Welt apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Der Artikel {0} kann keine Charge haben ,Budget Variance Report,Budget-Abweichungsbericht DocType: Salary Slip,Gross Pay,Bruttolohn -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Leistungsart ist obligatorisch. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Row {0}: Leistungsart ist obligatorisch. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Ausgeschüttete Dividenden apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Hauptbuch DocType: Stock Reconciliation,Difference Amount,Differenzmenge @@ -1270,18 +1270,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Übersicht der Urlaubskonten der Mitarbeiter apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Saldo für Konto {0} muss immer {1} sein apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Bewertungsrate erforderlich für den Posten in der Zeile {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Beispiel: Master in Informatik +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Beispiel: Master in Informatik DocType: Purchase Invoice,Rejected Warehouse,Ausschusslager DocType: GL Entry,Against Voucher,Gegenbeleg DocType: Item,Default Buying Cost Center,Standard-Einkaufskostenstelle apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Um ERPNext bestmöglich zu nutzen, empfehlen wir Ihnen, sich die Zeit zu nehmen diese Hilfevideos anzusehen." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,nach +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,nach DocType: Supplier Quotation Item,Lead Time in days,Lieferzeit in Tagen apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Übersicht der Verbindlichkeiten -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Die Zahlung des Gehalts von {0} {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Die Zahlung des Gehalts von {0} {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Keine Berechtigung gesperrtes Konto {0} zu bearbeiten DocType: Journal Entry,Get Outstanding Invoices,Ausstehende Rechnungen aufrufen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Kundenauftrag {0} ist nicht gültig +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Kundenauftrag {0} ist nicht gültig apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Bestellungen helfen Ihnen bei der Planung und Follow-up auf Ihre Einkäufe apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",Verzeihung! Firmen können nicht zusammengeführt werden apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1303,8 +1303,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Indirekte Aufwendungen apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Zeile {0}: Menge ist zwingend erforderlich apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Landwirtschaft -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Ihre Produkte oder Dienstleistungen +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Ihre Produkte oder Dienstleistungen DocType: Mode of Payment,Mode of Payment,Zahlungsweise apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Das Webseiten-Bild sollte eine öffentliche Datei oder eine Webseiten-URL sein DocType: Student Applicant,AP,AP @@ -1323,18 +1323,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Artikelsteuersatz DocType: Student Group Student,Group Roll Number,Gruppenrolle Nummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",Für {0} können nur Habenkonten mit einer weiteren Sollbuchung verknüpft werden apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Summe aller Aufgabe Gewichte sollten 1. Bitte stellen Sie Gewichte aller Projektaufgaben werden entsprechend -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Lieferschein {0} ist nicht gebucht +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Lieferschein {0} ist nicht gebucht apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Artikel {0} muss ein unterbeauftragter Artikel sein apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Betriebsvermögen apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Die Preisregel wird zunächst basierend auf dem Feld ""Anwenden auf"" ausgewählt. Dieses kann ein Artikel, eine Artikelgruppe oder eine Marke sein." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Bitte legen Sie zuerst den Itemcode fest +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Bitte legen Sie zuerst den Itemcode fest DocType: Hub Settings,Seller Website,Webseite des Verkäufers DocType: Item,ITEM-,ARTIKEL- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Insgesamt verteilte Prozentmenge für Vertriebsteam sollte 100 sein DocType: Appraisal Goal,Goal,Ziel DocType: Sales Invoice Item,Edit Description,Beschreibung bearbeiten ,Team Updates,Team-Updates -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Für Lieferant +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Für Lieferant DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Das Festlegen des Kontotyps hilft bei der Auswahl dieses Kontos bei Transaktionen. DocType: Purchase Invoice,Grand Total (Company Currency),Gesamtbetrag (Firmenwährung) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Erstellen Sie das Druckformat @@ -1348,12 +1348,12 @@ DocType: Item,Website Item Groups,Webseiten-Artikelgruppen DocType: Purchase Invoice,Total (Company Currency),Gesamtsumme (Firmenwährung) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Seriennummer {0} wurde mehrfach erfasst DocType: Depreciation Schedule,Journal Entry,Buchungssatz -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} Elemente in Bearbeitung +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} Elemente in Bearbeitung DocType: Workstation,Workstation Name,Name des Arbeitsplatzes DocType: Grading Scale Interval,Grade Code,Grade-Code DocType: POS Item Group,POS Item Group,POS Artikelgruppe apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Täglicher E-Mail-Bericht: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},Stückliste {0} gehört nicht zum Artikel {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},Stückliste {0} gehört nicht zum Artikel {1} DocType: Sales Partner,Target Distribution,Aufteilung der Zielvorgaben 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 @@ -1410,7 +1410,7 @@ DocType: Quotation,Shopping Cart,Warenkorb apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Durchschnittlicher täglicher Abgang DocType: POS Profile,Campaign,Kampagne DocType: Supplier,Name and Type,Name und Typ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Genehmigungsstatus muss ""Genehmigt"" oder ""Abgelehnt"" sein" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Genehmigungsstatus muss ""Genehmigt"" oder ""Abgelehnt"" sein" DocType: Purchase Invoice,Contact Person,Kontaktperson apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Voraussichtliches Startdatum"" kann nicht nach dem ""Voraussichtlichen Enddatum"" liegen" DocType: Course Scheduling Tool,Course End Date,Kurs Enddatum @@ -1422,8 +1422,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Bevorzugte E-Mail apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Nettoveränderung des Anlagevermögens DocType: Leave Control Panel,Leave blank if considered for all designations,"Freilassen, wenn für alle Einstufungen gültig" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Kosten für den Typ ""real"" in Zeile {0} können nicht in den Artikelpreis mit eingeschlossen werden" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Kosten für den Typ ""real"" in Zeile {0} können nicht in den Artikelpreis mit eingeschlossen werden" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Von Datum und Uhrzeit DocType: Email Digest,For Company,Für Firma apps/erpnext/erpnext/config/support.py +17,Communication log.,Kommunikationsprotokoll @@ -1464,7 +1464,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Stellenbeschre DocType: Journal Entry Account,Account Balance,Kontostand apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Steuerregel für Transaktionen DocType: Rename Tool,Type of document to rename.,"Dokumententyp, der umbenannt werden soll." -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Wir kaufen diesen Artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Wir kaufen diesen Artikel apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Der Kunde muss gegen Receivable Konto {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Gesamte Steuern und Gebühren (Firmenwährung) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Gewinn- und Verlustrechnung für nicht geschlossenes Finanzjahr zeigen. @@ -1475,7 +1475,7 @@ DocType: Quality Inspection,Readings,Ablesungen DocType: Stock Entry,Total Additional Costs,Gesamte Zusatzkosten DocType: Course Schedule,SH,Sch DocType: BOM,Scrap Material Cost(Company Currency),Schrottmaterialkosten (Gesellschaft Währung) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Unterbaugruppen +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Unterbaugruppen DocType: Asset,Asset Name,Asset-Name DocType: Project,Task Weight,Vorgangsgewichtung DocType: Shipping Rule Condition,To Value,Bis-Wert @@ -1504,7 +1504,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Artikelvarianten DocType: Company,Services,Dienstleistungen DocType: HR Settings,Email Salary Slip to Employee,E-Mail-Gehaltsabrechnung an Mitarbeiter DocType: Cost Center,Parent Cost Center,Übergeordnete Kostenstelle -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Wählen Mögliche Lieferant +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Wählen Mögliche Lieferant DocType: Sales Invoice,Source,Quelle apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Zeige geschlossen DocType: Leave Type,Is Leave Without Pay,Ist unbezahlter Urlaub @@ -1516,7 +1516,7 @@ DocType: POS Profile,Apply Discount,Rabatt anwenden DocType: GST HSN Code,GST HSN Code,GST HSN Code DocType: Employee External Work History,Total Experience,Gesamterfahrung apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Offene Projekte -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Packzettel storniert +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Packzettel storniert apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Cashflow aus Investitionen DocType: Program Course,Program Course,Programm Kurs apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Fracht- und Versandkosten @@ -1557,9 +1557,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Programm Einschreibungen DocType: Sales Invoice Item,Brand Name,Bezeichnung der Marke DocType: Purchase Receipt,Transporter Details,Informationen zum Transporteur -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Standard Lager wird für das ausgewählte Element erforderlich -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Kiste -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Mögliche Lieferant +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Standard Lager wird für das ausgewählte Element erforderlich +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Kiste +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Mögliche Lieferant DocType: Budget,Monthly Distribution,Monatsbezogene Verteilung apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Empfängerliste ist leer. Bitte eine Empfängerliste erstellen DocType: Production Plan Sales Order,Production Plan Sales Order,Produktionsplan für Kundenauftrag @@ -1591,7 +1591,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Ansprüche au apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Die Schüler im Herzen des Systems sind, fügen Sie alle Ihre Schüler" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Räumungsdatum {1} kann nicht vor dem Scheck Datum sein {2} DocType: Company,Default Holiday List,Standard-Urlaubsliste -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},"Row {0}: Von Zeit und Zeit, um von {1} überlappt mit {2}" +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},"Row {0}: Von Zeit und Zeit, um von {1} überlappt mit {2}" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Lager-Verbindlichkeiten DocType: Purchase Invoice,Supplier Warehouse,Lieferantenlager DocType: Opportunity,Contact Mobile No,Kontakt-Mobiltelefonnummer @@ -1607,18 +1607,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Abwesenheit vom Typ {0} kann nicht länger sein als {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Arbeitsgänge für X Tage im Voraus planen. DocType: HR Settings,Stop Birthday Reminders,Geburtstagserinnerungen ausschalten -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Bitte setzen Sie Standard-Abrechnungskreditorenkonto in Gesellschaft {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Bitte setzen Sie Standard-Abrechnungskreditorenkonto in Gesellschaft {0} DocType: SMS Center,Receiver List,Empfängerliste -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Suche Artikel +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Suche Artikel apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Verbrauchte Menge apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Nettoveränderung der Barmittel DocType: Assessment Plan,Grading Scale,Bewertungsskala apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Maßeinheit {0} wurde mehr als einmal in die Umrechnungsfaktor-Tabelle eingetragen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Schon erledigt +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Schon erledigt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock In Hand apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Zahlungsanordnung bereits vorhanden ist {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Aufwendungen für in Umlauf gebrachte Artikel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Menge darf nicht mehr als {0} sein +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Menge darf nicht mehr als {0} sein apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Zurück Geschäftsjahr nicht geschlossen apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Alter (Tage) DocType: Quotation Item,Quotation Item,Angebotsposition @@ -1632,6 +1632,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Referenzdokument apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} wird abgebrochen oder beendet DocType: Accounts Settings,Credit Controller,Kredit-Controller +DocType: Sales Order,Final Delivery Date,Endgültiger Liefertermin DocType: Delivery Note,Vehicle Dispatch Date,Datum des Versands mit dem Fahrzeug DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Kaufbeleg {0} wurde nicht übertragen @@ -1720,9 +1721,9 @@ DocType: Employee,Date Of Retirement,Zeitpunkt der Pensionierung DocType: Upload Attendance,Get Template,Vorlage aufrufen DocType: Material Request,Transferred,Übergeben DocType: Vehicle,Doors,Türen -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup abgeschlossen! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup abgeschlossen! DocType: Course Assessment Criteria,Weightage,Gewichtung -DocType: Sales Invoice,Tax Breakup,Steuererhebung +DocType: Purchase Invoice,Tax Breakup,Steuererhebung DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kostenstelle ist erforderlich für die "Gewinn- und Verlust 'Konto {2}. Bitte stellen Sie eine Standard-Kostenstelle für das Unternehmen. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Eine Kundengruppe mit dem gleichen Namen existiert bereits. Bitte den Kundennamen ändern oder die Kundengruppe umbenennen @@ -1735,14 +1736,14 @@ DocType: Announcement,Instructor,Lehrer DocType: Employee,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Wenn dieser Artikel Varianten hat, dann kann er bei den Kundenaufträgen, etc. nicht ausgewählt werden" DocType: Lead,Next Contact By,Nächster Kontakt durch -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Für Artikel {0} in Zeile {1} benötigte Menge +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Für Artikel {0} in Zeile {1} benötigte Menge apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Lager {0} kann nicht gelöscht werden, da noch ein Bestand für Artikel {1} existiert" DocType: Quotation,Order Type,Bestellart DocType: Purchase Invoice,Notification Email Address,Benachrichtigungs-E-Mail-Adresse ,Item-wise Sales Register,Artikelbezogene Übersicht der Verkäufe DocType: Asset,Gross Purchase Amount,Bruttokaufbetrag DocType: Asset,Depreciation Method,Abschreibungsmethode -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ist diese Steuer im Basispreis enthalten? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Summe Vorgabe DocType: Job Applicant,Applicant for a Job,Bewerber für einen Job @@ -1763,7 +1764,7 @@ DocType: Employee,Leave Encashed?,Urlaub eingelöst? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"Feld ""Chance von"" ist zwingend erforderlich" DocType: Email Digest,Annual Expenses,Jährliche Kosten DocType: Item,Variants,Varianten -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Lieferantenauftrag erstellen +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Lieferantenauftrag erstellen DocType: SMS Center,Send To,Senden an apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Es gibt nicht genügend verfügbaren Urlaub für Urlaubstyp {0} DocType: Payment Reconciliation Payment,Allocated amount,Zugewiesene Menge @@ -1771,7 +1772,7 @@ DocType: Sales Team,Contribution to Net Total,Beitrag zum Gesamtnetto DocType: Sales Invoice Item,Customer's Item Code,Kunden-Artikel-Nr. DocType: Stock Reconciliation,Stock Reconciliation,Bestandsabgleich DocType: Territory,Territory Name,Name der Region -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Fertigungslager wird vor dem Übertragen benötigt +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Fertigungslager wird vor dem Übertragen benötigt apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Bewerber für einen Job DocType: Purchase Order Item,Warehouse and Reference,Lager und Referenz DocType: Supplier,Statutory info and other general information about your Supplier,Rechtlich notwendige und andere allgemeine Informationen über Ihren Lieferanten @@ -1782,16 +1783,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Beurteilungen apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Doppelte Seriennummer für Posten {0} eingegeben DocType: Shipping Rule Condition,A condition for a Shipping Rule,Bedingung für eine Versandregel apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Bitte eingeben -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kann nicht für Artikel overbill {0} in Zeile {1} mehr als {2}. Damit über Abrechnung, setzen Sie sich bitte Einstellungen in Kauf" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Bitte setzen Sie Filter basierend auf Artikel oder Lager +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kann nicht für Artikel overbill {0} in Zeile {1} mehr als {2}. Damit über Abrechnung, setzen Sie sich bitte Einstellungen in Kauf" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Bitte setzen Sie Filter basierend auf Artikel oder Lager DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Das Nettogewicht dieses Pakets. (Automatisch als Summe der einzelnen Nettogewichte berechnet) DocType: Sales Order,To Deliver and Bill,Auszuliefern und Abzurechnen DocType: Student Group,Instructors,Instructors DocType: GL Entry,Credit Amount in Account Currency,(Gut)Haben-Betrag in Kontowährung -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,Stückliste {0} muss übertragen werden +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,Stückliste {0} muss übertragen werden DocType: Authorization Control,Authorization Control,Berechtigungskontrolle apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Abgelehnt Warehouse ist obligatorisch gegen zurückgewiesen Artikel {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Bezahlung +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Bezahlung apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} ist nicht mit einem Konto verknüpft, bitte erwähnen Sie das Konto im Lagerbestand oder legen Sie das Inventarkonto in der Firma {1} fest." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Verwalten Sie Ihre Aufträge DocType: Production Order Operation,Actual Time and Cost,Tatsächliche Laufzeit und Kosten @@ -1807,12 +1808,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Artikel DocType: Quotation Item,Actual Qty,Tatsächliche Anzahl DocType: Sales Invoice Item,References,Referenzen DocType: Quality Inspection Reading,Reading 10,Ablesewert 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Produkte oder Dienstleistungen auflisten, die gekauft oder verkauft werden. Sicher stellen, dass beim Start die Artikelgruppe, die Standardeinheit und andere Einstellungen überprüft werden." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Produkte oder Dienstleistungen auflisten, die gekauft oder verkauft werden. Sicher stellen, dass beim Start die Artikelgruppe, die Standardeinheit und andere Einstellungen überprüft werden." DocType: Hub Settings,Hub Node,Hub-Knoten apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Sie haben ein Duplikat eines Artikels eingetragen. Bitte korrigieren und erneut versuchen. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Mitarbeiter/-in +DocType: Company,Sales Target,Umsatzziel DocType: Asset Movement,Asset Movement,Asset-Bewegung -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,neue Produkte Warenkorb +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,neue Produkte Warenkorb apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Artikel {0} ist kein Fortsetzungsartikel DocType: SMS Center,Create Receiver List,Empfängerliste erstellen DocType: Vehicle,Wheels,Räder @@ -1853,13 +1855,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Projekte verwalten DocType: Supplier,Supplier of Goods or Services.,Lieferant von Waren oder Dienstleistungen. DocType: Budget,Fiscal Year,Geschäftsjahr DocType: Vehicle Log,Fuel Price,Kraftstoff-Preis +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Bitte richten Sie die Nummerierungsserie für die Teilnahme über die Einrichtung> Nummerierung ein DocType: Budget,Budget,Budget apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Posten des Anlagevermögens muss ein Nichtlagerposition sein. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kann {0} nicht zugewiesen werden, da es kein Ertrags- oder Aufwandskonto ist" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Erreicht DocType: Student Admission,Application Form Route,Antragsformular Strecke apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Region / Kunde -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,z. B. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,z. B. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Lassen Typ {0} kann nicht zugeordnet werden, da sie ohne Bezahlung verlassen wird" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Zeile {0}: Zugeteilte Menge {1} muss kleiner als oder gleich dem ausstehenden Betrag in Rechnung {2} sein DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"""In Worten"" wird sichtbar, sobald Sie die Ausgangsrechnung speichern." @@ -1868,11 +1871,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Artikel {0} ist nicht für Seriennummern eingerichtet. Artikelstamm prüfen DocType: Maintenance Visit,Maintenance Time,Wartungszeit ,Amount to Deliver,Liefermenge -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Ein Produkt oder eine Dienstleistung +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Ein Produkt oder eine Dienstleistung apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Der Begriff Startdatum kann nicht früher als das Jahr Anfang des Akademischen Jahres an dem der Begriff verknüpft ist (Akademisches Jahr {}). Bitte korrigieren Sie die Daten und versuchen Sie es erneut. DocType: Guardian,Guardian Interests,Wächter Interessen DocType: Naming Series,Current Value,Aktueller Wert -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Mehrere Geschäftsjahre existieren für das Datum {0}. Bitte setzen Unternehmen im Geschäftsjahr +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Mehrere Geschäftsjahre existieren für das Datum {0}. Bitte setzen Unternehmen im Geschäftsjahr apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} erstellt DocType: Delivery Note Item,Against Sales Order,Zu Kundenauftrag ,Serial No Status,Seriennummern-Status @@ -1885,7 +1888,7 @@ DocType: Pricing Rule,Selling,Vertrieb apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Menge {0} {1} abgezogen gegen {2} DocType: Employee,Salary Information,Gehaltsinformationen DocType: Sales Person,Name and Employee ID,Name und Mitarbeiter-ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Fälligkeitsdatum kann nicht vor dem Buchungsdatum liegen +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Fälligkeitsdatum kann nicht vor dem Buchungsdatum liegen DocType: Website Item Group,Website Item Group,Webseiten-Artikelgruppe apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Zölle und Steuern apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Bitte den Stichtag eingeben @@ -1940,9 +1943,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Bitte setzen Sie das Datum des Beitritts für Mitarbeiter {0} DocType: Task,Total Billing Amount (via Time Sheet),Gesamtrechnungsbetrag (über Arbeitszeitblatt) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Umsatz Bestandskunden -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) muss die Rolle ""Ausgabengenehmiger"" haben" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Paar -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Wählen Sie Stückliste und Menge für Produktion +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) muss die Rolle ""Ausgabengenehmiger"" haben" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Paar +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Wählen Sie Stückliste und Menge für Produktion DocType: Asset,Depreciation Schedule,Abschreibungsplan apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Vertriebspartner Adressen und Kontakte DocType: Bank Reconciliation Detail,Against Account,Gegenkonto @@ -1952,7 +1955,7 @@ DocType: Item,Has Batch No,Hat Chargennummer apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Jährliche Abrechnung: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Waren- und Dienstleistungssteuer (GST Indien) DocType: Delivery Note,Excise Page Number,Seitenzahl entfernen -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, ab Datum und bis Datum ist obligatorisch" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Company, ab Datum und bis Datum ist obligatorisch" DocType: Asset,Purchase Date,Kaufdatum DocType: Employee,Personal Details,Persönliche Daten apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Bitte setzen 'Asset-Abschreibungen Kostenstelle' in Gesellschaft {0} @@ -1961,9 +1964,9 @@ DocType: Task,Actual End Date (via Time Sheet),Das tatsächliche Enddatum (durch apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Menge {0} {1} gegen {2} {3} ,Quotation Trends,Trendanalyse Angebote apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Artikelgruppe ist im Artikelstamm für Artikel {0} nicht erwähnt -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Sollkonto muss ein Forderungskonto sein +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Sollkonto muss ein Forderungskonto sein DocType: Shipping Rule Condition,Shipping Amount,Versandbetrag -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Kunden hinzufügen +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Kunden hinzufügen apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Ausstehender Betrag DocType: Purchase Invoice Item,Conversion Factor,Umrechnungsfaktor DocType: Purchase Order,Delivered,Geliefert @@ -1985,7 +1988,6 @@ DocType: Production Order,Use Multi-Level BOM,Mehrstufige Stückliste verwenden DocType: Bank Reconciliation,Include Reconciled Entries,Abgeglichene Buchungen einbeziehen DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Parent Course (Leer lassen, wenn dies nicht Teil des Elternkurses ist)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Freilassen, wenn für alle Mitarbeitertypen gültig" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundengruppe> Territorium DocType: Landed Cost Voucher,Distribute Charges Based On,Kosten auf folgender Grundlage verteilen apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Zeiterfassungen DocType: HR Settings,HR Settings,Einstellungen zum Modul Personalwesen @@ -1993,7 +1995,7 @@ DocType: Salary Slip,net pay info,Netto-Zahlung Info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Aufwandsabrechnung wartet auf Bewilligung. Nur der Ausgabenbewilliger kann den Status aktualisieren. DocType: Email Digest,New Expenses,Neue Ausgaben DocType: Purchase Invoice,Additional Discount Amount,Zusätzlicher Rabatt -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Menge muss 1 sein, als Element eine Anlage ist. Bitte verwenden Sie separate Zeile für mehrere Menge." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Menge muss 1 sein, als Element eine Anlage ist. Bitte verwenden Sie separate Zeile für mehrere Menge." DocType: Leave Block List Allow,Leave Block List Allow,Urlaubssperrenliste zulassen apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,"""Abbr"" kann nicht leer oder Space sein" apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Gruppe an konzernfremde @@ -2001,7 +2003,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport DocType: Loan Type,Loan Name,Loan-Name apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Summe Tatsächlich DocType: Student Siblings,Student Siblings,Studenten Geschwister -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Einheit +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Einheit apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Bitte Firma angeben ,Customer Acquisition and Loyalty,Kundengewinnung und -bindung DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Lager, in dem zurückerhaltene Artikel aufbewahrt werden (Sperrlager)" @@ -2019,12 +2021,12 @@ DocType: Workstation,Wages per hour,Lohn pro Stunde apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagerbestand in Charge {0} wird für Artikel {2} im Lager {3} negativ {1} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Folgende Materialanfragen wurden automatisch auf der Grundlage der Nachbestellmenge des Artikels generiert DocType: Email Digest,Pending Sales Orders,Bis Kundenaufträge -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} ist ungültig. Kontenwährung muss {1} sein +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Konto {0} ist ungültig. Kontenwährung muss {1} sein apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Maßeinheit-Umrechnungsfaktor ist erforderlich in der Zeile {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Kundenauftrag, Verkaufsrechnung oder einen Journaleintrag sein" DocType: Salary Component,Deduction,Abzug -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Von Zeit und zu Zeit ist obligatorisch. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Row {0}: Von Zeit und zu Zeit ist obligatorisch. DocType: Stock Reconciliation Item,Amount Difference,Mengendifferenz apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Artikel Preis hinzugefügt für {0} in Preisliste {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Bitte die Mitarbeiter-ID dieses Vertriebsmitarbeiters angeben @@ -2034,11 +2036,11 @@ DocType: Project,Gross Margin,Handelsspanne apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Bitte zuerst Herstellungsartikel eingeben apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Berechneten Kontoauszug Bilanz apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,deaktivierter Benutzer -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Angebot +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Angebot DocType: Quotation,QTN-,ANG- DocType: Salary Slip,Total Deduction,Gesamtabzug ,Production Analytics,Die Produktion Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kosten aktualisiert +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Kosten aktualisiert DocType: Employee,Date of Birth,Geburtsdatum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Artikel {0} wurde bereits zurück gegeben DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,"""Geschäftsjahr"" steht für ein Finazgeschäftsjahr. Alle Buchungen und anderen größeren Transaktionen werden mit dem ""Geschäftsjahr"" verglichen." @@ -2083,18 +2085,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Firma auswählen... DocType: Leave Control Panel,Leave blank if considered for all departments,"Freilassen, wenn für alle Abteilungen gültig" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Art der Beschäftigung (Unbefristeter Vertrag, befristeter Vertrag, Praktikum etc.)" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} Artikel ist zwingend erfoderlich für {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} Artikel ist zwingend erfoderlich für {1} DocType: Process Payroll,Fortnightly,vierzehntägig DocType: Currency Exchange,From Currency,Von Währung apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Kosten neuer Kauf -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Kundenauftrag für den Artikel {0} erforderlich +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Kundenauftrag für den Artikel {0} erforderlich DocType: Purchase Invoice Item,Rate (Company Currency),Preis (Firmenwährung) DocType: Student Guardian,Others,Andere DocType: Payment Entry,Unallocated Amount,Nicht zugewiesene Betrag apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Ein passender Artikel kann nicht gefunden werden. Bitte einen anderen Wert für {0} auswählen. DocType: POS Profile,Taxes and Charges,Steuern und Gebühren DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt oder Dienstleistung, die gekauft, verkauft oder auf Lager gehalten wird." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Artikelgruppe> Marke apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Keine Updates mehr apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Die Berechnungsart kann für die erste Zeile nicht auf ""bezogen auf Menge der vorhergenden Zeile"" oder auf ""bezogen auf Gesamtmenge der vorhergenden Zeile"" gesetzt werden" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Unterartikel sollte nicht ein Produkt-Bundle sein. Bitte Artikel `{0}` entfernen und speichern. @@ -2120,7 +2123,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Gesamtrechnungsbetrag apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Es muss ein Standardkonto für eingehende E-Mails aktiviert sein, damit dies funktioniert. Bitte erstellen Sie ein Standardkonto für eingehende E-Mails (POP/IMAP) und versuchen Sie es erneut." apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Forderungskonto -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Vermögens {1} ist bereits {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Vermögens {1} ist bereits {2} DocType: Quotation Item,Stock Balance,Lagerbestand apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Vom Kundenauftrag zum Zahlungseinang apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2145,10 +2148,11 @@ DocType: C-Form,Received Date,Empfangsdatum DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Wenn eine Standardvorlage unter den Vorlagen ""Steuern und Abgaben beim Verkauf"" erstellt wurde, bitte eine Vorlage auswählen und auf die Schaltfläche unten klicken." DocType: BOM Scrap Item,Basic Amount (Company Currency),Grundbetrag (Gesellschaft Währung) DocType: Student,Guardians,Wächter +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Lieferant> Lieferanten Typ DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Die Preise werden nicht angezeigt, wenn Preisliste nicht gesetzt" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Bitte ein Land für diese Versandregel angeben oder ""Weltweiter Versand"" aktivieren" DocType: Stock Entry,Total Incoming Value,Summe der Einnahmen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debit Um erforderlich +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debit Um erforderlich apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Zeiterfassungen helfen den Überblick über Zeit, Kosten und Abrechnung für Aktivitäten von Ihrem Team getan" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Einkaufspreisliste DocType: Offer Letter Term,Offer Term,Angebotsfrist @@ -2167,11 +2171,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Produ DocType: Timesheet Detail,To Time,Bis-Zeit DocType: Authorization Rule,Approving Role (above authorized value),Genehmigende Rolle (über dem autorisierten Wert) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Habenkonto muss ein Verbindlichkeitenkonto sein -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Stücklisten-Rekursion: {0} kann nicht übergeordnetes Element oder Unterpunkt von {2} sein +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},Stücklisten-Rekursion: {0} kann nicht übergeordnetes Element oder Unterpunkt von {2} sein DocType: Production Order Operation,Completed Qty,Gefertigte Menge apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",Für {0} können nur Sollkonten mit einer weiteren Habenbuchung verknüpft werden apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Preisliste {0} ist deaktiviert -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Abgeschlossene Menge kann nicht mehr sein als {1} für den Betrieb {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Abgeschlossene Menge kann nicht mehr sein als {1} für den Betrieb {2} DocType: Manufacturing Settings,Allow Overtime,Überstunden zulassen apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serialized Item {0} kann nicht mit der Bestandsabstimmung aktualisiert werden. Bitte verwenden Sie den Stock Entry DocType: Training Event Employee,Training Event Employee,Schulungsveranstaltung Mitarbeiter @@ -2189,10 +2193,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Extern apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Benutzer und Berechtigungen DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Fertigungsaufträge Erstellt: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Fertigungsaufträge Erstellt: {0} DocType: Branch,Branch,Filiale DocType: Guardian,Mobile Number,Handynummer apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Druck und Branding +DocType: Company,Total Monthly Sales,Gesamtmonatsumsatz DocType: Bin,Actual Quantity,Tatsächlicher Bestand DocType: Shipping Rule,example: Next Day Shipping,Beispiel: Versand am nächsten Tag apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Seriennummer {0} wurde nicht gefunden @@ -2222,7 +2227,7 @@ DocType: Payment Request,Make Sales Invoice,Verkaufsrechnung erstellen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Software apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Nächste Kontakt Datum kann nicht in der Vergangenheit liegen DocType: Company,For Reference Only.,Nur zu Referenzzwecken. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Wählen Sie Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Wählen Sie Batch No apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ungültige(r/s) {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-Ret DocType: Sales Invoice Advance,Advance Amount,Anzahlungsbetrag @@ -2235,7 +2240,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Kein Artikel mit Barcode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Fall-Nr. kann nicht 0 sein DocType: Item,Show a slideshow at the top of the page,Diaschau oben auf der Seite anzeigen -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Lagerräume DocType: Serial No,Delivery Time,Zeitpunkt der Lieferung apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Alter basierend auf @@ -2249,16 +2254,16 @@ DocType: Rename Tool,Rename Tool,Werkzeug zum Umbenennen apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Kosten aktualisieren DocType: Item Reorder,Item Reorder,Artikelnachbestellung apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Anzeigen Gehaltsabrechnung -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Material übergeben +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Material übergeben DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",Arbeitsgänge und Betriebskosten angeben und eine eindeutige Arbeitsgang-Nr. für diesen Arbeitsgang angeben. apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dieses Dokument ist über dem Limit von {0} {1} für item {4}. Machen Sie eine andere {3} gegen die gleiche {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Bitte setzen Sie wiederkehrende nach dem Speichern -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Wählen Sie Änderungsbetrag Konto +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Bitte setzen Sie wiederkehrende nach dem Speichern +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Wählen Sie Änderungsbetrag Konto DocType: Purchase Invoice,Price List Currency,Preislistenwährung DocType: Naming Series,User must always select,Benutzer muss immer auswählen DocType: Stock Settings,Allow Negative Stock,Negativen Lagerbestand zulassen DocType: Installation Note,Installation Note,Installationshinweis -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Steuern hinzufügen +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Steuern hinzufügen DocType: Topic,Topic,Thema apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Cashflow aus Finanzierung DocType: Budget Account,Budget Account,Budget Konto @@ -2272,7 +2277,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Rück apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Mittelherkunft (Verbindlichkeiten) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Menge in Zeile {0} ({1}) muss die gleiche sein wie die hergestellte Menge {2} DocType: Appraisal,Employee,Mitarbeiter -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Wählen Sie Batch +DocType: Company,Sales Monthly History,Verkäufe Monatliche Geschichte +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Wählen Sie Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} wird voll in Rechnung gestellt DocType: Training Event,End Time,Endzeit apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktive Gehaltsstruktur {0} für Mitarbeiter gefunden {1} für die angegebenen Daten @@ -2280,15 +2286,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Zahlung Abzüge oder Verlust apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Allgemeine Vertragsbedingungen für den Verkauf und Einkauf apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Gruppieren nach Beleg apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Vertriebspipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Bitte setzen Sie Standardkonto in Gehaltskomponente {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Bitte setzen Sie Standardkonto in Gehaltskomponente {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Benötigt am DocType: Rename Tool,File to Rename,"Datei, die umbenannt werden soll" apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Bitte wählen Sie Stückliste für Artikel in Zeile {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} stimmt nicht mit der Firma {1} im Rechnungsmodus überein: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Angegebene Stückliste {0} gibt es nicht für Artikel {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Wartungsplan {0} muss vor Stornierung dieses Kundenauftrages aufgehoben werden +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Wartungsplan {0} muss vor Stornierung dieses Kundenauftrages aufgehoben werden DocType: Notification Control,Expense Claim Approved,Aufwandsabrechnung genehmigt -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Bitte richten Sie die Nummerierungsserie für die Teilnahme über die Einrichtung> Nummerierung ein apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Gehaltsabrechnung der Mitarbeiter {0} für diesen Zeitraum bereits erstellt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Arzneimittel apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Aufwendungen für bezogene Artikel @@ -2305,7 +2310,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Stücklisten-Nr. f DocType: Upload Attendance,Attendance To Date,Anwesenheit bis Datum DocType: Warranty Claim,Raised By,Gemeldet von DocType: Payment Gateway Account,Payment Account,Zahlungskonto -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Bitte Firma angeben um fortzufahren +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Bitte Firma angeben um fortzufahren apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Nettoveränderung der Forderungen apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Ausgleich für DocType: Offer Letter,Accepted,Genehmigt @@ -2314,12 +2319,12 @@ DocType: SG Creation Tool Course,Student Group Name,Schülergruppenname apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Bitte sicher stellen, dass wirklich alle Transaktionen für diese Firma gelöscht werden sollen. Die Stammdaten bleiben bestehen. Diese Aktion kann nicht rückgängig gemacht werden." DocType: Room,Room Number,Zimmernummer apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ungültige Referenz {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kann nicht größer sein als die geplante Menge ({2}) im Fertigungsauftrag {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kann nicht größer sein als die geplante Menge ({2}) im Fertigungsauftrag {3} DocType: Shipping Rule,Shipping Rule Label,Bezeichnung der Versandregel apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Rohmaterial kann nicht leer sein -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Lager konnte nicht aktualisiert werden, Rechnung enthält Direktversand-Artikel." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Schnellbuchung +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Rohmaterial kann nicht leer sein +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Lager konnte nicht aktualisiert werden, Rechnung enthält Direktversand-Artikel." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Schnellbuchung apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Sie können den Preis nicht ändern, wenn eine Stückliste für einen Artikel aufgeführt ist" DocType: Employee,Previous Work Experience,Vorherige Berufserfahrung DocType: Stock Entry,For Quantity,Für Menge @@ -2376,7 +2381,7 @@ DocType: SMS Log,No of Requested SMS,Anzahl angeforderter SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Lassen Sie ohne Bezahlung nicht mit genehmigten Urlaubsantrag Aufzeichnungen überein DocType: Campaign,Campaign-.####,Kampagne-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Nächste Schritte -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Bitte geben Sie die angegebenen Elemente zu den bestmöglichen Preisen +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Bitte geben Sie die angegebenen Elemente zu den bestmöglichen Preisen DocType: Selling Settings,Auto close Opportunity after 15 days,Auto schließen Gelegenheit nach 15 Tagen apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Ende Jahr apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2433,7 +2438,7 @@ DocType: Homepage,Homepage,Webseite DocType: Purchase Receipt Item,Recd Quantity,Erhaltene Menge apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Aufzeichnungen Erstellt - {0} DocType: Asset Category Account,Asset Category Account,Anlagekategorie Konto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},"Es können nicht mehr Artikel {0} produziert werden, als die über Kundenaufträge bestellte Stückzahl {1}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},"Es können nicht mehr Artikel {0} produziert werden, als die über Kundenaufträge bestellte Stückzahl {1}" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Lagerbuchung {0} wurde nicht übertragen DocType: Payment Reconciliation,Bank / Cash Account,Bank / Geldkonto apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Weiter Kontakt Durch nicht als Lead E-Mail-Adresse identisch sein @@ -2466,7 +2471,7 @@ DocType: Salary Structure,Total Earning,Gesamteinnahmen DocType: Purchase Receipt,Time at which materials were received,"Zeitpunkt, zu dem Materialien empfangen wurden" DocType: Stock Ledger Entry,Outgoing Rate,Verkaufspreis apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Stammdaten zu Unternehmensfilialen -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,oder +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,oder DocType: Sales Order,Billing Status,Abrechnungsstatus apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Einen Fall melden apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Versorgungsaufwendungen @@ -2474,7 +2479,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nicht Konto {2} oder bereits abgestimmt gegen einen anderen Gutschein DocType: Buying Settings,Default Buying Price List,Standard-Einkaufspreisliste DocType: Process Payroll,Salary Slip Based on Timesheet,Gehaltsabrechnung Basierend auf Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Kein Mitarbeiter für die oben ausgewählten Kriterien oder Gehaltsabrechnung bereits erstellt +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Kein Mitarbeiter für die oben ausgewählten Kriterien oder Gehaltsabrechnung bereits erstellt DocType: Notification Control,Sales Order Message,Benachrichtigung über Kundenauftrag apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Standardwerte wie Firma, Währung, aktuelles Geschäftsjahr usw. festlegen" DocType: Payment Entry,Payment Type,Zahlungsart @@ -2498,7 +2503,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Eingangsbeleg muss vorgelegt werden DocType: Purchase Invoice Item,Received Qty,Erhaltene Menge DocType: Stock Entry Detail,Serial No / Batch,Seriennummer / Charge -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Nicht bezahlt und nicht geliefert +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Nicht bezahlt und nicht geliefert DocType: Product Bundle,Parent Item,Übergeordneter Artikel DocType: Account,Account Type,Kontentyp DocType: Delivery Note,DN-RET-,DN-Ret @@ -2528,8 +2533,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Insgesamt geschätzter Betrag apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Setzen Sie das Inventurkonto für das Inventar DocType: Item Reorder,Material Request Type,Materialanfragetyp -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journaleintrag für die Gehälter von {0} {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","Localstorage voll ist, nicht speichern" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Journaleintrag für die Gehälter von {0} {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Localstorage voll ist, nicht speichern" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Zeile {0}: Umrechnungsfaktor für Maßeinheit ist zwingend erforderlich apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref. DocType: Budget,Cost Center,Kostenstelle @@ -2547,7 +2552,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Einko apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Wenn für ""Preis"" eine Preisregel ausgewählt wurde, wird die Preisliste überschrieben. Der Preis aus der Preisregel ist der endgültige Preis, es sollte also kein weiterer Rabatt gewährt werden. Daher wird er in Transaktionen wie Kundenauftrag, Lieferantenauftrag etc., vorrangig aus dem Feld ""Preis"" gezogen, und dann erst aus dem Feld ""Preisliste""." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Leads nach Branchentyp nachverfolgen DocType: Item Supplier,Item Supplier,Artikellieferant -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Bitte die Artikelnummer eingeben um die Chargennummer zu erhalten +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Bitte die Artikelnummer eingeben um die Chargennummer zu erhalten apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Bitte einen Wert für {0} Angebot an {1} auswählen apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle Adressen DocType: Company,Stock Settings,Lager-Einstellungen @@ -2574,7 +2579,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Tatsächliche Anzahl na apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Kein Gehaltszettel gefunden zwischen {0} und {1} ,Pending SO Items For Purchase Request,Ausstehende Artikel aus Kundenaufträgen für Lieferantenanfrage apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Student Admissions -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} ist deaktiviert +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} ist deaktiviert DocType: Supplier,Billing Currency,Abrechnungswährung DocType: Sales Invoice,SINV-RET-,SINV-Ret apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Besonders groß @@ -2604,7 +2609,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Bewerbungsstatus DocType: Fees,Fees,Gebühren DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Wechselkurs zum Umrechnen einer Währung in eine andere angeben -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Angebot {0} wird storniert +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Angebot {0} wird storniert apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Offener Gesamtbetrag DocType: Sales Partner,Targets,Ziele DocType: Price List,Price List Master,Preislisten-Vorlagen @@ -2621,7 +2626,7 @@ DocType: POS Profile,Ignore Pricing Rule,Preisregel ignorieren DocType: Employee Education,Graduate,Akademiker DocType: Leave Block List,Block Days,Tage sperren DocType: Journal Entry,Excise Entry,Eintrag/Buchung entfernen -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Warnung: Kundenauftrag {0} zu Kunden-Bestellung bereits vorhanden {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Warnung: Kundenauftrag {0} zu Kunden-Bestellung bereits vorhanden {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2659,7 +2664,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Wenn ,Salary Register,Gehalt Register DocType: Warehouse,Parent Warehouse,Eltern Lager DocType: C-Form Invoice Detail,Net Total,Nettosumme -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Standard-Stückliste nicht gefunden für Position {0} und Projekt {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Definieren Sie verschiedene Darlehensarten DocType: Bin,FCFS Rate,"""Wer-zuerst-kommt-mahlt-zuerst""-Anteil (Windhundverfahren)" DocType: Payment Reconciliation Invoice,Outstanding Amount,Ausstehender Betrag @@ -2696,7 +2701,7 @@ DocType: Salary Detail,Condition and Formula Help,Zustand und Formel-Hilfe apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Baumstruktur der Regionen verwalten DocType: Journal Entry Account,Sales Invoice,Ausgangsrechnung DocType: Journal Entry Account,Party Balance,Gruppen-Saldo -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Bitte ""Rabatt anwenden auf"" auswählen" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Bitte ""Rabatt anwenden auf"" auswählen" DocType: Company,Default Receivable Account,Standard-Forderungskonto DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,"Bankbuchung für die Gesamtvergütung, die gemäß der oben ausgewählten Kriterien bezahlt wurde, erstellen" DocType: Stock Entry,Material Transfer for Manufacture,Materialübertrag für Herstellung @@ -2710,7 +2715,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Kundenadresse DocType: Employee Loan,Loan Details,Loan-Details DocType: Company,Default Inventory Account,Default Inventory Account -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Abgeschlossen Menge muss größer als Null sein. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Row {0}: Abgeschlossen Menge muss größer als Null sein. DocType: Purchase Invoice,Apply Additional Discount On,Zusätzlichen Rabatt gewähren auf DocType: Account,Root Type,Root-Typ DocType: Item,FIFO,FIFO @@ -2727,7 +2732,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Qualitätsprüfung apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Besonders klein DocType: Company,Standard Template,Standard Template DocType: Training Event,Theory,Theorie -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Achtung : Materialanfragemenge ist geringer als die Mindestbestellmenge +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Achtung : Materialanfragemenge ist geringer als die Mindestbestellmenge apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Konto {0} ist gesperrt DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juristische Person/Niederlassung mit einem separaten Kontenplan, die zum Unternehmen gehört." DocType: Payment Request,Mute Email,Mute Email @@ -2751,7 +2756,7 @@ DocType: Training Event,Scheduled,Geplant apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Angebotsanfrage. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Bitte einen Artikel auswählen, bei dem ""Ist Lagerartikel"" mit ""Nein"" und ""Ist Verkaufsartikel"" mit ""Ja"" bezeichnet ist, und es kein anderes Produkt-Bundle gibt" DocType: Student Log,Academic,akademisch -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Insgesamt Voraus ({0}) gegen Bestellen {1} kann nicht größer sein als die Gesamtsumme ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Insgesamt Voraus ({0}) gegen Bestellen {1} kann nicht größer sein als die Gesamtsumme ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,"Bitte ""Monatsweise Verteilung"" wählen, um Ziele ungleichmäßig über Monate zu verteilen." DocType: Purchase Invoice Item,Valuation Rate,Wertansatz DocType: Stock Reconciliation,SR/,SR / @@ -2815,6 +2820,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Menge DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Namen der Kampagne eingeben, wenn der Ursprung der Anfrage eine Kampagne ist" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Zeitungsverleger apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Geschäftsjahr auswählen +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Voraussichtlicher Liefertermin sollte nach Kundenauftragsdatum erfolgen apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Meldebestand DocType: Company,Chart Of Accounts Template,Kontenvorlage DocType: Attendance,Attendance Date,Anwesenheitsdatum @@ -2846,7 +2852,7 @@ DocType: Pricing Rule,Discount Percentage,Rabatt in Prozent DocType: Payment Reconciliation Invoice,Invoice Number,Rechnungsnummer DocType: Shopping Cart Settings,Orders,Bestellungen DocType: Employee Leave Approver,Leave Approver,Urlaubsgenehmiger -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Bitte wählen Sie eine Charge +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Bitte wählen Sie eine Charge DocType: Assessment Group,Assessment Group Name,Beurteilung Gruppenname DocType: Manufacturing Settings,Material Transferred for Manufacture,Material zur Herstellung übertragen DocType: Expense Claim,"A user with ""Expense Approver"" role","Ein Benutzer mit der Rolle ""Ausgabengenehmiger""" @@ -2882,7 +2888,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Letzter Tag des nächsten Monats DocType: Support Settings,Auto close Issue after 7 days,Auto schließen Ausgabe nach 7 Tagen apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Da der Resturlaub bereits in den zukünftigen Datensatz für Urlaube {1} übertragen wurde, kann der Urlaub nicht vor {0} zugeteilt werden." -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Hinweis: Stichtag übersteigt das vereinbarte Zahlungsziel um {0} Tag(e) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Hinweis: Stichtag übersteigt das vereinbarte Zahlungsziel um {0} Tag(e) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Studienbewerber DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL FÜR RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Abschreibungskonto @@ -2893,7 +2899,7 @@ DocType: Item,Reorder level based on Warehouse,Meldebestand auf Basis des Lagers DocType: Activity Cost,Billing Rate,Abrechnungsbetrag ,Qty to Deliver,Zu liefernde Menge ,Stock Analytics,Bestandsanalyse -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Der Betrieb kann nicht leer sein +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Der Betrieb kann nicht leer sein DocType: Maintenance Visit Purpose,Against Document Detail No,Zu Dokumentendetail Nr. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party-Typ ist Pflicht DocType: Quality Inspection,Outgoing,Ausgang @@ -2934,15 +2940,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Verfügbarer Lagerbestand apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Rechnungsbetrag DocType: Asset,Double Declining Balance,Doppelte degressive -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Geschlossen Auftrag nicht abgebrochen werden kann. Unclose abzubrechen. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Geschlossen Auftrag nicht abgebrochen werden kann. Unclose abzubrechen. DocType: Student Guardian,Father,Vater -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Bestand' kann nicht für einen festen Asset-Verkauf überprüft werden +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Update Bestand' kann nicht für einen festen Asset-Verkauf überprüft werden DocType: Bank Reconciliation,Bank Reconciliation,Kontenabgleich DocType: Attendance,On Leave,Auf Urlaub apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Updates abholen apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} gehört nicht zur Firma {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materialanfrage {0} wird storniert oder gestoppt -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Ein paar Beispieldatensätze hinzufügen +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Ein paar Beispieldatensätze hinzufügen apps/erpnext/erpnext/config/hr.py +301,Leave Management,Urlaube verwalten apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Gruppieren nach Konto DocType: Sales Order,Fully Delivered,Komplett geliefert @@ -2951,12 +2957,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differenzkonto muss ein Vermögens-/Verbindlichkeiten-Konto sein, da dieser Lagerabgleich eine Eröffnungsbuchung ist" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Zahlter Betrag kann nicht größer sein als Darlehensbetrag {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Lieferantenauftragsnummer ist für den Artikel {0} erforderlich -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Fertigungsauftrag nicht erstellt +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Fertigungsauftrag nicht erstellt apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Von-Datum"" muss nach ""Bis-Datum"" liegen" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Kann nicht den Status als Student ändern {0} ist mit Studenten Anwendung verknüpft {1} DocType: Asset,Fully Depreciated,vollständig abgeschriebene ,Stock Projected Qty,Projizierter Lagerbestand -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Customer {0} gehört nicht zum Projekt {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Customer {0} gehört nicht zum Projekt {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Marked Teilnahme HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",Angebote sind Offerten an einen Kunden zur Lieferung von Materialien bzw. zur Erbringung von Leistungen. DocType: Sales Order,Customer's Purchase Order,Kundenauftrag @@ -2966,7 +2972,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Bitte setzen Sie Anzahl der Abschreibungen gebucht apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Wert oder Menge apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Bestellungen können nicht angehoben werden: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minute +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minute DocType: Purchase Invoice,Purchase Taxes and Charges,Einkaufsteuern und -abgaben ,Qty to Receive,Anzunehmende Menge DocType: Leave Block List,Leave Block List Allowed,Urlaubssperrenliste zugelassen @@ -2979,7 +2985,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Alle Lieferantentypen DocType: Global Defaults,Disable In Words,"""Betrag in Worten"" abschalten" apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Artikelnummer ist zwingend erforderlich, da der Artikel nicht automatisch nummeriert wird" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Angebot {0} nicht vom Typ {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Angebot {0} nicht vom Typ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Wartungsplanposten DocType: Sales Order,% Delivered,% geliefert DocType: Production Order,PRO-,PROFI- @@ -3002,7 +3008,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,E-Mail-Adresse des Verkäufers DocType: Project,Total Purchase Cost (via Purchase Invoice),Summe Einkaufskosten (über Einkaufsrechnung) DocType: Training Event,Start Time,Startzeit -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Menge wählen +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Menge wählen DocType: Customs Tariff Number,Customs Tariff Number,Zolltarifnummer apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Genehmigende Rolle kann nicht dieselbe Rolle sein wie diejenige, auf die die Regel anzuwenden ist" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Abmelden von diesem E-Mail-Bericht @@ -3026,7 +3032,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR-Detail DocType: Sales Order,Fully Billed,Voll berechnet apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Barmittel -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Auslieferungslager für Lagerartikel {0} erforderlich +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Auslieferungslager für Lagerartikel {0} erforderlich DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Das Bruttogewicht des Pakets. Normalerweise Nettogewicht + Verpackungsgweicht. (Für den Ausdruck) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Programm DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Benutzer mit dieser Rolle sind berechtigt Konten zu sperren und Buchungen zu gesperrten Konten zu erstellen/verändern @@ -3035,7 +3041,7 @@ DocType: Student Group,Group Based On,Gruppe basiert auf DocType: Journal Entry,Bill Date,Rechnungsdatum apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Service-Item, Art, Häufigkeit und Kosten Betrag erforderlich" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Wenn es mehrere Preisregeln mit der höchsten Priorität gibt, werden folgende interne Prioritäten angewandt:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Haben Sie von allen Gehaltsabrechnung wollen Senden wirklich {0} {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Haben Sie von allen Gehaltsabrechnung wollen Senden wirklich {0} {1} DocType: Cheque Print Template,Cheque Height,Scheck Höhe DocType: Supplier,Supplier Details,Lieferantendetails DocType: Expense Claim,Approval Status,Genehmigungsstatus @@ -3057,7 +3063,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Vom Lead zum Angebot apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nichts mehr zu zeigen. DocType: Lead,From Customer,Von Kunden apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Anrufe -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Chargen +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Chargen DocType: Project,Total Costing Amount (via Time Logs),Gesamtkostenbetrag (über Zeitprotokolle) DocType: Purchase Order Item Supplied,Stock UOM,Lagermaßeinheit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Lieferantenauftrag {0} wurde nicht übertragen @@ -3088,7 +3094,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Zurück zur Einkaufsre DocType: Item,Warranty Period (in days),Garantiefrist (in Tagen) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Beziehung mit Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Nettocashflow aus laufender Geschäftstätigkeit -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,z. B. Mehrwertsteuer +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,z. B. Mehrwertsteuer apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Position 4 DocType: Student Admission,Admission End Date,Der Eintritt End Date apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Zulieferung @@ -3096,7 +3102,7 @@ DocType: Journal Entry Account,Journal Entry Account,Journalbuchungskonto apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group DocType: Shopping Cart Settings,Quotation Series,Nummernkreis für Angebote apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",Ein Artikel mit dem gleichen Namen existiert bereits ({0}). Bitte den Namen der Artikelgruppe ändern oder den Artikel umbenennen -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Bitte wählen Sie Kunde +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Bitte wählen Sie Kunde DocType: C-Form,I,ich DocType: Company,Asset Depreciation Cost Center,Asset-Abschreibungen Kostenstellen DocType: Sales Order Item,Sales Order Date,Kundenauftrags-Datum @@ -3107,6 +3113,7 @@ DocType: Stock Settings,Limit Percent,Limit-Prozent ,Payment Period Based On Invoice Date,Zahlungszeitraum basierend auf Rechnungsdatum apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Fehlende Wechselkurse für {0} DocType: Assessment Plan,Examiner,Prüfer +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Bitte nennen Sie die Naming Series für {0} über Setup> Einstellungen> Naming Series DocType: Student,Siblings,Geschwister DocType: Journal Entry,Stock Entry,Lagerbuchung DocType: Payment Entry,Payment References,Bezahlung Referenzen @@ -3131,7 +3138,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Ort, an dem Arbeitsgänge der Fertigung ablaufen." DocType: Asset Movement,Source Warehouse,Ausgangslager DocType: Installation Note,Installation Date,Datum der Installation -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Vermögens {1} gehört nicht zur Gesellschaft {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Vermögens {1} gehört nicht zur Gesellschaft {2} DocType: Employee,Confirmation Date,Datum bestätigen DocType: C-Form,Total Invoiced Amount,Gesamtrechnungsbetrag apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Mindestmenge kann nicht größer als Maximalmenge sein @@ -3204,7 +3211,7 @@ DocType: Company,Default Letter Head,Standardbriefkopf DocType: Purchase Order,Get Items from Open Material Requests,Holen Sie Angebote von Material öffnen Anfragen DocType: Item,Standard Selling Rate,Standard-Selling Rate DocType: Account,Rate at which this tax is applied,"Kurs, zu dem dieser Steuersatz angewandt wird" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Nachbestellmenge +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Nachbestellmenge apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Aktuelle Stellenangebote DocType: Company,Stock Adjustment Account,Bestandskorrektur-Konto apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Abschreiben @@ -3218,7 +3225,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Lieferant liefert an Kunden apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) ist ausverkauft apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Nächster Termin muss größer sein als Datum der Veröffentlichung -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Fälligkeits-/Stichdatum kann nicht nach {0} liegen +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Fälligkeits-/Stichdatum kann nicht nach {0} liegen apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Daten-Import und -Export apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Keine Studenten gefunden apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Rechnungsbuchungsdatum @@ -3238,12 +3245,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dies basiert auf der Anwesenheit dieses Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Keine Studenten in apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Weitere Elemente hinzufügen oder vollständiges Formular öffnen -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Bitte ""voraussichtlichen Liefertermin"" eingeben" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Lieferscheine {0} müssen vor Löschung dieser Kundenaufträge storniert werden +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Lieferscheine {0} müssen vor Löschung dieser Kundenaufträge storniert werden apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Summe aus gezahltem Betrag + ausgebuchter Betrag kann nicht größer als Gesamtsumme sein apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ist keine gültige Chargennummer für Artikel {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Hinweis: Es gibt nicht genügend Urlaubsguthaben für Abwesenheitstyp {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Ungültiges GSTIN oder NA für unregistriert eingeben +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Ungültiges GSTIN oder NA für unregistriert eingeben DocType: Training Event,Seminar,Seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Programm Einschreibegebühr DocType: Item,Supplier Items,Lieferantenartikel @@ -3261,7 +3267,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Lager-Abschreibungen apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} existiert gegen Studienbewerber {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Zeiterfassung -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' ist deaktiviert +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' ist deaktiviert apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,"Als ""geöffnet"" markieren" DocType: Cheque Print Template,Scanned Cheque,Gescannte Scheck DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Beim Übertragen von Transaktionen automatisch E-Mails an Kontakte senden. @@ -3307,7 +3313,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Preislisten-Wechselkurs DocType: Purchase Invoice Item,Rate,Preis apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Praktikant -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Adress Name +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Adress Name DocType: Stock Entry,From BOM,Von Stückliste DocType: Assessment Code,Assessment Code,Bewertungs-Code apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Grundeinkommen @@ -3320,20 +3326,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Gehaltsstruktur DocType: Account,Bank,Bank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Fluggesellschaft -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Material ausgeben +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Material ausgeben DocType: Material Request Item,For Warehouse,Für Lager DocType: Employee,Offer Date,Angebotsdatum apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Angebote -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Sie befinden sich im Offline-Modus. Aktualisieren ist nicht möglich, bis Sie wieder online sind." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Sie befinden sich im Offline-Modus. Aktualisieren ist nicht möglich, bis Sie wieder online sind." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Keine Studentengruppen erstellt. DocType: Purchase Invoice Item,Serial No,Seriennummer apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Monatliche Rückzahlungsbetrag kann nicht größer sein als Darlehensbetrag apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Bitte zuerst die Einzelheiten zur Wartung eingeben +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: Voraussichtlicher Liefertermin kann nicht vor Bestelldatum sein DocType: Purchase Invoice,Print Language,drucken Sprache DocType: Salary Slip,Total Working Hours,Gesamtarbeitszeit DocType: Stock Entry,Including items for sub assemblies,Einschließlich der Artikel für Unterbaugruppen -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Geben Sie Wert muss positiv sein -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Artikelgruppe> Marke +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Geben Sie Wert muss positiv sein apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Alle Regionen DocType: Purchase Invoice,Items,Artikel apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student ist bereits eingetragen sind. @@ -3355,7 +3361,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard-Maßeinheit für Variante '{0}' muss dieselbe wie in der Vorlage '{1}' sein DocType: Shipping Rule,Calculate Based On,Berechnen auf Grundlage von DocType: Delivery Note Item,From Warehouse,Ab Lager -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Keine Elemente mit Bill of Materials zu Herstellung +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Keine Elemente mit Bill of Materials zu Herstellung DocType: Assessment Plan,Supervisor Name,Name des Vorgesetzten DocType: Program Enrollment Course,Program Enrollment Course,Programm Einschreibung Kurs DocType: Purchase Taxes and Charges,Valuation and Total,Bewertung und Summe @@ -3370,32 +3376,33 @@ DocType: Training Event Employee,Attended,Attended apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Tage seit dem letzten Auftrag"" muss größer oder gleich Null sein" DocType: Process Payroll,Payroll Frequency,Payroll Frequency DocType: Asset,Amended From,Abgeändert von -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Rohmaterial +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Rohmaterial DocType: Leave Application,Follow via Email,Per E-Mail nachverfolgen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Pflanzen und Maschinen DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Steuerbetrag nach Abzug von Rabatt DocType: Daily Work Summary Settings,Daily Work Summary Settings,tägliche Arbeitszusammenfassung-Einstellungen -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Währung der Preisliste {0} ist nicht vergleichbar mit der gewählten Währung {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Währung der Preisliste {0} ist nicht vergleichbar mit der gewählten Währung {1} DocType: Payment Entry,Internal Transfer,Interner Transfer apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Für dieses Konto existiert ein Unterkonto. Sie können dieses Konto nicht löschen. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Entweder Zielstückzahl oder Zielmenge ist zwingend erforderlich apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},für Artikel {0} existiert keine Standardstückliste -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Bitte zuerst ein Buchungsdatum auswählen +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Bitte zuerst ein Buchungsdatum auswählen apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Eröffnungsdatum sollte vor dem Abschlussdatum liegen DocType: Leave Control Panel,Carry Forward,Übertragen apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kostenstelle mit bestehenden Transaktionen kann nicht in Sachkonto umgewandelt werden DocType: Department,Days for which Holidays are blocked for this department.,"Tage, an denen eine Urlaubssperre für diese Abteilung gilt." ,Produced,Produziert -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Erstellt Gehaltsabrechnungen +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Erstellt Gehaltsabrechnungen DocType: Item,Item Code for Suppliers,Artikelnummer für Lieferanten DocType: Issue,Raised By (Email),Gemeldet von (E-Mail) DocType: Training Event,Trainer Name,Trainer-Name DocType: Mode of Payment,General,Allgemein apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Letzte Kommunikation apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Abzug nicht möglich, wenn Kategorie ""Wertbestimmtung"" oder ""Wertbestimmung und Summe"" ist" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Steuern (z. B. Mehrwertsteuer, Zoll, usw.; bitte möglichst eindeutige Bezeichnungen vergeben) und die zugehörigen Steuersätze auflisten. Dies erstellt eine Standardvorlage, die bearbeitet und später erweitert werden kann." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Steuern (z. B. Mehrwertsteuer, Zoll, usw.; bitte möglichst eindeutige Bezeichnungen vergeben) und die zugehörigen Steuersätze auflisten. Dies erstellt eine Standardvorlage, die bearbeitet und später erweitert werden kann." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Seriennummern sind erforderlich für den Artikel mit Seriennummer {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Zahlungen und Rechnungen abgleichen +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Row # {0}: Bitte geben Sie Lieferdatum gegen Artikel {1} DocType: Journal Entry,Bank Entry,Bankbuchung DocType: Authorization Rule,Applicable To (Designation),Anwenden auf (Bezeichnung) ,Profitability Analysis,Wirtschaftlichkeitsanalyse @@ -3411,17 +3418,18 @@ DocType: Quality Inspection,Item Serial No,Artikel-Seriennummer apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Erstellen Sie Mitarbeiterdaten apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Summe Anwesend apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Buchhaltungsauszüge -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Stunde +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Stunde apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"""Neue Seriennummer"" kann keine Lagerangabe enthalten. Lagerangaben müssen durch eine Lagerbuchung oder einen Kaufbeleg erstellt werden" DocType: Lead,Lead Type,Lead-Typ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,"Sie sind nicht berechtigt, Urlaube für geblockte Termine zu genehmigen" -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Alle diese Artikel sind bereits in Rechnung gestellt +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Alle diese Artikel sind bereits in Rechnung gestellt +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Monatliches Verkaufsziel apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kann von {0} genehmigt werden DocType: Item,Default Material Request Type,Standard-Material anfordern Typ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Unbekannt DocType: Shipping Rule,Shipping Rule Conditions,Versandbedingungen DocType: BOM Replace Tool,The new BOM after replacement,Die neue Stückliste nach dem Austausch -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Verkaufsstelle +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Verkaufsstelle DocType: Payment Entry,Received Amount,erhaltenen Betrag DocType: GST Settings,GSTIN Email Sent On,GSTIN E-Mail gesendet DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop von Guardian @@ -3436,8 +3444,8 @@ DocType: C-Form,Invoices,Rechnungen DocType: Batch,Source Document Name,Quelldokumentname DocType: Job Opening,Job Title,Stellenbezeichnung apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Benutzer erstellen -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gramm -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Menge Herstellung muss größer als 0 sein. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gramm +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Menge Herstellung muss größer als 0 sein. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Besuchsbericht für Wartungsauftrag DocType: Stock Entry,Update Rate and Availability,Preis und Verfügbarkeit aktualisieren DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Zur bestellten Menge zusätzlich zulässiger Prozentsatz, der angenommen oder geliefert werden kann. Beispiel: Wenn 100 Einheiten bestellt wurden, und die erlaubte Spanne 10 % beträgt, dann können 110 Einheiten angenommen werden." @@ -3449,7 +3457,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Bitte stornieren Einkaufsrechnung {0} zuerst apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-Mail-Adresse muss eindeutig sein, bereits vorhanden ist für {0}" DocType: Serial No,AMC Expiry Date,Verfalldatum des jährlichen Wartungsvertrags -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Eingang +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Eingang ,Sales Register,Übersicht über den Umsatz DocType: Daily Work Summary Settings Company,Send Emails At,Senden Sie E-Mails DocType: Quotation,Quotation Lost Reason,Grund für verlorenes Angebotes @@ -3462,14 +3470,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Noch keine Ku apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Geldflussrechnung apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Darlehensbetrag darf nicht länger als maximale Kreditsumme {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Lizenz -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Bitte diese Rechnung {0} vom Kontaktformular {1} entfernen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Bitte diese Rechnung {0} vom Kontaktformular {1} entfernen DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Bitte auf ""Übertragen"" klicken, wenn auch die Abwesenheitskonten des vorangegangenen Geschäftsjahrs in dieses Geschäftsjahr einbezogen werden sollen" DocType: GL Entry,Against Voucher Type,Gegenbeleg-Art DocType: Item,Attributes,Attribute apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Bitte Abschreibungskonto eingeben apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Letztes Bestelldatum apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konto {0} gehört nicht zu Firma {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Seriennummern in Zeile {0} stimmt nicht mit der Lieferschein überein +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Seriennummern in Zeile {0} stimmt nicht mit der Lieferschein überein DocType: Student,Guardian Details,Wächter-Details DocType: C-Form,C-Form,Kontakt-Formular apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Teilnahme für mehrere Mitarbeiter @@ -3501,16 +3509,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ar DocType: Tax Rule,Sales,Vertrieb DocType: Stock Entry Detail,Basic Amount,Grundbetrag DocType: Training Event,Exam,Prüfung -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Angabe des Lagers ist für den Lagerartikel {0} erforderlich +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Angabe des Lagers ist für den Lagerartikel {0} erforderlich DocType: Leave Allocation,Unused leaves,Ungenutzter Urlaub -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Haben +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Haben DocType: Tax Rule,Billing State,Verwaltungsbezirk laut Rechnungsadresse apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Übertragung apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nicht mit Geschäftspartner-Konto verknüpft {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Abruf der aufgelösten Stückliste (einschließlich der Unterbaugruppen) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Abruf der aufgelösten Stückliste (einschließlich der Unterbaugruppen) DocType: Authorization Rule,Applicable To (Employee),Anwenden auf (Mitarbeiter) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Fälligkeitsdatum wird zwingend vorausgesetzt apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Schrittweite für Attribut {0} kann nicht 0 sein +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundengruppe> Territorium DocType: Journal Entry,Pay To / Recd From,Zahlen an/Erhalten von DocType: Naming Series,Setup Series,Serie bearbeiten DocType: Payment Reconciliation,To Invoice Date,Um Datum Rechnung @@ -3537,7 +3546,7 @@ DocType: Journal Entry,Write Off Based On,Abschreibung basierend auf apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,neue Verkaufsanfrage apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Drucken und Papierwaren DocType: Stock Settings,Show Barcode Field,Anzeigen Barcode-Feld -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Senden Lieferant von E-Mails +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Senden Lieferant von E-Mails apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gehalt bereits verarbeitet für den Zeitraum zwischen {0} und {1}, freiBewerbungsFrist kann nicht zwischen diesem Datum liegen." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Installationsdatensatz für eine Seriennummer DocType: Guardian Interest,Guardian Interest,Wächter Interesse @@ -3550,7 +3559,7 @@ DocType: Offer Letter,Awaiting Response,Warte auf Antwort apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Über apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Ungültige Attribut {0} {1} DocType: Supplier,Mention if non-standard payable account,"Erwähnen Sie, wenn nicht standardmäßig zahlbares Konto" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Gleiches Element wurde mehrfach eingegeben. {Liste} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Gleiches Element wurde mehrfach eingegeben. {Liste} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Bitte wählen Sie die Bewertungsgruppe außer "All Assessment Groups" DocType: Salary Slip,Earning & Deduction,Einkünfte & Abzüge apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"Optional. Diese Einstellung wird verwendet, um in verschiedenen Transaktionen zu filtern." @@ -3569,7 +3578,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kosten der Verschrottet Vermögens apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostenstelle ist zwingend erfoderlich für Artikel {2} DocType: Vehicle,Policy No,Politik keine -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Artikel aus dem Produkt-Bundle übernehmen +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Artikel aus dem Produkt-Bundle übernehmen DocType: Asset,Straight Line,Gerade Linie DocType: Project User,Project User,Projektarbeit Benutzer apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Teilt @@ -3581,6 +3590,7 @@ DocType: Sales Team,Contact No.,Kontakt-Nr. DocType: Bank Reconciliation,Payment Entries,Zahlungs Einträge DocType: Production Order,Scrap Warehouse,Schrottlager DocType: Production Order,Check if material transfer entry is not required,"Prüfen Sie, ob keine Materialübertragung erforderlich ist" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Bitte richten Sie Mitarbeiter-Naming-System in Human Resource> HR-Einstellungen ein DocType: Program Enrollment Tool,Get Students From,Holen Studenten aus DocType: Hub Settings,Seller Country,Land des Verkäufers apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Veröffentlichen Sie Artikel auf der Website @@ -3598,19 +3608,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,Bedingungen zur Berechnung der Versandkosten angeben DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle darf Konten sperren und gesperrte Buchungen bearbeiten apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Öffnungswert +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Öffnungswert DocType: Salary Detail,Formula,Formel apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serien # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Provision auf den Umsatz DocType: Offer Letter Term,Value / Description,Wert / Beschreibung -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Vermögens {1} kann nicht vorgelegt werden, es ist bereits {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Vermögens {1} kann nicht vorgelegt werden, es ist bereits {2}" DocType: Tax Rule,Billing Country,Land laut Rechnungsadresse DocType: Purchase Order Item,Expected Delivery Date,Geplanter Liefertermin apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Soll und Haben nicht gleich für {0} #{1}. Unterschied ist {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Bewirtungskosten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Make-Material anfordern apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Offene-Posten {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Ausgangsrechnung {0} muss vor Stornierung dieses Kundenauftrags abgebrochen werden +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Ausgangsrechnung {0} muss vor Stornierung dieses Kundenauftrags abgebrochen werden apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Alter DocType: Sales Invoice Timesheet,Billing Amount,Rechnungsbetrag apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ungültzige Anzahl für Artikel {0} angegeben. Anzahl sollte größer als 0 sein. @@ -3633,7 +3643,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Neuer Kundenumsatz apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Reisekosten DocType: Maintenance Visit,Breakdown,Ausfall -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} mit Währung: {1} kann nicht ausgewählt werden +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Konto: {0} mit Währung: {1} kann nicht ausgewählt werden DocType: Bank Reconciliation Detail,Cheque Date,Scheckdatum apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Über-Konto {1} gehört nicht zur Firma: {2} DocType: Program Enrollment Tool,Student Applicants,Studienbewerber @@ -3653,11 +3663,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planun DocType: Material Request,Issued,Ausgestellt apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Studentische Tätigkeit DocType: Project,Total Billing Amount (via Time Logs),Gesamtumsatz (über Zeitprotokolle) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Wir verkaufen diesen Artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Wir verkaufen diesen Artikel apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Lieferanten-ID DocType: Payment Request,Payment Gateway Details,Payment Gateway-Details -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Menge sollte größer 0 sein -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Beispieldaten +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Menge sollte größer 0 sein +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Beispieldaten DocType: Journal Entry,Cash Entry,Kassenbuchung apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child-Knoten kann nur unter "Gruppe" Art Knoten erstellt werden DocType: Leave Application,Half Day Date,Halbtagesdatum @@ -3666,17 +3676,18 @@ DocType: Sales Partner,Contact Desc,Kontakt-Beschr. apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Grund für Beurlaubung, wie Erholung, krank usw." DocType: Email Digest,Send regular summary reports via Email.,Regelmäßig zusammenfassende Berichte per E-Mail senden. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Bitte setzen Sie Standardkonto in Kostenabrechnung Typ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Bitte setzen Sie Standardkonto in Kostenabrechnung Typ {0} DocType: Assessment Result,Student Name,Name des Studenten DocType: Brand,Item Manager,Artikel-Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll Kreditoren DocType: Buying Settings,Default Supplier Type,Standardlieferantentyp DocType: Production Order,Total Operating Cost,Gesamtbetriebskosten -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Hinweis: Artikel {0} mehrfach eingegeben +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Hinweis: Artikel {0} mehrfach eingegeben apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Alle Kontakte +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Setzen Sie Ihr Ziel apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Firmenkürzel apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Benutzer {0} existiert nicht -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Rohmaterial kann nicht dasselbe sein wie der Hauptartikel +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Rohmaterial kann nicht dasselbe sein wie der Hauptartikel DocType: Item Attribute Value,Abbreviation,Abkürzung apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Zahlung existiert bereits apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Keine Berechtigung da {0} die Höchstgrenzen überschreitet @@ -3694,7 +3705,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Rolle darf gesperrten ,Territory Target Variance Item Group-Wise,Artikelgruppenbezogene regionale Zielabweichung apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Alle Kundengruppen apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Kumulierte Monats -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ist zwingend erforderlich. Möglicherweise wurde der Datensatz für die Währungsumrechung für {1} bis {2} nicht erstellt. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ist zwingend erforderlich. Möglicherweise wurde der Datensatz für die Währungsumrechung für {1} bis {2} nicht erstellt. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Steuer-Vorlage ist erforderlich. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Hauptkonto {1} existiert nicht DocType: Purchase Invoice Item,Price List Rate (Company Currency),Preisliste (Firmenwährung) @@ -3705,7 +3716,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Prozentuale Aufte apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretärin DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Wenn deaktivieren, wird "in den Wörtern" Feld nicht in einer Transaktion sichtbar sein" DocType: Serial No,Distinct unit of an Item,Eindeutige Einheit eines Artikels -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Bitte setzen Unternehmen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Bitte setzen Unternehmen DocType: Pricing Rule,Buying,Einkauf DocType: HR Settings,Employee Records to be created by,Mitarbeiter-Datensätze werden erstellt nach DocType: POS Profile,Apply Discount On,Rabatt anwenden auf @@ -3716,7 +3727,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Artikelbezogene Steuer-Details apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut Abkürzung ,Item-wise Price List Rate,Artikelbezogene Preisliste -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Lieferantenangebot +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Lieferantenangebot DocType: Quotation,In Words will be visible once you save the Quotation.,"""In Worten"" wird sichtbar, sobald Sie das Angebot speichern." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Menge ({0}) kann kein Bruch in Zeile {1} sein apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Sammeln Gebühren @@ -3739,7 +3750,7 @@ Updated via 'Time Log'","""In Minuten"" über 'Zeitprotokoll' aktualisiert" DocType: Customer,From Lead,Von Lead apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Für die Produktion freigegebene Bestellungen apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Geschäftsjahr auswählen ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,"Verkaufsstellen-Profil benötigt, um Verkaufsstellen-Buchung zu erstellen" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,"Verkaufsstellen-Profil benötigt, um Verkaufsstellen-Buchung zu erstellen" DocType: Program Enrollment Tool,Enroll Students,einschreiben Studenten DocType: Hub Settings,Name Token,Kürzel benennen apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard-Vertrieb @@ -3757,7 +3768,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Lagerwert-Differenz apps/erpnext/erpnext/config/learn.py +234,Human Resource,Personal DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Zahlung zum Zahlungsabgleich apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Steuerguthaben -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Fertigungsauftrag wurde {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Fertigungsauftrag wurde {0} DocType: BOM Item,BOM No,Stücklisten-Nr. DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Buchungssatz {0} gehört nicht zu Konto {1} oder ist bereits mit einem anderen Beleg abgeglichen @@ -3771,7 +3782,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Anwesen apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Offener Betrag DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Ziele artikelgruppenbezogen für diesen Vertriebsmitarbeiter festlegen. DocType: Stock Settings,Freeze Stocks Older Than [Days],Bestände älter als [Tage] sperren -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Vermögens ist obligatorisch für Anlage Kauf / Verkauf +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Vermögens ist obligatorisch für Anlage Kauf / Verkauf apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Wenn zwei oder mehrere Preisregeln basierend auf den oben genannten Bedingungen gefunden werden, wird eine Vorrangregelung angewandt. Priorität ist eine Zahl zwischen 0 und 20, wobei der Standardwert Null (leer) ist. Die höhere Zahl hat Vorrang, wenn es mehrere Preisregeln zu den gleichen Bedingungen gibt." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Geschäftsjahr: {0} existiert nicht DocType: Currency Exchange,To Currency,In Währung @@ -3779,7 +3790,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Arten der Aufwandsabrechnung apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Der Verkaufspreis für Artikel {0} ist niedriger als der {1}. Selling Rate sollte atleast {2} DocType: Item,Taxes,Steuern -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Bezahlt und nicht geliefert +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Bezahlt und nicht geliefert DocType: Project,Default Cost Center,Standardkostenstelle DocType: Bank Guarantee,End Date,Enddatum apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Lagervorgänge @@ -3796,7 +3807,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,tägliche Arbeitszusammenfassung-Einstellungen Ihrer Firma apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Artikel {0} ignoriert, da es sich nicht um einen Lagerartikel handelt" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Diesen Fertigungsauftrag zur Weiterverarbeitung buchen. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Diesen Fertigungsauftrag zur Weiterverarbeitung buchen. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Um Preisregeln in einer bestimmten Transaktion nicht zu verwenden, sollten alle geltenden Preisregeln deaktiviert sein." DocType: Assessment Group,Parent Assessment Group,Eltern Assessment Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Arbeitsplätze @@ -3804,10 +3815,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Arbeitsplät DocType: Employee,Held On,Festgehalten am apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produktions-Artikel ,Employee Information,Mitarbeiterinformationen -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Preis (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Preis (%) DocType: Stock Entry Detail,Additional Cost,Zusätzliche Kosten apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Wenn nach Beleg gruppiert wurde, kann nicht auf Grundlage von Belegen gefiltert werden." -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Lieferantenangebot erstellen +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Lieferantenangebot erstellen DocType: Quality Inspection,Incoming,Eingehend DocType: BOM,Materials Required (Exploded),Benötigte Materialien (erweitert) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Benutzer, außer Ihnen, zu Ihrer Firma hinzufügen" @@ -3823,7 +3834,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} kann nur über Lagertransaktionen aktualisiert werden DocType: Student Group Creation Tool,Get Courses,Erhalten Sie Kurse DocType: GL Entry,Party,Gruppe -DocType: Sales Order,Delivery Date,Liefertermin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Liefertermin DocType: Opportunity,Opportunity Date,Datum der Chance DocType: Purchase Receipt,Return Against Purchase Receipt,Zurück zum Kaufbeleg DocType: Request for Quotation Item,Request for Quotation Item,Angebotsanfrage Artikel @@ -3837,7 +3848,7 @@ DocType: Task,Actual Time (in Hours),Tatsächliche Zeit (in Stunden) DocType: Employee,History In Company,Historie im Unternehmen apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletter DocType: Stock Ledger Entry,Stock Ledger Entry,Buchung im Lagerbuch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Das gleiche Einzelteil wurde mehrfach eingegeben +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Das gleiche Einzelteil wurde mehrfach eingegeben DocType: Department,Leave Block List,Urlaubssperrenliste DocType: Sales Invoice,Tax ID,Steuer ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Artikel {0} ist nicht für Seriennummern eingerichtet. Spalte muss leer sein @@ -3855,25 +3866,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Schwarz DocType: BOM Explosion Item,BOM Explosion Item,Position der aufgelösten Stückliste DocType: Account,Auditor,Prüfer -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} Elemente hergestellt +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} Elemente hergestellt DocType: Cheque Print Template,Distance from top edge,Die Entfernung von der Oberkante apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Preisliste {0} ist deaktiviert oder nicht vorhanden ist DocType: Purchase Invoice,Return,Zurück DocType: Production Order Operation,Production Order Operation,Arbeitsgang im Fertigungsauftrag DocType: Pricing Rule,Disable,Deaktivieren -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,"Modus der Zahlung ist erforderlich, um eine Zahlung zu leisten" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,"Modus der Zahlung ist erforderlich, um eine Zahlung zu leisten" DocType: Project Task,Pending Review,Wartet auf Überprüfung apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ist nicht im Batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset-{0} kann nicht verschrottet werden, als es ohnehin schon ist {1}" DocType: Task,Total Expense Claim (via Expense Claim),Gesamtbetrag der Aufwandsabrechnung (über Aufwandsabrechnung) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Abwesend setzen -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Währung der BOM # {1} sollte auf die gewählte Währung gleich {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Währung der BOM # {1} sollte auf die gewählte Währung gleich {2} DocType: Journal Entry Account,Exchange Rate,Wechselkurs -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Kundenauftrag {0} wurde nicht übertragen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Kundenauftrag {0} wurde nicht übertragen DocType: Homepage,Tag Line,Tag-Linie DocType: Fee Component,Fee Component,Fee-Komponente apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Flottenmanagement -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Elemente hinzufügen aus +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Elemente hinzufügen aus DocType: Cheque Print Template,Regular,Regulär apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Insgesamt weightage aller Bewertungskriterien muss 100% betragen DocType: BOM,Last Purchase Rate,Letzter Anschaffungspreis @@ -3894,12 +3905,12 @@ DocType: Employee,Reports to,Berichte an DocType: SMS Settings,Enter url parameter for receiver nos,URL-Parameter für Empfängernummern eingeben DocType: Payment Entry,Paid Amount,Gezahlter Betrag DocType: Assessment Plan,Supervisor,Supervisor -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online ,Available Stock for Packing Items,Verfügbarer Bestand für Verpackungsartikel DocType: Item Variant,Item Variant,Artikelvariante DocType: Assessment Result Tool,Assessment Result Tool,Bewertungsergebnis-Tool DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Artikel -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Übermittelt Aufträge können nicht gelöscht werden +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Übermittelt Aufträge können nicht gelöscht werden apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto bereits im Soll, es ist nicht mehr möglich das Konto als Habenkonto festzulegen" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Qualitätsmanagement apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Artikel {0} wurde deaktiviert @@ -3930,7 +3941,7 @@ DocType: Item Group,Default Expense Account,Standardaufwandskonto apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Studenten E-Mail-ID DocType: Employee,Notice (days),Meldung(s)(-Tage) DocType: Tax Rule,Sales Tax Template,Umsatzsteuer-Vorlage -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,"Wählen Sie Elemente, um die Rechnung zu speichern" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,"Wählen Sie Elemente, um die Rechnung zu speichern" DocType: Employee,Encashment Date,Inkassodatum DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Bestandskorrektur @@ -3978,10 +3989,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Versand apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max erlaubter Rabatt für Artikel: {0} ist {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Nettoinventarwert als auf DocType: Account,Receivable,Forderung -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Zeile #{0}: Es ist nicht erlaubt den Lieferanten zu wechseln, da bereits ein Lieferantenauftrag vorhanden ist" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Zeile #{0}: Es ist nicht erlaubt den Lieferanten zu wechseln, da bereits ein Lieferantenauftrag vorhanden ist" DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rolle, welche Transaktionen, die das gesetzte Kreditlimit überschreiten, übertragen darf." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Wählen Sie die Elemente Herstellung -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Stammdaten-Synchronisierung, kann es einige Zeit dauern," +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Wählen Sie die Elemente Herstellung +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Stammdaten-Synchronisierung, kann es einige Zeit dauern," DocType: Item,Material Issue,Materialentnahme DocType: Hub Settings,Seller Description,Beschreibung des Verkäufers DocType: Employee Education,Qualification,Qualifikation @@ -4002,11 +4013,10 @@ DocType: BOM,Rate Of Materials Based On,Anteil der zu Grunde liegenden Materiali apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Support-Analyse apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Alle abwählen DocType: POS Profile,Terms and Conditions,Allgemeine Geschäftsbedingungen -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Bitte richten Sie Mitarbeiter-Naming-System in Human Resource> HR-Einstellungen ein apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Bis-Datum sollte im Geschäftsjahr liegen. Unter der Annahme, dass Bis-Datum = {0} ist" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hier können Sie Größe, Gewicht, Allergien, medizinische Belange usw. pflegen" DocType: Leave Block List,Applies to Company,Gilt für Firma -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Stornierung nicht möglich, weil übertragene Lagerbuchung {0} existiert" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Stornierung nicht möglich, weil übertragene Lagerbuchung {0} existiert" DocType: Employee Loan,Disbursement Date,Valuta- DocType: Vehicle,Vehicle,Fahrzeug DocType: Purchase Invoice,In Words,In Worten @@ -4044,7 +4054,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Allgemeine Einstellunge DocType: Assessment Result Detail,Assessment Result Detail,Bewertungsergebnis Details DocType: Employee Education,Employee Education,Mitarbeiterschulung apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Doppelte Artikelgruppe in der Artikelgruppentabelle gefunden -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,"Wird gebraucht, um Artikeldetails abzurufen" +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,"Wird gebraucht, um Artikeldetails abzurufen" DocType: Salary Slip,Net Pay,Nettolohn DocType: Account,Account,Konto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Seriennummer {0} bereits erhalten @@ -4052,7 +4062,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Fahrzeug Log DocType: Purchase Invoice,Recurring Id,Wiederkehrende ID DocType: Customer,Sales Team Details,Verkaufsteamdetails -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Dauerhaft löschen? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Dauerhaft löschen? DocType: Expense Claim,Total Claimed Amount,Gesamtforderung apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Mögliche Opportunität für den Vertrieb apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ungültige(r) {0} @@ -4064,7 +4074,7 @@ DocType: Warehouse,PIN,STIFT apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Richten Sie Ihre Schule in ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base-Änderungsbetrag (Gesellschaft Währung) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Keine Buchungen für die folgenden Lager -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Speichern Sie das Dokument zuerst. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Speichern Sie das Dokument zuerst. DocType: Account,Chargeable,Gebührenpflichtig DocType: Company,Change Abbreviation,Abkürzung ändern DocType: Expense Claim Detail,Expense Date,Datum der Aufwendung @@ -4078,7 +4088,6 @@ DocType: BOM,Manufacturing User,Nutzer Fertigung DocType: Purchase Invoice,Raw Materials Supplied,Gelieferte Rohmaterialien DocType: Purchase Invoice,Recurring Print Format,Wiederkehrendes Druckformat DocType: C-Form,Series,Nummernkreise -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Voraussichtlicher Liefertermin kann nicht vor dem Datum des Lieferantenauftrags liegen DocType: Appraisal,Appraisal Template,Bewertungsvorlage DocType: Item Group,Item Classification,Artikeleinteilung apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Leiter der kaufmännischen Abteilung @@ -4117,12 +4126,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Marke ausw apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Ausbildungsveranstaltungen / Ergebnisse apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Kumulierte Abschreibungen auf DocType: Sales Invoice,C-Form Applicable,Anwenden auf Kontakt-Formular -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Betriebszeit muss für die Operation {0} größer als 0 sein +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Betriebszeit muss für die Operation {0} größer als 0 sein apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Lager ist erforderlich DocType: Supplier,Address and Contacts,Adresse und Kontaktinformationen DocType: UOM Conversion Detail,UOM Conversion Detail,Maßeinheit-Umrechnungs-Detail DocType: Program,Program Abbreviation,Programm Abkürzung -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Ein Fertigungsauftrag kann nicht zu einer Artikel-Vorlage gemacht werden +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Ein Fertigungsauftrag kann nicht zu einer Artikel-Vorlage gemacht werden apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Kosten werden im Kaufbeleg für jede Position aktualisiert DocType: Warranty Claim,Resolved By,Entschieden von DocType: Bank Guarantee,Start Date,Startdatum @@ -4157,6 +4166,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Training Feedback apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Fertigungsauftrag {0} muss übertragen werden apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Bitte Start -und Enddatum für den Artikel {0} auswählen +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Setzen Sie ein Umsatzziel, das Sie erreichen möchten." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurs ist obligatorisch in Zeile {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Bis-Datum kann nicht vor Von-Datum liegen DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4174,7 +4184,7 @@ DocType: Account,Income,Einkommen DocType: Industry Type,Industry Type,Wirtschaftsbranche apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Etwas ist schiefgelaufen! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Achtung: Die Urlaubsverwaltung enthält die folgenden gesperrten Daten -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Ausgangsrechnung {0} wurde bereits übertragen +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Ausgangsrechnung {0} wurde bereits übertragen DocType: Assessment Result Detail,Score,Ergebnis apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Das Geschäftsjahr {0} existiert nicht apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Fertigstellungstermin @@ -4204,7 +4214,7 @@ DocType: Naming Series,Help HTML,HTML-Hilfe DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool DocType: Item,Variant Based On,Variante basierend auf apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Summe der zugeordneten Gewichtungen sollte 100% sein. Sie ist {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Ihre Lieferanten +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Ihre Lieferanten apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Kann nicht als verloren gekennzeichnet werden, da ein Kundenauftrag dazu existiert." DocType: Request for Quotation Item,Supplier Part No,Lieferant Teile-Nr apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Kann nicht abziehen, wenn der Kategorie für "Bewertung" oder "Vaulation und Total 'ist" @@ -4214,14 +4224,14 @@ DocType: Item,Has Serial No,Hat Seriennummer DocType: Employee,Date of Issue,Ausstellungsdatum apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Von {0} für {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Nach den Kaufeinstellungen, wenn Kaufbedarf erforderlich == 'JA', dann für die Erstellung der Kauf-Rechnung, muss der Benutzer die Kaufbeleg zuerst für den Eintrag {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Zeile #{0}: Lieferanten für Artikel {1} einstellen -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Stunden-Wert muss größer als Null sein. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Zeile #{0}: Lieferanten für Artikel {1} einstellen +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Row {0}: Stunden-Wert muss größer als Null sein. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,"Das Webseiten-Bild {0}, das an Artikel {1} angehängt wurde, kann nicht gefunden werden" DocType: Issue,Content Type,Inhaltstyp apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Rechner DocType: Item,List this Item in multiple groups on the website.,Diesen Artikel in mehreren Gruppen auf der Webseite auflisten. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Bitte die Option ""Unterschiedliche Währungen"" aktivieren um Konten mit anderen Währungen zu erlauben" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Artikel: {0} ist nicht im System vorhanden +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Artikel: {0} ist nicht im System vorhanden apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Sie haben keine Berechtigung gesperrte Werte zu setzen DocType: Payment Reconciliation,Get Unreconciled Entries,Nicht zugeordnete Buchungen aufrufen DocType: Payment Reconciliation,From Invoice Date,Ab Rechnungsdatum @@ -4247,7 +4257,7 @@ DocType: Stock Entry,Default Source Warehouse,Standard-Ausgangslager DocType: Item,Customer Code,Kunden-Nr. apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Geburtstagserinnerung für {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Tage seit dem letzten Auftrag -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Sollkonto muss ein Bilanzkonto sein +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Sollkonto muss ein Bilanzkonto sein DocType: Buying Settings,Naming Series,Nummernkreis DocType: Leave Block List,Leave Block List Name,Name der Urlaubssperrenliste apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Versicherung Startdatum sollte weniger als Versicherung Enddatum @@ -4264,7 +4274,7 @@ DocType: Vehicle Log,Odometer,Kilometerzähler DocType: Sales Order Item,Ordered Qty,Bestellte Menge apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Artikel {0} ist deaktiviert DocType: Stock Settings,Stock Frozen Upto,Bestand gesperrt bis -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Stückliste enthält keine Lagerware +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,Stückliste enthält keine Lagerware apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Ab-Zeitraum und Bis-Zeitraum sind zwingend erforderlich für wiederkehrende {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektaktivität/-vorgang. DocType: Vehicle Log,Refuelling Details,Betankungs Einzelheiten @@ -4274,7 +4284,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Zuletzt Kaufrate nicht gefunden DocType: Purchase Invoice,Write Off Amount (Company Currency),Abschreibungs-Betrag (Firmenwährung) DocType: Sales Invoice Timesheet,Billing Hours,Billing Stunden -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Standardstückliste für {0} nicht gefunden +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Standardstückliste für {0} nicht gefunden apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Zeile #{0}: Bitte Nachbestellmenge angeben apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Tippen Sie auf Elemente, um sie hier hinzuzufügen" DocType: Fees,Program Enrollment,Programm Einschreibung @@ -4307,6 +4317,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Alter Bereich 2 DocType: SG Creation Tool Course,Max Strength,Max Kraft apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Stückliste ersetzt +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Wählen Sie die Positionen nach dem Lieferdatum aus ,Sales Analytics,Vertriebsanalyse apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Verfügbar {0} ,Prospects Engaged But Not Converted,"Perspektiven engagiert, aber nicht umgewandelt" @@ -4353,7 +4364,7 @@ DocType: Authorization Rule,Customerwise Discount,Kundenspezifischer Rabatt apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Zeitraport für Vorgänge. DocType: Purchase Invoice,Against Expense Account,Zu Aufwandskonto DocType: Production Order,Production Order,Fertigungsauftrag -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Installationshinweis {0} wurde bereits übertragen +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Installationshinweis {0} wurde bereits übertragen DocType: Bank Reconciliation,Get Payment Entries,Get Payment-Einträge DocType: Quotation Item,Against Docname,Zu Dokumentenname DocType: SMS Center,All Employee (Active),Alle Mitarbeiter (Aktiv) @@ -4362,7 +4373,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Rohmaterialkosten DocType: Item Reorder,Re-Order Level,Meldebestand DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Geben Sie die Posten und die geplante Menge ein, für die Sie Fertigungsaufträge erstellen möchten, oder laden Sie die Rohmaterialien für die Analyse herunter." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt-Diagramm +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt-Diagramm apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Teilzeit DocType: Employee,Applicable Holiday List,Geltende Urlaubsliste DocType: Employee,Cheque,Scheck @@ -4418,11 +4429,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Reserviert Menge für Produktion DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Lassen Sie unkontrolliert, wenn Sie nicht wollen, Batch während der Kurs-basierte Gruppen zu betrachten." DocType: Asset,Frequency of Depreciation (Months),Die Häufigkeit der Abschreibungen (Monate) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Guthabenkonto +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Guthabenkonto DocType: Landed Cost Item,Landed Cost Item,Einstandspreis-Artikel apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Nullwerte anzeigen DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Menge eines Artikels nach der Herstellung/dem Umpacken auf Basis vorgegebener Mengen von Rohmaterial -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Richten Sie eine einfache Website für meine Organisation +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Richten Sie eine einfache Website für meine Organisation DocType: Payment Reconciliation,Receivable / Payable Account,Forderungen-/Verbindlichkeiten-Konto DocType: Delivery Note Item,Against Sales Order Item,Zu Kundenauftrags-Position apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Bitte Attributwert für Attribut {0} angeben @@ -4484,22 +4495,22 @@ DocType: Student,Nationality,Staatsangehörigkeit ,Items To Be Requested,Anzufragende Artikel DocType: Purchase Order,Get Last Purchase Rate,Letzten Einkaufspreis aufrufen DocType: Company,Company Info,Informationen über das Unternehmen -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Wählen oder neue Kunden hinzufügen -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,"Kostenstelle ist erforderlich, einen Aufwand Anspruch buchen" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Wählen oder neue Kunden hinzufügen +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,"Kostenstelle ist erforderlich, einen Aufwand Anspruch buchen" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Mittelverwendung (Aktiva) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dies basiert auf der Anwesenheit dieser Arbeitnehmer -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Sollkonto +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Sollkonto DocType: Fiscal Year,Year Start Date,Startdatum des Geschäftsjahres DocType: Attendance,Employee Name,Mitarbeitername DocType: Sales Invoice,Rounded Total (Company Currency),Gerundete Gesamtsumme (Firmenwährung) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Kann nicht in keine Gruppe umgewandelt werden, weil Kontentyp ausgewählt ist." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} wurde geändert. Bitte aktualisieren. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} wurde geändert. Bitte aktualisieren. DocType: Leave Block List,Stop users from making Leave Applications on following days.,"Benutzer davon abhalten, Urlaubsanträge für folgende Tage einzureichen." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Gesamtbetrag des Einkaufs apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Lieferant Quotation {0} erstellt apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,End-Jahr kann nicht gleich oder kleiner dem Start-Jahr sein. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Vergünstigungen an Mitarbeiter -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Verpackte Menge muss gleich der Menge des Artikel {0} in Zeile {1} sein +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Verpackte Menge muss gleich der Menge des Artikel {0} in Zeile {1} sein DocType: Production Order,Manufactured Qty,Produzierte Menge DocType: Purchase Receipt Item,Accepted Quantity,Angenommene Menge apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Bitte stellen Sie eine Standard-Feiertagsliste für Mitarbeiter {0} oder Gesellschaft {1} @@ -4510,11 +4521,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Zeile Nr. {0}: Betrag kann nicht größer als der ausstehende Betrag zur Aufwandsabrechnung {1} sein. Ausstehender Betrag ist {2} DocType: Maintenance Schedule,Schedule,Zeitplan DocType: Account,Parent Account,Übergeordnetes Konto -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Verfügbar +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Verfügbar DocType: Quality Inspection Reading,Reading 3,Ablesewert 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Belegtyp -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Preisliste nicht gefunden oder deaktiviert +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Preisliste nicht gefunden oder deaktiviert DocType: Employee Loan Application,Approved,Genehmigt DocType: Pricing Rule,Price,Preis apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Freigestellter Angestellter {0} muss als ""entlassen"" gekennzeichnet werden" @@ -4583,7 +4594,7 @@ DocType: SMS Settings,Static Parameters,Statische Parameter DocType: Assessment Plan,Room,Zimmer DocType: Purchase Order,Advance Paid,Angezahlt DocType: Item,Item Tax,Artikelsteuer -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Material an den Lieferanten +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Material an den Lieferanten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Verbrauch Rechnung apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0} erscheint% mehr als einmal DocType: Expense Claim,Employees Email Id,E-Mail-ID des Mitarbeiters @@ -4623,7 +4634,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Modell DocType: Production Order,Actual Operating Cost,Tatsächliche Betriebskosten DocType: Payment Entry,Cheque/Reference No,Scheck-/ Referenznummer -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Lieferant> Lieferanten Typ apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root kann nicht bearbeitet werden. DocType: Item,Units of Measure,Maßeinheiten DocType: Manufacturing Settings,Allow Production on Holidays,Fertigung im Urlaub zulassen @@ -4656,12 +4666,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Zahlungsziel apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Machen Schüler Batch DocType: Leave Type,Is Carry Forward,Ist Übertrag -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Artikel aus der Stückliste holen +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Artikel aus der Stückliste holen apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lieferzeittage -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Datum der Veröffentlichung muss als Kaufdatum gleich sein {1} des Asset {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Datum der Veröffentlichung muss als Kaufdatum gleich sein {1} des Asset {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Überprüfen Sie dies, wenn der Student im Gasthaus des Instituts wohnt." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Bitte geben Sie Kundenaufträge in der obigen Tabelle -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nicht der gesuchte Gehaltsabrechnungen +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Nicht der gesuchte Gehaltsabrechnungen ,Stock Summary,Auf Zusammenfassung apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Übertragen Sie einen Vermögenswert von einem Lager zum anderen DocType: Vehicle,Petrol,Benzin diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index ca87f14ad58..56846aa1cfc 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,ˆΈμπορος DocType: Employee,Rented,Νοικιασμένο DocType: Purchase Order,PO-,ΤΑΧΥΔΡΟΜΕΊΟ- DocType: POS Profile,Applicable for User,Ισχύει για χρήστη -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Σταμάτησε Παραγγελία παραγωγή δεν μπορεί να ακυρωθεί, θα ξεβουλώνω πρώτα να ακυρώσετε" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Σταμάτησε Παραγγελία παραγωγή δεν μπορεί να ακυρωθεί, θα ξεβουλώνω πρώτα να ακυρώσετε" DocType: Vehicle Service,Mileage,Απόσταση σε μίλια apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Θέλετε πραγματικά να καταργήσει αυτό το περιουσιακό στοιχείο; apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Επιλέξτε Προεπιλογή Προμηθευτής @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% που χρεώθηκε apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Ισοτιμία πρέπει να είναι ίδιο με το {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Όνομα πελάτη DocType: Vehicle,Natural Gas,Φυσικό αέριο -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Ο τραπεζικός λογαριασμός δεν μπορεί να ονομαστεί ως {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Ο τραπεζικός λογαριασμός δεν μπορεί να ονομαστεί ως {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Κύριες εγγραφές (ή ομάδες) κατά τις οποίες δημιουργούνται λογιστικές εγγραφές διατηρούνται υπόλοιπα. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Η εκκρεμότητα για {0} δεν μπορεί να είναι μικρότερη από το μηδέν ( {1} ) DocType: Manufacturing Settings,Default 10 mins,Προεπιλογή 10 λεπτά @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Όνομα τύπου άδειας apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Εμφάνιση ανοιχτή apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Η σειρά ενημερώθηκε με επιτυχία apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Αποχώρηση -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Εφημερίδα Έναρξη Υποβλήθηκε +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Εφημερίδα Έναρξη Υποβλήθηκε DocType: Pricing Rule,Apply On,Εφάρμοσε σε DocType: Item Price,Multiple Item prices.,Πολλαπλές τιμές είδους. ,Purchase Order Items To Be Received,Είδη παραγγελίας αγοράς για παραλαβή @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Λογαριασμός apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Προβολή παραλλαγών DocType: Academic Term,Academic Term,Ακαδημαϊκός Όρος apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Υλικό -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Ποσότητα +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Ποσότητα apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Λογαριασμοί πίνακας δεν μπορεί να είναι κενό. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Δάνεια (παθητικό ) DocType: Employee Education,Year of Passing,Έτος περάσματος @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Υγειονομική περίθαλψη apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Καθυστέρηση στην πληρωμή (Ημέρες) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Δαπάνη παροχής υπηρεσιών -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Σειριακός αριθμός: {0} αναφέρεται ήδη στο Τιμολόγιο Πωλήσεων: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Τιμολόγιο +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Σειριακός αριθμός: {0} αναφέρεται ήδη στο Τιμολόγιο Πωλήσεων: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Τιμολόγιο DocType: Maintenance Schedule Item,Periodicity,Περιοδικότητα apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Χρήσεως {0} απαιτείται -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Αναμενόμενη ημερομηνία παράδοσης είναι να είναι πριν Παραγγελία Πωλήσεις Ημερομηνία apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Άμυνα DocType: Salary Component,Abbr,Συντ. DocType: Appraisal Goal,Score (0-5),Αποτέλεσμα (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Γραμμή # {0}: DocType: Timesheet,Total Costing Amount,Σύνολο Κοστολόγηση Ποσό DocType: Delivery Note,Vehicle No,Αρ. οχήματος -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Παρακαλώ επιλέξτε τιμοκατάλογο +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Παρακαλώ επιλέξτε τιμοκατάλογο apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Σειρά # {0}: έγγραφο πληρωμή απαιτείται για την ολοκλήρωση της trasaction DocType: Production Order Operation,Work In Progress,Εργασία σε εξέλιξη apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Παρακαλώ επιλέξτε ημερομηνία @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} δεν είναι σε καμία ενεργή χρήση. DocType: Packed Item,Parent Detail docname,Όνομα αρχείου γονικής λεπτομέρεια apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Αναφορά: {0}, Κωδικός είδους: {1} και Πελάτης: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Κούτσουρο apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Άνοιγμα θέσης εργασίας. DocType: Item Attribute,Increment,Προσαύξηση @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Παντρεμένος apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Δεν επιτρέπεται η {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Πάρτε τα στοιχεία από -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Το απόθεμα δεν μπορεί να ανανεωθεί σύμφωνα με το δελτίο αποστολής {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Το απόθεμα δεν μπορεί να ανανεωθεί σύμφωνα με το δελτίο αποστολής {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Προϊόν {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Δεν αναγράφονται στοιχεία DocType: Payment Reconciliation,Reconcile,Συμφωνήστε @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Ιδ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Επόμενο Αποσβέσεις ημερομηνία αυτή δεν μπορεί να είναι πριν από την Ημερομηνία Αγοράς DocType: SMS Center,All Sales Person,Όλοι οι πωλητές DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Μηνιαία Κατανομή ** σας βοηθά να διανείμετε το Οικονομικό / Target σε όλη μήνες, αν έχετε την εποχικότητα στην επιχείρησή σας." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Δεν βρέθηκαν στοιχεία +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Δεν βρέθηκαν στοιχεία apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Δομή του μισθού που λείπουν DocType: Lead,Person Name,Όνομα Πρόσωπο DocType: Sales Invoice Item,Sales Invoice Item,Είδος τιμολογίου πώλησης @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Είναι Παγίων" δεν μπορεί να είναι ανεξέλεγκτη, καθώς υπάρχει Asset ρεκόρ έναντι του στοιχείου" DocType: Vehicle Service,Brake Oil,Brake Oil DocType: Tax Rule,Tax Type,Φορολογική Τύπος -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Υποχρεωτικό ποσό +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Υποχρεωτικό ποσό apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Δεν επιτρέπεται να προσθέσετε ή να ενημερώσετε τις καταχωρήσεις πριν από {0} DocType: BOM,Item Image (if not slideshow),Φωτογραφία είδους (αν όχι slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Υπάρχει πελάτης με το ίδιο όνομα DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Ώρα Βαθμολογήστε / 60) * Πραγματικός χρόνος λειτουργίας -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Επιλέξτε BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Επιλέξτε BOM DocType: SMS Log,SMS Log,Αρχείο καταγραφής SMS apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Κόστος των προϊόντων που έχουν παραδοθεί apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Οι διακοπές σε {0} δεν είναι μεταξύ Από Ημερομηνία και μέχρι σήμερα @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,σχολεία DocType: School Settings,Validate Batch for Students in Student Group,Επικύρωση παρτίδας για σπουδαστές σε ομάδα σπουδαστών apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Δεν ρεκόρ άδεια βρέθηκαν για εργαζόμενο {0} για {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Παρακαλώ εισάγετε πρώτα εταιρεία -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Επιλέξτε την εταιρεία πρώτα +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Επιλέξτε την εταιρεία πρώτα DocType: Employee Education,Under Graduate,Τελειόφοιτος apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Στόχος στις DocType: BOM,Total Cost,Συνολικό κόστος DocType: Journal Entry Account,Employee Loan,Υπάλληλος Δανείου -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Αρχείο καταγραφής δραστηριότητας: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Το είδος {0} δεν υπάρχει στο σύστημα ή έχει λήξει +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Αρχείο καταγραφής δραστηριότητας: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Το είδος {0} δεν υπάρχει στο σύστημα ή έχει λήξει apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Ακίνητα apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Κατάσταση λογαριασμού apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Φαρμακευτική @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Ποσό απαίτησης apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Διπλότυπο ομάδα πελατών που βρίσκονται στο τραπέζι ομάδα cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Τύπος προμηθευτή / προμηθευτής DocType: Naming Series,Prefix,Πρόθεμα -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία Σειράς για {0} μέσω του Setup> Settings> Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Αναλώσιμα +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Αναλώσιμα DocType: Employee,B-,ΣΙ- DocType: Upload Attendance,Import Log,Αρχείο καταγραφής εισαγωγής DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Τραβήξτε Υλικό Αίτηση του τύπου Κατασκευή με βάση τα παραπάνω κριτήρια DocType: Training Result Employee,Grade,Βαθμός DocType: Sales Invoice Item,Delivered By Supplier,Παραδίδονται από τον προμηθευτή DocType: SMS Center,All Contact,Όλες οι επαφές -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Παραγγελία Παραγωγή ήδη δημιουργήσει για όλα τα στοιχεία με BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Παραγγελία Παραγωγή ήδη δημιουργήσει για όλα τα στοιχεία με BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Ετήσιος Μισθός DocType: Daily Work Summary,Daily Work Summary,Καθημερινή Σύνοψη εργασίας DocType: Period Closing Voucher,Closing Fiscal Year,Κλείσιμο χρήσης -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,"{0} {1} είναι ""Παγωμένο""" +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,"{0} {1} είναι ""Παγωμένο""" apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Επιλέξτε υφιστάμενης εταιρείας για τη δημιουργία Λογιστικού apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Έξοδα αποθέματος apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Επιλέξτε Target Warehouse @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Η αποδεκτή + η απορριπτέα ποσότητα πρέπει να είναι ίση με την ληφθείσα ποσότητα για το είδος {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Παροχή Πρώτων Υλών για Αγορά -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Τουλάχιστον ένα τρόπο πληρωμής απαιτείται για POS τιμολόγιο. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Τουλάχιστον ένα τρόπο πληρωμής απαιτείται για POS τιμολόγιο. DocType: Products Settings,Show Products as a List,Εμφάνιση προϊόντων ως Λίστα DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Κατεβάστε το πρότυπο, συμπληρώστε τα κατάλληλα δεδομένα και επισυνάψτε το τροποποιημένο αρχείο. Όλες οι ημερομηνίες και ο συνδυασμός των υπαλλήλων στην επιλεγμένη περίοδο θα εμφανιστεί στο πρότυπο, με τους υπάρχοντες καταλόγους παρουσίας" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Το είδος {0} δεν είναι ενεργό ή το τέλος της ζωής έχει περάσει -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Παράδειγμα: Βασικά Μαθηματικά -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Για να περιληφθούν οι φόροι στη γραμμή {0} της τιμής είδους, οι φόροι στις γραμμές {1} πρέπει επίσης να συμπεριληφθούν" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Παράδειγμα: Βασικά Μαθηματικά +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Για να περιληφθούν οι φόροι στη γραμμή {0} της τιμής είδους, οι φόροι στις γραμμές {1} πρέπει επίσης να συμπεριληφθούν" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Ρυθμίσεις για τη λειτουργική μονάδα HR DocType: SMS Center,SMS Center,Κέντρο SMS DocType: Sales Invoice,Change Amount,αλλαγή Ποσό @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Η ημερομηνία εγκατάστασης δεν μπορεί να είναι προγενέστερη της ημερομηνίας παράδοσης για το είδος {0} DocType: Pricing Rule,Discount on Price List Rate (%),Έκπτωση στις Τιμοκατάλογος Ποσοστό (%) DocType: Offer Letter,Select Terms and Conditions,Επιλέξτε Όροι και Προϋποθέσεις -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,από Αξία +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,από Αξία DocType: Production Planning Tool,Sales Orders,Παραγγελίες πωλήσεων DocType: Purchase Taxes and Charges,Valuation,Αποτίμηση ,Purchase Order Trends,Τάσεις παραγγελίας αγοράς @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Είναι αρχική καταχώρηση DocType: Customer Group,Mention if non-standard receivable account applicable,Αναφέρετε αν μη τυποποιημένα εισπρακτέα λογαριασμό εφαρμόζεται DocType: Course Schedule,Instructor Name,Διδάσκων Ονοματεπώνυμο -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Tο πεδίο για αποθήκη απαιτείται πριν την υποβολή +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Tο πεδίο για αποθήκη απαιτείται πριν την υποβολή apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Που ελήφθη στις DocType: Sales Partner,Reseller,Μεταπωλητής DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Αν επιλεγεί, θα περιλαμβάνουν μη-απόθεμα τεμάχια στο υλικό αιτήματα." @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Κατά το είδος στο τιμολόγιο πώλησης ,Production Orders in Progress,Εντολές παραγωγής σε εξέλιξη apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Καθαρές ροές από επενδυτικές -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage είναι πλήρης, δεν έσωσε" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage είναι πλήρης, δεν έσωσε" DocType: Lead,Address & Contact,Διεύθυνση & Επαφή DocType: Leave Allocation,Add unused leaves from previous allocations,Προσθήκη αχρησιμοποίητα φύλλα από προηγούμενες κατανομές apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Το επόμενο επαναλαμβανόμενο {0} θα δημιουργηθεί στις {1} DocType: Sales Partner,Partner website,Συνεργαζόμενη διαδικτυακή apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Πρόσθεσε είδος -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Όνομα επαφής +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Όνομα επαφής DocType: Course Assessment Criteria,Course Assessment Criteria,Κριτήρια Αξιολόγησης Μαθήματος DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Δημιουργεί βεβαίωση αποδοχών για τα προαναφερόμενα κριτήρια. DocType: POS Customer Group,POS Customer Group,POS Ομάδα Πελατών @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Γραμμή {0}: παρακαλώ επιλέξτε το «είναι προκαταβολή» έναντι του λογαριασμού {1} αν αυτό είναι μια καταχώρηση προκαταβολής. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Η αποθήκη {0} δεν ανήκει στην εταιρεία {1} DocType: Email Digest,Profit & Loss,Απώλειες κερδών -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Λίτρο +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Λίτρο DocType: Task,Total Costing Amount (via Time Sheet),Σύνολο Κοστολόγηση Ποσό (μέσω Ώρα Φύλλο) DocType: Item Website Specification,Item Website Specification,Προδιαγραφή ιστότοπου για το είδος apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Η άδεια εμποδίστηκε @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,Αρ. Τιμολογίου πώλησης DocType: Material Request Item,Min Order Qty,Ελάχιστη ποσότητα παραγγελίας DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Μάθημα Ομάδα μαθητή Εργαλείο Δημιουργίας DocType: Lead,Do Not Contact,Μην επικοινωνείτε -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Οι άνθρωποι που διδάσκουν σε οργανισμό σας +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Οι άνθρωποι που διδάσκουν σε οργανισμό σας DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Το μοναδικό αναγνωριστικό για την παρακολούθηση όλων των επαναλαμβανόμενων τιμολογίων. Παράγεται με την υποβολή. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Προγραμματιστής DocType: Item,Minimum Order Qty,Ελάχιστη ποσότητα παραγγελίας @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,Δημοσίευση στο hub DocType: Student Admission,Student Admission,Η είσοδος φοιτητής ,Terretory,Περιοχή apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Το είδος {0} είναι ακυρωμένο -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Αίτηση υλικού +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Αίτηση υλικού DocType: Bank Reconciliation,Update Clearance Date,Ενημέρωση ημερομηνίας εκκαθάρισης DocType: Item,Purchase Details,Λεπτομέρειες αγοράς apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Θέση {0} δεν βρέθηκε στο «πρώτες ύλες που προμηθεύεται« πίνακα Εντολή Αγοράς {1} @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,στόλου Διευθυντής apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} δεν μπορεί να είναι αρνητικό για το στοιχείο {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Λάθος Κωδικός DocType: Item,Variant Of,Παραλλαγή του -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Η ολοκληρωμένη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την «ποσότητα για κατασκευή» +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Η ολοκληρωμένη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την «ποσότητα για κατασκευή» DocType: Period Closing Voucher,Closing Account Head,Κλείσιμο κύριας εγγραφής λογαριασμού DocType: Employee,External Work History,Ιστορικό εξωτερικής εργασίας apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Κυκλικού λάθους Αναφορά @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,Απόσταση από apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} μονάδες [{1}] (# έντυπο / Θέση / {1}) βρίσκονται στο [{2}] (# έντυπο / Αποθήκη / {2}) DocType: Lead,Industry,Βιομηχανία DocType: Employee,Job Profile,Προφίλ εργασίας +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,"Αυτό βασίζεται σε συναλλαγές έναντι αυτής της Εταιρείας. Για λεπτομέρειες, δείτε την παρακάτω χρονολογική σειρά" DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Ειδοποίηση μέσω email σχετικά με την αυτόματη δημιουργία αιτήσης υλικού DocType: Journal Entry,Multi Currency,Πολλαπλό Νόμισμα DocType: Payment Reconciliation Invoice,Invoice Type,Τύπος τιμολογίου -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Δελτίο αποστολής +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Δελτίο αποστολής apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Ρύθμιση Φόροι apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Κόστος πωληθέντων περιουσιακών στοιχείων apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Η καταχώηρση πληρωμής έχει τροποποιηθεί μετά την λήψη της. Παρακαλώ επαναλάβετε τη λήψη. @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Παρακαλώ εισάγετε τιμή στο πεδίο 'επανάληψη για την ημέρα του μήνα' DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Ισοτιμία με την οποία το νόμισμα του πελάτη μετατρέπεται στο βασικό νόμισμα του πελάτη DocType: Course Scheduling Tool,Course Scheduling Tool,Φυσικά εργαλείο προγραμματισμού -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Σειρά # {0}: Αγορά Τιμολόγιο δεν μπορεί να γίνει κατά ένα υπάρχον στοιχείο {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Σειρά # {0}: Αγορά Τιμολόγιο δεν μπορεί να γίνει κατά ένα υπάρχον στοιχείο {1} DocType: Item Tax,Tax Rate,Φορολογικός συντελεστής apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} έχει ήδη διατεθεί υπάλληλου {1} για χρονικό διάστημα {2} σε {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Επιλέξτε Προϊόν +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Επιλέξτε Προϊόν apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Το τιμολογίου αγοράς {0} έχει ήδη υποβληθεί apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Σειρά # {0}: Παρτίδα Δεν πρέπει να είναι ίδιο με το {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Μετατροπή σε μη-Group @@ -443,7 +442,7 @@ DocType: Employee,Widowed,Χήρος DocType: Request for Quotation,Request for Quotation,Αίτηση για προσφορά DocType: Salary Slip Timesheet,Working Hours,Ώρες εργασίας DocType: Naming Series,Change the starting / current sequence number of an existing series.,Αλλάξτε τον αρχικό/τρέχων αύξοντα αριθμός μιας υπάρχουσας σειράς. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Δημιουργήστε ένα νέο πελάτη +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Δημιουργήστε ένα νέο πελάτη apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Αν υπάρχουν πολλοί κανόνες τιμολόγησης που συνεχίζουν να επικρατούν, οι χρήστες καλούνται να ορίσουν προτεραιότητα χειρονακτικά για την επίλυση των διενέξεων." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Δημιουργία Εντολών Αγοράς ,Purchase Register,Ταμείο αγορών @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Όνομα εξεταστής DocType: Purchase Invoice Item,Quantity and Rate,Ποσότητα και τιμή DocType: Delivery Note,% Installed,% Εγκατεστημένο -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Αίθουσες διδασκαλίας / εργαστήρια κ.λπ. όπου μπορεί να προγραμματιστεί διαλέξεις. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Αίθουσες διδασκαλίας / εργαστήρια κ.λπ. όπου μπορεί να προγραμματιστεί διαλέξεις. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Παρακαλώ εισάγετε πρώτα το όνομα της εταιρείας DocType: Purchase Invoice,Supplier Name,Όνομα προμηθευτή apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Διαβάστε το Εγχειρίδιο ERPNext @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,Συνεργάτης καναλιού DocType: Account,Old Parent,Παλαιός γονέας apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Υποχρεωτικό πεδίο - ακαδημαϊκό έτος DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Προσαρμόστε το εισαγωγικό κείμενο που αποστέλλεται ως μέρος του εν λόγω email. Κάθε συναλλαγή έχει ένα ξεχωριστό εισαγωγικό κείμενο. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Ορίστε προεπιλεγμένο πληρωτέο λογαριασμό για την εταιρεία {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Ορίστε προεπιλεγμένο πληρωτέο λογαριασμό για την εταιρεία {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Παγκόσμια ρυθμίσεις για όλες τις διαδικασίες κατασκευής. DocType: Accounts Settings,Accounts Frozen Upto,Παγωμένοι λογαριασμοί μέχρι DocType: SMS Log,Sent On,Εστάλη στις @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,Πληρωτέοι λογαριασμο apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Τα επιλεγμένα BOMs δεν είναι για το ίδιο στοιχείο DocType: Pricing Rule,Valid Upto,Ισχύει μέχρι DocType: Training Event,Workshop,Συνεργείο -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους πελάτες σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους πελάτες σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Αρκετά τμήματα για να χτίσει apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Άμεσα έσοδα apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Δεν μπορείτε να φιλτράρετε με βάση λογαριασμό, εάν είναι ομαδοποιημένες ανά λογαριασμό" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Διοικητικός λειτουργός apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Επιλέξτε Course DocType: Timesheet Detail,Hrs,ώρες -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Επιλέξτε Εταιρεία +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Επιλέξτε Εταιρεία DocType: Stock Entry Detail,Difference Account,Λογαριασμός διαφορών DocType: Purchase Invoice,Supplier GSTIN,Προμηθευτής GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Δεν μπορεί να κλείσει το έργο ως εξαρτώμενη εργασία του {0} δεν έχει κλείσει. @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,Offline POS Όνομα apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Ορίστε βαθμό για το όριο 0% DocType: Sales Order,To Deliver,Να Παραδώσει DocType: Purchase Invoice Item,Item,Είδος -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serial κανένα στοιχείο δεν μπορεί να είναι ένα κλάσμα +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serial κανένα στοιχείο δεν μπορεί να είναι ένα κλάσμα DocType: Journal Entry,Difference (Dr - Cr),Διαφορά ( dr - cr ) DocType: Account,Profit and Loss,Κέρδη και ζημιές apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Διαχείριση της υπεργολαβίας @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),Περίοδος εγγύησης (η DocType: Installation Note Item,Installation Note Item,Είδος σημείωσης εγκατάστασης DocType: Production Plan Item,Pending Qty,Εν αναμονή Ποσότητα DocType: Budget,Ignore,Αγνοήστε -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} δεν είναι ενεργή +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} δεν είναι ενεργή apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS αποστέλλονται στην παρακάτω αριθμούς: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,διαστάσεις Ελέγξτε τις ρυθμίσεις για εκτύπωση DocType: Salary Slip,Salary Slip Timesheet,Μισθός Slip Timesheet @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,ΣΕ- DocType: Production Order Operation,In minutes,Σε λεπτά DocType: Issue,Resolution Date,Ημερομηνία επίλυσης DocType: Student Batch Name,Batch Name,παρτίδα Όνομα -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Φύλλο κατανομής χρόνου δημιουργήθηκε: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Παρακαλώ ορίστε τον προεπιλεγμένο λογιαριασμό μετρητών ή τραπέζης στον τρόπο πληρωμής {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Φύλλο κατανομής χρόνου δημιουργήθηκε: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Παρακαλώ ορίστε τον προεπιλεγμένο λογιαριασμό μετρητών ή τραπέζης στον τρόπο πληρωμής {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Εγγράφω DocType: GST Settings,GST Settings,Ρυθμίσεις GST DocType: Selling Settings,Customer Naming By,Ονομασία πελάτη από @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,Χρήστης έργων apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,šΚαταναλώθηκε apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} Δεν βρέθηκε στον πίνακα στοιχείων τιμολογίου DocType: Company,Round Off Cost Center,Στρογγυλεύουν Κέντρο Κόστους -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Η επίσκεψη συντήρησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Η επίσκεψη συντήρησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης DocType: Item,Material Transfer,Μεταφορά υλικού apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Άνοιγμα ( dr ) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Η χρονοσήμανση αποστολής πρέπει να είναι μεταγενέστερη της {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,Σύνολο Τόκοι πληρω DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Φόροι και εβπιβαρύνσεις κόστους αποστολής εμπορευμάτων DocType: Production Order Operation,Actual Start Time,Πραγματική ώρα έναρξης DocType: BOM Operation,Operation Time,Χρόνος λειτουργίας -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Φινίρισμα +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Φινίρισμα apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Βάση DocType: Timesheet,Total Billed Hours,Σύνολο Τιμολογημένος Ώρες DocType: Journal Entry,Write Off Amount,Διαγραφή ποσού @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),Οδόμετρο Αξία (Τελευτα apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Έναρξη Πληρωμής έχει ήδη δημιουργηθεί DocType: Purchase Receipt Item Supplied,Current Stock,Τρέχον απόθεμα -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Σειρά # {0}: Asset {1} δεν συνδέεται στη θέση {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Σειρά # {0}: Asset {1} δεν συνδέεται στη θέση {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Preview Μισθός Slip apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Ο λογαριασμός {0} έχει τεθεί πολλές φορές DocType: Account,Expenses Included In Valuation,Δαπάνες που περιλαμβάνονται στην αποτίμηση @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Αεροδ DocType: Journal Entry,Credit Card Entry,Καταχώηρση πιστωτικής κάρτας apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Η εταιρεία και οι Λογαριασμοί apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Τα εμπορεύματα παραλήφθηκαν από τους προμηθευτές. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,στην Αξία +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,στην Αξία DocType: Lead,Campaign Name,Όνομα εκστρατείας DocType: Selling Settings,Close Opportunity After Days,Κλείστε Ευκαιρία μετά από μέρες ,Reserved,Δεσμευμένη @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Ενέργεια DocType: Opportunity,Opportunity From,Ευκαιρία από apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Μηνιαία κατάσταση μισθοδοσίας. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Σειρά {0}: {1} Σειριακοί αριθμοί που απαιτούνται για το στοιχείο {2}. Παρέχετε {3}. DocType: BOM,Website Specifications,Προδιαγραφές δικτυακού τόπου apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Από {0} του τύπου {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Γραμμή {0}: ο συντελεστής μετατροπής είναι υποχρεωτικός DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Πολλαπλές Κανόνες Τιμή υπάρχει με τα ίδια κριτήρια, παρακαλούμε επίλυση των συγκρούσεων με την ανάθεση προτεραιότητα. Κανόνες Τιμή: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Δεν είναι δυνατή η απενεργοποίηση ή ακύρωση της Λ.Υ. γιατί συνδέεται με άλλες Λ.Υ. +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Δεν είναι δυνατή η απενεργοποίηση ή ακύρωση της Λ.Υ. γιατί συνδέεται με άλλες Λ.Υ. DocType: Opportunity,Maintenance,Συντήρηση DocType: Item Attribute Value,Item Attribute Value,Τιμή χαρακτηριστικού είδους apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Εκστρατείες πωλήσεων. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Κάντε Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Κάντε Timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -844,7 +844,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Ρύθμιση λογαριασμού ηλεκτρονικού ταχυδρομείου apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Παρακαλώ εισάγετε πρώτα το είδος DocType: Account,Liability,Υποχρέωση -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Κυρώσεις Το ποσό δεν μπορεί να είναι μεγαλύτερη από την αξίωση Ποσό στη σειρά {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Κυρώσεις Το ποσό δεν μπορεί να είναι μεγαλύτερη από την αξίωση Ποσό στη σειρά {0}. DocType: Company,Default Cost of Goods Sold Account,Προεπιλογή Κόστος Πωληθέντων Λογαριασμού apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ο τιμοκατάλογος δεν έχει επιλεγεί DocType: Employee,Family Background,Ιστορικό οικογένειας @@ -855,10 +855,10 @@ DocType: Company,Default Bank Account,Προεπιλεγμένος τραπεζ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Για να φιλτράρετε με βάση Κόμμα, επιλέξτε Τύπος Πάρτυ πρώτα" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"«Ενημέρωση Αποθήκες» δεν μπορεί να ελεγχθεί, διότι τα στοιχεία δεν παραδίδονται μέσω {0}" DocType: Vehicle,Acquisition Date,Ημερομηνία απόκτησης -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Αριθμοί +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Αριθμοί DocType: Item,Items with higher weightage will be shown higher,Τα στοιχεία με υψηλότερες weightage θα δείξει υψηλότερη DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Λεπτομέρειες συμφωνίας τραπεζικού λογαριασμού -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Σειρά # {0}: Asset {1} πρέπει να υποβληθούν +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Σειρά # {0}: Asset {1} πρέπει να υποβληθούν apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Δεν βρέθηκε υπάλληλος DocType: Supplier Quotation,Stopped,Σταματημένη DocType: Item,If subcontracted to a vendor,Αν υπεργολαβία σε έναν πωλητή @@ -874,7 +874,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Ελάχιστο ποσό apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Κέντρο Κόστους {2} δεν ανήκει στην εταιρεία {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Ο λογαριασμός {2} δεν μπορεί να είναι μια ομάδα apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Στοιχείο Σειρά {idx}: {doctype} {docname} δεν υπάρχει στην παραπάνω »{doctype} 'τραπέζι -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Φύλλο κατανομής χρόνου {0} έχει ήδη ολοκληρωθεί ή ακυρωθεί +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Φύλλο κατανομής χρόνου {0} έχει ήδη ολοκληρωθεί ή ακυρωθεί apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Δεν καθήκοντα DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Η ημέρα του μήνα κατά την οποίο θα δημιουργηθεί το αυτοματοποιημένο τιμολόγιο, π.Χ. 05, 28 Κλπ" DocType: Asset,Opening Accumulated Depreciation,Άνοιγμα Συσσωρευμένες Αποσβέσεις @@ -933,7 +933,7 @@ DocType: SMS Log,Requested Numbers,Αιτήματα Αριθμοί DocType: Production Planning Tool,Only Obtain Raw Materials,Μόνο Αποκτήστε Πρώτες Ύλες apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Αξιολόγηση της απόδοσης. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Ενεργοποίηση »Χρησιμοποιήστε για το καλάθι αγορών», όπως είναι ενεργοποιημένο το καλάθι αγορών και θα πρέπει να υπάρχει τουλάχιστον μία φορολογική Κανόνας για το καλάθι αγορών" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Έναρξη πληρωμής {0} συνδέεται κατά Παραγγελία {1}, ελέγξτε αν θα πρέπει να τραβηχτεί, όπως εκ των προτέρων σε αυτό το τιμολόγιο." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Έναρξη πληρωμής {0} συνδέεται κατά Παραγγελία {1}, ελέγξτε αν θα πρέπει να τραβηχτεί, όπως εκ των προτέρων σε αυτό το τιμολόγιο." DocType: Sales Invoice Item,Stock Details,Χρηματιστήριο Λεπτομέρειες apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Αξία έργου apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-Sale @@ -956,15 +956,15 @@ DocType: Naming Series,Update Series,Ενημέρωση σειράς DocType: Supplier Quotation,Is Subcontracted,Έχει ανατεθεί ως υπεργολαβία DocType: Item Attribute,Item Attribute Values,Τιμές χαρακτηριστικού είδους DocType: Examination Result,Examination Result,Αποτέλεσμα εξέτασης -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Αποδεικτικό παραλαβής αγοράς +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Αποδεικτικό παραλαβής αγοράς ,Received Items To Be Billed,Είδη που παραλήφθηκαν και πρέπει να τιμολογηθούν -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,"Υποβλήθηκε εκκαθαριστικά σημειώματα αποδοχών," +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,"Υποβλήθηκε εκκαθαριστικά σημειώματα αποδοχών," apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Κύρια εγγραφή συναλλαγματικής ισοτιμίας. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},DocType αναφοράς πρέπει να είναι ένα από {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Ανίκανος να βρει χρονοθυρίδα στα επόμενα {0} ημέρες για τη λειτουργία {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Ανίκανος να βρει χρονοθυρίδα στα επόμενα {0} ημέρες για τη λειτουργία {1} DocType: Production Order,Plan material for sub-assemblies,Υλικό σχεδίου για τα υποσυστήματα apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Συνεργάτες πωλήσεων και Επικράτεια -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,Η Λ.Υ. {0} πρέπει να είναι ενεργή +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,Η Λ.Υ. {0} πρέπει να είναι ενεργή DocType: Journal Entry,Depreciation Entry,αποσβέσεις Έναρξη apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Παρακαλώ επιλέξτε τον τύπο του εγγράφου πρώτα apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Ακύρωση επισκέψεων {0} πριν από την ακύρωση αυτής της επίσκεψης για συντήρηση @@ -974,7 +974,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Συνολικό ποσό apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Δημοσίευση στο διαδίκτυο DocType: Production Planning Tool,Production Orders,Εντολές παραγωγής -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Αξία ισολογισμού +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Αξία ισολογισμού apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Τιμοκατάλογος πωλήσεων apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Δημοσιεύστε για να συγχρονίσετε τα είδη DocType: Bank Reconciliation,Account Currency,Ο λογαριασμός Νόμισμα @@ -999,12 +999,12 @@ DocType: Employee,Exit Interview Details,Λεπτομέρειες συνέντε DocType: Item,Is Purchase Item,Είναι είδος αγοράς DocType: Asset,Purchase Invoice,Τιμολόγιο αγοράς DocType: Stock Ledger Entry,Voucher Detail No,Αρ. λεπτομερειών αποδεικτικού -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Νέο Τιμολόγιο πωλήσεων +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Νέο Τιμολόγιο πωλήσεων DocType: Stock Entry,Total Outgoing Value,Συνολική εξερχόμενη αξία apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Ημερομηνία ανοίγματος και καταληκτική ημερομηνία θα πρέπει να είναι εντός της ίδιας Χρήσεως DocType: Lead,Request for Information,Αίτηση για πληροφορίες ,LeaderBoard,LeaderBoard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Συγχρονισμός Τιμολόγια Αποσυνδεδεμένος +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Συγχρονισμός Τιμολόγια Αποσυνδεδεμένος DocType: Payment Request,Paid,Πληρωμένο DocType: Program Fee,Program Fee,Χρέωση πρόγραμμα DocType: Salary Slip,Total in words,Σύνολο ολογράφως @@ -1012,7 +1012,7 @@ DocType: Material Request Item,Lead Time Date,Ημερομηνία ανοχής DocType: Guardian,Guardian Name,Όνομα Guardian DocType: Cheque Print Template,Has Print Format,Έχει Εκτύπωση Format DocType: Employee Loan,Sanctioned,Καθιερωμένος -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,είναι υποχρεωτική. Ίσως συναλλάγματος αρχείο δεν έχει δημιουργηθεί για +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,είναι υποχρεωτική. Ίσως συναλλάγματος αρχείο δεν έχει δημιουργηθεί για apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Γραμμή # {0}: παρακαλώ ορίστε σειριακό αριθμό για το είδος {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Για τα στοιχεία «Προϊόν Bundle», Αποθήκη, Αύξων αριθμός παρτίδας και Δεν θα θεωρηθεί από την «Packing List» πίνακα. Αν Αποθήκης και Μαζική Δεν είναι ίδιες για όλα τα είδη συσκευασίας για τη θέση του κάθε «Πακέτο Προϊόντων», οι αξίες αυτές μπορούν να εγγραφούν στον κύριο πίνακα Στοιχείο, οι τιμές θα αντιγραφούν στο «Packing List» πίνακα." DocType: Job Opening,Publish on website,Δημοσιεύει στην ιστοσελίδα @@ -1025,7 +1025,7 @@ DocType: Cheque Print Template,Date Settings,Ρυθμίσεις ημερομην apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Διακύμανση ,Company Name,Όνομα εταιρείας DocType: SMS Center,Total Message(s),Σύνολο μηνυμάτων -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Επιλογή στοιχείου για μεταφορά +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Επιλογή στοιχείου για μεταφορά DocType: Purchase Invoice,Additional Discount Percentage,Πρόσθετες ποσοστό έκπτωσης apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Δείτε μια λίστα με όλα τα βίντεο βοήθειας DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Επιλέξτε την κύρια εγγραφή λογαριασμού της τράπεζας όπου κατατέθηκε η επιταγή. @@ -1039,7 +1039,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Κόστος των πρώτων υλών (Εταιρεία νομίσματος) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Όλα τα είδη έχουν ήδη μεταφερθεί για αυτήν την εντολή παραγωγής. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Σειρά # {0}: Η τιμή δεν μπορεί να είναι μεγαλύτερη από την τιμή {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Μέτρο +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Μέτρο DocType: Workstation,Electricity Cost,Κόστος ηλεκτρικής ενέργειας DocType: HR Settings,Don't send Employee Birthday Reminders,Μην στέλνετε υπενθυμίσεις γενεθλίων υπαλλήλου DocType: Item,Inspection Criteria,Κριτήρια ελέγχου @@ -1053,7 +1053,7 @@ DocType: SMS Center,All Lead (Open),Όλες οι Συστάσεις (ανοιχ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Σειρά {0}: Ποσότητα δεν είναι διαθέσιμη για {4} στην αποθήκη {1} στην απόσπαση χρόνο έναρξης ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Βρες προκαταβολές που καταβλήθηκαν DocType: Item,Automatically Create New Batch,Δημιουργία αυτόματης νέας παρτίδας -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Δημιούργησε +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Δημιούργησε DocType: Student Admission,Admission Start Date,Η είσοδος Ημερομηνία Έναρξης DocType: Journal Entry,Total Amount in Words,Συνολικό ποσό ολογράφως apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Υπήρξε ένα σφάλμα. Ένας πιθανός λόγος θα μπορούσε να είναι ότι δεν έχετε αποθηκεύσει τη φόρμα. Παρακαλώ επικοινωνήστε με το support@erpnext.Com εάν το πρόβλημα παραμένει. @@ -1061,7 +1061,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Το Καλάθι μο apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Ο τύπος παραγγελίας πρέπει να είναι ένα από τα {0} DocType: Lead,Next Contact Date,Ημερομηνία επόμενης επικοινωνίας apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Αρχική ποσότητα -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Παρακαλούμε, εισάγετε Λογαριασμού για την Αλλαγή Ποσό" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Παρακαλούμε, εισάγετε Λογαριασμού για την Αλλαγή Ποσό" DocType: Student Batch Name,Student Batch Name,Φοιτητής παρτίδας Όνομα DocType: Holiday List,Holiday List Name,Όνομα λίστας αργιών DocType: Repayment Schedule,Balance Loan Amount,Υπόλοιπο Ποσό Δανείου @@ -1069,7 +1069,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Δικαιώματα Προαίρεσης DocType: Journal Entry Account,Expense Claim,Αξίωση δαπανών apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Θέλετε πραγματικά να επαναφέρετε αυτή τη διάλυση των περιουσιακών στοιχείων; -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Ποσότητα για {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Ποσότητα για {0} DocType: Leave Application,Leave Application,Αίτηση άδειας apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Εργαλείο κατανομής αδειών DocType: Leave Block List,Leave Block List Dates,Ημερομηνίες λίστας αποκλεισμού ημερών άδειας @@ -1119,7 +1119,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Κατά DocType: Item,Default Selling Cost Center,Προεπιλεγμένο κέντρο κόστους πωλήσεων DocType: Sales Partner,Implementation Partner,Συνεργάτης υλοποίησης -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Ταχυδρομικός κώδικας +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Ταχυδρομικός κώδικας apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Πωλήσεις Τάξης {0} είναι {1} DocType: Opportunity,Contact Info,Πληροφορίες επαφής apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Κάνοντας Χρηματιστήριο Καταχωρήσεις @@ -1137,13 +1137,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Έω apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Μέσος όρος ηλικίας DocType: School Settings,Attendance Freeze Date,Ημερομηνία παγώματος της παρουσίας DocType: Opportunity,Your sales person who will contact the customer in future,Ο πωλητής σας που θα επικοινωνήσει με τον πελάτη στο μέλλον -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους προμηθευτές σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους προμηθευτές σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Δείτε όλα τα προϊόντα apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Ελάχιστη ηλικία μόλυβδου (ημέρες) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Όλα BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Όλα BOMs DocType: Company,Default Currency,Προεπιλεγμένο νόμισμα DocType: Expense Claim,From Employee,Από υπάλληλο -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Προσοχή : το σύστημα δεν θα ελέγξει για υπερτιμολογήσεις εφόσον το ποσό για το είδος {0} {1} είναι μηδέν +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Προσοχή : το σύστημα δεν θα ελέγξει για υπερτιμολογήσεις εφόσον το ποσό για το είδος {0} {1} είναι μηδέν DocType: Journal Entry,Make Difference Entry,Δημιούργησε καταχώηρηση διαφοράς DocType: Upload Attendance,Attendance From Date,Συμμετοχή από ημερομηνία DocType: Appraisal Template Goal,Key Performance Area,Βασικός τομέας επιδόσεων @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Αριθμοί μητρώου των επιχειρήσεων για την αναφορά σας. Αριθμοί φόρου κ.λ.π. DocType: Sales Partner,Distributor,Διανομέας DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Κανόνες αποστολής καλαθιού αγορών -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Η εντολή παραγωγής {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Η εντολή παραγωγής {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Παρακαλούμε να ορίσετε «Εφαρμόστε επιπλέον έκπτωση On» ,Ordered Items To Be Billed,Παραγγελθέντα είδη για τιμολόγηση apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"Από το φάσμα πρέπει να είναι μικρότερη από ό, τι στην γκάμα" @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Κρατήσεις DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Έτος έναρξης -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Τα πρώτα 2 ψηφία GSTIN θα πρέπει να ταιριάζουν με τον αριθμό κατάστασης {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Τα πρώτα 2 ψηφία GSTIN θα πρέπει να ταιριάζουν με τον αριθμό κατάστασης {0} DocType: Purchase Invoice,Start date of current invoice's period,Ημερομηνία έναρξης της περιόδου του τρέχοντος τιμολογίου DocType: Salary Slip,Leave Without Pay,Άδεια άνευ αποδοχών -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Χωρητικότητα Σφάλμα Προγραμματισμού +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Χωρητικότητα Σφάλμα Προγραμματισμού ,Trial Balance for Party,Ισοζύγιο για το Κόμμα DocType: Lead,Consultant,Σύμβουλος DocType: Salary Slip,Earnings,Κέρδη @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,Ρυθμίσεις πληρωτή DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Αυτό θα πρέπει να επισυνάπτεται στο κφδικό είδους της παραλλαγής. Για παράδειγμα, εάν η συντομογραφία σας είναι «sm» και ο κωδικός του είδους είναι ""t-shirt"", ο κωδικός του της παραλλαγής του είδους θα είναι ""t-shirt-sm""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Οι καθαρές αποδοχές (ολογράφως) θα είναι ορατές τη στιγμή που θα αποθηκεύσετε τη βεβαίωση αποδοχών DocType: Purchase Invoice,Is Return,Είναι η επιστροφή -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Επιστροφή / χρεωστικό σημείωμα +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Επιστροφή / χρεωστικό σημείωμα DocType: Price List Country,Price List Country,Τιμοκατάλογος Χώρα DocType: Item,UOMs,Μ.Μ. apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} Έγκυροι σειριακοί αριθμοί για το είδος {1} @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,"Εν μέρει, προέβη στη apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Βάση δεδομένων προμηθευτών. DocType: Account,Balance Sheet,Ισολογισμός apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Κέντρο κόστους για το είδος με το κωδικό είδους ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Τρόπος πληρωμής δεν έχει ρυθμιστεί. Παρακαλώ ελέγξτε, εάν ο λογαριασμός έχει τεθεί σε λειτουργία πληρωμών ή σε POS προφίλ." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Τρόπος πληρωμής δεν έχει ρυθμιστεί. Παρακαλώ ελέγξτε, εάν ο λογαριασμός έχει τεθεί σε λειτουργία πληρωμών ή σε POS προφίλ." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Ο πωλητής σας θα λάβει μια υπενθύμιση την ημερομηνία αυτή για να επικοινωνήσει με τον πελάτη apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Ίδιο αντικείμενο δεν μπορεί να εισαχθεί πολλές φορές. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Περαιτέρω λογαριασμών μπορούν να γίνουν στις ομάδες, αλλά εγγραφές μπορούν να γίνουν με την μη Ομάδες" @@ -1229,7 +1229,7 @@ DocType: Employee Loan Application,Repayment Info,Πληροφορίες απο apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,Οι καταχωρήσεις δεν μπορεί να είναι κενές apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Διπλότυπη γραμμή {0} με το ίδιο {1} ,Trial Balance,Ισοζύγιο -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Φορολογικό Έτος {0} δεν βρέθηκε +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Φορολογικό Έτος {0} δεν βρέθηκε apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Ρύθμιση εργαζόμενοι DocType: Sales Order,SO-,ΈΤΣΙ- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Παρακαλώ επιλέξτε πρόθεμα πρώτα @@ -1244,11 +1244,11 @@ DocType: Grading Scale,Intervals,διαστήματα apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Η πιο παλιά apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Μια ομάδα ειδών υπάρχει με το ίδιο όνομα, μπορείτε να αλλάξετε το όνομα του είδους ή να μετονομάσετε την ομάδα ειδών" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Φοιτητής Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Τρίτες χώρες +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Τρίτες χώρες apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Το είδος {0} δεν μπορεί να έχει παρτίδα ,Budget Variance Report,Έκθεση διακύμανσης του προϋπολογισμού DocType: Salary Slip,Gross Pay,Ακαθάριστες αποδοχές -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Σειρά {0}: Τύπος δραστηριότητας είναι υποχρεωτική. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Σειρά {0}: Τύπος δραστηριότητας είναι υποχρεωτική. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Μερίσματα που καταβάλλονται apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Λογιστική Λογιστική DocType: Stock Reconciliation,Difference Amount,Διαφορά Ποσό @@ -1270,18 +1270,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Υπόλοιπο αδείας υπαλλήλου apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Το υπόλοιπο λογαριασμού {0} πρέπει να είναι πάντα {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Αποτίμηση Βαθμολογήστε που απαιτούνται για τη θέση στη γραμμή {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Παράδειγμα: Μάστερ στην Επιστήμη των Υπολογιστών +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Παράδειγμα: Μάστερ στην Επιστήμη των Υπολογιστών DocType: Purchase Invoice,Rejected Warehouse,Αποθήκη απορριφθέντων DocType: GL Entry,Against Voucher,Κατά το αποδεικτικό DocType: Item,Default Buying Cost Center,Προεπιλεγμένο κέντρο κόστους αγορών apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Για να πάρετε το καλύτερο από ERPNext, σας συνιστούμε να πάρει κάποιο χρόνο και να παρακολουθήσουν αυτά τα βίντεο βοήθεια." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,να +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,να DocType: Supplier Quotation Item,Lead Time in days,Χρόνος των ημερών apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Σύνοψη πληρωτέων λογαριασμών -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Καταβολή του μισθού από {0} έως {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Καταβολή του μισθού από {0} έως {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Δεν επιτρέπεται να επεξεργαστείτε τον παγωμένο λογαριασμό {0} DocType: Journal Entry,Get Outstanding Invoices,Βρες εκκρεμή τιμολόγια -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Η παραγγελία πώλησης {0} δεν είναι έγκυρη +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Η παραγγελία πώλησης {0} δεν είναι έγκυρη apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,εντολές αγοράς σας βοηθήσει να σχεδιάσετε και να παρακολουθούν τις αγορές σας apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Δυστυχώς, οι εταιρείες δεν μπορούν να συγχωνευθούν" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1303,8 +1303,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Έμμεσες δαπάνες apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Γραμμή {0}: η ποσότητα είναι απαραίτητη apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Γεωργία -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Συγχρονισμός Δεδομένα Βασικού Αρχείου -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Τα προϊόντα ή οι υπηρεσίες σας +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Συγχρονισμός Δεδομένα Βασικού Αρχείου +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Τα προϊόντα ή οι υπηρεσίες σας DocType: Mode of Payment,Mode of Payment,Τρόπος πληρωμής apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Ιστοσελίδα εικόνας θα πρέπει να είναι ένα δημόσιο αρχείο ή URL της ιστοσελίδας DocType: Student Applicant,AP,AP @@ -1323,18 +1323,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Φορολογικός συντελ DocType: Student Group Student,Group Roll Number,Αριθμός Αριθμός Roll apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Για {0}, μόνο πιστωτικοί λογαριασμοί μπορούν να συνδέονται με άλλες καταχωρήσεις χρέωσης" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Σύνολο όλων των βαρών στόχος θα πρέπει να είναι: 1. Παρακαλώ ρυθμίστε τα βάρη όλων των εργασιών του έργου ανάλογα -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Το δελτίο αποστολής {0} δεν έχει υποβληθεί +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Το δελτίο αποστολής {0} δεν έχει υποβληθεί apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Το είδος {0} πρέπει να είναι είδος υπεργολαβίας apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Κεφάλαιο εξοπλισμών apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ο κανόνας τιμολόγησης πρώτα επιλέγεται με βάση το πεδίο 'εφαρμογή στο', το οποίο μπορεί να είναι είδος, ομάδα ειδών ή εμπορικό σήμα" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Ορίστε πρώτα τον Κωδικό στοιχείου +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Ορίστε πρώτα τον Κωδικό στοιχείου DocType: Hub Settings,Seller Website,Ιστοσελίδα πωλητή DocType: Item,ITEM-,ΕΊΔΟΣ- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Το σύνολο των κατανεμημέωνων ποσοστών για την ομάδα πωλήσεων πρέπει να είναι 100 DocType: Appraisal Goal,Goal,Στόχος DocType: Sales Invoice Item,Edit Description,Επεξεργασία Περιγραφή ,Team Updates,Ενημερώσεις ομάδα -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Για προμηθευτή +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Για προμηθευτή DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Η ρύθμιση του τύπου λογαριασμού βοηθά στην επιλογή αυτού του λογαριασμού στις συναλλαγές. DocType: Purchase Invoice,Grand Total (Company Currency),Γενικό σύνολο (νόμισμα της εταιρείας) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Δημιουργία Εκτύπωση Format @@ -1348,12 +1348,12 @@ DocType: Item,Website Item Groups,Ομάδες ειδών δικτυακού τ DocType: Purchase Invoice,Total (Company Currency),Σύνολο (Εταιρεία νομίσματος) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Ο σειριακός αριθμός {0} εισήχθηκε περισσότερο από μία φορά DocType: Depreciation Schedule,Journal Entry,Λογιστική εγγραφή -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} αντικείμενα σε εξέλιξη +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} αντικείμενα σε εξέλιξη DocType: Workstation,Workstation Name,Όνομα σταθμού εργασίας DocType: Grading Scale Interval,Grade Code,Βαθμολογία Κωδικός DocType: POS Item Group,POS Item Group,POS Θέση του Ομίλου apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Στείλτε ενημερωτικό άρθρο email: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},Η Λ.Υ. {0} δεν ανήκει στο είδος {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},Η Λ.Υ. {0} δεν ανήκει στο είδος {1} DocType: Sales Partner,Target Distribution,Στόχος διανομής DocType: Salary Slip,Bank Account No.,Αριθμός τραπεζικού λογαριασμού DocType: Naming Series,This is the number of the last created transaction with this prefix,Αυτός είναι ο αριθμός της τελευταίας συναλλαγής που δημιουργήθηκε με αυτό το πρόθεμα @@ -1410,7 +1410,7 @@ DocType: Quotation,Shopping Cart,Καλάθι αγορών apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Μέσος όρος ημερησίως εξερχομένων DocType: POS Profile,Campaign,Εκστρατεία DocType: Supplier,Name and Type,Όνομα και Τύπος -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Η κατάσταση έγκρισης πρέπει να είναι εγκρίθηκε ή απορρίφθηκε +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Η κατάσταση έγκρισης πρέπει να είναι εγκρίθηκε ή απορρίφθηκε DocType: Purchase Invoice,Contact Person,Κύρια εγγραφή επικοινωνίας apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',Η αναμενόμενη ημερομηνία έναρξης δεν μπορεί να είναι μεταγενέστερη από την αναμενόμενη ημερομηνία λήξης DocType: Course Scheduling Tool,Course End Date,Φυσικά Ημερομηνία Λήξης @@ -1422,8 +1422,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,προτιμώμενη Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Καθαρή Αλλαγή στο Παγίων DocType: Leave Control Panel,Leave blank if considered for all designations,Άφησε το κενό αν ισχύει για όλες τις ονομασίες -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Η επιβάρυνση του τύπου 'πραγματική' στη γραμμή {0} δεν μπορεί να συμπεριληφθεί στην τιμή είδους -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Μέγιστο: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Η επιβάρυνση του τύπου 'πραγματική' στη γραμμή {0} δεν μπορεί να συμπεριληφθεί στην τιμή είδους +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Μέγιστο: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Από ημερομηνία και ώρα DocType: Email Digest,For Company,Για την εταιρεία apps/erpnext/erpnext/config/support.py +17,Communication log.,Αρχείο καταγραφής επικοινωνίας @@ -1464,7 +1464,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Επαγγελ DocType: Journal Entry Account,Account Balance,Υπόλοιπο λογαριασμού apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Φορολογικές Κανόνας για τις συναλλαγές. DocType: Rename Tool,Type of document to rename.,Τύπος του εγγράφου για να μετονομάσετε. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Αγοράζουμε αυτό το είδος +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Αγοράζουμε αυτό το είδος apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Πελάτης υποχρεούται κατά του λογαριασμού Απαιτήσεις {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Σύνολο φόρων και επιβαρύνσεων (στο νόμισμα της εταιρείας) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Εμφάνιση P & L υπόλοιπα unclosed χρήσεως @@ -1475,7 +1475,7 @@ DocType: Quality Inspection,Readings,Μετρήσεις DocType: Stock Entry,Total Additional Costs,Συνολικό πρόσθετο κόστος DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Άχρηστα Υλικών Κατασκευής Νέων Κτιρίων (Εταιρεία νομίσματος) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Υποσυστήματα +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Υποσυστήματα DocType: Asset,Asset Name,Όνομα του ενεργητικού DocType: Project,Task Weight,Task Βάρος DocType: Shipping Rule Condition,To Value,ˆΈως αξία @@ -1504,7 +1504,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Παραλλαγές τ DocType: Company,Services,Υπηρεσίες DocType: HR Settings,Email Salary Slip to Employee,Email Μισθός Slip σε Εργαζομένους DocType: Cost Center,Parent Cost Center,Γονικό κέντρο κόστους -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Επιλέξτε Πιθανή Προμηθευτής +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Επιλέξτε Πιθανή Προμηθευτής DocType: Sales Invoice,Source,Πηγή apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Εμφάνιση κλειστά DocType: Leave Type,Is Leave Without Pay,Είναι άδειας άνευ αποδοχών @@ -1516,7 +1516,7 @@ DocType: POS Profile,Apply Discount,Εφαρμόστε Έκπτωση DocType: GST HSN Code,GST HSN Code,Κωδικός HSN του GST DocType: Employee External Work History,Total Experience,Συνολική εμπειρία apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ανοικτό Έργα -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Το(α) δελτίο(α) συσκευασίας ακυρώθηκε(αν) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Το(α) δελτίο(α) συσκευασίας ακυρώθηκε(αν) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Ταμειακές ροές από επενδυτικές DocType: Program Course,Program Course,Πορεία του προγράμματος apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Χρεώσεις μεταφοράς και προώθησης @@ -1557,9 +1557,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,πρόγραμμα Εγγραφές DocType: Sales Invoice Item,Brand Name,Εμπορική επωνυμία DocType: Purchase Receipt,Transporter Details,Λεπτομέρειες Transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Προεπιλογή αποθήκη απαιτείται για επιλεγμένες στοιχείο -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Κουτί -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,πιθανές Προμηθευτής +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Προεπιλογή αποθήκη απαιτείται για επιλεγμένες στοιχείο +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Κουτί +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,πιθανές Προμηθευτής DocType: Budget,Monthly Distribution,Μηνιαία διανομή apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Η λίστα παραλήπτη είναι άδεια. Παρακαλώ δημιουργήστε λίστα παραλήπτη DocType: Production Plan Sales Order,Production Plan Sales Order,Παραγγελία πώλησης σχεδίου παραγωγής @@ -1591,7 +1591,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Απαιτή apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Οι μαθητές βρίσκονται στην καρδιά του συστήματος, προσθέστε όλους τους μαθητές σας" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Σειρά # {0}: Ημερομηνία Εκκαθάρισης {1} δεν μπορεί να είναι πριν Επιταγή Ημερομηνία {2} DocType: Company,Default Holiday List,Προεπιλεγμένη λίστα διακοπών -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Σειρά {0}: από το χρόνο και την ώρα της {1} είναι η επικάλυψη με {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},Σειρά {0}: από το χρόνο και την ώρα της {1} είναι η επικάλυψη με {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Υποχρεώσεις αποθέματος DocType: Purchase Invoice,Supplier Warehouse,Αποθήκη προμηθευτή DocType: Opportunity,Contact Mobile No,Αριθμός κινητού επαφής @@ -1607,18 +1607,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Η άδεια του τύπου {0} δεν μπορεί να είναι μεγαλύτερη από {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Δοκιμάστε τον προγραμματισμό εργασιών για το X ημέρες νωρίτερα. DocType: HR Settings,Stop Birthday Reminders,Διακοπή υπενθυμίσεων γενεθλίων -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Παρακαλούμε να ορίσετε Προεπιλογή Μισθοδοσίας Πληρωτέο Λογαριασμού Εταιρείας {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Παρακαλούμε να ορίσετε Προεπιλογή Μισθοδοσίας Πληρωτέο Λογαριασμού Εταιρείας {0} DocType: SMS Center,Receiver List,Λίστα παραλήπτη -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Αναζήτηση Είδους +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Αναζήτηση Είδους apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Ποσό που καταναλώθηκε apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Καθαρή Αλλαγή σε μετρητά DocType: Assessment Plan,Grading Scale,Κλίμακα βαθμολόγησης apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Η μονάδα μέτρησης {0} έχει εισαχθεί περισσότερες από μία φορές στον πίνακας παραγόντων μετατροπής -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,έχουν ήδη ολοκληρωθεί +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,έχουν ήδη ολοκληρωθεί apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Χρηματιστήριο στο χέρι apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Αίτηση Πληρωμής υπάρχει ήδη {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Κόστος ειδών που εκδόθηκαν -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Η ποσότητα δεν πρέπει να είναι μεγαλύτερη από {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Η ποσότητα δεν πρέπει να είναι μεγαλύτερη από {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Προηγούμενο οικονομικό έτος δεν έχει κλείσει apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Ηλικία (ημέρες) DocType: Quotation Item,Quotation Item,Είδος προσφοράς @@ -1632,6 +1632,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,έγγραφο αναφοράς apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} έχει ακυρωθεί ή σταματήσει DocType: Accounts Settings,Credit Controller,Ελεγκτής πίστωσης +DocType: Sales Order,Final Delivery Date,Τελική ημερομηνία παράδοσης DocType: Delivery Note,Vehicle Dispatch Date,Ημερομηνία κίνησης οχήματος DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Το αποδεικτικό παραλαβής αγοράς {0} δεν έχει υποβληθεί @@ -1720,9 +1721,9 @@ DocType: Employee,Date Of Retirement,Ημερομηνία συνταξιοδότ DocType: Upload Attendance,Get Template,Βρες πρότυπο DocType: Material Request,Transferred,Μεταφέρθηκε DocType: Vehicle,Doors,πόρτες -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Ρύθμιση ERPNext Πλήρης! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Ρύθμιση ERPNext Πλήρης! DocType: Course Assessment Criteria,Weightage,Ζύγισμα -DocType: Sales Invoice,Tax Breakup,Φορολογική διακοπή +DocType: Purchase Invoice,Tax Breakup,Φορολογική διακοπή DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Κέντρο κόστος που απαιτείται για την «Αποτελεσμάτων Χρήσεως» του λογαριασμού {2}. Παρακαλείστε να δημιουργήσει ένα προεπιλεγμένο Κέντρο Κόστους για την Εταιρεία. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Μια ομάδα πελατών υπάρχει με το ίδιο όνομα παρακαλώ να αλλάξετε το όνομα του πελάτη ή να μετονομάσετε την ομάδα πελατών @@ -1735,14 +1736,14 @@ DocType: Announcement,Instructor,Εκπαιδευτής DocType: Employee,AB+,ΑΒ + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Εάν αυτό το στοιχείο έχει παραλλαγές, τότε δεν μπορεί να επιλεγεί σε εντολές πώλησης κ.λπ." DocType: Lead,Next Contact By,Επόμενη επικοινωνία από -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Η ποσότητα για το είδος {0} στη γραμμή {1} είναι απαραίτητη. +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Η ποσότητα για το είδος {0} στη γραμμή {1} είναι απαραίτητη. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Η αποθήκη {0} δεν μπορεί να διαγραφεί, γιατί υπάρχει ποσότητα για το είδος {1}" DocType: Quotation,Order Type,Τύπος παραγγελίας DocType: Purchase Invoice,Notification Email Address,Διεύθυνση email ενημερώσεων ,Item-wise Sales Register,Ταμείο πωλήσεων ανά είδος DocType: Asset,Gross Purchase Amount,Ακαθάριστο Ποσό Αγορά DocType: Asset,Depreciation Method,Μέθοδος απόσβεσης -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ο φόρος αυτός περιλαμβάνεται στη βασική τιμή; apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Σύνολο στόχου DocType: Job Applicant,Applicant for a Job,Αιτών εργασία @@ -1763,7 +1764,7 @@ DocType: Employee,Leave Encashed?,Η άδεια εισπράχθηκε; apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Το πεδίο 'ευκαιρία από' είναι υποχρεωτικό DocType: Email Digest,Annual Expenses,ετήσια Έξοδα DocType: Item,Variants,Παραλλαγές -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Δημιούργησε παραγγελία αγοράς +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Δημιούργησε παραγγελία αγοράς DocType: SMS Center,Send To,Αποστολή προς apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Δεν υπάρχει αρκετό υπόλοιπο άδειας για άδειες τύπου {0} DocType: Payment Reconciliation Payment,Allocated amount,Ποσό που διατέθηκε @@ -1771,7 +1772,7 @@ DocType: Sales Team,Contribution to Net Total,Συμβολή στο καθαρό DocType: Sales Invoice Item,Customer's Item Code,Κωδικός είδους πελάτη DocType: Stock Reconciliation,Stock Reconciliation,Συμφωνία αποθέματος DocType: Territory,Territory Name,Όνομα περιοχής -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Η αποθήκη εργασιών σε εξέλιξηαπαιτείται πριν την υποβολή +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Η αποθήκη εργασιών σε εξέλιξηαπαιτείται πριν την υποβολή apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Αιτών εργασία DocType: Purchase Order Item,Warehouse and Reference,Αποθήκη και αναφορά DocType: Supplier,Statutory info and other general information about your Supplier,Πληροφορίες καταστατικού και άλλες γενικές πληροφορίες σχετικά με τον προμηθευτή σας @@ -1782,16 +1783,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,εκτιμήσεις apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Διπλότυπος σειριακός αριθμός για το είδος {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Μια συνθήκη για έναν κανόνα αποστολής apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Παρακαλώ περάστε -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Δεν είναι δυνατή η overbill για Θέση {0} στη γραμμή {1} περισσότερο από {2}. Για να καταστεί δυνατή η υπερβολική τιμολόγηση, ορίστε στην Αγορά Ρυθμίσεις" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Παρακαλούμε να ορίσετε το φίλτρο σύμφωνα με το σημείο ή την αποθήκη +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Δεν είναι δυνατή η overbill για Θέση {0} στη γραμμή {1} περισσότερο από {2}. Για να καταστεί δυνατή η υπερβολική τιμολόγηση, ορίστε στην Αγορά Ρυθμίσεις" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Παρακαλούμε να ορίσετε το φίλτρο σύμφωνα με το σημείο ή την αποθήκη DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Το καθαρό βάρος της εν λόγω συσκευασίας. (Υπολογίζεται αυτόματα ως το άθροισμα του καθαρού βάρους των ειδών) DocType: Sales Order,To Deliver and Bill,Για να παρέχουν και να τιμολογούν DocType: Student Group,Instructors,εκπαιδευτές DocType: GL Entry,Credit Amount in Account Currency,Πιστωτικές Ποσό σε Νόμισμα Λογαριασμού -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,Η Λ.Υ. {0} πρέπει να υποβληθεί +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,Η Λ.Υ. {0} πρέπει να υποβληθεί DocType: Authorization Control,Authorization Control,Έλεγχος εξουσιοδότησης apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Σειρά # {0}: Απορρίφθηκε Αποθήκη είναι υποχρεωτική κατά στοιχείο που έχει απορριφθεί {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Πληρωμή +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Πληρωμή apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Η αποθήκη {0} δεν συνδέεται με κανένα λογαριασμό, αναφέρετε τον λογαριασμό στο αρχείο αποθήκης ή ορίστε τον προεπιλεγμένο λογαριασμό αποθέματος στην εταιρεία {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Διαχειριστείτε τις παραγγελίες σας DocType: Production Order Operation,Actual Time and Cost,Πραγματικός χρόνος και κόστος @@ -1807,12 +1808,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Ομα DocType: Quotation Item,Actual Qty,Πραγματική ποσότητα DocType: Sales Invoice Item,References,Παραπομπές DocType: Quality Inspection Reading,Reading 10,Μέτρηση 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Απαριθμήστε προϊόντα ή υπηρεσίες που αγοράζετε ή πουλάτε. Σιγουρέψτε πως έχει επιλεγεί η ομάδα εϊδους, η μονάδα μέτρησης και οι άλλες ιδιότητες όταν ξεκινάτε." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Απαριθμήστε προϊόντα ή υπηρεσίες που αγοράζετε ή πουλάτε. Σιγουρέψτε πως έχει επιλεγεί η ομάδα εϊδους, η μονάδα μέτρησης και οι άλλες ιδιότητες όταν ξεκινάτε." DocType: Hub Settings,Hub Node,Κόμβος Hub apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Έχετε εισάγει διπλότυπα στοιχεία. Παρακαλώ διορθώστε και δοκιμάστε ξανά. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Συνεργάτης +DocType: Company,Sales Target,Στόχος πωλήσεων DocType: Asset Movement,Asset Movement,Asset Κίνημα -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,νέα καλαθιού +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,νέα καλαθιού apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Το είδος {0} δεν είναι είδος μίας σειράς DocType: SMS Center,Create Receiver List,Δημιουργία λίστας παραλήπτη DocType: Vehicle,Wheels,τροχοί @@ -1853,13 +1855,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Διαχείριση DocType: Supplier,Supplier of Goods or Services.,Προμηθευτής αγαθών ή υπηρεσιών. DocType: Budget,Fiscal Year,Χρήση DocType: Vehicle Log,Fuel Price,των τιμών των καυσίμων +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε την σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης DocType: Budget,Budget,Προϋπολογισμός apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Πάγιο περιουσιακό στοιχείο πρέπει να είναι ένα στοιχείο μη διαθέσιμο. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Ο προϋπολογισμός δεν μπορεί να αποδοθεί κατά {0}, δεδομένου ότι δεν είναι ένας λογαριασμός έσοδα ή έξοδα" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Επιτεύχθηκε DocType: Student Admission,Application Form Route,Αίτηση Διαδρομή apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Περιοχή / πελάτης -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,Π.Χ. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,Π.Χ. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Αφήστε Τύπος {0} δεν μπορεί να διατεθεί αφού φύγετε χωρίς αμοιβή apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Γραμμή {0}: Το ποσό που διατίθεται {1} πρέπει να είναι μικρότερο ή ίσο με το οφειλόμενο ποσό του τιμολογίου {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε το τιμολόγιο πώλησης. @@ -1868,11 +1871,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Το είδος {0} δεν είναι στημένο για σειριακούς αριθμούς. Ελέγξτε την κύρια εγγραφή είδους DocType: Maintenance Visit,Maintenance Time,Ώρα συντήρησης ,Amount to Deliver,Ποσό Παράδοση -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Ένα προϊόν ή υπηρεσία +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Ένα προϊόν ή υπηρεσία apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Η Ημερομηνία Τίτλος έναρξης δεν μπορεί να είναι νωρίτερα από το έτος έναρξης Ημερομηνία του Ακαδημαϊκού Έτους στην οποία ο όρος συνδέεται (Ακαδημαϊκό Έτος {}). Διορθώστε τις ημερομηνίες και προσπαθήστε ξανά. DocType: Guardian,Guardian Interests,Guardian Ενδιαφέροντα DocType: Naming Series,Current Value,Τρέχουσα αξία -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Υπάρχουν πολλαπλές χρήσεις για την ημερομηνία {0}. Παρακαλούμε να ορίσετε την εταιρεία κατά το οικονομικό έτος +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Υπάρχουν πολλαπλές χρήσεις για την ημερομηνία {0}. Παρακαλούμε να ορίσετε την εταιρεία κατά το οικονομικό έτος apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} Δημιουργήθηκε DocType: Delivery Note Item,Against Sales Order,Κατά την παραγγελία πώλησης ,Serial No Status,Κατάσταση σειριακού αριθμού @@ -1885,7 +1888,7 @@ DocType: Pricing Rule,Selling,Πώληση apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Ποσό {0} {1} αφαιρούνται από {2} DocType: Employee,Salary Information,Πληροφορίες μισθού DocType: Sales Person,Name and Employee ID,Όνομα και ID υπαλλήλου -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Η ημερομηνία λήξης προθεσμίας δεν μπορεί να είναι πριν από την ημερομηνία αποστολής +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Η ημερομηνία λήξης προθεσμίας δεν μπορεί να είναι πριν από την ημερομηνία αποστολής DocType: Website Item Group,Website Item Group,Ομάδα ειδών δικτυακού τόπου apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Δασμοί και φόροι apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Παρακαλώ εισάγετε την ημερομηνία αναφοράς @@ -1940,9 +1943,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Ρυθμίστε την Ημερομηνία Σύνδεσης για το {0} DocType: Task,Total Billing Amount (via Time Sheet),Συνολικό Ποσό χρέωσης (μέσω Ώρα Φύλλο) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Έσοδα επαναλαμβανόμενων πελατών -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) Πρέπει να έχει ρόλο «υπεύθυνος έγκρισης δαπανών» -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Ζεύγος -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Επιλέξτε BOM και Ποσότητα Παραγωγής +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) Πρέπει να έχει ρόλο «υπεύθυνος έγκρισης δαπανών» +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Ζεύγος +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Επιλέξτε BOM και Ποσότητα Παραγωγής DocType: Asset,Depreciation Schedule,Πρόγραμμα αποσβέσεις apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Διευθύνσεις συνεργατών πωλήσεων και επαφές DocType: Bank Reconciliation Detail,Against Account,Κατά τον λογαριασμό @@ -1952,7 +1955,7 @@ DocType: Item,Has Batch No,Έχει αρ. Παρτίδας apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Ετήσια Χρέωση: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Φόρος αγαθών και υπηρεσιών (GST Ινδία) DocType: Delivery Note,Excise Page Number,Αριθμός σελίδας έμμεσης εσωτερικής φορολογίας -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Η εταιρεία, Από Ημερομηνία και μέχρι σήμερα είναι υποχρεωτική" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Η εταιρεία, Από Ημερομηνία και μέχρι σήμερα είναι υποχρεωτική" DocType: Asset,Purchase Date,Ημερομηνία αγοράς DocType: Employee,Personal Details,Προσωπικά στοιχεία apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Παρακαλούμε να ορίσετε «Asset Κέντρο Αποσβέσεις Κόστους» στην εταιρεία {0} @@ -1961,9 +1964,9 @@ DocType: Task,Actual End Date (via Time Sheet),Πραγματική Ημερομ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Ποσό {0} {1} από {2} {3} ,Quotation Trends,Τάσεις προσφορών apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Η ομάδα είδους δεν αναφέρεται στην κύρια εγγραφή είδους για το είδος {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Ο 'λογαριασμός χρέωσης προς' Χρέωση του λογαριασμού πρέπει να είναι λογαριασμός απαιτήσεων +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Ο 'λογαριασμός χρέωσης προς' Χρέωση του λογαριασμού πρέπει να είναι λογαριασμός απαιτήσεων DocType: Shipping Rule Condition,Shipping Amount,Κόστος αποστολής -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Προσθέστε πελάτες +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Προσθέστε πελάτες apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Ποσό που εκκρεμεί DocType: Purchase Invoice Item,Conversion Factor,Συντελεστής μετατροπής DocType: Purchase Order,Delivered,Παραδόθηκε @@ -1985,7 +1988,6 @@ DocType: Production Order,Use Multi-Level BOM,Χρησιμοποιήστε Λ.Υ DocType: Bank Reconciliation,Include Reconciled Entries,Συμπεριέλαβε συμφωνημένες καταχωρήσεις DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Μάθημα γονέων (Αφήστε κενό, αν αυτό δεν είναι μέρος του μαθήματος γονέων)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Άφησε το κενό αν ισχύει για όλους τους τύπους των υπαλλήλων -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια DocType: Landed Cost Voucher,Distribute Charges Based On,Επιμέρησε τα κόστη μεταφοράς σε όλα τα είδη. apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,φύλλων DocType: HR Settings,HR Settings,Ρυθμίσεις ανθρωπίνου δυναμικού @@ -1993,7 +1995,7 @@ DocType: Salary Slip,net pay info,καθαρών αποδοχών πληροφο apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Η αξίωση δαπανών είναι εν αναμονή έγκρισης. Μόνο ο υπεύθυνος έγκρισης δαπανών να ενημερώσει την κατάστασή της. DocType: Email Digest,New Expenses,νέα Έξοδα DocType: Purchase Invoice,Additional Discount Amount,Πρόσθετες ποσό έκπτωσης -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Σειρά # {0}: Ποσότητα πρέπει να είναι 1, ως στοιχείο αποτελεί πάγιο περιουσιακό στοιχείο. Παρακαλούμε χρησιμοποιήστε ξεχωριστή σειρά για πολλαπλές ποσότητα." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Σειρά # {0}: Ποσότητα πρέπει να είναι 1, ως στοιχείο αποτελεί πάγιο περιουσιακό στοιχείο. Παρακαλούμε χρησιμοποιήστε ξεχωριστή σειρά για πολλαπλές ποσότητα." DocType: Leave Block List Allow,Leave Block List Allow,Επίτρεψε λίστα αποκλεισμού ημερών άδειας apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Συντ δεν μπορεί να είναι κενό ή χώρος apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Ομάδα για να μη Ομάδα @@ -2001,7 +2003,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Αθλητι DocType: Loan Type,Loan Name,δάνειο Όνομα apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Πραγματικό σύνολο DocType: Student Siblings,Student Siblings,φοιτητής αδέλφια -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Μονάδα +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Μονάδα apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Παρακαλώ ορίστε εταιρεία ,Customer Acquisition and Loyalty,Απόκτηση πελατών και πίστη DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Αποθήκη όπου θα γίνεται διατήρηση αποθέματος για απορριφθέντα στοιχεία @@ -2019,12 +2021,12 @@ DocType: Workstation,Wages per hour,Μισθοί ανά ώρα apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Το ισοζύγιο αποθεμάτων στην παρτίδα {0} θα γίνει αρνητικό {1} για το είδος {2} στην αποθήκη {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Μετά από αιτήματα Υλικό έχουν τεθεί αυτόματα ανάλογα με το επίπεδο εκ νέου την τάξη αντικειμένου DocType: Email Digest,Pending Sales Orders,Εν αναμονή Παραγγελίες -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Ο Λογαριασμός {0} δεν είναι έγκυρη. Ο Λογαριασμός νομίσματος πρέπει να είναι {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Ο Λογαριασμός {0} δεν είναι έγκυρη. Ο Λογαριασμός νομίσματος πρέπει να είναι {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Ο συντελεστής μετατροπής Μ.Μ. είναι απαραίτητος στη γραμμή {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα Πωλήσεις Τάξης, Τιμολόγιο Πωλήσεων ή Εφημερίδα Έναρξη" DocType: Salary Component,Deduction,Κρατήση -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Σειρά {0}: από το χρόνο και τον χρόνο είναι υποχρεωτική. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Σειρά {0}: από το χρόνο και τον χρόνο είναι υποχρεωτική. DocType: Stock Reconciliation Item,Amount Difference,ποσό Διαφορά apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Είδους Τιμή προστεθεί {0} στην Τιμοκατάλογος {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Παρακαλώ εισάγετε το αναγνωριστικό Υπάλληλος αυτό το άτομο πωλήσεων @@ -2034,11 +2036,11 @@ DocType: Project,Gross Margin,Μικτό Περιθώριο Κέρδους apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Παρακαλώ εισάγετε πρώτα το είδος παραγωγής apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Υπολογιζόμενο Τράπεζα ισορροπία Δήλωση apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Απενεργοποιημένος χρήστης -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Προσφορά +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Προσφορά DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Συνολική έκπτωση ,Production Analytics,παραγωγή Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Κόστος Ενημερώθηκε +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Κόστος Ενημερώθηκε DocType: Employee,Date of Birth,Ημερομηνία γέννησης apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Το είδος {0} έχει ήδη επιστραφεί DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Η χρήση ** αντιπροσωπεύει ένα οικονομικό έτος. Όλες οι λογιστικές εγγραφές και άλλες σημαντικές συναλλαγές παρακολουθούνται ανά ** χρήση **. @@ -2083,18 +2085,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Επιλέξτε εταιρία... DocType: Leave Control Panel,Leave blank if considered for all departments,Άφησε το κενό αν ισχύει για όλα τα τμήματα apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Μορφές απασχόλησης ( μόνιμη, σύμβαση, πρακτική άσκηση κ.λ.π. )." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},Η {0} είναι απαραίτητη για το είδος {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},Η {0} είναι απαραίτητη για το είδος {1} DocType: Process Payroll,Fortnightly,Κατά δεκατετραήμερο DocType: Currency Exchange,From Currency,Από το νόμισμα apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Παρακαλώ επιλέξτε χορηγούμενο ποσό, τύπο τιμολογίου και αριθμό τιμολογίου σε τουλάχιστον μία σειρά" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Το κόστος της Νέας Αγοράς -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Η παραγγελία πώλησης για το είδος {0} είναι απαραίτητη +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Η παραγγελία πώλησης για το είδος {0} είναι απαραίτητη DocType: Purchase Invoice Item,Rate (Company Currency),Τιμή (νόμισμα της εταιρείας) DocType: Student Guardian,Others,Άλλα DocType: Payment Entry,Unallocated Amount,μη διατεθέντων Ποσό apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Δεν μπορείτε να βρείτε μια αντίστοιχη Θέση. Παρακαλούμε επιλέξτε κάποια άλλη τιμή για το {0}. DocType: POS Profile,Taxes and Charges,Φόροι και επιβαρύνσεις DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Ένα προϊόν ή μια υπηρεσία που αγοράζεται, πωλείται ή διατηρείται σε απόθεμα." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Δεν περισσότερες ενημερώσεις apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Δεν μπορείτε να επιλέξετε τον τύπο επιβάρυνσης ως ποσό προηγούμενης γραμμής ή σύνολο προηγούμενης γραμμής για την πρώτη γραμμή apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Παιδί στοιχείο δεν πρέπει να είναι ένα Bundle προϊόντων. Παρακαλώ αφαιρέστε το αντικείμενο `{0}` και να αποθηκεύσετε @@ -2120,7 +2123,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Συνολικό Ποσό Χρέωσης apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Πρέπει να υπάρχει μια προεπιλογή εισερχόμενα λογαριασμού ηλεκτρονικού ταχυδρομείου ενεργοποιηθεί για να δουλέψει αυτό. Παρακαλείστε να στήσετε ένα προεπιλεγμένο εισερχόμενων λογαριασμού ηλεκτρονικού ταχυδρομείου (POP / IMAP) και δοκιμάστε ξανά. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Εισπρακτέα λογαριασμού -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Σειρά # {0}: Asset {1} είναι ήδη {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Σειρά # {0}: Asset {1} είναι ήδη {2} DocType: Quotation Item,Stock Balance,Ισοζύγιο αποθέματος apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Πωλήσεις Τάξης να Πληρωμής apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2145,10 +2148,11 @@ DocType: C-Form,Received Date,Ημερομηνία παραλαβής DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Αν έχετε δημιουργήσει ένα πρότυπο πρότυπο στη φόροι επί των πωλήσεων και επιβαρύνσεις Πρότυπο, επιλέξτε ένα και κάντε κλικ στο κουμπί παρακάτω." DocType: BOM Scrap Item,Basic Amount (Company Currency),Βασικό ποσό (Εταιρεία νομίσματος) DocType: Student,Guardians,φύλακες +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Οι τιμές δεν θα εμφανίζεται αν Τιμοκατάλογος δεν έχει οριστεί apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Προσδιορίστε μια χώρα για αυτή την αποστολή κανόνα ή ελέγξτε Παγκόσμια ναυτιλία DocType: Stock Entry,Total Incoming Value,Συνολική εισερχόμενη αξία -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Χρεωστικό να απαιτείται +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Χρεωστικό να απαιτείται apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Φύλλων βοηθήσει να παρακολουθείτε την ώρα, το κόστος και τη χρέωση για δραστηριότητες γίνεται από την ομάδα σας" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Τιμοκατάλογος αγορών DocType: Offer Letter Term,Offer Term,Προσφορά Όρος @@ -2167,11 +2171,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Αν DocType: Timesheet Detail,To Time,Έως ώρα DocType: Authorization Rule,Approving Role (above authorized value),Έγκριση Ρόλος (πάνω από εξουσιοδοτημένο αξία) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Ο λογαριασμός πίστωσης πρέπει να είναι πληρωτέος λογαριασμός -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Αναδρομή Λ.Υ.: {0} δεν μπορεί να είναι γονέας ή τέκνο της {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},Αναδρομή Λ.Υ.: {0} δεν μπορεί να είναι γονέας ή τέκνο της {2} DocType: Production Order Operation,Completed Qty,Ολοκληρωμένη ποσότητα apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Για {0}, μόνο χρεωστικοί λογαριασμοί μπορούν να συνδέονται με άλλες καταχωρήσεις πίστωσης" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Ο τιμοκατάλογος {0} είναι απενεργοποιημένος -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Σειρά {0}: Ολοκληρώθηκε Ποσότητα δεν μπορεί να είναι πάνω από {1} για τη λειτουργία {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Σειρά {0}: Ολοκληρώθηκε Ποσότητα δεν μπορεί να είναι πάνω από {1} για τη λειτουργία {2} DocType: Manufacturing Settings,Allow Overtime,Επιτρέψτε Υπερωρίες apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Το Serialized Item {0} δεν μπορεί να ενημερωθεί χρησιμοποιώντας τη Συμφωνία Χρηματιστηρίου, παρακαλούμε χρησιμοποιήστε την ένδειξη Stock" DocType: Training Event Employee,Training Event Employee,Κατάρτιση Εργαζομένων Event @@ -2189,10 +2193,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Εξωτερικός apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Χρήστες και δικαιώματα DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Εντολές Παραγωγής Δημιουργήθηκε: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Εντολές Παραγωγής Δημιουργήθηκε: {0} DocType: Branch,Branch,Υποκατάστημα DocType: Guardian,Mobile Number,Αριθμός κινητού apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Εκτύπωσης και Branding +DocType: Company,Total Monthly Sales,Συνολικές μηνιαίες πωλήσεις DocType: Bin,Actual Quantity,Πραγματική ποσότητα DocType: Shipping Rule,example: Next Day Shipping,Παράδειγμα: αποστολή την επόμενη μέρα apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Ο σειριακός αριθμός {0} δεν βρέθηκε @@ -2222,7 +2227,7 @@ DocType: Payment Request,Make Sales Invoice,Δημιούργησε τιμολό apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,λογισμικά apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Επόμενο Ημερομηνία Επικοινωνήστε δεν μπορεί να είναι στο παρελθόν DocType: Company,For Reference Only.,Για αναφορά μόνο. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Επιλέξτε Αριθμός παρτίδας +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Επιλέξτε Αριθμός παρτίδας apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Άκυρη {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-αναδρομική έναρξη DocType: Sales Invoice Advance,Advance Amount,Ποσό προκαταβολής @@ -2235,7 +2240,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Δεν βρέθηκε είδος με barcode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Ο αρ. Υπόθεσης δεν μπορεί να είναι 0 DocType: Item,Show a slideshow at the top of the page,Δείτε μια παρουσίαση στην κορυφή της σελίδας -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,BOMs apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Καταστήματα DocType: Serial No,Delivery Time,Χρόνος παράδοσης apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Γήρανση με βάση την @@ -2249,16 +2254,16 @@ DocType: Rename Tool,Rename Tool,Εργαλείο μετονομασίας apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Ενημέρωση κόστους DocType: Item Reorder,Item Reorder,Αναδιάταξη είδους apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Εμφάνιση Μισθός Slip -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Μεταφορά υλικού +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Μεταφορά υλικού DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Καθορίστε τις λειτουργίες, το κόστος λειτουργίας και να δώστε ένα μοναδικό αριθμό λειτουργίας στις λειτουργίες σας." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Το έγγραφο αυτό είναι πάνω από το όριο του {0} {1} για το στοιχείο {4}. Κάνετε μια άλλη {3} κατά την ίδια {2}; -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Παρακαλούμε να ορίσετε επαναλαμβανόμενες μετά την αποθήκευση -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,υπόψη το ποσό Επιλέξτε αλλαγή +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Παρακαλούμε να ορίσετε επαναλαμβανόμενες μετά την αποθήκευση +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,υπόψη το ποσό Επιλέξτε αλλαγή DocType: Purchase Invoice,Price List Currency,Νόμισμα τιμοκαταλόγου DocType: Naming Series,User must always select,Ο χρήστης πρέπει πάντα να επιλέγει DocType: Stock Settings,Allow Negative Stock,Επίτρεψε αρνητικό απόθεμα DocType: Installation Note,Installation Note,Σημείωση εγκατάστασης -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Προσθήκη φόρων +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Προσθήκη φόρων DocType: Topic,Topic,Θέμα apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Ταμειακές ροές από χρηματοδοτικές DocType: Budget Account,Budget Account,Ο λογαριασμός του προϋπολογισμού @@ -2272,7 +2277,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ιχ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Πηγή χρηματοδότησης ( παθητικού ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Η ποσότητα στη γραμμή {0} ( {1} ) πρέπει να είναι ίδια με την παραγόμενη ποσότητα {2} DocType: Appraisal,Employee,Υπάλληλος -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Επιλέξτε Παρτίδα +DocType: Company,Sales Monthly History,Μηνιαίο ιστορικό πωλήσεων +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Επιλέξτε Παρτίδα apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} είναι πλήρως τιμολογημένο DocType: Training Event,End Time,Ώρα λήξης apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Ενεργά Δομή Μισθός {0} αποτελέσματα για εργαζόμενο {1} για τις δεδομένες ημερομηνίες @@ -2280,15 +2286,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Μειώσεις πληρωμ apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Πρότυποι όροι σύμβασης για πωλήσεις ή αγορές. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Ομαδοποίηση κατά αποδεικτικό apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline πωλήσεις -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Παρακαλούμε να ορίσετε προεπιλεγμένο λογαριασμό στο Μισθός Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Παρακαλούμε να ορίσετε προεπιλεγμένο λογαριασμό στο Μισθός Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Απαιτείται στις DocType: Rename Tool,File to Rename,Αρχείο μετονομασίας apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Επιλέξτε BOM για τη θέση στη σειρά {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Ο λογαριασμός {0} δεν αντιστοιχεί στην εταιρεία {1} στη λειτουργία λογαριασμού: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Η συγκεκριμμένη Λ.Υ. {0} δεν υπάρχει για το είδος {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Το χρονοδιάγραμμα συντήρησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Το χρονοδιάγραμμα συντήρησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης DocType: Notification Control,Expense Claim Approved,Εγκρίθηκε η αξίωση δαπανών -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε την σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Μισθός Slip των εργαζομένων {0} έχει ήδη δημιουργηθεί για την περίοδο αυτή apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Φαρμακευτικός apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Το κόστος των αγορασθέντων ειδών @@ -2305,7 +2310,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Αρ. Λ.Υ. Για DocType: Upload Attendance,Attendance To Date,Προσέλευση μέχρι ημερομηνία DocType: Warranty Claim,Raised By,Δημιουργήθηκε από DocType: Payment Gateway Account,Payment Account,Λογαριασμός πληρωμών -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Παρακαλώ ορίστε εταιρεία για να προχωρήσετε +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Παρακαλώ ορίστε εταιρεία για να προχωρήσετε apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Καθαρή Αλλαγή σε εισπρακτέους λογαριασμούς apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Αντισταθμιστικά απενεργοποιημένα DocType: Offer Letter,Accepted,Αποδεκτό @@ -2314,12 +2319,12 @@ DocType: SG Creation Tool Course,Student Group Name,Όνομα ομάδας φο apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Παρακαλώ βεβαιωθείτε ότι έχετε πραγματικά θέλετε να διαγράψετε όλες τις συναλλαγές για την εν λόγω εταιρεία. Τα δεδομένα της κύριας σας θα παραμείνει ως έχει. Αυτή η ενέργεια δεν μπορεί να αναιρεθεί. DocType: Room,Room Number,Αριθμός δωματίου apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Άκυρη αναφορά {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) Δεν μπορεί να είναι μεγαλύτερη από τη προβλεπόμενη ποσότητα ({2}) της Εντολής Παραγωγής {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) Δεν μπορεί να είναι μεγαλύτερη από τη προβλεπόμενη ποσότητα ({2}) της Εντολής Παραγωγής {3} DocType: Shipping Rule,Shipping Rule Label,Ετικέτα κανόνα αποστολής apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Φόρουμ Χρηστών -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Το πεδίο πρώτων ύλών δεν μπορεί να είναι κενό. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Δεν ήταν δυνατή η ενημέρωση των αποθεμάτων, τιμολόγιο περιέχει πτώση στέλνοντας στοιχείο." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Γρήγορη Εφημερίδα Είσοδος +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Το πεδίο πρώτων ύλών δεν μπορεί να είναι κενό. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Δεν ήταν δυνατή η ενημέρωση των αποθεμάτων, τιμολόγιο περιέχει πτώση στέλνοντας στοιχείο." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Γρήγορη Εφημερίδα Είσοδος apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Δεν μπορείτε να αλλάξετε τιμοκατάλογο, αν η λίστα υλικών αναφέρεται σε οποιουδήποτε είδος" DocType: Employee,Previous Work Experience,Προηγούμενη εργασιακή εμπειρία DocType: Stock Entry,For Quantity,Για Ποσότητα @@ -2376,7 +2381,7 @@ DocType: SMS Log,No of Requested SMS,Αρ. SMS που ζητήθηκαν apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Άδειας άνευ αποδοχών δεν ταιριάζει με τα εγκεκριμένα αρχεία Αφήστε Εφαρμογή DocType: Campaign,Campaign-.####,Εκστρατεία-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Επόμενα βήματα -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Παρακαλείστε να παρέχουν τις συγκεκριμένες θέσεις στις καλύτερες δυνατές τιμές +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Παρακαλείστε να παρέχουν τις συγκεκριμένες θέσεις στις καλύτερες δυνατές τιμές DocType: Selling Settings,Auto close Opportunity after 15 days,Αυτόματη κοντά Ευκαιρία μετά από 15 ημέρες apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,στο τέλος του έτους apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Ποσοστό / Μόλυβδος% @@ -2433,7 +2438,7 @@ DocType: Homepage,Homepage,Αρχική σελίδα DocType: Purchase Receipt Item,Recd Quantity,Ποσότητα που παραλήφθηκε apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Εγγραφές τέλους Δημιουργήθηκε - {0} DocType: Asset Category Account,Asset Category Account,Asset Κατηγορία Λογαριασμού -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Δεν γίνεται να παραχθούν είδη {0} περισσότερα από την ποσότητα παραγγελίας πώλησης {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Δεν γίνεται να παραχθούν είδη {0} περισσότερα από την ποσότητα παραγγελίας πώλησης {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Χρηματιστήριο Έναρξη {0} δεν έχει υποβληθεί DocType: Payment Reconciliation,Bank / Cash Account,Λογαριασμός καταθέσεων σε τράπεζα / μετρητών apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Επόμενο Επικοινωνία Με το να μην μπορεί να είναι ίδιο με το Lead Διεύθυνση E-mail @@ -2466,7 +2471,7 @@ DocType: Salary Structure,Total Earning,Σύνολο κέρδους DocType: Purchase Receipt,Time at which materials were received,Η χρονική στιγμή κατά την οποία παρελήφθησαν τα υλικά DocType: Stock Ledger Entry,Outgoing Rate,Ο απερχόμενος Τιμή apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Κύρια εγγραφή κλάδου οργανισμού. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ή +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ή DocType: Sales Order,Billing Status,Κατάσταση χρέωσης apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Αναφορά προβλήματος apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Έξοδα κοινής ωφέλειας @@ -2474,7 +2479,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Σειρά # {0}: Εφημερίδα Έναρξη {1} δεν έχει λογαριασμό {2} ή ήδη συγκρίνεται με ένα άλλο κουπόνι DocType: Buying Settings,Default Buying Price List,Προεπιλεγμένος τιμοκατάλογος αγορών DocType: Process Payroll,Salary Slip Based on Timesheet,Μισθός Slip Βάσει Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Κανένας εργαζόμενος για τις παραπάνω επιλεγμένα κριτήρια ή εκκαθαριστικό μισθοδοσίας που έχουν ήδη δημιουργηθεί +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Κανένας εργαζόμενος για τις παραπάνω επιλεγμένα κριτήρια ή εκκαθαριστικό μισθοδοσίας που έχουν ήδη δημιουργηθεί DocType: Notification Control,Sales Order Message,Μήνυμα παραγγελίας πώλησης apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Ορίστε προεπιλεγμένες τιμές όπως εταιρεία, νόμισμα, τρέχων οικονομικό έτος, κλπ." DocType: Payment Entry,Payment Type,Τύπος πληρωμής @@ -2498,7 +2503,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,παραστατικό παραλαβής πρέπει να υποβληθεί DocType: Purchase Invoice Item,Received Qty,Ποσ. Που παραλήφθηκε DocType: Stock Entry Detail,Serial No / Batch,Σειριακός αριθμός / παρτίδα -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Που δεν έχει καταβληθεί δεν παραδόθηκαν +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Που δεν έχει καταβληθεί δεν παραδόθηκαν DocType: Product Bundle,Parent Item,Γονικό είδος DocType: Account,Account Type,Τύπος λογαριασμού DocType: Delivery Note,DN-RET-,DN-αναδρομική έναρξη @@ -2528,8 +2533,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Συνολικό ποσό που χορηγήθηκε apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Ορίστε τον προεπιλεγμένο λογαριασμό αποθέματος για διαρκή απογραφή DocType: Item Reorder,Material Request Type,Τύπος αίτησης υλικού -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Εφημερίδα εισόδου για τους μισθούς από {0} έως {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage είναι πλήρης, δεν έσωσε" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Εφημερίδα εισόδου για τους μισθούς από {0} έως {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage είναι πλήρης, δεν έσωσε" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Σειρά {0}: UOM Συντελεστής μετατροπής είναι υποχρεωτική apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Αναφορά DocType: Budget,Cost Center,Κέντρο κόστους @@ -2547,7 +2552,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Φό apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Εάν ο κανόνας τιμολόγησης δημιουργήθηκε για την τιμή τότε θα αντικαταστήσει τον τιμοκατάλογο. Η τιμή του κανόνα τιμολόγησης είναι η τελική τιμή, οπότε δε θα πρέπει να εφαρμόζεται καμία επιπλέον έκπτωση. Ως εκ τούτου, στις συναλλαγές, όπως παραγγελίες πώλησης, παραγγελία αγοράς κλπ, θα εμφανίζεται στο πεδίο τιμή, παρά στο πεδίο τιμή τιμοκαταλόγου." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Παρακολούθηση επαφών με βάση τον τύπο βιομηχανίας. DocType: Item Supplier,Item Supplier,Προμηθευτής είδους -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Παρακαλώ εισάγετε κωδικό είδους για να δείτε τον αρ. παρτίδας +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Παρακαλώ εισάγετε κωδικό είδους για να δείτε τον αρ. παρτίδας apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Παρακαλώ επιλέξτε μια τιμή για {0} προσφορά προς {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Όλες τις διευθύνσεις. DocType: Company,Stock Settings,Ρυθμίσεις αποθέματος @@ -2574,7 +2579,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Πραγματική π apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Δεν εκκαθαριστικό σημείωμα αποδοχών που διαπιστώθηκαν μεταξύ {0} και {1} ,Pending SO Items For Purchase Request,Εκκρεμή είδη παραγγελίας πωλήσεων για αίτημα αγοράς apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Εισαγωγή φοιτητής -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} είναι απενεργοποιημένη +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} είναι απενεργοποιημένη DocType: Supplier,Billing Currency,Νόμισμα Τιμολόγησης DocType: Sales Invoice,SINV-RET-,SINV-αναδρομική έναρξη apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Πολύ Μεγάλο @@ -2604,7 +2609,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Κατάσταση εφαρμογής DocType: Fees,Fees,Αμοιβές DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Καθορίστε την ισοτιμία να μετατραπεί ένα νόμισμα σε ένα άλλο -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Η προσφορά {0} είναι ακυρωμένη +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Η προσφορά {0} είναι ακυρωμένη apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Συνολικού ανεξόφλητου υπολοίπου DocType: Sales Partner,Targets,Στόχοι DocType: Price List,Price List Master,Κύρια εγγραφή τιμοκαταλόγου. @@ -2621,7 +2626,7 @@ DocType: POS Profile,Ignore Pricing Rule,Αγνοήστε τον κανόνα τ DocType: Employee Education,Graduate,Πτυχιούχος DocType: Leave Block List,Block Days,Αποκλεισμός ημερών DocType: Journal Entry,Excise Entry,Καταχώρηση έμμεσης εσωτερικής φορολογίας -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Προειδοποίηση: Πωλήσεις Τάξης {0} υπάρχει ήδη κατά παραγγελίας του Πελάτη {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Προειδοποίηση: Πωλήσεις Τάξης {0} υπάρχει ήδη κατά παραγγελίας του Πελάτη {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2659,7 +2664,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Εά ,Salary Register,μισθός Εγγραφή DocType: Warehouse,Parent Warehouse,μητρική Αποθήκη DocType: C-Form Invoice Detail,Net Total,Καθαρό σύνολο -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Το προεπιλεγμένο BOM δεν βρέθηκε για τα στοιχεία {0} και Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Το προεπιλεγμένο BOM δεν βρέθηκε για τα στοιχεία {0} και Project {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Ορίστε διάφορους τύπους δανείων DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Οφειλόμενο ποσό @@ -2696,7 +2701,7 @@ DocType: Salary Detail,Condition and Formula Help,Κατάσταση και Form apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Διαχειριστείτε το δέντρο περιοχών. DocType: Journal Entry Account,Sales Invoice,Τιμολόγιο πώλησης DocType: Journal Entry Account,Party Balance,Υπόλοιπο συμβαλλόμενου -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Παρακαλώ επιλέξτε Εφαρμογή έκπτωση σε +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Παρακαλώ επιλέξτε Εφαρμογή έκπτωση σε DocType: Company,Default Receivable Account,Προεπιλεγμένος λογαριασμός εισπρακτέων DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Δημιουργία τραπεζικής καταχώηρσης για το σύνολο του μισθού που καταβάλλεται για τα παραπάνω επιλεγμένα κριτήρια DocType: Stock Entry,Material Transfer for Manufacture,Μεταφορά υλικού για την κατασκευή @@ -2710,7 +2715,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Διεύθυνση πελάτη DocType: Employee Loan,Loan Details,Λεπτομέρειες δανείου DocType: Company,Default Inventory Account,Προεπιλεγμένος λογαριασμός αποθέματος -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Σειρά {0}: Ολοκληρώθηκε Ποσότητα πρέπει να είναι μεγαλύτερη από το μηδέν. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Σειρά {0}: Ολοκληρώθηκε Ποσότητα πρέπει να είναι μεγαλύτερη από το μηδέν. DocType: Purchase Invoice,Apply Additional Discount On,Εφαρμόστε επιπλέον έκπτωση On DocType: Account,Root Type,Τύπος ρίζας DocType: Item,FIFO,FIFO @@ -2727,7 +2732,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Επιθεώρηση ποιό apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,πρότυπο πρότυπο DocType: Training Event,Theory,Θεωρία -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Προειδοποίηση : ζητήθηκε ποσότητα υλικού που είναι μικρότερη από την ελάχιστη ποσότητα παραγγελίας +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Προειδοποίηση : ζητήθηκε ποσότητα υλικού που είναι μικρότερη από την ελάχιστη ποσότητα παραγγελίας apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Ο λογαριασμός {0} έχει παγώσει DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Νομικό πρόσωπο / θυγατρικές εταιρείες με ξεχωριστό λογιστικό σχέδιο που ανήκουν στον οργανισμό. DocType: Payment Request,Mute Email,Σίγαση Email @@ -2751,7 +2756,7 @@ DocType: Training Event,Scheduled,Προγραμματισμένη apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Αίτηση για προσφορά. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Παρακαλώ επιλέξτε το στοιχείο στο οποίο «Είναι αναντικατάστατο" είναι "Όχι" και "είναι οι πωλήσεις Θέση" είναι "ναι" και δεν υπάρχει άλλος Bundle Προϊόν DocType: Student Log,Academic,Ακαδημαϊκός -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Σύνολο εκ των προτέρων ({0}) κατά Παραγγελία {1} δεν μπορεί να είναι μεγαλύτερη από το Γενικό σύνολο ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Σύνολο εκ των προτέρων ({0}) κατά Παραγγελία {1} δεν μπορεί να είναι μεγαλύτερη από το Γενικό σύνολο ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Επιλέξτε μηνιαία κατανομή για την άνιση κατανομή στόχων στους μήνες. DocType: Purchase Invoice Item,Valuation Rate,Ποσοστό αποτίμησης DocType: Stock Reconciliation,SR/,SR / @@ -2815,6 +2820,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Ποσό DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Πληκτρολογήστε το όνομα της εκστρατείας εάν η πηγή της έρευνας είναι εκστρατεία apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Εκδότες εφημερίδων apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Επιλέξτε οικονομικό έτος +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Η αναμενόμενη ημερομηνία παράδοσης πρέπει να είναι μετά την ημερομηνία παραγγελίας apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Αναδιάταξη επιπέδου DocType: Company,Chart Of Accounts Template,Διάγραμμα του προτύπου Λογαριασμών DocType: Attendance,Attendance Date,Ημερομηνία συμμετοχής @@ -2846,7 +2852,7 @@ DocType: Pricing Rule,Discount Percentage,Ποσοστό έκπτωσης DocType: Payment Reconciliation Invoice,Invoice Number,Αριθμός τιμολογίου DocType: Shopping Cart Settings,Orders,Παραγγελίες DocType: Employee Leave Approver,Leave Approver,Υπεύθυνος έγκρισης άδειας -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Επιλέξτε μια παρτίδα +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Επιλέξτε μια παρτίδα DocType: Assessment Group,Assessment Group Name,Όνομα ομάδας αξιολόγησης DocType: Manufacturing Settings,Material Transferred for Manufacture,Υλικό το οποίο μεταφέρεται για την Κατασκευή DocType: Expense Claim,"A user with ""Expense Approver"" role",Ένας χρήστης με ρόλο «υπεύθυνος έγκρισης δαπανών» @@ -2882,7 +2888,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Τελευταία μέρα του επόμενου μήνα DocType: Support Settings,Auto close Issue after 7 days,Αυτόματη κοντά Τεύχος μετά από 7 ημέρες apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Η άδεια δεν μπορεί να χορηγείται πριν {0}, η ισορροπία άδεια έχει ήδη μεταφοράς διαβιβάζεται στο μέλλον ρεκόρ χορήγηση άδειας {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Σημείωση : η ημερομηνία λήξης προθεσμίας υπερβαίνει τις επιτρεπόμενες ημέρες πίστωσης κατά {0} ημέρα ( ες ) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Σημείωση : η ημερομηνία λήξης προθεσμίας υπερβαίνει τις επιτρεπόμενες ημέρες πίστωσης κατά {0} ημέρα ( ες ) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,φοιτητής Αιτών DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ΠΡΩΤΟΤΥΠΟ ΓΙΑ ΔΙΚΑΙΟΥΧΟ DocType: Asset Category Account,Accumulated Depreciation Account,Συσσωρευμένες Αποσβέσεις Λογαριασμού @@ -2893,7 +2899,7 @@ DocType: Item,Reorder level based on Warehouse,Αναδιάταξη επίπεδ DocType: Activity Cost,Billing Rate,Χρέωση Τιμή ,Qty to Deliver,Ποσότητα για παράδοση ,Stock Analytics,Ανάλυση αποθέματος -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Εργασίες δεν μπορεί να μείνει κενό +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Εργασίες δεν μπορεί να μείνει κενό DocType: Maintenance Visit Purpose,Against Document Detail No,Κατά λεπτομέρειες εγγράφου αρ. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Κόμμα Τύπος είναι υποχρεωτική DocType: Quality Inspection,Outgoing,Εξερχόμενος @@ -2934,15 +2940,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Διαθέσιμη ποσότητα στην αποθήκη apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Χρεωμένο ποσό DocType: Asset,Double Declining Balance,Διπλά φθίνοντος υπολοίπου -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Κλειστά ώστε να μην μπορεί να ακυρωθεί. Ανοίγω για να ακυρώσετε. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Κλειστά ώστε να μην μπορεί να ακυρωθεί. Ανοίγω για να ακυρώσετε. DocType: Student Guardian,Father,Πατέρας -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,«Ενημέρωση Χρηματιστήριο» δεν μπορεί να ελεγχθεί για σταθερή την πώληση περιουσιακών στοιχείων +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,«Ενημέρωση Χρηματιστήριο» δεν μπορεί να ελεγχθεί για σταθερή την πώληση περιουσιακών στοιχείων DocType: Bank Reconciliation,Bank Reconciliation,Συμφωνία τραπεζικού λογαριασμού DocType: Attendance,On Leave,Σε ΑΔΕΙΑ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Λήψη ενημερώσεων apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Ο λογαριασμός {2} δεν ανήκει στην εταιρεία {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,H αίτηση υλικού {0} έχει ακυρωθεί ή διακοπεί -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Προσθέστε μερικά αρχεία του δείγματος +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Προσθέστε μερικά αρχεία του δείγματος apps/erpnext/erpnext/config/hr.py +301,Leave Management,Αφήστε Διαχείρισης apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Ομαδοποίηση κατά λογαριασμό DocType: Sales Order,Fully Delivered,Έχει παραδοθεί πλήρως @@ -2951,12 +2957,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Ο λογαριασμός διαφορά πρέπει να είναι λογαριασμός τύπου Περιουσιακών Στοιχείων / Υποχρεώσεων, δεδομένου ότι το εν λόγω απόθεμα συμφιλίωση είναι μια Έναρξη Έναρξη" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Εκταμιευόμενο ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Ο αριθμός παραγγελίας για το είδος {0} είναι απαραίτητος -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Παραγγελία παραγωγή δεν δημιουργήθηκε +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Παραγγελία παραγωγή δεν δημιουργήθηκε apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Το πεδίο ""Από Ημερομηνία"" πρέπει να είναι μεταγενέστερο από το πεδίο ""Έως Ημερομηνία""" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},δεν μπορεί να αλλάξει την κατάσταση ως φοιτητής {0} συνδέεται με την εφαρμογή των φοιτητών {1} DocType: Asset,Fully Depreciated,αποσβεσθεί πλήρως ,Stock Projected Qty,Προβλεπόμενη ποσότητα αποθέματος -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Ο πελάτης {0} δεν ανήκει στο έργο {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Ο πελάτης {0} δεν ανήκει στο έργο {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Αξιοσημείωτη Συμμετοχή HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Οι αναφορές είναι οι προτάσεις, οι προσφορές που έχουν στείλει στους πελάτες σας" DocType: Sales Order,Customer's Purchase Order,Εντολή Αγοράς του Πελάτη @@ -2966,7 +2972,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Παρακαλούμε να ορίσετε Αριθμός Αποσβέσεις κράτηση apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Αξία ή ποσ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Παραγωγές Παραγγελίες δεν μπορούν να αυξηθούν για: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Λεπτό +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Λεπτό DocType: Purchase Invoice,Purchase Taxes and Charges,Φόροι και επιβαρύνσεις αγοράς ,Qty to Receive,Ποσότητα για παραλαβή DocType: Leave Block List,Leave Block List Allowed,Η λίστα αποκλεισμού ημερών άδειας επετράπη @@ -2979,7 +2985,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Όλοι οι τύποι προμηθευτή DocType: Global Defaults,Disable In Words,Απενεργοποίηση στα λόγια apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Ο κωδικός είδους είναι απαραίτητος γιατί το είδος δεν αριθμείται αυτόματα -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Η προσφορά {0} δεν είναι του τύπου {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Η προσφορά {0} δεν είναι του τύπου {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Είδος χρονοδιαγράμματος συντήρησης DocType: Sales Order,% Delivered,Παραδόθηκε% DocType: Production Order,PRO-,ΠΡΟΓΡΑΜΜΑ @@ -3002,7 +3008,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Email πωλητή DocType: Project,Total Purchase Cost (via Purchase Invoice),Συνολικό Κόστος Αγοράς (μέσω του τιμολογίου αγοράς) DocType: Training Event,Start Time,Ώρα έναρξης -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Επιλέξτε ποσότητα +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Επιλέξτε ποσότητα DocType: Customs Tariff Number,Customs Tariff Number,Τελωνεία Αριθμός δασμολογίου apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Ο εγκρίνων ρόλος δεν μπορεί να είναι ίδιος με το ρόλο στον οποίο κανόνας πρέπει να εφαρμόζεται apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Κατάργηση εγγραφής από αυτό το email Digest @@ -3026,7 +3032,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,Λεπτομέρειες PR DocType: Sales Order,Fully Billed,Πλήρως χρεωμένο apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Μετρητά στο χέρι -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Παράδοση αποθήκη που απαιτούνται για τη θέση του αποθέματος {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Παράδοση αποθήκη που απαιτούνται για τη θέση του αποθέματος {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Το μεικτό βάρος της συσκευασίας. Συνήθως καθαρό βάρος + βάρος υλικού συσκευασίας. (Για εκτύπωση) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Πρόγραμμα DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Οι χρήστες με αυτό το ρόλο μπορούν να καθορίζουν δεσμευμένους λογαριασμούς και τη δημιουργία / τροποποίηση των λογιστικών εγγραφών δεσμευμένων λογαριασμών @@ -3035,7 +3041,7 @@ DocType: Student Group,Group Based On,Ομάδα με βάση DocType: Journal Entry,Bill Date,Ημερομηνία χρέωσης apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Υπηρεσία Στοιχείο, Τύπος, τη συχνότητα και το ποσό εξόδων που απαιτούνται" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Ακόμα κι αν υπάρχουν πολλαπλοί κανόνες τιμολόγησης με την υψηλότερη προτεραιότητα, στη συνέχεια οι εσωτερικές προτεραιότητες θα εφαρμοστούν:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Θέλετε πραγματικά να υποβάλουν όλα Slip Μισθός από {0} έως {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Θέλετε πραγματικά να υποβάλουν όλα Slip Μισθός από {0} έως {1} DocType: Cheque Print Template,Cheque Height,Επιταγή Ύψος DocType: Supplier,Supplier Details,Στοιχεία προμηθευτή DocType: Expense Claim,Approval Status,Κατάσταση έγκρισης @@ -3057,7 +3063,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Να οδηγήσε apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Τίποτα περισσότερο για προβολή. DocType: Lead,From Customer,Από πελάτη apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,šΚλήσεις -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Παρτίδες +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Παρτίδες DocType: Project,Total Costing Amount (via Time Logs),Σύνολο Κοστολόγηση Ποσό (μέσω χρόνος Καταγράφει) DocType: Purchase Order Item Supplied,Stock UOM,Μ.Μ. Αποθέματος apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Η παραγγελία αγοράς {0} δεν έχει υποβληθεί @@ -3088,7 +3094,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Επιστροφή Ε DocType: Item,Warranty Period (in days),Περίοδος εγγύησης (σε ημέρες) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Σχέση με Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Καθαρές ροές από λειτουργικές δραστηριότητες -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,Π.Χ. Φπα +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,Π.Χ. Φπα apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Στοιχείο 4 DocType: Student Admission,Admission End Date,Η είσοδος Ημερομηνία Λήξης apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Υπεργολαβίες @@ -3096,7 +3102,7 @@ DocType: Journal Entry Account,Journal Entry Account,Λογαριασμός λο apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Ομάδα Φοιτητών DocType: Shopping Cart Settings,Quotation Series,Σειρά προσφορών apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Ένα είδος υπάρχει με το ίδιο όνομα ( {0} ), παρακαλώ να αλλάξετε το όνομα της ομάδας ειδών ή να μετονομάσετε το είδος" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Επιλέξτε πελατών +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Επιλέξτε πελατών DocType: C-Form,I,εγώ DocType: Company,Asset Depreciation Cost Center,Asset Κέντρο Αποσβέσεις Κόστους DocType: Sales Order Item,Sales Order Date,Ημερομηνία παραγγελίας πώλησης @@ -3107,6 +3113,7 @@ DocType: Stock Settings,Limit Percent,όριο Ποσοστό ,Payment Period Based On Invoice Date,Περίοδος πληρωμής με βάση την ημερομηνία τιμολογίου apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Λείπει η ισοτιμία συναλλάγματος για {0} DocType: Assessment Plan,Examiner,Εξεταστής +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία Σειράς για {0} μέσω του Setup> Settings> Naming Series DocType: Student,Siblings,Τα αδέλφια DocType: Journal Entry,Stock Entry,Καταχώρηση αποθέματος DocType: Payment Entry,Payment References,Αναφορές πληρωμής @@ -3131,7 +3138,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Που γίνονται οι μεταποιητικές εργασίες DocType: Asset Movement,Source Warehouse,Αποθήκη προέλευσης DocType: Installation Note,Installation Date,Ημερομηνία εγκατάστασης -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Σειρά # {0}: Asset {1} δεν ανήκει στην εταιρεία {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Σειρά # {0}: Asset {1} δεν ανήκει στην εταιρεία {2} DocType: Employee,Confirmation Date,Ημερομηνία επιβεβαίωσης DocType: C-Form,Total Invoiced Amount,Συνολικό ποσό που τιμολογήθηκε apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Η ελάχιστη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την μέγιστη ποσότητα @@ -3204,7 +3211,7 @@ DocType: Company,Default Letter Head,Προεπιλογή κεφαλίδα επ DocType: Purchase Order,Get Items from Open Material Requests,Πάρετε τα στοιχεία από Open Υλικό Αιτήσεις DocType: Item,Standard Selling Rate,Τυπική τιμή πώλησης DocType: Account,Rate at which this tax is applied,Ποσοστό με το οποίο επιβάλλεται ο φόρος αυτός -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Αναδιάταξη ποσότητας +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Αναδιάταξη ποσότητας apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Θέσεις Εργασίας DocType: Company,Stock Adjustment Account,Λογαριασμός διευθέτησης αποθέματος apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Διαγράφω @@ -3218,7 +3225,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Προμηθευτής παραδίδει στον πελάτη apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# έντυπο / Θέση / {0}) έχει εξαντληθεί apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,"Επόμενη ημερομηνία πρέπει να είναι μεγαλύτερη από ό, τι Απόσπαση Ημερομηνία" -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Η ημερομηνία λήξης προθεσμίας / αναφοράς δεν μπορεί να είναι μετά από {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Η ημερομηνία λήξης προθεσμίας / αναφοράς δεν μπορεί να είναι μετά από {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Δεδομένα εισαγωγής και εξαγωγής apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Δεν μαθητές Βρέθηκαν apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Τιμολόγιο Ημερομηνία Δημοσίευσης @@ -3238,12 +3245,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Αυτό βασίζεται στην συμμετοχή του φοιτητή apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Δεν υπάρχουν φοιτητές στο apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Προσθέστε περισσότερα στοιχεία ή ανοιχτή πλήρη μορφή -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Παρακαλώ εισάγετε 'αναμενόμενη ημερομηνία παράδοσης΄ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Τα δελτία παράδοσης {0} πρέπει να ακυρώνονται πριν από την ακύρωση της παραγγελίας πώλησης +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Τα δελτία παράδοσης {0} πρέπει να ακυρώνονται πριν από την ακύρωση της παραγγελίας πώλησης apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Το άθροισμα από το καταβληθέν ποσό και το ποσό που διαγράφηκε δεν μπορεί να είναι μεγαλύτερο από το γενικό σύνολο apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},Ο {0} δεν είναι έγκυρος αριθμός παρτίδας για το είδος {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Σημείωση : δεν υπάρχει αρκετό υπόλοιπο άδειας για τον τύπο άδειας {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Μη έγκυρο GSTIN ή Enter NA για μη εγγεγραμμένο +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Μη έγκυρο GSTIN ή Enter NA για μη εγγεγραμμένο DocType: Training Event,Seminar,Σεμινάριο DocType: Program Enrollment Fee,Program Enrollment Fee,Πρόγραμμα τελών εγγραφής DocType: Item,Supplier Items,Είδη προμηθευτή @@ -3261,7 +3267,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Γήρανση αποθέματος apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Φοιτητής {0} υπάρχει εναντίον των φοιτητών αιτών {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Πρόγραμμα -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' Είναι απενεργοποιημένος +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' Είναι απενεργοποιημένος apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Ορισμός ως Ανοικτό DocType: Cheque Print Template,Scanned Cheque,σαρωμένα Επιταγή DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Αυτόματη αποστολή email στις επαφές για την υποβολή των συναλλαγών. @@ -3307,7 +3313,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Ισοτιμία τιμοκαταλόγου DocType: Purchase Invoice Item,Rate,Τιμή apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Εκπαιδευόμενος -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Διεύθυνση +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Διεύθυνση DocType: Stock Entry,From BOM,Από BOM DocType: Assessment Code,Assessment Code,Κωδικός αξιολόγηση apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Βασικός @@ -3320,20 +3326,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Μισθολόγιο DocType: Account,Bank,Τράπεζα apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Αερογραμμή -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Υλικό έκδοσης +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Υλικό έκδοσης DocType: Material Request Item,For Warehouse,Για αποθήκη DocType: Employee,Offer Date,Ημερομηνία προσφοράς apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Προσφορές -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Βρίσκεστε σε λειτουργία χωρίς σύνδεση. Δεν θα είστε σε θέση να φορτώσετε εκ νέου έως ότου έχετε δίκτυο. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Βρίσκεστε σε λειτουργία χωρίς σύνδεση. Δεν θα είστε σε θέση να φορτώσετε εκ νέου έως ότου έχετε δίκτυο. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Δεν Ομάδες Φοιτητών δημιουργήθηκε. DocType: Purchase Invoice Item,Serial No,Σειριακός αριθμός apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Μηνιαία επιστροφή ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Παρακαλώ εισάγετε πρώτα λεπτομέρειες συντήρησης +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Σειρά # {0}: Η αναμενόμενη ημερομηνία παράδοσης δεν μπορεί να γίνει πριν από την Ημερομηνία Παραγγελίας Αγοράς DocType: Purchase Invoice,Print Language,Εκτύπωση Γλώσσα DocType: Salary Slip,Total Working Hours,Σύνολο ωρών εργασίας DocType: Stock Entry,Including items for sub assemblies,Συμπεριλαμβανομένων των στοιχείων για τις επιμέρους συνελεύσεις -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Εισάγετε τιμή πρέπει να είναι θετικός -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Εισάγετε τιμή πρέπει να είναι θετικός apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Όλα τα εδάφη DocType: Purchase Invoice,Items,Είδη apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Φοιτητής ήδη εγγραφεί. @@ -3355,7 +3361,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Προεπιλεγμένη μονάδα μέτρησης για την παραλλαγή '{0}' πρέπει να είναι ίδιο με το πρότυπο '{1}' DocType: Shipping Rule,Calculate Based On,Υπολογισμός με βάση: DocType: Delivery Note Item,From Warehouse,Από Αποθήκης -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Δεν Αντικείμενα με τον Bill Υλικών για Κατασκευή +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Δεν Αντικείμενα με τον Bill Υλικών για Κατασκευή DocType: Assessment Plan,Supervisor Name,Όνομα Επόπτη DocType: Program Enrollment Course,Program Enrollment Course,Πρόγραμμα εγγραφής στο πρόγραμμα DocType: Purchase Taxes and Charges,Valuation and Total,Αποτίμηση και σύνολο @@ -3370,32 +3376,33 @@ DocType: Training Event Employee,Attended,παρακολούθησε apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,Οι 'ημέρες από την τελευταία παραγγελία' πρέπει να είναι περισσότερες από 0 DocType: Process Payroll,Payroll Frequency,Μισθοδοσία Συχνότητα DocType: Asset,Amended From,Τροποποίηση από -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Πρώτη ύλη +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Πρώτη ύλη DocType: Leave Application,Follow via Email,Ακολουθήστε μέσω email apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Φυτά και Μηχανήματα DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Ποσό φόρου μετά ποσού έκπτωσης DocType: Daily Work Summary Settings,Daily Work Summary Settings,Καθημερινή Ρυθμίσεις Περίληψη εργασίας -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Νόμισμα του τιμοκαταλόγου {0} δεν είναι παρόμοια με το επιλεγμένο νόμισμα {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Νόμισμα του τιμοκαταλόγου {0} δεν είναι παρόμοια με το επιλεγμένο νόμισμα {1} DocType: Payment Entry,Internal Transfer,εσωτερική Μεταφορά apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Υπάρχει θυγατρικός λογαριασμός για αυτόν το λογαριασμό. Δεν μπορείτε να διαγράψετε αυτόν το λογαριασμό. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Είτε ποσότητα-στόχος ή ποσό-στόχος είναι απαραίτητα. apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Δεν υπάρχει προεπιλεγμένη Λ.Υ. Για το είδος {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Παρακαλώ επιλέξτε Ημερομηνία Δημοσίευσης πρώτη +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Παρακαλώ επιλέξτε Ημερομηνία Δημοσίευσης πρώτη apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Ημερομηνία ανοίγματος πρέπει να είναι πριν από την Ημερομηνία Κλεισίματος DocType: Leave Control Panel,Carry Forward,Μεταφορά προς τα εμπρός apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Ένα κέντρο κόστους με υπάρχουσες συναλλαγές δεν μπορεί να μετατραπεί σε καθολικό DocType: Department,Days for which Holidays are blocked for this department.,Οι ημέρες για τις οποίες οι άδειες έχουν αποκλειστεί για αυτό το τμήμα ,Produced,Παράχθηκε -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,"Δημιουργήθηκε εκκαθαριστικά σημειώματα αποδοχών," +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,"Δημιουργήθηκε εκκαθαριστικά σημειώματα αποδοχών," DocType: Item,Item Code for Suppliers,Κώδικας στοιχείων για Προμηθευτές DocType: Issue,Raised By (Email),Δημιουργήθηκε από (email) DocType: Training Event,Trainer Name,Όνομα εκπαιδευτής DocType: Mode of Payment,General,Γενικός apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Τελευταία ανακοίνωση apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Δεν μπορούν να αφαιρεθούν όταν η κατηγορία είναι για αποτίμηση ή αποτίμηση και σύνολο -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Λίστα φορολογική σας κεφάλια (π.χ. ΦΠΑ, Τελωνεία κλπ? Θα πρέπει να έχουν μοναδικά ονόματα) και κατ 'αποκοπή συντελεστές τους. Αυτό θα δημιουργήσει ένα πρότυπο πρότυπο, το οποίο μπορείτε να επεξεργαστείτε και να προσθέσετε περισσότερο αργότερα." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Λίστα φορολογική σας κεφάλια (π.χ. ΦΠΑ, Τελωνεία κλπ? Θα πρέπει να έχουν μοναδικά ονόματα) και κατ 'αποκοπή συντελεστές τους. Αυτό θα δημιουργήσει ένα πρότυπο πρότυπο, το οποίο μπορείτε να επεξεργαστείτε και να προσθέσετε περισσότερο αργότερα." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Οι σειριακοί αριθμοί είναι απαραίτητοι για το είδος με σειρά {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Πληρωμές αγώνα με τιμολόγια +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Σειρά # {0}: Καταχωρίστε την ημερομηνία παράδοσης έναντι στοιχείου {1} DocType: Journal Entry,Bank Entry,Καταχώρηση τράπεζας DocType: Authorization Rule,Applicable To (Designation),Εφαρμοστέα σε (ονομασία) ,Profitability Analysis,Ανάλυση κερδοφορίας @@ -3411,17 +3418,18 @@ DocType: Quality Inspection,Item Serial No,Σειριακός αριθμός ε apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Δημιουργήστε τα αρχεία των εργαζομένων apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Σύνολο παρόντων apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,λογιστικές Καταστάσεις -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Ώρα +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Ώρα apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Ένας νέος σειριακός αριθμός δεν μπορεί να έχει αποθήκη. Η αποθήκη πρέπει να ορίζεται από καταχωρήσεις αποθέματος ή από παραλαβές αγορών DocType: Lead,Lead Type,Τύπος επαφής apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Δεν επιτρέπεται να εγκρίνει φύλλα στο Block Ημερομηνίες -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Όλα αυτά τα είδη έχουν ήδη τιμολογηθεί +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Όλα αυτά τα είδη έχουν ήδη τιμολογηθεί +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Μηνιαίο Στόχο Πωλήσεων apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Μπορεί να εγκριθεί από {0} DocType: Item,Default Material Request Type,Προεπιλογή Τύπος Υλικού Αίτηση apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Άγνωστος DocType: Shipping Rule,Shipping Rule Conditions,Όροι κανόνα αποστολής DocType: BOM Replace Tool,The new BOM after replacement,Η νέα Λ.Υ. μετά την αντικατάστασή -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point of sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Point of sale DocType: Payment Entry,Received Amount,Ελήφθη Ποσό DocType: GST Settings,GSTIN Email Sent On,Το μήνυμα ηλεκτρονικού ταχυδρομείου GSTIN αποστέλλεται στο DocType: Program Enrollment,Pick/Drop by Guardian,Επιλέξτε / Σταματήστε από τον Guardian @@ -3436,8 +3444,8 @@ DocType: C-Form,Invoices,Τιμολόγια DocType: Batch,Source Document Name,Όνομα εγγράφου προέλευσης DocType: Job Opening,Job Title,Τίτλος εργασίας apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Δημιουργία χρηστών -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Γραμμάριο -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Ποσότητα Παρασκευή πρέπει να είναι μεγαλύτερη από 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Γραμμάριο +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Ποσότητα Παρασκευή πρέπει να είναι μεγαλύτερη από 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Επισκεφθείτε την έκθεση για την έκτακτη συντήρηση. DocType: Stock Entry,Update Rate and Availability,Ενημέρωση τιμή και τη διαθεσιμότητα DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Ποσοστό που επιτρέπεται να παραληφθεί ή να παραδοθεί περισσότερο από την ποσότητα παραγγελίας. Για παράδειγμα: εάν έχετε παραγγείλει 100 μονάδες. Και το επίδομα σας είναι 10%, τότε θα μπορούν να παραληφθούν 110 μονάδες." @@ -3449,7 +3457,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Παρακαλείστε να ακυρώσετε την αγορά Τιμολόγιο {0} πρώτο apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Διεύθυνση e-mail πρέπει να είναι μοναδικό, υπάρχει ήδη για {0}" DocType: Serial No,AMC Expiry Date,Ε.Σ.Υ. Ημερομηνία λήξης -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,ΑΠΟΔΕΙΞΗ ΠΛΗΡΩΜΗΣ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,ΑΠΟΔΕΙΞΗ ΠΛΗΡΩΜΗΣ ,Sales Register,Ταμείο πωλήσεων DocType: Daily Work Summary Settings Company,Send Emails At,Αποστολή email τους στο DocType: Quotation,Quotation Lost Reason,Λόγος απώλειας προσφοράς @@ -3462,14 +3470,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Κανένα apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Κατάσταση ταμειακών ροών apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Ποσό δανείου δεν μπορεί να υπερβαίνει το μέγιστο ύψος των δανείων Ποσό {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Άδεια -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Παρακαλώ αφαιρέστε αυτό το τιμολόγιο {0} από τη c-form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Παρακαλώ αφαιρέστε αυτό το τιμολόγιο {0} από τη c-form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Παρακαλώ επιλέξτε μεταφορά εάν θέλετε επίσης να περιλαμβάνεται το ισοζύγιο από το προηγούμενο οικονομικό έτος σε αυτό η χρήση DocType: GL Entry,Against Voucher Type,Κατά τον τύπο αποδεικτικού DocType: Item,Attributes,Γνωρίσματα apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Παρακαλώ εισάγετε λογαριασμό διαγραφών apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Τελευταία ημερομηνία παραγγελίας apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Ο Λογαριασμός {0} δεν ανήκει στην εταιρεία {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Οι σειριακοί αριθμοί στη σειρά {0} δεν ταιριάζουν με τη Σημείωση Παραλαβής +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Οι σειριακοί αριθμοί στη σειρά {0} δεν ταιριάζουν με τη Σημείωση Παραλαβής DocType: Student,Guardian Details,Guardian Λεπτομέρειες DocType: C-Form,C-Form,C-form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark φοίτηση για πολλούς εργαζόμενους @@ -3501,16 +3509,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Τ DocType: Tax Rule,Sales,Πωλήσεις DocType: Stock Entry Detail,Basic Amount,Βασικό Ποσό DocType: Training Event,Exam,Εξέταση -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Απαιτείται αποθήκη για το είδος αποθέματος {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Απαιτείται αποθήκη για το είδος αποθέματος {0} DocType: Leave Allocation,Unused leaves,Αχρησιμοποίητα φύλλα -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Μέλος χρέωσης apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Μεταφορά apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} δεν σχετίζεται με το Λογαριασμό {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Φέρε αναλυτική Λ.Υ. ( Συμπεριλαμβανομένων των υποσυνόλων ) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Φέρε αναλυτική Λ.Υ. ( Συμπεριλαμβανομένων των υποσυνόλων ) DocType: Authorization Rule,Applicable To (Employee),Εφαρμοστέα σε (υπάλληλος) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date είναι υποχρεωτική apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Προσαύξηση για Χαρακτηριστικό {0} δεν μπορεί να είναι 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια DocType: Journal Entry,Pay To / Recd From,Πληρωτέο προς / λήψη από DocType: Naming Series,Setup Series,Εγκατάσταση σειρών DocType: Payment Reconciliation,To Invoice Date,Για την ημερομηνία του τιμολογίου @@ -3537,7 +3546,7 @@ DocType: Journal Entry,Write Off Based On,Διαγραφή βάσει του apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Δημιουργία Σύστασης apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Εκτύπωση και Χαρτικά DocType: Stock Settings,Show Barcode Field,Εμφάνιση Barcode πεδίο -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Αποστολή Emails Προμηθευτής +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Αποστολή Emails Προμηθευτής apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Μισθός ήδη υποβάλλονται σε επεξεργασία για χρονικό διάστημα από {0} και {1}, Αφήστε περίοδος εφαρμογής δεν μπορεί να είναι μεταξύ αυτού του εύρους ημερομηνιών." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Αρχείο εγκατάστασης για ένα σειριακό αριθμό DocType: Guardian Interest,Guardian Interest,Guardian Ενδιαφέροντος @@ -3550,7 +3559,7 @@ DocType: Offer Letter,Awaiting Response,Αναμονή Απάντησης apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Παραπάνω apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Μη έγκυρο χαρακτηριστικό {0} {1} DocType: Supplier,Mention if non-standard payable account,Αναφέρετε εάν ο μη τυποποιημένος πληρωτέος λογαριασμός -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Το ίδιο στοιχείο εισήχθη πολλές φορές. {λίστα} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Το ίδιο στοιχείο εισήχθη πολλές φορές. {λίστα} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',"Παρακαλώ επιλέξτε την ομάδα αξιολόγησης, εκτός από τις "Όλες οι ομάδες αξιολόγησης"" DocType: Salary Slip,Earning & Deduction,Κέρδος και έκπτωση apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Προαιρετικό. Αυτή η ρύθμιση θα χρησιμοποιηθεί για το φιλτράρισμα σε διάφορες συναλλαγές. @@ -3569,7 +3578,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Το κόστος των αποσυρόμενων Ενεργητικού apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Tο κέντρο κόστους είναι υποχρεωτικό για το είδος {2} DocType: Vehicle,Policy No,Πολιτική Όχι -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Πάρετε τα στοιχεία από Bundle Προϊόν +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Πάρετε τα στοιχεία από Bundle Προϊόν DocType: Asset,Straight Line,Ευθεία DocType: Project User,Project User,Ο χρήστης του έργου apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Σπλιτ @@ -3581,6 +3590,7 @@ DocType: Sales Team,Contact No.,Αριθμός επαφής DocType: Bank Reconciliation,Payment Entries,Ενδείξεις πληρωμής DocType: Production Order,Scrap Warehouse,Άχρηστα Αποθήκη DocType: Production Order,Check if material transfer entry is not required,Ελέγξτε αν δεν απαιτείται εγγραφή μεταφοράς υλικού +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR DocType: Program Enrollment Tool,Get Students From,Πάρτε φοιτητές από DocType: Hub Settings,Seller Country,Χώρα πωλητή apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Δημοσιεύστε Αντικείμενα στην ιστοσελίδα @@ -3598,19 +3608,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,Η DocType: Shipping Rule,Specify conditions to calculate shipping amount,Καθορίστε τις συνθήκες για τον υπολογισμό του κόστους αποστολής DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Ο ρόλος επιτρέπεται να καθορίζει παγωμένους λογαριασμούς & να επεξεργάζετε παγωμένες καταχωρήσεις apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"Δεν είναι δυνατή η μετατροπή του κέντρου κόστους σε καθολικό, όπως έχει κόμβους-παιδιά" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Αξία ανοίγματος +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Αξία ανοίγματος DocType: Salary Detail,Formula,Τύπος apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Σειριακός αριθμός # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Προμήθεια επί των πωλήσεων DocType: Offer Letter Term,Value / Description,Αξία / Περιγραφή -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Σειρά # {0}: Asset {1} δεν μπορεί να υποβληθεί, είναι ήδη {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Σειρά # {0}: Asset {1} δεν μπορεί να υποβληθεί, είναι ήδη {2}" DocType: Tax Rule,Billing Country,Χρέωση Χώρα DocType: Purchase Order Item,Expected Delivery Date,Αναμενόμενη ημερομηνία παράδοσης apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Χρεωστικών και Πιστωτικών δεν είναι ίση για {0} # {1}. Η διαφορά είναι {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Δαπάνες ψυχαγωγίας apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Κάντε την ζήτηση Υλικό apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Ανοικτή Θέση {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Το τιμολόγιο πώλησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Το τιμολόγιο πώλησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Ηλικία DocType: Sales Invoice Timesheet,Billing Amount,Ποσό Χρέωσης apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ορίστηκε μη έγκυρη ποσότητα για το είδος {0}. Η ποσότητα αυτή θα πρέπει να είναι μεγαλύτερη από 0. @@ -3633,7 +3643,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Νέα έσοδα πελατών apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Έξοδα μετακίνησης DocType: Maintenance Visit,Breakdown,Ανάλυση -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Ο λογαριασμός: {0} με το νόμισμα: {1} δεν μπορεί να επιλεγεί +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Ο λογαριασμός: {0} με το νόμισμα: {1} δεν μπορεί να επιλεγεί DocType: Bank Reconciliation Detail,Cheque Date,Ημερομηνία επιταγής apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν ανήκει στην εταιρεία: {2} DocType: Program Enrollment Tool,Student Applicants,Οι υποψήφιοι φοιτητής @@ -3653,11 +3663,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Προ DocType: Material Request,Issued,Εκδόθηκε apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Δραστηριότητα σπουδαστών DocType: Project,Total Billing Amount (via Time Logs),Συνολικό Ποσό Χρέωσης (μέσω χρόνος Καταγράφει) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Πουλάμε αυτό το είδος +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Πουλάμε αυτό το είδος apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ID προμηθευτή DocType: Payment Request,Payment Gateway Details,Πληρωμή Gateway Λεπτομέρειες -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Ποσότητα θα πρέπει να είναι μεγαλύτερη από 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Δείγματα δεδομένων +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Ποσότητα θα πρέπει να είναι μεγαλύτερη από 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Δείγματα δεδομένων DocType: Journal Entry,Cash Entry,Καταχώρηση μετρητών apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,κόμβοι παιδί μπορεί να δημιουργηθεί μόνο με κόμβους τύπου «Όμιλος» DocType: Leave Application,Half Day Date,Μισή Μέρα Ημερομηνία @@ -3666,17 +3676,18 @@ DocType: Sales Partner,Contact Desc,Περιγραφή επαφής apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Τύπος των φύλλων, όπως τυπική, για λόγους υγείας κλπ." DocType: Email Digest,Send regular summary reports via Email.,"Αποστολή τακτικών συνοπτικών εκθέσεων, μέσω email." DocType: Payment Entry,PE-,ΡΕ- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Παρακαλούμε να ορίσετε προεπιλεγμένο λογαριασμό στο Εξόδων αξίωση Τύπος {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Παρακαλούμε να ορίσετε προεπιλεγμένο λογαριασμό στο Εξόδων αξίωση Τύπος {0} DocType: Assessment Result,Student Name,ΟΝΟΜΑ ΜΑΘΗΤΗ DocType: Brand,Item Manager,Θέση Διευθυντή apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Μισθοδοσία Πληρωτέο DocType: Buying Settings,Default Supplier Type,Προεπιλεγμένος τύπος προμηθευτής DocType: Production Order,Total Operating Cost,Συνολικό κόστος λειτουργίας -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Σημείωση : το σημείο {0} εισήχθηκε πολλαπλές φορές +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Σημείωση : το σημείο {0} εισήχθηκε πολλαπλές φορές apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Όλες οι επαφές. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Ορίστε το στόχο σας apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Συντομογραφία εταιρείας apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Ο χρήστης {0} δεν υπάρχει -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Η πρώτη ύλη δεν μπορεί να είναι ίδια με το κύριο είδος +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Η πρώτη ύλη δεν μπορεί να είναι ίδια με το κύριο είδος DocType: Item Attribute Value,Abbreviation,Συντομογραφία apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Έναρξη πληρωμής υπάρχει ήδη apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Δεν επιτρέπεται δεδομένου ότι το {0} υπερβαίνει τα όρια @@ -3694,7 +3705,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Ο ρόλος έχει ,Territory Target Variance Item Group-Wise,Εύρος στόχων περιοχής ανά ομάδα ειδών apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Όλες οι ομάδες πελατών apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,συσσωρευμένες Μηνιαία -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,Η {0} είναι απαραίτητη. Ίσως δεν έχει δημιουργηθεί εγγραφή ισοτιμίας συναλλάγματος από {1} έως {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,Η {0} είναι απαραίτητη. Ίσως δεν έχει δημιουργηθεί εγγραφή ισοτιμίας συναλλάγματος από {1} έως {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Φόρος προτύπου είναι υποχρεωτική. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν υπάρχει DocType: Purchase Invoice Item,Price List Rate (Company Currency),Τιμή τιμοκαταλόγου (νόμισμα της εταιρείας) @@ -3705,7 +3716,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Ποσοστό κ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Γραμματέας DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Αν απενεργοποιήσετε, «σύμφωνα με τα λόγια« πεδίο δεν θα είναι ορατό σε κάθε συναλλαγή" DocType: Serial No,Distinct unit of an Item,Διακριτή μονάδα ενός είδους -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Ρυθμίστε την εταιρεία +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Ρυθμίστε την εταιρεία DocType: Pricing Rule,Buying,Αγορά DocType: HR Settings,Employee Records to be created by,Εγγραφές των υπαλλήλων που πρόκειται να δημιουργηθούν από DocType: POS Profile,Apply Discount On,Εφαρμόστε έκπτωση σε @@ -3716,7 +3727,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Φορολογικές λεπτομέρειες για είδη apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Ινστιτούτο Σύντμηση ,Item-wise Price List Rate,Τιμή τιμοκαταλόγου ανά είδος -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Προσφορά προμηθευτή +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Προσφορά προμηθευτή DocType: Quotation,In Words will be visible once you save the Quotation.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε το πρόσημο. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Η ποσότητα ({0}) δεν μπορεί να είναι κλάσμα στη σειρά {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,εισπράττει τέλη @@ -3740,7 +3751,7 @@ Updated via 'Time Log'","Σε λεπτά DocType: Customer,From Lead,Από Σύσταση apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Παραγγελίες ανοιχτές για παραγωγή. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Επιλέξτε οικονομικό έτος... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Προφίλ απαιτούνται για να κάνουν POS Έναρξη +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Προφίλ απαιτούνται για να κάνουν POS Έναρξη DocType: Program Enrollment Tool,Enroll Students,εγγραφούν μαθητές DocType: Hub Settings,Name Token,Name Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Πρότυπες πωλήσεις @@ -3758,7 +3769,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Διαφορά αξίας α apps/erpnext/erpnext/config/learn.py +234,Human Resource,Ανθρώπινο Δυναμικό DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Πληρωμή συμφωνίας apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Φορολογικές απαιτήσεις -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Η Παραγγελία Παραγωγής ήταν {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Η Παραγγελία Παραγωγής ήταν {0} DocType: BOM Item,BOM No,Αρ. Λ.Υ. DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Η λογιστική εγγραφή {0} δεν έχει λογαριασμό {1} ή έχει ήδη αντιπαραβληθεί με άλλο αποδεικτικό @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Ανε apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Οφειλόμενο ποσό DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Ορίστε στόχους ανά ομάδα είδους για αυτόν τον πωλητή DocType: Stock Settings,Freeze Stocks Older Than [Days],Πάγωμα αποθεμάτων παλαιότερα από [ημέρες] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Σειρά # {0}: Asset είναι υποχρεωτική για πάγιο περιουσιακό αγορά / πώληση +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Σειρά # {0}: Asset είναι υποχρεωτική για πάγιο περιουσιακό αγορά / πώληση apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Αν δύο ή περισσότεροι κανόνες τιμολόγησης που βρέθηκαν με βάση τις παραπάνω προϋποθέσεις, εφαρμόζεται σειρά προτεραιότητας. Η προτεραιότητα είναι ένας αριθμός μεταξύ 0 και 20, ενώ η προεπιλεγμένη τιμή είναι μηδέν (κενό). Μεγαλύτερος αριθμός σημαίνει ότι θα υπερισχύσει εάν υπάρχουν πολλαπλοί κανόνες τιμολόγησης με τους ίδιους όρους." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Φορολογικό Έτος: {0} δεν υπάρχει DocType: Currency Exchange,To Currency,Σε νόμισμα @@ -3780,7 +3791,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Τύποι των αιτημάτων εξόδων. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Το ποσοστό πωλήσεων για το στοιχείο {0} είναι μικρότερο από το {1} του. Το ποσοστό πώλησης πρέπει να είναι τουλάχιστον {2} DocType: Item,Taxes,Φόροι -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Καταβληθεί και δεν παραδόθηκαν +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Καταβληθεί και δεν παραδόθηκαν DocType: Project,Default Cost Center,Προεπιλεγμένο κέντρο κόστους DocType: Bank Guarantee,End Date,Ημερομηνία λήξης apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Συναλλαγές απόθεμα @@ -3797,7 +3808,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Καθημερινή εργασία Εταιρεία Περίληψη Ρυθμίσεις apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Το είδος {0} αγνοήθηκε, δεδομένου ότι δεν είναι ένα αποθηκεύσιμο είδος" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Υποβολή αυτής της εντολής παραγωγής για περαιτέρω επεξεργασία. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Υποβολή αυτής της εντολής παραγωγής για περαιτέρω επεξεργασία. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Για να μην εφαρμοστεί ο κανόνας τιμολόγησης σε μια συγκεκριμένη συναλλαγή, θα πρέπει να απενεργοποιηθούν όλοι οι εφαρμόσιμοι κανόνες τιμολόγησης." DocType: Assessment Group,Parent Assessment Group,Ομάδα Αξιολόγησης γονέα apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Θέσεις εργασίας @@ -3805,10 +3816,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Θέσεις DocType: Employee,Held On,Πραγματοποιήθηκε την apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Είδος παραγωγής ,Employee Information,Πληροφορίες υπαλλήλου -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Ποσοστό ( % ) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Ποσοστό ( % ) DocType: Stock Entry Detail,Additional Cost,Πρόσθετο κόστος apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Δεν μπορείτε να φιλτράρετε με βάση αρ. αποδεικτικού, αν είναι ομαδοποιημένες ανά αποδεικτικό" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Δημιούργησε προσφορά προμηθευτή +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Δημιούργησε προσφορά προμηθευτή DocType: Quality Inspection,Incoming,Εισερχόμενος DocType: BOM,Materials Required (Exploded),Υλικά που απαιτούνται (αναλυτικά) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Προσθέστε χρήστες για τον οργανισμό σας, εκτός από τον εαυτό σας" @@ -3824,7 +3835,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Ο λογαριασμός: {0} μπορεί να ενημερώνεται μόνο μέσω συναλλαγών αποθέματος DocType: Student Group Creation Tool,Get Courses,Πάρτε μαθήματα DocType: GL Entry,Party,Συμβαλλόμενος -DocType: Sales Order,Delivery Date,Ημερομηνία παράδοσης +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Ημερομηνία παράδοσης DocType: Opportunity,Opportunity Date,Ημερομηνία ευκαιρίας DocType: Purchase Receipt,Return Against Purchase Receipt,Επιστροφή Ενάντια απόδειξη αγοράς DocType: Request for Quotation Item,Request for Quotation Item,Αίτηση Προσφοράς Είδους @@ -3838,7 +3849,7 @@ DocType: Task,Actual Time (in Hours),Πραγματικός χρόνος (σε DocType: Employee,History In Company,Ιστορικό στην εταιρεία apps/erpnext/erpnext/config/learn.py +107,Newsletters,Ενημερωτικά Δελτία DocType: Stock Ledger Entry,Stock Ledger Entry,Καθολική καταχώρηση αποθέματος -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Το ίδιο στοιχείο έχει εισαχθεί πολλές φορές +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Το ίδιο στοιχείο έχει εισαχθεί πολλές φορές DocType: Department,Leave Block List,Λίστα ημερών Άδειας DocType: Sales Invoice,Tax ID,Τον αριθμό φορολογικού μητρώου apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Το είδος {0} δεν είναι στημένο για σειριακούς αριθμούς. Η στήλη πρέπει να είναι κενή @@ -3856,25 +3867,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Μαύρος DocType: BOM Explosion Item,BOM Explosion Item,Είδος ανάπτυξης Λ.Υ. DocType: Account,Auditor,Ελεγκτής -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} αντικείμενα που παράγονται +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} αντικείμενα που παράγονται DocType: Cheque Print Template,Distance from top edge,Απόσταση από το άνω άκρο apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Τιμοκατάλογος {0} είναι απενεργοποιημένη ή δεν υπάρχει DocType: Purchase Invoice,Return,Απόδοση DocType: Production Order Operation,Production Order Operation,Λειτουργία παραγγελίας παραγωγής DocType: Pricing Rule,Disable,Απενεργοποίηση -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Τρόπος πληρωμής υποχρεούται να προβεί σε πληρωμή +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Τρόπος πληρωμής υποχρεούται να προβεί σε πληρωμή DocType: Project Task,Pending Review,Εκκρεμής αναθεώρηση apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} δεν είναι εγγεγραμμένος στην παρτίδα {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Περιουσιακό στοιχείο {0} δεν μπορεί να καταργηθεί, δεδομένου ότι είναι ήδη {1}" DocType: Task,Total Expense Claim (via Expense Claim),Σύνολο αξίωση Εξόδων (μέσω αιτημάτων εξόδων) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Απών -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Σειρά {0}: Νόμισμα της BOM # {1} θα πρέπει να είναι ίσο με το επιλεγμένο νόμισμα {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Σειρά {0}: Νόμισμα της BOM # {1} θα πρέπει να είναι ίσο με το επιλεγμένο νόμισμα {2} DocType: Journal Entry Account,Exchange Rate,Ισοτιμία -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Η παραγγελία πώλησης {0} δεν έχει υποβληθεί +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Η παραγγελία πώλησης {0} δεν έχει υποβληθεί DocType: Homepage,Tag Line,Γραμμή ετικέτας DocType: Fee Component,Fee Component,χρέωση Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Διαχείριση στόλου -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Προσθήκη στοιχείων από +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Προσθήκη στοιχείων από DocType: Cheque Print Template,Regular,Τακτικός apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Σύνολο weightage όλων των κριτηρίων αξιολόγησης πρέπει να είναι 100% DocType: BOM,Last Purchase Rate,Τελευταία τιμή αγοράς @@ -3895,12 +3906,12 @@ DocType: Employee,Reports to,Εκθέσεις προς DocType: SMS Settings,Enter url parameter for receiver nos,Εισάγετε παράμετρο url για αριθμούς παραλήπτη DocType: Payment Entry,Paid Amount,Καταβληθέν ποσό DocType: Assessment Plan,Supervisor,Επόπτης -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,σε απευθείας σύνδεση +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,σε απευθείας σύνδεση ,Available Stock for Packing Items,Διαθέσιμο απόθεμα για είδη συσκευασίας DocType: Item Variant,Item Variant,Παραλλαγή είδους DocType: Assessment Result Tool,Assessment Result Tool,Εργαλείο Αποτέλεσμα Αξιολόγησης DocType: BOM Scrap Item,BOM Scrap Item,BOM Άχρηστα Στοιχείο -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Υποβλήθηκε εντολές δεν μπορούν να διαγραφούν +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Υποβλήθηκε εντολές δεν μπορούν να διαγραφούν apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Το υπόλοιπο του λογαριασμού είναι ήδη χρεωστικό, δεν μπορείτε να ορίσετε την επιλογή το υπόλοιπο πρέπει να είναι 'πιστωτικό'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Διαχείριση ποιότητας apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Στοιχείο {0} έχει απενεργοποιηθεί @@ -3931,7 +3942,7 @@ DocType: Item Group,Default Expense Account,Προεπιλεγμένος λογ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Φοιτητής Email ID DocType: Employee,Notice (days),Ειδοποίηση (ημέρες) DocType: Tax Rule,Sales Tax Template,Φόρος επί των πωλήσεων Πρότυπο -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Επιλέξτε αντικείμενα για να σώσει το τιμολόγιο +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Επιλέξτε αντικείμενα για να σώσει το τιμολόγιο DocType: Employee,Encashment Date,Ημερομηνία εξαργύρωσης DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Διευθέτηση αποθέματος @@ -3979,10 +3990,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Απο apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Η μέγιστη έκπτωση που επιτρέπεται για το είδος: {0} είναι {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Καθαρή Αξία Ενεργητικού, όπως για" DocType: Account,Receivable,Εισπρακτέος -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Σειρά # {0}: Δεν επιτρέπεται να αλλάξουν προμηθευτή, όπως υπάρχει ήδη παραγγελίας" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Σειρά # {0}: Δεν επιτρέπεται να αλλάξουν προμηθευτή, όπως υπάρχει ήδη παραγγελίας" DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Ρόλος που έχει τη δυνατότητα να υποβάλει τις συναλλαγές που υπερβαίνουν τα όρια πίστωσης. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Επιλέξτε Στοιχεία για Κατασκευή -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Δάσκαλος συγχρονισμό δεδομένων, μπορεί να πάρει κάποιο χρόνο" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Επιλέξτε Στοιχεία για Κατασκευή +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Δάσκαλος συγχρονισμό δεδομένων, μπορεί να πάρει κάποιο χρόνο" DocType: Item,Material Issue,Έκδοση υλικού DocType: Hub Settings,Seller Description,Περιγραφή πωλητή DocType: Employee Education,Qualification,Προσόν @@ -4003,11 +4014,10 @@ DocType: BOM,Rate Of Materials Based On,Τιμή υλικών με βάση apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Στατιστικά στοιχεία υποστήριξης apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Καταργήστε την επιλογή όλων DocType: POS Profile,Terms and Conditions,Όροι και προϋποθέσεις -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Η 'εώς ημερομηνία' πρέπει να είναι εντός της χρήσης. Υποθέτοντας 'έως ημερομηνία' = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Εδώ μπορείτε να διατηρήσετε το ύψος, το βάρος, τις αλλεργίες, ιατροφαρμακευτική περίθαλψη, κλπ. Ανησυχίες" DocType: Leave Block List,Applies to Company,Ισχύει για την εταιρεία -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Δεν μπορεί να γίνει ακύρωση, διότι υπάρχει καταχώρηση αποθέματος {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Δεν μπορεί να γίνει ακύρωση, διότι υπάρχει καταχώρηση αποθέματος {0}" DocType: Employee Loan,Disbursement Date,Ημερομηνία εκταμίευσης DocType: Vehicle,Vehicle,Όχημα DocType: Purchase Invoice,In Words,Με λόγια @@ -4045,7 +4055,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Καθολικές ρυ DocType: Assessment Result Detail,Assessment Result Detail,Λεπτομέρεια Αποτέλεσμα Αξιολόγησης DocType: Employee Education,Employee Education,Εκπαίδευση των υπαλλήλων apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Διπλότυπη ομάδα στοιχείο που βρέθηκαν στο τραπέζι ομάδα στοιχείου -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Είναι απαραίτητη για να φέρω Λεπτομέρειες αντικειμένου. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Είναι απαραίτητη για να φέρω Λεπτομέρειες αντικειμένου. DocType: Salary Slip,Net Pay,Καθαρές αποδοχές DocType: Account,Account,Λογαριασμός apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Ο σειριακός αριθμός {0} έχει ήδη ληφθεί @@ -4053,7 +4063,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,όχημα Σύνδεση DocType: Purchase Invoice,Recurring Id,Id επαναλαμβανόμενου DocType: Customer,Sales Team Details,Λεπτομέρειες ομάδας πωλήσεων -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Διαγραφή μόνιμα; +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Διαγραφή μόνιμα; DocType: Expense Claim,Total Claimed Amount,Συνολικό αιτούμενο ποσό αποζημίωσης apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Πιθανές ευκαιρίες για πώληση. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Άκυρη {0} @@ -4065,7 +4075,7 @@ DocType: Warehouse,PIN,ΚΑΡΦΊΤΣΑ apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Ρύθμιση σχολείο σας ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Βάση Αλλαγή Ποσό (Εταιρεία νομίσματος) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Δεν βρέθηκαν λογιστικές καταχωρήσεις για τις ακόλουθες αποθήκες -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Αποθηκεύστε πρώτα το έγγραφο. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Αποθηκεύστε πρώτα το έγγραφο. DocType: Account,Chargeable,Χρεώσιμο DocType: Company,Change Abbreviation,Αλλαγή συντομογραφίας DocType: Expense Claim Detail,Expense Date,Ημερομηνία δαπάνης @@ -4079,7 +4089,6 @@ DocType: BOM,Manufacturing User,Χρήστης παραγωγής DocType: Purchase Invoice,Raw Materials Supplied,Πρώτες ύλες που προμηθεύτηκαν DocType: Purchase Invoice,Recurring Print Format,Επαναλαμβανόμενες έντυπη μορφή DocType: C-Form,Series,Σειρά -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Η αναμενόμενη ημερομηνία παράδοσης δεν μπορεί να είναι προγενέστερη της ημερομηνίας παραγγελίας αγοράς DocType: Appraisal,Appraisal Template,Πρότυπο αξιολόγησης DocType: Item Group,Item Classification,Ταξινόμηση είδους apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Διαχειριστής ανάπτυξης επιχείρησης @@ -4118,12 +4127,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Επιλέ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Εκδηλώσεις / Αποτελέσματα Κατάρτισης apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Συσσωρευμένες Αποσβέσεις και για DocType: Sales Invoice,C-Form Applicable,Εφαρμόσιμο σε C-Form -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Χρόνος λειτουργίας πρέπει να είναι μεγαλύτερη από 0 για τη λειτουργία {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Χρόνος λειτουργίας πρέπει να είναι μεγαλύτερη από 0 για τη λειτουργία {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Αποθήκη είναι υποχρεωτική DocType: Supplier,Address and Contacts,Διεύθυνση και Επικοινωνία DocType: UOM Conversion Detail,UOM Conversion Detail,Λεπτομέρειες μετατροπής Μ.Μ. DocType: Program,Program Abbreviation,Σύντμηση πρόγραμμα -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Παραγγελία παραγωγής δεν μπορούν να προβληθούν κατά προτύπου στοιχείου +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Παραγγελία παραγωγής δεν μπορούν να προβληθούν κατά προτύπου στοιχείου apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Οι επιβαρύνσεις ενημερώνονται στην απόδειξη αγοράς για κάθε είδος DocType: Warranty Claim,Resolved By,Επιλύθηκε από DocType: Bank Guarantee,Start Date,Ημερομηνία έναρξης @@ -4158,6 +4167,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,εκπαίδευση Σχόλια apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Η εντολή παραγωγής {0} πρέπει να υποβληθεί apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Παρακαλώ επιλέξτε ημερομηνία έναρξης και ημερομηνία λήξης για το είδος {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Ορίστε έναν στόχο πωλήσεων που θέλετε να επιτύχετε. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Φυσικά είναι υποχρεωτική στη σειρά {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Το πεδίο έως ημερομηνία δεν μπορεί να είναι προγενέστερο από το πεδίο από ημερομηνία DocType: Supplier Quotation Item,Prevdoc DocType,Τύπος εγγράφου του προηγούμενου εγγράφου @@ -4175,7 +4185,7 @@ DocType: Account,Income,Έσοδα DocType: Industry Type,Industry Type,Τύπος βιομηχανίας apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Κάτι πήγε στραβά! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Προσοχή: η αίτηση αδείας περιλαμβάνει τις εξής μπλοκαρισμένες ημερομηνίες -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Το τιμολόγιο πώλησης {0} έχει ήδη υποβληθεί +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Το τιμολόγιο πώλησης {0} έχει ήδη υποβληθεί DocType: Assessment Result Detail,Score,Σκορ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Φορολογικό Έτος {0} δεν υπάρχει apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Ημερομηνία ολοκλήρωσης @@ -4205,7 +4215,7 @@ DocType: Naming Series,Help HTML,Βοήθεια ΗΤΜΛ DocType: Student Group Creation Tool,Student Group Creation Tool,Ομάδα μαθητή Εργαλείο Δημιουργίας DocType: Item,Variant Based On,Παραλλαγή Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Το σύνολο βάρους πού έχει ανατεθεί έπρεπε να είναι 100 %. Είναι {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Οι προμηθευτές σας +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Οι προμηθευτές σας apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Δεν μπορεί να οριστεί ως απολεσθέν, καθώς έχει γίνει παραγγελία πώλησης." DocType: Request for Quotation Item,Supplier Part No,Προμηθευτής Μέρος Όχι apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',δεν μπορεί να εκπέσει όταν η κατηγορία είναι για την «Αποτίμηση» ή «Vaulation και Total» @@ -4215,14 +4225,14 @@ DocType: Item,Has Serial No,Έχει σειριακό αριθμό DocType: Employee,Date of Issue,Ημερομηνία έκδοσης apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Από {0} για {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Σύμφωνα με τις Ρυθμίσεις Αγορών, εάν απαιτείται Απαιτούμενη Αγορά == 'ΝΑΙ', τότε για τη δημιουργία Τιμολογίου Αγοράς, ο χρήστης πρέπει να δημιουργήσει πρώτα την Παραλαβή Αγοράς για το στοιχείο {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Σειρά # {0}: Ορισμός Προμηθευτή για το στοιχείο {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Σειρά {0}: Ώρες τιμή πρέπει να είναι μεγαλύτερη από το μηδέν. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Σειρά # {0}: Ορισμός Προμηθευτή για το στοιχείο {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Σειρά {0}: Ώρες τιμή πρέπει να είναι μεγαλύτερη από το μηδέν. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Ιστοσελίδα Εικόνα {0} επισυνάπτεται στη θέση {1} δεν μπορεί να βρεθεί DocType: Issue,Content Type,Τύπος περιεχομένου apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Ηλεκτρονικός υπολογιστής DocType: Item,List this Item in multiple groups on the website.,Εμφάνισε το είδος σε πολλαπλές ομάδες στην ιστοσελίδα. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Παρακαλώ ελέγξτε Πολλαπλών επιλογή νομίσματος για να επιτρέψει τους λογαριασμούς με άλλο νόμισμα -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Το είδος: {0} δεν υπάρχει στο σύστημα +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Το είδος: {0} δεν υπάρχει στο σύστημα apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Δεν επιτρέπεται να ορίσετε παγωμένη αξία DocType: Payment Reconciliation,Get Unreconciled Entries,Βρες καταχωρήσεις χωρίς συμφωνία DocType: Payment Reconciliation,From Invoice Date,Από Ημερομηνία Τιμολογίου @@ -4248,7 +4258,7 @@ DocType: Stock Entry,Default Source Warehouse,Προεπιλεγμένη απο DocType: Item,Customer Code,Κωδικός πελάτη apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Υπενθύμιση γενεθλίων για {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Ημέρες από την τελευταία παραγγελία -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Χρέωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Χρέωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού DocType: Buying Settings,Naming Series,Σειρά ονομασίας DocType: Leave Block List,Leave Block List Name,Όνομα λίστας αποκλεισμού ημερών άδειας apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ημερομηνία Ασφαλιστική Αρχή θα πρέπει να είναι μικρότερη από την ημερομηνία λήξης Ασφαλιστική @@ -4265,7 +4275,7 @@ DocType: Vehicle Log,Odometer,Οδόμετρο DocType: Sales Order Item,Ordered Qty,Παραγγελθείσα ποσότητα apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Θέση {0} είναι απενεργοποιημένη DocType: Stock Settings,Stock Frozen Upto,Παγωμένο απόθεμα μέχρι -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM δεν περιέχει κανένα στοιχείο απόθεμα +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM δεν περιέχει κανένα στοιχείο απόθεμα apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Περίοδος Από και χρονική περίοδος ημερομηνίες υποχρεωτική για τις επαναλαμβανόμενες {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Δραστηριότητες / εργασίες έργου DocType: Vehicle Log,Refuelling Details,Λεπτομέρειες ανεφοδιασμού @@ -4275,7 +4285,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Τελευταία ποσοστό αγορά δεν βρέθηκε DocType: Purchase Invoice,Write Off Amount (Company Currency),Γράψτε εφάπαξ ποσό (Εταιρεία νομίσματος) DocType: Sales Invoice Timesheet,Billing Hours,Ώρες χρέωσης -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Προεπιλογή BOM για {0} δεν βρέθηκε +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Προεπιλογή BOM για {0} δεν βρέθηκε apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Σειρά # {0}: Παρακαλούμε ρυθμίστε την ποσότητα αναπαραγγελίας apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Πατήστε στοιχεία για να τα προσθέσετε εδώ DocType: Fees,Program Enrollment,πρόγραμμα Εγγραφή @@ -4307,6 +4317,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Eύρος γήρανσης 2 DocType: SG Creation Tool Course,Max Strength,Μέγιστη Αντοχή apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Η Λ.Υ. αντικαταστάθηκε +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Επιλέξτε στοιχεία βάσει της ημερομηνίας παράδοσης ,Sales Analytics,Ανάλυση πωλήσεων apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Διαθέσιμο {0} ,Prospects Engaged But Not Converted,Προοπτικές που ασχολούνται αλλά δεν μετατρέπονται @@ -4353,7 +4364,7 @@ DocType: Authorization Rule,Customerwise Discount,Έκπτωση με βάση apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Φύλλο κατανομής χρόνου για εργασίες. DocType: Purchase Invoice,Against Expense Account,Κατά τον λογαριασμό δαπανών DocType: Production Order,Production Order,Εντολή παραγωγής -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Η σημείωση εγκατάστασης {0} έχει ήδη υποβληθεί +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Η σημείωση εγκατάστασης {0} έχει ήδη υποβληθεί DocType: Bank Reconciliation,Get Payment Entries,Πάρτε Καταχωρήσεις Πληρωμής DocType: Quotation Item,Against Docname,Κατά όνομα εγγράφου DocType: SMS Center,All Employee (Active),Όλοι οι υπάλληλοι (ενεργοί) @@ -4362,7 +4373,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Κόστος πρώτων υλών DocType: Item Reorder,Re-Order Level,Επίπεδο επαναπαραγγελίας DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Εισάγετε τα είδη και την προγραμματισμένη ποσότητα για την οποία θέλετε να δημιουργηθούν οι εντολές παραγωγής ή να κατεβάσετε τις πρώτες ύλες για την ανάλυση. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Διάγραμμα gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Διάγραμμα gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Μερικής απασχόλησης DocType: Employee,Applicable Holiday List,Εφαρμοστέος κατάλογος διακοπών DocType: Employee,Cheque,Επιταγή @@ -4418,11 +4429,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Διατηρούνται Ποσότητα Παραγωγής DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Αφήστε ανεξέλεγκτη αν δεν θέλετε να εξετάσετε παρτίδα ενώ κάνετε ομάδες μαθημάτων. DocType: Asset,Frequency of Depreciation (Months),Συχνότητα αποσβέσεων (μήνες) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Λογαριασμός Πίστωσης +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Λογαριασμός Πίστωσης DocType: Landed Cost Item,Landed Cost Item,Είδος κόστους αποστολής εμπορευμάτων apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Προβολή μηδενικών τιμών DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Ποσότητα του είδους που αποκτήθηκε μετά την παραγωγή / ανασυσκευασία από συγκεκριμένες ποσότητες πρώτων υλών -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Ρύθμιση μια απλή ιστοσελίδα για τον οργανισμό μου +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Ρύθμιση μια απλή ιστοσελίδα για τον οργανισμό μου DocType: Payment Reconciliation,Receivable / Payable Account,Εισπρακτέοι / πληρωτέοι λογαριασμού DocType: Delivery Note Item,Against Sales Order Item,Κατά το είδος στην παραγγελία πώλησης apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Παρακαλείστε να αναφέρετε Χαρακτηριστικό γνώρισμα Σχέση {0} @@ -4484,22 +4495,22 @@ DocType: Student,Nationality,Ιθαγένεια ,Items To Be Requested,Είδη που θα ζητηθούν DocType: Purchase Order,Get Last Purchase Rate,Βρες τελευταία τιμή αγοράς DocType: Company,Company Info,Πληροφορίες εταιρείας -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Επιλέξτε ή προσθέστε νέο πελάτη -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,κέντρο κόστους που απαιτείται για να κλείσετε ένα αίτημα δαπάνη +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Επιλέξτε ή προσθέστε νέο πελάτη +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,κέντρο κόστους που απαιτείται για να κλείσετε ένα αίτημα δαπάνη apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Εφαρμογή πόρων (ενεργητικό) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Αυτό βασίζεται στην προσέλευση του υπαλλήλου αυτού -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Ο λογαριασμός Χρεωστικές +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Ο λογαριασμός Χρεωστικές DocType: Fiscal Year,Year Start Date,Ημερομηνία έναρξης έτους DocType: Attendance,Employee Name,Όνομα υπαλλήλου DocType: Sales Invoice,Rounded Total (Company Currency),Στρογγυλοποιημένο σύνολο (νόμισμα της εταιρείας) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Δεν μπορείτε να μετατρέψετε σε ομάδα, επειδή έχει επιλεγεί τύπος λογαριασμού" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} Έχει τροποποιηθεί. Παρακαλώ ανανεώστε. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} Έχει τροποποιηθεί. Παρακαλώ ανανεώστε. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Σταματήστε τους χρήστες από το να κάνουν αιτήσεις αδειών για τις επόμενες ημέρες. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Ποσό αγορά apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Προσφορά Προμηθευτής {0} δημιουργήθηκε apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Στο τέλος του έτους δεν μπορεί να είναι πριν από την έναρξη Έτος apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Παροχές σε εργαζομένους -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Η συσκευασμένη ποσότητα πρέπει να ισούται με την ποσότητα για το είδος {0} στη γραμμή {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Η συσκευασμένη ποσότητα πρέπει να ισούται με την ποσότητα για το είδος {0} στη γραμμή {1} DocType: Production Order,Manufactured Qty,Παραγόμενη ποσότητα DocType: Purchase Receipt Item,Accepted Quantity,Αποδεκτή ποσότητα apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Παρακαλούμε να ορίσετε μια προεπιλεγμένη διακοπές Λίστα υπάλληλου {0} ή της Εταιρείας {1} @@ -4510,11 +4521,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Σειρά Όχι {0}: Ποσό δεν μπορεί να είναι μεγαλύτερη από ό, τι εκκρεμές ποσό έναντι αιτημάτων εξόδων {1}. Εν αναμονή ποσό {2}" DocType: Maintenance Schedule,Schedule,Χρονοδιάγραμμα DocType: Account,Parent Account,Γονικός λογαριασμός -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Διαθέσιμος +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Διαθέσιμος DocType: Quality Inspection Reading,Reading 3,Μέτρηση 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Τύπος αποδεικτικού -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Τιμοκατάλογος δεν βρέθηκε ή άτομα με ειδικές ανάγκες +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Τιμοκατάλογος δεν βρέθηκε ή άτομα με ειδικές ανάγκες DocType: Employee Loan Application,Approved,Εγκρίθηκε DocType: Pricing Rule,Price,Τιμή apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Υπάλληλος ελεύθερος για {0} πρέπει να οριστεί ως έχει φύγει @@ -4583,7 +4594,7 @@ DocType: SMS Settings,Static Parameters,Στατικές παράμετροι DocType: Assessment Plan,Room,Δωμάτιο DocType: Purchase Order,Advance Paid,Προκαταβολή που καταβλήθηκε DocType: Item,Item Tax,Φόρος είδους -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Υλικό Προμηθευτή +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Υλικό Προμηθευτή apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Των ειδικών φόρων κατανάλωσης Τιμολόγιο apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Κατώφλι {0}% εμφανίζεται περισσότερες από μία φορά DocType: Expense Claim,Employees Email Id,Email ID υπαλλήλων @@ -4623,7 +4634,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Μοντέλο DocType: Production Order,Actual Operating Cost,Πραγματικό κόστος λειτουργίας DocType: Payment Entry,Cheque/Reference No,Επιταγή / Αριθμός αναφοράς -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Δεν μπορεί να γίνει επεξεργασία στη ρίζα. DocType: Item,Units of Measure,Μονάδες μέτρησης DocType: Manufacturing Settings,Allow Production on Holidays,Επίτρεψε παραγωγή σε αργίες @@ -4656,12 +4666,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Ημέρες πίστωσης apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Κάντε παρτίδας Φοιτητής DocType: Leave Type,Is Carry Forward,Είναι μεταφορά σε άλλη χρήση -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Λήψη ειδών από Λ.Υ. +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Λήψη ειδών από Λ.Υ. apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ημέρες ανοχής -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Σειρά # {0}: Απόσπαση Ημερομηνία πρέπει να είναι ίδια με την ημερομηνία αγοράς {1} του περιουσιακού στοιχείου {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Σειρά # {0}: Απόσπαση Ημερομηνία πρέπει να είναι ίδια με την ημερομηνία αγοράς {1} του περιουσιακού στοιχείου {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Ελέγξτε αν ο φοιτητής διαμένει στο Hostel του Ινστιτούτου. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Παρακαλούμε, εισάγετε Παραγγελίες στον παραπάνω πίνακα" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,"Δεν Υποβλήθηκε εκκαθαριστικά σημειώματα αποδοχών," +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,"Δεν Υποβλήθηκε εκκαθαριστικά σημειώματα αποδοχών," ,Stock Summary,Χρηματιστήριο Περίληψη apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Μεταφορά ενός στοιχείου από μια αποθήκη σε άλλη DocType: Vehicle,Petrol,Βενζίνη diff --git a/erpnext/translations/es-CL.csv b/erpnext/translations/es-CL.csv index f05314d2c48..d98824e8c38 100644 --- a/erpnext/translations/es-CL.csv +++ b/erpnext/translations/es-CL.csv @@ -5,9 +5,9 @@ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconcil DocType: Assessment Group,Parent Assessment Group,Grupo de Evaluación Padre DocType: Student,Guardians,Guardianes DocType: Program,Fee Schedule,Programa de Tarifas -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Obtener Ítems de Paquete de Productos +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Obtener Ítems de Paquete de Productos apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Cobrar Tarifas -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM no contiene ningún ítem de stock +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM no contiene ningún ítem de stock DocType: Homepage,Company Tagline for website homepage,Lema de la empresa para la página de inicio del sitio web DocType: Delivery Note,% Installed,% Instalado DocType: Student,Guardian Details,Detalles del Guardián @@ -29,7 +29,7 @@ DocType: Stock Entry,Customer or Supplier Details,Detalle de cliente o proveedor DocType: Course Scheduling Tool,Course Scheduling Tool,Herramienta de Programación de cursos DocType: Shopping Cart Settings,Checkout Settings,Ajustes de Finalización de Pedido DocType: Guardian Interest,Guardian Interest,Interés del Guardián -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las lecturas se pueden programar." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las lecturas se pueden programar." apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Finalizando pedido DocType: Guardian Student,Guardian Student,Guardián del Estudiante DocType: BOM Operation,Base Hour Rate(Company Currency),Tarifa Base por Hora (Divisa de Compañía) diff --git a/erpnext/translations/es-NI.csv b/erpnext/translations/es-NI.csv index 0a56e28a805..3936f2c1468 100644 --- a/erpnext/translations/es-NI.csv +++ b/erpnext/translations/es-NI.csv @@ -1,7 +1,7 @@ DocType: Tax Rule,Tax Rule,Regla Fiscal DocType: POS Profile,Account for Change Amount,Cuenta para el Cambio de Monto apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Lista de Materiales -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Actualización de Existencia' no puede ser escogida para venta de activo fijo" +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"""Actualización de Existencia' no puede ser escogida para venta de activo fijo" DocType: Sales Invoice,Tax ID,RUC DocType: BOM Item,Basic Rate (Company Currency),Taza Base (Divisa de la Empresa) DocType: Timesheet Detail,Bill,Factura diff --git a/erpnext/translations/es-PE.csv b/erpnext/translations/es-PE.csv index 01f511cf610..353ab59a011 100644 --- a/erpnext/translations/es-PE.csv +++ b/erpnext/translations/es-PE.csv @@ -10,7 +10,7 @@ DocType: Sales Invoice,Packing List,Lista de Envío DocType: Packing Slip,From Package No.,Del Paquete N º ,Quotation Trends,Tendencias de Cotización DocType: Purchase Invoice Item,Purchase Order Item,Articulos de la Orden de Compra -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,La materia prima no puede ser la misma que el artículo principal +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,La materia prima no puede ser la misma que el artículo principal apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Promedio de Compra apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Número de orden {0} creado DocType: Item,If subcontracted to a vendor,Si es sub-contratado a un vendedor @@ -31,7 +31,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale, DocType: Company,Default Holiday List,Listado de vacaciones / feriados predeterminados apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Unidad de Organización ( departamento) maestro. DocType: Depreciation Schedule,Journal Entry,Asientos Contables -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a producir +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a producir DocType: Leave Block List,Stop users from making Leave Applications on following days.,Deje que los usuarios realicen Solicitudes de Vacaciones en los siguientes días . DocType: Sales Invoice Item,Qty as per Stock UOM,Cantidad de acuerdo a la Unidad de Medida del Inventario DocType: Quality Inspection,Get Specification Details,Obtenga Especificación Detalles @@ -59,7 +59,7 @@ DocType: Task,depends_on,depende de apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Préstamos Garantizados apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Sólo el Supervisor de Vacaciones seleccionado puede presentar esta solicitud de permiso apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Este es un territorio raíz y no se puede editar . -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Crear cotización de proveedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Crear cotización de proveedor apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repita los ingresos de los clientes apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nombre de Nuevo Centro de Coste DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Si se selecciona, el importe del impuesto se considerará como ya incluido en el Monto a Imprimir" @@ -87,7 +87,7 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can n DocType: Naming Series,Help HTML,Ayuda HTML DocType: Production Order Operation,Actual Operation Time,Tiempo de operación actual DocType: Sales Order,To Deliver and Bill,Para Entregar y Bill -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Almacén requerido para la acción del artículo {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Almacén requerido para la acción del artículo {0} DocType: Territory,Territory Targets,Territorios Objetivos DocType: Warranty Claim,Warranty / AMC Status,Garantía / AMC Estado DocType: Attendance,Employee Name,Nombre del Empleado @@ -113,7 +113,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) a apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Objetivo On apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Para no aplicar la Regla de Precios en una transacción en particular, todas las Reglas de Precios aplicables deben ser desactivadas." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Lo sentimos , Nos de serie no se puede fusionar" -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Hacer +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Hacer DocType: Manufacturing Settings,Manufacturing Settings,Ajustes de Manufactura DocType: Appraisal Template,Appraisal Template Title,Titulo de la Plantilla deEvaluación apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Fila {0}: Por favor, consulte ""¿Es Avance 'contra la Cuenta {1} si se trata de una entrada con antelación." @@ -129,7 +129,7 @@ DocType: Project,Default Cost Center,Centro de coste por defecto DocType: Employee,Employee Number,Número del Empleado DocType: Opportunity,Customer / Lead Address,Cliente / Dirección de Oportunidad DocType: Quotation,In Words will be visible once you save the Quotation.,En palabras serán visibles una vez que guarde la cotización. -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,La nota de instalación {0} ya se ha presentado +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,La nota de instalación {0} ya se ha presentado DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,El primer Administrador de Vacaciones in la lista sera definido como el Administrador de Vacaciones predeterminado. apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Vista en árbol para la administración de los territorios apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Número de serie {0} entraron más de una vez @@ -148,7 +148,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Asiento contable de inventario DocType: Project,Total Purchase Cost (via Purchase Invoice),Coste total de compra (mediante compra de la factura) apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Fila {0}: Factor de conversión es obligatoria -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Recibos de Compra +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Recibos de Compra DocType: Pricing Rule,Disable,Inhabilitar DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabla de Artículo que se muestra en el Sitio Web DocType: Attendance,Leave Type,Tipo de Vacaciones @@ -168,7 +168,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Cuidado DocType: Item,Manufacturer Part Number,Número de Pieza del Fabricante DocType: Item Reorder,Re-Order Level,Reordenar Nivel DocType: Customer,Sales Team Details,Detalles del equipo de ventas -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Órden de Venta {0} no esta presentada +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Órden de Venta {0} no esta presentada apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: Tasa debe ser el mismo que {1}: {2} ({3} / {4}) apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Pedidos en firme de los clientes. DocType: Warranty Claim,Service Address,Dirección del Servicio @@ -177,7 +177,7 @@ DocType: Pricing Rule,Discount on Price List Rate (%),Descuento sobre la tarifa apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,El nombre de su empresa para la que va a configurar el sistema. DocType: Account,Frozen,Congelado DocType: Attendance,HR Manager,Gerente de Recursos Humanos -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertencia : El sistema no comprobará sobrefacturación desde monto para el punto {0} en {1} es cero +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertencia : El sistema no comprobará sobrefacturación desde monto para el punto {0} en {1} es cero apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Cualquiera Cantidad de destino o importe objetivo es obligatoria. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +80,Row # {0}: Returned Item {1} does not exists in {2} {3},Fila # {0}: El artículo vuelto {1} no existe en {2} {3} DocType: Production Order,Not Started,Sin comenzar @@ -185,7 +185,7 @@ DocType: Company,Default Currency,Moneda Predeterminada apps/erpnext/erpnext/accounts/doctype/account/account.js +41,This is a root account and cannot be edited.,Esta es una cuenta raíz y no se puede editar . ,Requested Items To Be Transferred,Artículos solicitados para ser transferido apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Recibo de Compra {0} no se presenta -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con moneda: {1} no puede ser seleccionada +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con moneda: {1} no puede ser seleccionada DocType: Tax Rule,Sales,Venta DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Monto adicional de descuento (Moneda de la compañía) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,Fila {0}: El pago de Compra/Venta siempre debe estar marcado como anticipo @@ -202,19 +202,19 @@ DocType: Sales Invoice,Shipping Address Name,Dirección de envío Nombre DocType: Item,Moving Average,Promedio Movil ,Qty to Deliver,Cantidad para Ofrecer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Fila # {0}: Por favor, especifique No de Serie de artículos {1}" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumere sus obligaciones fiscales (Ejemplo; IVA, aduanas, etc.) deben tener nombres únicos y sus tarifas por defecto. Esto creará una plantilla estándar, que podrá editar más tarde." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumere sus obligaciones fiscales (Ejemplo; IVA, aduanas, etc.) deben tener nombres únicos y sus tarifas por defecto. Esto creará una plantilla estándar, que podrá editar más tarde." apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, asegúrese que realmente desea borrar todas las transacciones de esta compañía. Sus datos maestros permanecerán intactos. Esta acción no se puede deshacer." DocType: Shopping Cart Settings,Shopping Cart Settings,Compras Ajustes DocType: BOM,Raw Material Cost,Costo de la Materia Prima apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe una categoría de cliente con el mismo nombre, por favor cambie el nombre del cliente o cambie el nombre de la categoría" apps/erpnext/erpnext/config/hr.py +147,Template for performance appraisals.,Plantilla para las evaluaciones de desempeño . DocType: SMS Settings,"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Introduzca los parámetros de URL estáticas aquí (Ej. sender = ERPNext , nombre de usuario = ERPNext , contraseña = 1234 etc )" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Cotización {0} se cancela +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Cotización {0} se cancela apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inspección de la calidad requerida para el articulo {0} apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,¿Qué hace? DocType: Task,Actual Time (in Hours),Tiempo actual (En horas) apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +716,Make Sales Order,Hacer Orden de Venta -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o individuos. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o individuos. DocType: Item Customer Detail,Ref Code,Código Referencia DocType: Item,Default Selling Cost Center,Centros de coste por defecto DocType: Leave Block List,Leave Block List Allowed,Lista de Bloqueo de Vacaciones Permitida @@ -262,7 +262,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No DocType: Offer Letter Term,Offer Letter Term,Término de carta de oferta DocType: Item,Synced With Hub,Sincronizado con Hub apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centro de Costos de las transacciones existentes no se puede convertir en el libro mayor -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el No. de lote" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el No. de lote" apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Serie es obligatorio ,Item Shortage Report,Reportar carencia de producto DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Grado en el que la lista de precios en moneda se convierte en la moneda base del cliente @@ -275,12 +275,12 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Almacén requerido en la fila n {0} DocType: Purchase Invoice Item,Serial No,Números de Serie ,Bank Reconciliation Statement,Extractos Bancarios -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} es obligatorio para el producto {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} es obligatorio para el producto {1} apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director etc.).","Cargo del empleado ( por ejemplo, director general, director , etc.)" DocType: Item,Copy From Item Group,Copiar de Grupo de Elementos apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No existe una Solicitud de Materiales por defecto para el elemento {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no puede ser mayor que cantidad planificada ({2}) en la Orden de Producción {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Seleccionar elemento de Transferencia +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no puede ser mayor que cantidad planificada ({2}) en la Orden de Producción {3} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Seleccionar elemento de Transferencia apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must be greater than Date of Birth,Fecha de acceso debe ser mayor que Fecha de Nacimiento DocType: Buying Settings,Settings for Buying Module,Ajustes para la compra de módulo DocType: Sales Person,Sales Person Targets,Metas de Vendedor @@ -302,7 +302,7 @@ apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +17,Tr DocType: Cost Center,Parent Cost Center,Centro de Costo Principal apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Préstamos y anticipos (Activos) apps/erpnext/erpnext/hooks.py +87,Shipments,Los envíos -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Compramos este artículo +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Compramos este artículo apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es Subcontratado' o no" apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,La Abreviación ya está siendo utilizada para otra compañía DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Orden de Compra del Artículo Suministrado @@ -318,7 +318,7 @@ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purc apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Crear reglas para restringir las transacciones basadas en valores . DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Crea nómina para los criterios antes mencionados. DocType: Purchase Order Item Supplied,Raw Material Item Code,Materia Prima Código del Artículo -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Cotizaciónes a Proveedores +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Cotizaciónes a Proveedores apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +29,Activity Cost exists for Employee {0} against Activity Type - {1},Existe un costo de actividad para el empleado {0} contra el tipo de actividad - {1} DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Establecer objetivos artículo grupo que tienen para este vendedor. DocType: Stock Entry,Total Value Difference (Out - In),Diferencia (Salidas - Entradas) @@ -362,7 +362,7 @@ DocType: Material Request,% Ordered,% Pedido apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',La 'Fecha de inicio estimada' no puede ser mayor que la 'Fecha de finalización estimada' DocType: UOM Conversion Detail,UOM Conversion Detail,Detalle de Conversión de Unidad de Medida apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Para filtrar en base a la fiesta, seleccione Partido Escriba primero" -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nombre del Contacto +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nombre del Contacto apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Configuración completa ! DocType: Quotation,Quotation Lost Reason,Cotización Pérdida Razón DocType: Monthly Distribution,Monthly Distribution Percentages,Los porcentajes de distribución mensuales @@ -407,8 +407,8 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +16,New Company,Nueva Empresa DocType: Employee,Permanent Address Is,Dirección permanente es ,Issued Items Against Production Order,Productos emitidos con una orden de producción -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} ha sido modificado. Por favor actualizar. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} ha sido modificado. Por favor actualizar. DocType: Item,Item Tax,Impuesto del artículo ,Item Prices,Precios de los Artículos DocType: Account,Balance must be,Balance debe ser @@ -421,7 +421,6 @@ DocType: Target Detail,Target Qty,Cantidad Objetivo apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Se menciona Peso, \n ¡Por favor indique ""Peso Unidad de Medida"" también" apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,No se puede cambiar la tasa si hay una Solicitud de Materiales contra cualquier artículo DocType: Account,Accounts,Contabilidad -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Fecha prevista de entrega no puede ser anterior Fecha de Orden de Compra DocType: Workstation,per hour,por horas apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Establecer como Cerrada DocType: Production Order Operation,Work In Progress,Trabajos en Curso @@ -477,7 +476,7 @@ DocType: Opportunity,With Items,Con artículos apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Número de orden {0} no existe DocType: Purchase Receipt Item,Required By,Requerido por DocType: Purchase Invoice Item,Purchase Invoice Item,Factura de Compra del artículo -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Cotización {0} no es de tipo {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Cotización {0} no es de tipo {1} apps/erpnext/erpnext/config/hr.py +24,Attendance record.,Registro de Asistencia . apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Solicitud de Material {0} cancelada o detenida DocType: Purchase Invoice,Supplied Items,Artículos suministrados @@ -493,7 +492,7 @@ apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generar etiquetas s apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Cotizaciones recibidas de los proveedores. DocType: Sales Partner,Sales Partner Target,Socio de Ventas Objetivo apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Hacer Visita de Mantenimiento -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra Nota de Envio {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra Nota de Envio {0} DocType: Workstation,Rent Cost,Renta Costo apps/erpnext/erpnext/hooks.py +117,Issues,Problemas DocType: BOM Replace Tool,Current BOM,Lista de materiales actual @@ -502,7 +501,7 @@ DocType: Timesheet,% Amount Billed,% Monto Facturado DocType: BOM,Manage cost of operations,Administrar el costo de las operaciones DocType: Employee,Company Email,Correo de la compañía apps/erpnext/erpnext/config/support.py +32,Single unit of an Item.,Números de serie únicos para cada producto -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota de Entrega {0} debe ser cancelado antes de cancelar esta Orden Ventas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota de Entrega {0} debe ser cancelado antes de cancelar esta Orden Ventas DocType: Item Tax,Tax Rate,Tasa de Impuesto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Los gastos de servicios públicos DocType: Account,Parent Account,Cuenta Primaria @@ -591,14 +590,14 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receiv apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Gastos de Mantenimiento de Oficinas DocType: BOM,Manufacturing,Producción apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Entradas' no puede estar vacío -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Procentaje (% ) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Procentaje (% ) DocType: Leave Control Panel,Leave Control Panel,Salir del Panel de Control DocType: Monthly Distribution Percentage,Percentage Allocation,Porcentaje de asignación de DocType: Shipping Rule Condition,Shipping Amount,Importe del envío apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,El código del artículo es obligatorio porque el producto no se enumera automáticamente DocType: Sales Invoice Item,Sales Order Item,Articulo de la Solicitud de Venta apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inspección de calidad entrante -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Enumere algunos de los productos o servicios que usted compra o vende. asegúrese de revisar el 'Grupo' de los artículos, unidad de medida (UOM) y las demás propiedades." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Enumere algunos de los productos o servicios que usted compra o vende. asegúrese de revisar el 'Grupo' de los artículos, unidad de medida (UOM) y las demás propiedades." DocType: Sales Person,Parent Sales Person,Contacto Principal de Ventas DocType: Warehouse,Warehouse Contact Info,Información de Contacto del Almacén DocType: Supplier,Statutory info and other general information about your Supplier,Información legal y otra información general acerca de su proveedor @@ -630,12 +629,12 @@ DocType: Production Planning Tool,Production Planning Tool,Herramienta de planif DocType: Maintenance Schedule,Schedules,Horarios DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Total de Impuestos Después Cantidad de Descuento DocType: Item,Has Serial No,Tiene No de Serie -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Orden de Venta requerida para el punto {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Orden de Venta requerida para el punto {0} DocType: Hub Settings,Sync Now,Sincronizar ahora DocType: Serial No,Out of AMC,Fuera de AMC DocType: Leave Application,Apply / Approve Leaves,Aplicar / Aprobar Vacaciones DocType: Offer Letter,Select Terms and Conditions,Selecciona Términos y Condiciones -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Nota de Entrega {0} no está presentada +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Nota de Entrega {0} no está presentada apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +137,"Row {0}: To set {1} periodicity, difference between from and to date \ must be greater than or equal to {2}","Fila {0}: Para establecer {1} periodicidad, diferencia entre desde y hasta la fecha \ debe ser mayor que o igual a {2}" @@ -652,7 +651,7 @@ DocType: BOM,Show In Website,Mostrar En Sitio Web apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Cuenta de sobregiros apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Existe otro {0} # {1} contra la entrada de población {2}: Advertencia apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Actualizar Stock' no se puede marcar porque los productos no se entregan a través de {0} -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Estado de aprobación debe ser "" Aprobado "" o "" Rechazado """ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Estado de aprobación debe ser "" Aprobado "" o "" Rechazado """ DocType: Employee,Holiday List,Lista de Feriados DocType: Selling Settings,Settings for Selling Module,Ajustes para vender Módulo apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","por ejemplo "" Herramientas para los Constructores """ @@ -706,7 +705,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report DocType: Stock Entry,Delivery Note No,No. de Nota de Entrega DocType: Journal Entry Account,Purchase Order,Órdenes de Compra apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not active or does not exist,Empleado {0} no está activo o no existe -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,Se requiere un perfil POS para crear entradas en el Punto-de-Venta +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,Se requiere un perfil POS para crear entradas en el Punto-de-Venta ,Requested Items To Be Ordered,Solicitud de Productos Aprobados DocType: Salary Slip,Leave Without Pay,Licencia sin Sueldo apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root no se puede editar . @@ -750,7 +749,7 @@ DocType: Process Payroll,Create Bank Entry for the total salary paid for the abo apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Primero la nota de entrega ,Monthly Attendance Sheet,Hoja de Asistencia Mensual DocType: Upload Attendance,Get Template,Verificar Plantilla -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto de la linea {0} los impuestos de las lineas {1} también deben ser incluidos +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto de la linea {0} los impuestos de las lineas {1} también deben ser incluidos DocType: Sales Invoice Advance,Sales Invoice Advance,Factura Anticipadas apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +126,Quantity for Item {0} must be less than {1},Cantidad de elemento {0} debe ser menor de {1} DocType: Hub Settings,Seller City,Ciudad del vendedor @@ -764,7 +763,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Sube la apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Imagenes de entradas ya creadas por Orden de Producción DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especificar condiciones de calcular el importe de envío apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Este es una categoría de cliente raíz y no se puede editar. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Enviar esta Orden de Producción para su posterior procesamiento . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Enviar esta Orden de Producción para su posterior procesamiento . DocType: Item,Customer Items,Artículos de clientes DocType: Selling Settings,Customer Naming By,Naming Cliente Por DocType: Account,Fixed Asset,Activos Fijos @@ -775,7 +774,7 @@ apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,Evaluación {0} creado por Empleado {1} en el rango de fechas determinado DocType: Employee Leave Approver,Employee Leave Approver,Supervisor de Vacaciones del Empleado apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banca de Inversión -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Unidad +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Unidad ,Stock Analytics,Análisis de existencias DocType: Leave Control Panel,Leave blank if considered for all departments,Dejar en blanco si se considera para todos los departamentos ,Purchase Order Items To Be Billed,Ordenes de Compra por Facturar @@ -798,10 +797,10 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child ,Stock Projected Qty,Cantidad de Inventario Proyectada DocType: Hub Settings,Seller Country,País del Vendedor DocType: Production Order Operation,Updated via 'Time Log',Actualizado a través de 'Hora de Registro' -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Vendemos este artículo +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Vendemos este artículo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} contra Factura {1} de fecha {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Sus productos o servicios -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Tal vez tipo de cambio no se ha creado para {1} en {2}. +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Sus productos o servicios +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Tal vez tipo de cambio no se ha creado para {1} en {2}. DocType: Timesheet Detail,To Time,Para Tiempo apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,No se ha añadido ninguna dirección todavía. ,Terretory,Territorios @@ -821,9 +820,9 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Requir DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mostrar ""en la acción "" o "" No disponible "", basada en stock disponible en este almacén." DocType: Employee,Place of Issue,Lugar de emisión apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,La órden de compra {0} no existe -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},La Cuenta {0} no es válida. La Moneda de la Cuenta debe de ser {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},La Cuenta {0} no es válida. La Moneda de la Cuenta debe de ser {1} DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si este artículo tiene variantes, entonces no podrá ser seleccionado en los pedidos de venta, etc." -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,es mandatorio. Quizás el registro de Cambio de Moneda no ha sido creado para +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,es mandatorio. Quizás el registro de Cambio de Moneda no ha sido creado para DocType: Sales Invoice,Sales Team1,Team1 Ventas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Entrada de la {0} no se presenta apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Consultas de soporte de clientes . @@ -847,7 +846,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84, DocType: Leave Control Panel,Carry Forward,Cargar apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Cuenta {0} está congelada DocType: Maintenance Schedule Item,Periodicity,Periodicidad -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Materias primas no pueden estar en blanco. +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Materias primas no pueden estar en blanco. apps/erpnext/erpnext/hr/doctype/employee/employee.py +113,Date Of Retirement must be greater than Date of Joining,Fecha de la jubilación debe ser mayor que Fecha de acceso ,Employee Leave Balance,Balance de Vacaciones del Empleado DocType: Sales Person,Sales Person Name,Nombre del Vendedor @@ -859,13 +858,13 @@ DocType: BOM,Materials Required (Exploded),Materiales necesarios ( despiece ) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fuente de los fondos ( Pasivo ) DocType: BOM,Exploded_items,Vista detallada apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Ajustes para el Módulo de Recursos Humanos -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Factura {0} debe ser cancelado antes de cancelar esta Orden Ventas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Factura {0} debe ser cancelado antes de cancelar esta Orden Ventas DocType: GL Entry,Is Opening,Es apertura apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Almacén {0} no existe apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} no es un producto de stock apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,La fecha de vencimiento es obligatorio ,Sales Person-wise Transaction Summary,Resumen de Transacción por Vendedor -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Reordenar Cantidad +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Reordenar Cantidad apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Cuenta secundaria existe para esta cuenta. No es posible eliminar esta cuenta. DocType: BOM,Rate Of Materials Based On,Cambio de materiales basados en DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. @@ -888,7 +887,6 @@ DocType: Packing Slip,Gross Weight UOM,Peso Bruto de la Unidad de Medida DocType: BOM,Item to be manufactured or repacked,Artículo a fabricar o embalados de nuevo DocType: Purchase Order,Supply Raw Materials,Suministro de Materias Primas apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tipo de Proveedor / Proveedor -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Por favor, introduzca 'la fecha estimada de llegada'" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Almacén no se puede suprimir porque hay una entrada en registro de inventario para este almacén. apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +25,Current BOM and New BOM can not be same,Solicitud de Materiales actual y Nueva Solicitud de Materiales no pueden ser iguales DocType: Account,Stock,Existencias @@ -929,7 +927,7 @@ DocType: Stock Reconciliation Item,Stock Reconciliation Item,Articulo de Reconci DocType: Process Payroll,Process Payroll,Nómina de Procesos apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: Cuenta Padre {1} no pertenece a la compañía: {2} DocType: Serial No,Purchase / Manufacture Details,Detalles de Compra / Fábricas -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,La cuenta para Débito debe ser una cuenta por cobrar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,La cuenta para Débito debe ser una cuenta por cobrar DocType: Warehouse,Warehouse Detail,Detalle de almacenes DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Enviar solicitud de materiales cuando se alcance un nivel bajo el stock DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalle de Calendario de Mantenimiento @@ -948,7 +946,7 @@ DocType: Account,Round Off,Redondear apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +175,Set as Lost,Establecer como Perdidos ,Sales Partners Commission,Comisiones de Ventas ,Sales Person Target Variance Item Group-Wise,Variación por Vendedor de Meta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser enviada +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser enviada apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},"Por favor, seleccione la Solicitud de Materiales en el campo de Solicitud de Materiales para el punto {0}" DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Grado a la que la moneda de proveedor se convierte en la moneda base de la compañía DocType: Lead,Person Name,Nombre de la persona @@ -969,7 +967,7 @@ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +27,Global POS DocType: Quotation Item,Quotation Item,Cotización del artículo DocType: Employee,Date of Issue,Fecha de emisión DocType: Sales Invoice Item,Sales Invoice Item,Articulo de la Factura de Venta -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Cliente {0} no pertenece a proyectar {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Cliente {0} no pertenece a proyectar {1} DocType: Delivery Note Item,Against Sales Invoice Item,Contra la Factura de Venta de Artículos DocType: Sales Invoice,Accounting Details,detalles de la contabilidad apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Entradas en el diario de contabilidad. @@ -977,14 +975,14 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capital Social DocType: HR Settings,Employee Records to be created by,Registros de empleados a ser creados por DocType: Account,Expense Account,Cuenta de gastos -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programa de mantenimiento {0} debe ser cancelado antes de cancelar esta orden de venta +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programa de mantenimiento {0} debe ser cancelado antes de cancelar esta orden de venta DocType: Stock Ledger Entry,Actual Qty After Transaction,Cantidad actual después de la transacción DocType: Hub Settings,Seller Email,Correo Electrónico del Vendedor apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Cualquiera Cantidad Meta o Monto Meta es obligatoria DocType: Authorization Rule,Applicable To (Role),Aplicable a (Rol ) DocType: Purchase Invoice Item,Amount (Company Currency),Importe (Moneda Local) -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagrama de Gantt -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: Cantidad de Material Solicitado es menor que Cantidad Mínima Establecida +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Diagrama de Gantt +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: Cantidad de Material Solicitado es menor que Cantidad Mínima Establecida DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planear bitácora de trabajo para las horas fuera de la estación. DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aquí usted puede mantener la altura , el peso, alergias , problemas médicos , etc" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Contra la Entrada de Diario {0} no tiene ninguna {1} entrada que vincular @@ -995,10 +993,10 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following proper apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +195,Serial No {0} is under maintenance contract upto {1},Número de orden {0} tiene un contrato de mantenimiento hasta {1} apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Por favor, extraiga los productos desde la nota de entrega--" apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Asignar las vacaciones para un período . -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Mezclar Solicitud de Materiales (incluyendo subconjuntos ) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Mezclar Solicitud de Materiales (incluyendo subconjuntos ) DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Consulte "" Cambio de materiales a base On"" en la sección Cálculo del coste" DocType: Stock Settings,Auto Material Request,Solicitud de Materiales Automatica -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Obtener elementos de la Solicitud de Materiales +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Obtener elementos de la Solicitud de Materiales apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Las direcciones de clientes y contactos apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Cuenta {0}: no puede asignar la misma cuenta como su cuenta Padre. DocType: Item Price,Item Price,Precios de Productos @@ -1009,7 +1007,7 @@ DocType: Production Plan Sales Order,Production Plan Sales Order,Plan de producc DocType: Purchase Invoice,Return,Retorno apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Por favor, ingrese la moneda por defecto en la compañía principal" DocType: Lead,Middle Income,Ingresos Medio -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Factura {0} ya se ha presentado +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Factura {0} ya se ha presentado DocType: Employee Education,Year of Passing,Año de Fallecimiento DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tasa a la cual la Moneda del Cliente se convierte a la moneda base de la compañía apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Cantidad de Fabricación es obligatoria @@ -1033,7 +1031,7 @@ apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regl DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Su persona de ventas recibirá un aviso con esta fecha para ponerse en contacto con el cliente apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Código del producto requerido en la fila No. {0} DocType: SMS Log,No of Requested SMS,No. de SMS solicitados -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Números +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Números DocType: Employee,Short biography for website and other publications.,Breve biografía de la página web y otras publicaciones. apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Permiso de tipo {0} no puede tener más de {1} ,Sales Browser,Navegador de Ventas @@ -1047,7 +1045,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +555,cannot be greater than 100,No puede ser mayor que 100 DocType: Maintenance Visit,Customer Feedback,Comentarios del cliente DocType: Purchase Receipt Item Supplied,Required Qty,Cant. Necesaria -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Notas de Entrega +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Notas de Entrega DocType: Bin,Stock Value,Valor de Inventario DocType: Purchase Invoice,In Words (Company Currency),En palabras (Moneda Local) DocType: Website Item Group,Website Item Group,Grupo de Artículos del Sitio Web @@ -1071,7 +1069,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Tar apps/erpnext/erpnext/accounts/party.py +255,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Partidas contables ya han sido realizadas en {0} para la empresa {1}. Por favor seleccione una cuenta por cobrar o pagar con moneda {0} apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplicar fila {0} con el mismo {1} DocType: Leave Application,Leave Application,Solicitud de Vacaciones -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Por proveedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Por proveedor DocType: Hub Settings,Seller Description,Descripción del Vendedor apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Informe de visita por llamada de mantenimiento . apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Vista en árbol para la administración de las categoría de vendedores @@ -1108,9 +1106,9 @@ DocType: Item,UOMs,Unidades de Medida DocType: Purchase Invoice Item,Price List Rate (Company Currency),Tarifa de la lista de precios (Moneda Local) DocType: Monthly Distribution,Distribution Name,Nombre del Distribución DocType: Journal Entry Account,Sales Order,Ordenes de Venta -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,para +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,para DocType: Item,Weight UOM,Peso Unidad de Medida -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Se requiere un Almacen de Trabajo en Proceso antes de Enviar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Se requiere un Almacen de Trabajo en Proceso antes de Enviar DocType: Production Planning Tool,Get Sales Orders,Recibe Órdenes de Venta apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Número de orden {0} {1} cantidad no puede ser una fracción DocType: Employee,Applicable Holiday List,Lista de Días Feriados Aplicable @@ -1121,7 +1119,7 @@ DocType: Purchase Invoice Item,Net Rate (Company Currency),Tasa neta (Moneda Loc DocType: Period Closing Voucher,Closing Account Head,Cuenta de cierre principal apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Días desde el último pedido DocType: Item,Default Buying Cost Center,Centro de Costos Por Defecto -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Visita de Mantenimiento {0} debe ser cancelado antes de cancelar la Orden de Ventas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Visita de Mantenimiento {0} debe ser cancelado antes de cancelar la Orden de Ventas DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Adjuntar archivo .csv con dos columnas, una para el nombre antiguo y otro para el nombre nuevo" DocType: Depreciation Schedule,Schedule Date,Horario Fecha DocType: UOM,UOM Name,Nombre Unidad de Medida diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 29ab45fc9ec..2cd9acf17ea 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Distribuidor DocType: Employee,Rented,Arrendado DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Aplicable para el Usuario -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","La orden de producción detenida no puede ser cancelada, inicie de nuevo para cancelarla" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","La orden de producción detenida no puede ser cancelada, inicie de nuevo para cancelarla" DocType: Vehicle Service,Mileage,Kilometraje apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,¿Realmente desea desechar este activo? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Elija un proveedor predeterminado @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Facturado apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),El tipo de cambio debe ser el mismo que {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Nombre del cliente DocType: Vehicle,Natural Gas,Gas natural -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},La cuenta bancaria no puede nombrarse como {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},La cuenta bancaria no puede nombrarse como {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Cuentas (o grupos) para el cual los asientos contables se crean y se mantienen los saldos apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),El pago pendiente para {0} no puede ser menor que cero ({1}) DocType: Manufacturing Settings,Default 10 mins,Por defecto 10 minutos @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Nombre del tipo de ausencia apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mostrar abiertos apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Secuencia actualizada correctamente apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Pedido -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Entrada de Diario por Devengo Enviada +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Entrada de Diario por Devengo Enviada DocType: Pricing Rule,Apply On,Aplicar en DocType: Item Price,Multiple Item prices.,Configuración de múltiples precios para los productos ,Purchase Order Items To Be Received,Productos por recibir desde orden de compra @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Modo de pago a cuenta apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Mostrar variantes DocType: Academic Term,Academic Term,Término Académico apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Material -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Cantidad +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Cantidad apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,La tabla de cuentas no puede estar en blanco apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Préstamos (pasivos) DocType: Employee Education,Year of Passing,Año de Finalización @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Asistencia médica apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Retraso en el pago (días) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Gasto de Servicio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de serie: {0} ya se hace referencia en Factura de venta: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Factura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de serie: {0} ya se hace referencia en Factura de venta: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Factura DocType: Maintenance Schedule Item,Periodicity,Periodo apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Año Fiscal {0} es necesario -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Fecha de entrega esperada es siempre antes de la fecha de órdenes de venta apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Defensa DocType: Salary Component,Abbr,Abreviatura DocType: Appraisal Goal,Score (0-5),Puntuación (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Línea # {0}: DocType: Timesheet,Total Costing Amount,Monto cálculo del coste total DocType: Delivery Note,Vehicle No,Nro de Vehículo. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Por favor, seleccione la lista de precios" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,"Por favor, seleccione la lista de precios" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Fila # {0}: Documento de Pago es requerido para completar la transacción DocType: Production Order Operation,Work In Progress,Trabajo en proceso apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Por favor seleccione la fecha @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} no en cualquier año fiscal activa. DocType: Packed Item,Parent Detail docname,Detalle principal docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referencia: {0}, Código del Artículo: {1} y Cliente: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kilogramo +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kilogramo DocType: Student Log,Log,Log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Apertura de un puesto DocType: Item Attribute,Increment,Incremento @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Casado apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},No está permitido para {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Obtener artículos de -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra la nota de envío {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra la nota de envío {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Producto {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,No hay elementos en la lista DocType: Payment Reconciliation,Reconcile,Conciliar @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Fondo apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Siguiente Fecha de Depreciación no puede ser anterior a la Fecha de Compra DocType: SMS Center,All Sales Person,Todos los vendedores DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ** Distribución mensual ayuda a distribuir el presupuesto / Target a través de meses si tiene la estacionalidad de su negocio. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,No se encontraron artículos +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,No se encontraron artículos apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Falta Estructura Salarial DocType: Lead,Person Name,Nombre de persona DocType: Sales Invoice Item,Sales Invoice Item,Producto de factura de venta @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Es el activo fijo" no puede estar sin marcar, ya que existe registro de activos contra el elemento" DocType: Vehicle Service,Brake Oil,Aceite de Frenos DocType: Tax Rule,Tax Type,Tipo de impuestos -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Base Imponible +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Base Imponible apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},No tiene permisos para agregar o actualizar las entradas antes de {0} DocType: BOM,Item Image (if not slideshow),Imagen del producto (si no son diapositivas) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Existe un cliente con el mismo nombre DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarifa por hora / 60) * Tiempo real de la operación -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Seleccione la lista de materiales +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Seleccione la lista de materiales DocType: SMS Log,SMS Log,Registros SMS apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Costo de productos entregados apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,El día de fiesta en {0} no es entre De la fecha y Hasta la fecha @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Escuelas DocType: School Settings,Validate Batch for Students in Student Group,Validar lote para estudiantes en grupo de estudiantes apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},No hay registro de vacaciones encontrados para los empleados {0} de {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Por favor, ingrese primero la compañía" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Por favor, seleccione primero la compañía" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Por favor, seleccione primero la compañía" DocType: Employee Education,Under Graduate,Estudiante apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Objetivo en DocType: BOM,Total Cost,Coste total DocType: Journal Entry Account,Employee Loan,Préstamo de Empleado -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Registro de Actividad: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,El elemento {0} no existe en el sistema o ha expirado +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Registro de Actividad: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,El elemento {0} no existe en el sistema o ha expirado apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Bienes raíces apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Estado de cuenta apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Productos farmacéuticos @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Importe del reembolso apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Grupo de clientes duplicado encontrado en la tabla de grupo de clientes apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Proveedor / Tipo de proveedor DocType: Naming Series,Prefix,Prefijo -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Establezca Naming Series para {0} mediante Configuración> Configuración> Nombrar Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumible +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumible DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Importar registro DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Traer Solicitud de materiales de tipo Fabricación en base a los criterios anteriores DocType: Training Result Employee,Grade,Grado DocType: Sales Invoice Item,Delivered By Supplier,Entregado por proveedor DocType: SMS Center,All Contact,Todos los Contactos -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Orden de producción ya se ha creado para todos los elementos con la lista de materiales +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Orden de producción ya se ha creado para todos los elementos con la lista de materiales apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salario Anual DocType: Daily Work Summary,Daily Work Summary,Resumen diario de Trabajo DocType: Period Closing Voucher,Closing Fiscal Year,Cerrando el año fiscal -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} está congelado +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} está congelado apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Por favor, seleccione empresa ya existente para la creación del plan de cuentas" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Gastos sobre existencias apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Seleccionar Almacén Objetivo @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Cantidad Aceptada + Rechazada debe ser igual a la cantidad Recibida por el Artículo {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Suministro de materia prima para la compra -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Se requiere al menos un modo de pago de la factura POS. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Se requiere al menos un modo de pago de la factura POS. DocType: Products Settings,Show Products as a List,Mostrar los productos en forma de lista DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Descargue la plantilla, para rellenar los datos apropiados y adjuntar el archivo modificado. Todas las fechas y los empleados en el período seleccionado se adjuntara a la planilla, con los registros de asistencia existentes." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,El producto {0} no está activo o ha llegado al final de la vida útil -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Ejemplo: Matemáticas Básicas -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto en la línea {0} los impuestos de las lineas {1} tambien deben ser incluidos +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Ejemplo: Matemáticas Básicas +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto en la línea {0} los impuestos de las lineas {1} tambien deben ser incluidos apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Configuracion para módulo de recursos humanos (RRHH) DocType: SMS Center,SMS Center,Centro SMS DocType: Sales Invoice,Change Amount,Importe de Cambio @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},La fecha de instalación no puede ser antes de la fecha de entrega para el elemento {0} DocType: Pricing Rule,Discount on Price List Rate (%),Dto (%) DocType: Offer Letter,Select Terms and Conditions,Seleccione términos y condiciones -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Fuera de Valor +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Fuera de Valor DocType: Production Planning Tool,Sales Orders,Ordenes de venta DocType: Purchase Taxes and Charges,Valuation,Valuación ,Purchase Order Trends,Tendencias de ordenes de compra @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Es una entrada de apertura DocType: Customer Group,Mention if non-standard receivable account applicable,Indique si una cuenta por cobrar no estándar es aplicable DocType: Course Schedule,Instructor Name,Nombre del Instructor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Para el almacén es requerido antes de enviar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Para el almacén es requerido antes de enviar apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Recibida el DocType: Sales Partner,Reseller,Re-vendedor DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Si se selecciona, se incluirán productos no están en stock en las solicitudes de materiales." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Contra la factura de venta del producto ,Production Orders in Progress,Órdenes de producción en progreso apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Efectivo neto de financiación -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","Almacenamiento Local esta lleno, no se guardó" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","Almacenamiento Local esta lleno, no se guardó" DocType: Lead,Address & Contact,Dirección y Contacto DocType: Leave Allocation,Add unused leaves from previous allocations,Añadir permisos no usados de asignaciones anteriores apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},La próxima recurrencia {0} se creará el {1} DocType: Sales Partner,Partner website,Sitio web de colaboradores apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Añadir artículo -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nombre de contacto +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nombre de contacto DocType: Course Assessment Criteria,Course Assessment Criteria,Criterios de Evaluación del Curso DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Crear la nómina salarial con los criterios antes seleccionados. DocType: POS Customer Group,POS Customer Group,POS Grupo de Clientes @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Línea {0}: Por favor, verifique 'Es un anticipo' para la cuenta {1} si se trata de una entrada de pago anticipado." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},El almacén {0} no pertenece a la compañía {1} DocType: Email Digest,Profit & Loss,Perdidas & Ganancias -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litro +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litro DocType: Task,Total Costing Amount (via Time Sheet),Cálculo del coste total Monto (a través de hoja de horas) DocType: Item Website Specification,Item Website Specification,Especificación del producto en la WEB apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Vacaciones Bloqueadas @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Factura de venta No. DocType: Material Request Item,Min Order Qty,Cantidad mínima de Pedido DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curso herramienta de creación de grupo de alumnos DocType: Lead,Do Not Contact,No contactar -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Personas que enseñan en su organización +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Personas que enseñan en su organización DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,El ID único para el seguimiento de todas las facturas recurrentes. Este es generado al validar. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Desarrollador de Software. DocType: Item,Minimum Order Qty,Cantidad mínima de la orden @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Publicar en el Hub DocType: Student Admission,Student Admission,Admisión de Estudiantes ,Terretory,Territorio apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,El producto {0} esta cancelado -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Solicitud de Materiales +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Solicitud de Materiales DocType: Bank Reconciliation,Update Clearance Date,Actualizar fecha de liquidación DocType: Item,Purchase Details,Detalles de Compra apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},El elemento {0} no se encuentra en 'Materias Primas Suministradas' en la tabla de la órden de compra {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Gerente de Fota apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Fila # {0}: {1} no puede ser negativo para el elemento {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Contraseña Incorrecta DocType: Item,Variant Of,Variante de -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a manufacturar. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a manufacturar. DocType: Period Closing Voucher,Closing Account Head,Cuenta principal de cierre DocType: Employee,External Work History,Historial de trabajos externos apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Error de referencia circular @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Distancia desde el borde apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unidades de [{1}] (# Formulario / artículo / {1}) encontradas en [{2}] (# Formulario / Almacén / {2}) DocType: Lead,Industry,Industria DocType: Employee,Job Profile,Perfil del puesto +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Esto se basa en transacciones contra esta Compañía. Vea la cronología a continuación para más detalles DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificarme por Email cuando se genere una nueva requisición de materiales DocType: Journal Entry,Multi Currency,Multi Moneda DocType: Payment Reconciliation Invoice,Invoice Type,Tipo de factura -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Nota de entrega +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Nota de entrega apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configuración de Impuestos apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Costo del activo vendido apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"El registro del pago ha sido modificado antes de su modificación. Por favor, inténtelo de nuevo." @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Por favor, introduzca el valor en el campo 'Repetir un día al mes'" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tasa por la cual la divisa es convertida como moneda base del cliente DocType: Course Scheduling Tool,Course Scheduling Tool,Herramienta de Programación de Cursos -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: Factura de compra no se puede hacer frente a un activo existente {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: Factura de compra no se puede hacer frente a un activo existente {1} DocType: Item Tax,Tax Rate,Procentaje del impuesto apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ya ha sido asignado para el empleado {1} para el periodo {2} hasta {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Seleccione producto +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Seleccione producto apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,La factura de compra {0} ya existe o se encuentra validada apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Línea # {0}: El lote no puede ser igual a {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convertir a 'Sin-Grupo' @@ -444,7 +443,7 @@ DocType: Employee,Widowed,Viudo DocType: Request for Quotation,Request for Quotation,Solicitud de Cotización DocType: Salary Slip Timesheet,Working Hours,Horas de Trabajo DocType: Naming Series,Change the starting / current sequence number of an existing series.,Defina el nuevo número de secuencia para esta transacción. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Crear un nuevo cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Crear un nuevo cliente apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si existen varias reglas de precios, se les pide a los usuarios que establezcan la prioridad manualmente para resolver el conflicto." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Crear órdenes de compra ,Purchase Register,Registro de compras @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Nombre del examinador DocType: Purchase Invoice Item,Quantity and Rate,Cantidad y Precios DocType: Delivery Note,% Installed,% Instalado -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las clases se pueden programar." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las clases se pueden programar." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Por favor, ingrese el nombre de la compañia" DocType: Purchase Invoice,Supplier Name,Nombre de proveedor apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lea el Manual ERPNext @@ -486,7 +485,7 @@ DocType: Lead,Channel Partner,Canal de socio DocType: Account,Old Parent,Antiguo Padre apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Campo obligatorio - Año Académico DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personalizar el texto de introducción que va como una parte de este correo electrónico. Cada transacción tiene un texto introductorio separado. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Establezca la cuenta de pago predeterminada para la empresa {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Establezca la cuenta de pago predeterminada para la empresa {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Configuración global para todos los procesos de producción DocType: Accounts Settings,Accounts Frozen Upto,Cuentas congeladas hasta DocType: SMS Log,Sent On,Enviado por @@ -525,14 +524,14 @@ DocType: Journal Entry,Accounts Payable,Cuentas por pagar apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Las listas de materiales seleccionados no son para el mismo artículo DocType: Pricing Rule,Valid Upto,Válido Hasta DocType: Training Event,Workshop,Taller -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o personas. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o personas. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Piezas suficiente para construir apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Ingreso directo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","No se puede filtrar en función de la cuenta , si se agrupan por cuenta" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Funcionario administrativo apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Por favor seleccione Curso DocType: Timesheet Detail,Hrs,Horas -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Por favor, seleccione la empresa" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Por favor, seleccione la empresa" DocType: Stock Entry Detail,Difference Account,Cuenta para la Diferencia DocType: Purchase Invoice,Supplier GSTIN,GSTIN de Proveedor apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,No se puede cerrar la tarea que depende de {0} ya que no está cerrada. @@ -548,7 +547,7 @@ DocType: Sales Invoice,Offline POS Name,Transacción POS Offline apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Por favor defina el grado para el Umbral 0% DocType: Sales Order,To Deliver,Para entregar DocType: Purchase Invoice Item,Item,Productos -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Nº de serie artículo no puede ser una fracción +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Nº de serie artículo no puede ser una fracción DocType: Journal Entry,Difference (Dr - Cr),Diferencia (Deb - Cred) DocType: Account,Profit and Loss,Pérdidas y ganancias apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gestión de sub-contrataciones @@ -574,7 +573,7 @@ DocType: Serial No,Warranty Period (Days),Período de garantía (Días) DocType: Installation Note Item,Installation Note Item,Nota de instalación de elementos DocType: Production Plan Item,Pending Qty,Cantidad pendiente DocType: Budget,Ignore,Pasar por alto -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} no está activo +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} no está activo apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS enviados a los teléfonos: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Configurar dimensiones de cheque para la impresión DocType: Salary Slip,Salary Slip Timesheet,Registro de Horas de Nómina @@ -678,8 +677,8 @@ DocType: Installation Note,IN-,EN- DocType: Production Order Operation,In minutes,En minutos DocType: Issue,Resolution Date,Fecha de resolución DocType: Student Batch Name,Batch Name,Nombre del lote -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Tabla de Tiempo creada: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},"Por favor, defina la cuenta de bancos o caja predeterminados en el método de pago {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Tabla de Tiempo creada: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},"Por favor, defina la cuenta de bancos o caja predeterminados en el método de pago {0}" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Inscribirse DocType: GST Settings,GST Settings,Configuración de GST DocType: Selling Settings,Customer Naming By,Ordenar cliente por @@ -699,7 +698,7 @@ DocType: Activity Cost,Projects User,Usuario de proyectos apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Consumido apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} no se encontró en la tabla de detalles de factura DocType: Company,Round Off Cost Center,Centro de costos por defecto (redondeo) -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,La visita de mantenimiento {0} debe ser cancelada antes de cancelar la orden de ventas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,La visita de mantenimiento {0} debe ser cancelada antes de cancelar la orden de ventas DocType: Item,Material Transfer,Transferencia de Material apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Apertura (Deb) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Fecha y hora de contabilización deberá ser posterior a {0} @@ -708,7 +707,7 @@ DocType: Employee Loan,Total Interest Payable,Interés total a pagar DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,"Impuestos, cargos y costos de destino estimados" DocType: Production Order Operation,Actual Start Time,Hora de inicio real DocType: BOM Operation,Operation Time,Tiempo de Operación -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Terminar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Terminar apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Base DocType: Timesheet,Total Billed Hours,Total de Horas Facturadas DocType: Journal Entry,Write Off Amount,Importe de Desajuste @@ -733,7 +732,7 @@ DocType: Vehicle,Odometer Value (Last),Valor del cuentakilómetros (Última) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Entrada de Pago ya creada DocType: Purchase Receipt Item Supplied,Current Stock,Inventario Actual -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Fila # {0}: Activo {1} no vinculado al elemento {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Fila # {0}: Activo {1} no vinculado al elemento {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Previsualización de Nómina apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Cuenta {0} se ha introducido varias veces DocType: Account,Expenses Included In Valuation,GASTOS DE VALORACIÓN @@ -757,7 +756,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aeroespaci DocType: Journal Entry,Credit Card Entry,Ingreso de tarjeta de crédito apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Empresa y Contabilidad apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Productos recibidos de proveedores. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,En Valor +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,En Valor DocType: Lead,Campaign Name,Nombre de la campaña DocType: Selling Settings,Close Opportunity After Days,Cerrar Oportunidad Después Días ,Reserved,Reservado @@ -782,17 +781,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energía DocType: Opportunity,Opportunity From,Oportunidad desde apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Nómina mensual. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Fila {0}: {1} Números de serie necesarios para el elemento {2}. Ha proporcionado {3}. DocType: BOM,Website Specifications,Especificaciones del sitio web apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Desde {0} del tipo {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Línea {0}: El factor de conversión es obligatorio DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Reglas Precio múltiples existe con el mismo criterio, por favor, resolver los conflictos mediante la asignación de prioridad. Reglas de precios: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,No se puede desactivar o cancelar la 'Lista de Materiales (LdM)' si esta vinculada con otras +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,No se puede desactivar o cancelar la 'Lista de Materiales (LdM)' si esta vinculada con otras DocType: Opportunity,Maintenance,Mantenimiento DocType: Item Attribute Value,Item Attribute Value,Atributos del producto apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campañas de venta. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,hacer parte de horas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,hacer parte de horas DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -845,7 +845,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configuración de cuentas de correo electrónico apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Por favor, introduzca primero un producto" DocType: Account,Liability,Obligaciones -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importe sancionado no puede ser mayor que el importe del reclamo en la línea {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importe sancionado no puede ser mayor que el importe del reclamo en la línea {0}. DocType: Company,Default Cost of Goods Sold Account,Cuenta de costos (venta) por defecto apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,No ha seleccionado una lista de precios DocType: Employee,Family Background,Antecedentes familiares @@ -856,10 +856,10 @@ DocType: Company,Default Bank Account,Cuenta bancaria por defecto apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Para filtrar en base a terceros, seleccione el tipo de entidad" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Actualizar existencias' no puede marcarse porque los artículos no se han entregado mediante {0} DocType: Vehicle,Acquisition Date,Fecha de Adquisición -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos. +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos. DocType: Item,Items with higher weightage will be shown higher,Los productos con mayor ponderación se mostraran arriba DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detalle de conciliación bancaria -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Fila # {0}: Activo {1} debe ser presentado +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Fila # {0}: Activo {1} debe ser presentado apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Empleado no encontrado DocType: Supplier Quotation,Stopped,Detenido. DocType: Item,If subcontracted to a vendor,Si es sub-contratado a un proveedor @@ -875,7 +875,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Monto Mínimo de Factura apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: El centro de costos {2} no pertenece a la empresa {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Cuenta {2} no puede ser un Grupo apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Elemento Fila {idx}: {doctype} {docname} no existe en la anterior tabla '{doctype}' -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Table de Tiempo {0} ya se haya completado o cancelado +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Table de Tiempo {0} ya se haya completado o cancelado apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No hay tareas DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Día del mes en el que se generará la factura automática por ejemplo 05, 28, etc." DocType: Asset,Opening Accumulated Depreciation,Apertura de la depreciación acumulada @@ -934,7 +934,7 @@ DocType: SMS Log,Requested Numbers,Números solicitados DocType: Production Planning Tool,Only Obtain Raw Materials,Sólo obtención de materias primas apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Evaluación de desempeño. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Habilitación de «uso de Compras ', como cesta de la compra está activado y debe haber al menos una regla fiscal para Compras" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entrada de pago {0} está enlazada con la Orden {1}, comprobar si se debe ser retirado como avance en esta factura." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entrada de pago {0} está enlazada con la Orden {1}, comprobar si se debe ser retirado como avance en esta factura." DocType: Sales Invoice Item,Stock Details,Detalles de almacén apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valor del proyecto apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punto de Venta (POS) @@ -957,15 +957,15 @@ DocType: Naming Series,Update Series,Definir Secuencia DocType: Supplier Quotation,Is Subcontracted,Es sub-contratado DocType: Item Attribute,Item Attribute Values,Valor de los atributos del producto DocType: Examination Result,Examination Result,Resultado del examen -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Recibo de compra +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Recibo de compra ,Received Items To Be Billed,Recepciones por facturar -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Nóminas presentadas +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Nóminas presentadas apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Configuración principal para el cambio de divisas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Doctype de referencia debe ser uno de {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar la ranura de tiempo en los próximos {0} días para la operación {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar la ranura de tiempo en los próximos {0} días para la operación {1} DocType: Production Order,Plan material for sub-assemblies,Plan de materiales para los subconjuntos apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Socios Comerciales y Territorio -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,La lista de materiales (LdM) {0} debe estar activa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,La lista de materiales (LdM) {0} debe estar activa DocType: Journal Entry,Depreciation Entry,Entrada de Depreciación apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Por favor, seleccione primero el tipo de documento" apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar visitas {0} antes de cancelar la visita de mantenimiento @@ -975,7 +975,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Importe total apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publicación por internet DocType: Production Planning Tool,Production Orders,Órdenes de producción -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Valor de balance +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Valor de balance apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Lista de precios para la venta apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publicar sincronización de artículos DocType: Bank Reconciliation,Account Currency,Divisa de cuenta @@ -1000,12 +1000,12 @@ DocType: Employee,Exit Interview Details,Detalles de Entrevista de Salida DocType: Item,Is Purchase Item,Es un producto para compra DocType: Asset,Purchase Invoice,Factura de Compra DocType: Stock Ledger Entry,Voucher Detail No,Detalle de Comprobante No -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nueva factura de venta +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nueva factura de venta DocType: Stock Entry,Total Outgoing Value,Valor total de salidas apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Fecha de Apertura y Fecha de Cierre deben ser dentro del mismo año fiscal DocType: Lead,Request for Information,Solicitud de información ,LeaderBoard,Tabla de Líderes -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sincronizar Facturas +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sincronizar Facturas DocType: Payment Request,Paid,Pagado DocType: Program Fee,Program Fee,Cuota del Programa DocType: Salary Slip,Total in words,Total en palabras @@ -1013,7 +1013,7 @@ DocType: Material Request Item,Lead Time Date,Hora de la Iniciativa DocType: Guardian,Guardian Name,Nombre del Tutor DocType: Cheque Print Template,Has Print Format,Tiene Formato de Impresión DocType: Employee Loan,Sanctioned,Sancionada -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,es obligatorio. Posiblemente el registro de cambio de divisa no ha sido creado para +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,es obligatorio. Posiblemente el registro de cambio de divisa no ha sido creado para apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Línea #{0}: Por favor, especifique el número de serie para el producto {1}" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para 'Paquete de Productos' el Almacén, No. de Serie y No. de lote serán considerados desde el 'Packing List'. Si el Almacén y No. de lote son los mismos para todos los productos empaquetados, los valores podrán ser ingresados en la tabla principal del artículo, estos valores serán copiados al 'Packing List'" DocType: Job Opening,Publish on website,Publicar en el sitio web @@ -1026,7 +1026,7 @@ DocType: Cheque Print Template,Date Settings,Ajustes de Fecha apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variación ,Company Name,Nombre de compañía DocType: SMS Center,Total Message(s),Total Mensage(s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Seleccione el producto a transferir +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Seleccione el producto a transferir DocType: Purchase Invoice,Additional Discount Percentage,Porcentaje de descuento adicional apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Ver una lista de todos los vídeos de ayuda DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Seleccione la cuenta principal de banco donde los cheques fueron depositados. @@ -1040,7 +1040,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Costo de Materiales Sin Procesar (Divisa de la Compañía) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Todos los artículos ya han sido transferidos para esta Orden de Producción. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Fila # {0}: La tasa no puede ser mayor que la tasa utilizada en {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Metro +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Metro DocType: Workstation,Electricity Cost,Costos de Energía Eléctrica DocType: HR Settings,Don't send Employee Birthday Reminders,No enviar recordatorio de cumpleaños del empleado DocType: Item,Inspection Criteria,Criterios de inspección @@ -1054,7 +1054,7 @@ DocType: SMS Center,All Lead (Open),Todas las Oportunidades (Abiertas) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Cantidad no está disponible para {4} en el almacén {1} en el momento de publicación de la entrada ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Obtener anticipos pagados DocType: Item,Automatically Create New Batch,Crear automáticamente nuevo lote -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Crear +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Crear DocType: Student Admission,Admission Start Date,Fecha de inicio de la admisión DocType: Journal Entry,Total Amount in Words,Importe total en letras apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Ha ocurrido un error. Una razón probable es que usted no ha guardado el formulario. Por favor, póngase en contacto con support@erpnext.com si el problema persiste." @@ -1062,7 +1062,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mi Carrito apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tipo de orden debe ser uno de {0} DocType: Lead,Next Contact Date,Siguiente fecha de contacto apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Cant. de Apertura -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Por favor, introduzca la cuenta para el Cambio Monto" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Por favor, introduzca la cuenta para el Cambio Monto" DocType: Student Batch Name,Student Batch Name,Nombre de Lote del Estudiante DocType: Holiday List,Holiday List Name,Nombre de festividad DocType: Repayment Schedule,Balance Loan Amount,Saldo del balance del préstamo @@ -1070,7 +1070,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opciones de stock DocType: Journal Entry Account,Expense Claim,Reembolso de gastos apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,¿Realmente desea restaurar este activo desechado? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Cantidad de {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Cantidad de {0} DocType: Leave Application,Leave Application,Solicitud de Licencia apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Herramienta de asignación de vacaciones DocType: Leave Block List,Leave Block List Dates,Fechas de Lista de Bloqueo de Vacaciones @@ -1120,7 +1120,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Contra DocType: Item,Default Selling Cost Center,Centro de costos por defecto DocType: Sales Partner,Implementation Partner,Socio de Implementación -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Código postal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Código postal apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Orden de Venta {0} es {1} DocType: Opportunity,Contact Info,Información de contacto apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Crear Asientos de Stock @@ -1138,13 +1138,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Para apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Edad Promedio DocType: School Settings,Attendance Freeze Date,Fecha de Congelación de Asistencia DocType: Opportunity,Your sales person who will contact the customer in future,Indique la persona de ventas que se pondrá en contacto posteriormente con el cliente -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Enumere algunos de sus proveedores. Pueden ser organizaciones o individuos. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Enumere algunos de sus proveedores. Pueden ser organizaciones o individuos. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Ver todos los Productos apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Edad mínima de Iniciativa (días) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Todas las listas de materiales +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Todas las listas de materiales DocType: Company,Default Currency,Divisa / modena predeterminada DocType: Expense Claim,From Employee,Desde Empleado -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertencia: El sistema no comprobará la sobrefacturación si la cantidad del producto {0} en {1} es cero +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertencia: El sistema no comprobará la sobrefacturación si la cantidad del producto {0} en {1} es cero DocType: Journal Entry,Make Difference Entry,Crear una entrada con una diferencia DocType: Upload Attendance,Attendance From Date,Asistencia desde fecha DocType: Appraisal Template Goal,Key Performance Area,Área Clave de Rendimiento @@ -1161,7 +1161,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Los números de registro de la compañía para su referencia. Números fiscales, etc" DocType: Sales Partner,Distributor,Distribuidor DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Reglas de envio para el carrito de compras -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,La orden de producción {0} debe ser cancelada antes de cancelar esta orden ventas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,La orden de producción {0} debe ser cancelada antes de cancelar esta orden ventas apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',"Por favor, establece ""Aplicar descuento adicional en""" ,Ordered Items To Be Billed,Ordenes por facturar apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Rango Desde tiene que ser menor que Rango Hasta @@ -1170,10 +1170,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Deducciones DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Año de inicio -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Los primero 2 dígitos de GSTIN debe coincidir con un numero de estado {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Los primero 2 dígitos de GSTIN debe coincidir con un numero de estado {0} DocType: Purchase Invoice,Start date of current invoice's period,Fecha inicial del período de facturación DocType: Salary Slip,Leave Without Pay,Permiso / licencia sin goce de salario (LSS) -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Error en la planificación de capacidad +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Error en la planificación de capacidad ,Trial Balance for Party,Balance de Terceros DocType: Lead,Consultant,Consultor DocType: Salary Slip,Earnings,Ganancias @@ -1189,7 +1189,7 @@ DocType: Cheque Print Template,Payer Settings,Configuración del pagador DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Esto se añade al código del producto y la variante. Por ejemplo, si su abreviatura es ""SM"", y el código del artículo es ""CAMISETA"", entonces el código de artículo de la variante será ""CAMISETA-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pago neto (en palabras) será visible una vez que guarde la nómina salarial. DocType: Purchase Invoice,Is Return,Es un retorno -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Retorno / Nota de Débito +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Retorno / Nota de Débito DocType: Price List Country,Price List Country,Lista de precios del país DocType: Item,UOMs,UdM apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} núms. de serie válidos para el artículo {1} @@ -1202,7 +1202,7 @@ DocType: Employee Loan,Partially Disbursed,Parcialmente Desembolsado apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Base de datos de proveedores. DocType: Account,Balance Sheet,Hoja de balance apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Centro de costos para el producto con código ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modo de pago no está configurado. Por favor, compruebe, si la cuenta se ha establecido en el modo de pago o en el perfil del punto de venta." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modo de pago no está configurado. Por favor, compruebe, si la cuenta se ha establecido en el modo de pago o en el perfil del punto de venta." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,El vendedor recibirá un aviso en esta fecha para ponerse en contacto con el cliente apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,El mismo artículo no se puede introducir varias veces. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Las futuras cuentas se pueden crear bajo grupos, pero las entradas se crearán dentro de las subcuentas." @@ -1230,7 +1230,7 @@ DocType: Employee Loan Application,Repayment Info,Información de la devolución apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Entradas' no pueden estar vacías apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Línea {0} duplicada con igual {1} ,Trial Balance,Balanza de Comprobación -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Año fiscal {0} no encontrado +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Año fiscal {0} no encontrado apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Configuración de empleados DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Por favor, seleccione primero el prefijo" @@ -1245,11 +1245,11 @@ DocType: Grading Scale,Intervals,intervalos apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Primeras apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Existe un grupo de elementos con el mismo nombre , por favor, cambie el nombre del artículo , o cambiar el nombre del grupo de artículos" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Número de Móvil del Estudiante. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resto del mundo +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Resto del mundo apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,El producto {0} no puede contener lotes ,Budget Variance Report,Variación de Presupuesto DocType: Salary Slip,Gross Pay,Pago Bruto -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Fila {0}: Tipo de actividad es obligatoria. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Fila {0}: Tipo de actividad es obligatoria. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,DIVIDENDOS PAGADOS apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Libro de contabilidad DocType: Stock Reconciliation,Difference Amount,Diferencia @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Balance de ausencias de empleado apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},El balance para la cuenta {0} siempre debe ser {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Rango de Valoración requeridos para el Item en la fila {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Ejemplo: Maestría en Ciencias de la Computación +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Ejemplo: Maestría en Ciencias de la Computación DocType: Purchase Invoice,Rejected Warehouse,Almacén rechazado DocType: GL Entry,Against Voucher,Contra comprobante DocType: Item,Default Buying Cost Center,Centro de costos (compra) por defecto apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Para obtener lo mejor de ERPNext, le recomendamos que se tome un tiempo y vea estos vídeos de ayuda." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,a +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,a DocType: Supplier Quotation Item,Lead Time in days,Plazo de ejecución en días apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Balance de cuentas por pagar -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Pago de salario de {0} a {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Pago de salario de {0} a {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},No autorizado para editar la cuenta congelada {0} DocType: Journal Entry,Get Outstanding Invoices,Obtener facturas pendientes de pago -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Orden de venta {0} no es válida +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Orden de venta {0} no es válida apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Las órdenes de compra le ayudará a planificar y dar seguimiento a sus compras apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Lamentablemente, las compañías no se pueden combinar" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Egresos indirectos apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Línea {0}: La cantidad es obligatoria apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Agricultura -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sincronización de datos maestros -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Sus Productos o Servicios +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sincronización de datos maestros +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Sus Productos o Servicios DocType: Mode of Payment,Mode of Payment,Método de pago apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Sitio web imagen debe ser un archivo público o URL del sitio web DocType: Student Applicant,AP,AP @@ -1324,18 +1324,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Tasa de impuesto del producto DocType: Student Group Student,Group Roll Number,Número del rollo de grupo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Para {0}, sólo las cuentas de crédito se pueden vincular con un asiento de débito" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total de todos los pesos de tareas debe ser 1. Por favor ajusta los pesos de todas las tareas del proyecto en consecuencia -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,La nota de entrega {0} no está validada +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,La nota de entrega {0} no está validada apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,El elemento: {0} debe ser un producto sub-contratado apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,BIENES DE CAPITAL apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","La 'regla precios' es seleccionada primero basada en el campo 'Aplicar En' que puede ser un artículo, grupo de artículos o marca." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Configure primero el código del artículo +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Configure primero el código del artículo DocType: Hub Settings,Seller Website,Sitio web del vendedor DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Porcentaje del total asignado para el equipo de ventas debe ser de 100 DocType: Appraisal Goal,Goal,Meta/Objetivo DocType: Sales Invoice Item,Edit Description,Editar descripción ,Team Updates,Actualizaciones equipo -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,De proveedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,De proveedor DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Al configurar el tipo de cuenta facilitará la seleccion de la misma en las transacciones DocType: Purchase Invoice,Grand Total (Company Currency),Suma total (Divisa por defecto) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Crear Formato de impresión @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,Grupos de productos en el sitio web DocType: Purchase Invoice,Total (Company Currency),Total (Divisa por defecto) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Número de serie {0} ha sido ingresado mas de una vez DocType: Depreciation Schedule,Journal Entry,Asiento contable -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} artículos en curso +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} artículos en curso DocType: Workstation,Workstation Name,Nombre de la estación de trabajo DocType: Grading Scale Interval,Grade Code,Código de Grado DocType: POS Item Group,POS Item Group,POS Grupo de artículos apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Enviar boletín: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},La lista de materiales (LdM) {0} no pertenece al producto {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},La lista de materiales (LdM) {0} no pertenece al producto {1} DocType: Sales Partner,Target Distribution,Distribución del objetivo 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 @@ -1411,7 +1411,7 @@ DocType: Quotation,Shopping Cart,Carrito de compras apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Promedio diario saliente DocType: POS Profile,Campaign,Campaña DocType: Supplier,Name and Type,Nombre y Tipo -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"El estado de esta solicitud debe ser ""Aprobado"" o ""Rechazado""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"El estado de esta solicitud debe ser ""Aprobado"" o ""Rechazado""" DocType: Purchase Invoice,Contact Person,Persona de contacto apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Fecha esperada de inicio' no puede ser mayor que 'Fecha esperada de finalización' DocType: Course Scheduling Tool,Course End Date,Fecha de finalización del curso @@ -1423,8 +1423,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Correo electrónico preferido apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Cambio neto en activos fijos DocType: Leave Control Panel,Leave blank if considered for all designations,Dejar en blanco si es considerado para todos los puestos -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Cambiar a tipo 'Actual' en la línea {0} no puede ser incluido en el precio -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Máximo: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Cambiar a tipo 'Actual' en la línea {0} no puede ser incluido en el precio +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Máximo: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Desde Fecha y Hora DocType: Email Digest,For Company,Para la empresa apps/erpnext/erpnext/config/support.py +17,Communication log.,Registro de comunicaciones @@ -1465,7 +1465,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Perfil laboral DocType: Journal Entry Account,Account Balance,Balance de la cuenta apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regla de impuestos para las transacciones. DocType: Rename Tool,Type of document to rename.,Indique el tipo de documento que desea cambiar de nombre. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Compramos este producto +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Compramos este producto apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Se requiere al cliente para la cuenta por cobrar {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total impuestos y cargos (Divisa por defecto) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Mostrar P & L saldos sin cerrar el año fiscal @@ -1476,7 +1476,7 @@ DocType: Quality Inspection,Readings,Lecturas DocType: Stock Entry,Total Additional Costs,Total de costos adicionales DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Costo de Material de Desecho (Moneda de la Compañia) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub-Ensamblajes +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub-Ensamblajes DocType: Asset,Asset Name,Nombre de Activo DocType: Project,Task Weight,Peso de la Tarea DocType: Shipping Rule Condition,To Value,Para el valor @@ -1505,7 +1505,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantes del Producto DocType: Company,Services,Servicios DocType: HR Settings,Email Salary Slip to Employee,Enviar Nómina al Empleado por Correo Electrónico DocType: Cost Center,Parent Cost Center,Centro de costos principal -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Seleccionar Posible Proveedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Seleccionar Posible Proveedor DocType: Sales Invoice,Source,Referencia apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostrar cerrada DocType: Leave Type,Is Leave Without Pay,Es una ausencia sin goce de salario @@ -1517,7 +1517,7 @@ DocType: POS Profile,Apply Discount,Aplicar Descuento DocType: GST HSN Code,GST HSN Code,Código GST HSN DocType: Employee External Work History,Total Experience,Experiencia total apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Proyectos abiertos -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Lista(s) de embalaje cancelada(s) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Lista(s) de embalaje cancelada(s) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Flujo de efectivo de inversión DocType: Program Course,Program Course,Programa de Curso apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,CARGOS DE TRANSITO Y TRANSPORTE @@ -1558,9 +1558,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Inscripciones del Programa DocType: Sales Invoice Item,Brand Name,Marca DocType: Purchase Receipt,Transporter Details,Detalles de Transporte -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Se requiere depósito por omisión para el elemento seleccionado -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Caja -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Posible Proveedor +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Se requiere depósito por omisión para el elemento seleccionado +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Caja +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Posible Proveedor DocType: Budget,Monthly Distribution,Distribución mensual apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"La lista de receptores se encuentra vacía. Por favor, cree una lista de receptores" DocType: Production Plan Sales Order,Production Plan Sales Order,Plan de producción de ordenes de venta @@ -1592,7 +1592,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Peticiones pa apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Los estudiantes son el corazón del sistema, agrega todos tus estudiantes" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Fila # {0}: Fecha de Liquidación {1} no puede ser anterior a la Fecha de Cheque {2} DocType: Company,Default Holiday List,Lista de vacaciones / festividades predeterminadas -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Inventarios por pagar DocType: Purchase Invoice,Supplier Warehouse,Almacén del proveedor DocType: Opportunity,Contact Mobile No,No. móvil de contacto @@ -1608,18 +1608,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Ausencia del tipo {0} no puede tener más de {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Procure planear las operaciones con XX días de antelación. DocType: HR Settings,Stop Birthday Reminders,Detener recordatorios de cumpleaños. -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Por favor, establece nómina cuenta por pagar por defecto en la empresa {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},"Por favor, establece nómina cuenta por pagar por defecto en la empresa {0}" DocType: SMS Center,Receiver List,Lista de receptores -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Busca artículo +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Busca artículo apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Monto consumido apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Cambio Neto en efectivo DocType: Assessment Plan,Grading Scale,Escala de calificación apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida (UdM) {0} se ha introducido más de una vez en la tabla de factores de conversión -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Ya completado +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Ya completado apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock en Mano apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Solicitud de pago ya existe {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Costo de productos entregados -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},La cantidad no debe ser más de {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},La cantidad no debe ser más de {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Ejercicio anterior no está cerrado apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Edad (días) DocType: Quotation Item,Quotation Item,Ítem de Presupuesto @@ -1633,6 +1633,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Documento de referencia apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} está cancelado o detenido DocType: Accounts Settings,Credit Controller,Controlador de créditos +DocType: Sales Order,Final Delivery Date,Fecha de entrega final DocType: Delivery Note,Vehicle Dispatch Date,Fecha de despacho de vehículo DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,El recibo de compra {0} no esta validado @@ -1721,9 +1722,9 @@ DocType: Employee,Date Of Retirement,Fecha de jubilación DocType: Upload Attendance,Get Template,Obtener Plantilla DocType: Material Request,Transferred,Transferido DocType: Vehicle,Doors,puertas -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Configuración de ERPNext Completa! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Configuración de ERPNext Completa! DocType: Course Assessment Criteria,Weightage,Asignación -DocType: Sales Invoice,Tax Breakup,Disolución de Impuestos +DocType: Purchase Invoice,Tax Breakup,Disolución de Impuestos DocType: Packing Slip,PS-,PD- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: El centros de costos es requerido para la cuenta de 'pérdidas y ganancias' {2}. Por favor, configure un centro de costos por defecto para la compañía." apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Existe una categoría de cliente con el mismo nombre. Por favor cambie el nombre de cliente o renombre la categoría de cliente @@ -1736,14 +1737,14 @@ DocType: Announcement,Instructor,Instructor DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si este producto tiene variantes, entonces no podrá ser seleccionado en los pedidos de venta, etc." DocType: Lead,Next Contact By,Siguiente contacto por -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Cantidad requerida para el producto {0} en la línea {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Cantidad requerida para el producto {0} en la línea {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},El almacén {0} no se puede eliminar ya que existen elementos para el Producto {1} DocType: Quotation,Order Type,Tipo de orden DocType: Purchase Invoice,Notification Email Address,Email para las notificaciones. ,Item-wise Sales Register,Detalle de Ventas DocType: Asset,Gross Purchase Amount,Importe Bruto de Compra DocType: Asset,Depreciation Method,Método de depreciación -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Desconectado +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Desconectado DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,¿Está incluido este impuesto en el precio base? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Total meta / objetivo DocType: Job Applicant,Applicant for a Job,Solicitante de Empleo @@ -1764,7 +1765,7 @@ DocType: Employee,Leave Encashed?,Vacaciones pagadas? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,El campo 'oportunidad desde' es obligatorio DocType: Email Digest,Annual Expenses,Gastos Anuales DocType: Item,Variants,Variantes -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Crear Orden de Compra +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Crear Orden de Compra DocType: SMS Center,Send To,Enviar a apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},No hay suficiente días para las ausencias del tipo: {0} DocType: Payment Reconciliation Payment,Allocated amount,Monto asignado @@ -1772,7 +1773,7 @@ DocType: Sales Team,Contribution to Net Total,Contribución neta total DocType: Sales Invoice Item,Customer's Item Code,Código del producto para clientes DocType: Stock Reconciliation,Stock Reconciliation,Reconciliación de inventarios DocType: Territory,Territory Name,Nombre Territorio -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Se requiere un almacén de trabajos en proceso antes de validar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Se requiere un almacén de trabajos en proceso antes de validar apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Solicitante de empleo . DocType: Purchase Order Item,Warehouse and Reference,Almacén y Referencia DocType: Supplier,Statutory info and other general information about your Supplier,Información legal u otra información general acerca de su proveedor @@ -1783,16 +1784,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Evaluaciones apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Duplicar No. de serie para el producto {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Una condición para una regla de envío apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Por favor ingrese -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","No se puede cobrar demasiado a Punto de {0} en la fila {1} más {2}. Para permitir que el exceso de facturación, por favor, defina en la compra de Ajustes" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Por favor, configurar el filtro basado en Elemento o Almacén" +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","No se puede cobrar demasiado a Punto de {0} en la fila {1} más {2}. Para permitir que el exceso de facturación, por favor, defina en la compra de Ajustes" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,"Por favor, configurar el filtro basado en Elemento o Almacén" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El peso neto de este paquete. (calculado automáticamente por la suma del peso neto de los materiales) DocType: Sales Order,To Deliver and Bill,Para entregar y facturar DocType: Student Group,Instructors,Instructores DocType: GL Entry,Credit Amount in Account Currency,Importe acreditado con la divisa -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser validada +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser validada DocType: Authorization Control,Authorization Control,Control de Autorización apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Almacén Rechazado es obligatorio en la partida rechazada {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Pago +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Pago apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","El Almacén {0} no esta vinculado a ninguna cuenta, por favor mencione la cuenta en el registro del almacén o seleccione una cuenta de inventario por defecto en la compañía {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gestionar sus Pedidos DocType: Production Order Operation,Actual Time and Cost,Tiempo y costo reales @@ -1808,12 +1809,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Agrupe DocType: Quotation Item,Actual Qty,Cantidad Real DocType: Sales Invoice Item,References,Referencias DocType: Quality Inspection Reading,Reading 10,Lectura 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Enumere algunos de los productos o servicios que usted compra y/o vende. Asegúrese de revisar el grupo del artículo, la unidad de medida (UdM) y demás propiedades." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Enumere algunos de los productos o servicios que usted compra y/o vende. Asegúrese de revisar el grupo del artículo, la unidad de medida (UdM) y demás propiedades." DocType: Hub Settings,Hub Node,Nodo del centro de actividades apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Ha introducido elementos duplicados . Por favor rectifique y vuelva a intentarlo . apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Asociado +DocType: Company,Sales Target,Objetivo de ventas DocType: Asset Movement,Asset Movement,Movimiento de Activo -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Nuevo Carrito +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Nuevo Carrito apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,El producto {0} no es un producto serializado DocType: SMS Center,Create Receiver List,Crear lista de receptores DocType: Vehicle,Wheels,Ruedas @@ -1854,13 +1856,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Gestión de Proyecto DocType: Supplier,Supplier of Goods or Services.,Proveedor de servicios y/o productos. DocType: Budget,Fiscal Year,Año Fiscal DocType: Vehicle Log,Fuel Price,Precio del Combustible +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Configure las series de numeración para Asistencia mediante Configuración> Serie de numeración DocType: Budget,Budget,Presupuesto apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Artículo de Activos Fijos no debe ser un artículo de stock. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","El presupuesto no se puede asignar contra {0}, ya que no es una cuenta de ingresos o gastos" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Alcanzado DocType: Student Admission,Application Form Route,Ruta de Formulario de Solicitud apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Localidad / Cliente -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,por ejemplo 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,por ejemplo 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Deja Tipo {0} no puede ser asignado ya que se deja sin paga apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Línea {0}: la cantidad asignada {1} debe ser menor o igual al importe pendiente de factura {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En palabras serán visibles una vez que guarde la factura de venta. @@ -1869,11 +1872,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"El producto {0} no está configurado para utilizar Números de Serie, por favor revise el artículo maestro" DocType: Maintenance Visit,Maintenance Time,Tiempo del Mantenimiento ,Amount to Deliver,Cantidad para envío -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Un Producto o Servicio +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Un Producto o Servicio apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"El Plazo Fecha de inicio no puede ser anterior a la fecha de inicio de año del año académico al que está vinculado el término (año académico {}). Por favor, corrija las fechas y vuelve a intentarlo." DocType: Guardian,Guardian Interests,Intereses del Tutor DocType: Naming Series,Current Value,Valor actual -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Existen varios ejercicios para la fecha {0}. Por favor, establece la compañía en el año fiscal" +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Existen varios ejercicios para la fecha {0}. Por favor, establece la compañía en el año fiscal" apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} creado DocType: Delivery Note Item,Against Sales Order,Contra la orden de venta ,Serial No Status,Estado del número serie @@ -1886,7 +1889,7 @@ DocType: Pricing Rule,Selling,Ventas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Monto {0} {1} deducido contra {2} DocType: Employee,Salary Information,Información salarial. DocType: Sales Person,Name and Employee ID,Nombre y ID de empleado -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,La fecha de vencimiento no puede ser anterior a la fecha de contabilización +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,La fecha de vencimiento no puede ser anterior a la fecha de contabilización DocType: Website Item Group,Website Item Group,Grupo de productos en el sitio web apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,IMPUESTOS Y ARANCELES apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Por favor, introduzca la fecha de referencia" @@ -1941,9 +1944,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},"Por favor, establezca la fecha de ingreso para el empleado {0}" DocType: Task,Total Billing Amount (via Time Sheet),Monto Total Facturable (a través de tabla de tiempo) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ingresos de clientes recurrentes -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) debe tener el rol de 'Supervisor de gastos' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Seleccione la lista de materiales y Cantidad para Producción +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) debe tener el rol de 'Supervisor de gastos' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Par +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Seleccione la lista de materiales y Cantidad para Producción DocType: Asset,Depreciation Schedule,Programación de la depreciación apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Direcciones y Contactos de Partner de Ventas DocType: Bank Reconciliation Detail,Against Account,Contra la cuenta @@ -1953,7 +1956,7 @@ DocType: Item,Has Batch No,Posee número de lote apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Facturación anual: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Impuesto de Bienes y Servicios (GST India) DocType: Delivery Note,Excise Page Number,Número Impuestos Especiales Página -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Empresa, Desde la fecha y hasta la fecha es obligatorio" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Empresa, Desde la fecha y hasta la fecha es obligatorio" DocType: Asset,Purchase Date,Fecha de compra DocType: Employee,Personal Details,Datos personales apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ajuste 'Centro de la amortización del coste del activo' en la empresa {0} @@ -1962,9 +1965,9 @@ DocType: Task,Actual End Date (via Time Sheet),Fecha de finalización real (a tr apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Monto {0} {1} {2} contra {3} ,Quotation Trends,Tendencias de Presupuestos apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},El grupo del artículo no se menciona en producto maestro para el elemento {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,La cuenta 'Debitar a' debe ser una cuenta por cobrar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,La cuenta 'Debitar a' debe ser una cuenta por cobrar DocType: Shipping Rule Condition,Shipping Amount,Monto de envío -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Agregar Clientes +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Agregar Clientes apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Monto pendiente DocType: Purchase Invoice Item,Conversion Factor,Factor de conversión DocType: Purchase Order,Delivered,Enviado @@ -1986,7 +1989,6 @@ DocType: Production Order,Use Multi-Level BOM,Utilizar Lista de Materiales (LdM) DocType: Bank Reconciliation,Include Reconciled Entries,Incluir las entradas conciliadas DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Curso para padres (Deje en blanco, si esto no es parte del curso para padres)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Dejar en blanco si es considerada para todos los tipos de empleados -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir los cargos basados en apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Tabla de Tiempos DocType: HR Settings,HR Settings,Configuración de recursos humanos (RRHH) @@ -1994,7 +1996,7 @@ DocType: Salary Slip,net pay info,información de pago neto apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,El reembolso de gastos estará pendiente de aprobación. Sólo el supervisor de gastos puede actualizar el estado. DocType: Email Digest,New Expenses,Los nuevos gastos DocType: Purchase Invoice,Additional Discount Amount,Monto adicional de descuento -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: Cantidad debe ser 1, como elemento es un activo fijo. Por favor, use fila separada para cantidad múltiple." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: Cantidad debe ser 1, como elemento es un activo fijo. Por favor, use fila separada para cantidad múltiple." DocType: Leave Block List Allow,Leave Block List Allow,Permitir Lista de Bloqueo de Vacaciones apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,La abreviatura no puede estar en blanco o usar espacios apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grupo a No-Grupo @@ -2002,7 +2004,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Deportes DocType: Loan Type,Loan Name,Nombre del préstamo apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Actual DocType: Student Siblings,Student Siblings,Hermanos del Estudiante -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Unidad(es) +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Unidad(es) apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Por favor, especifique la compañía" ,Customer Acquisition and Loyalty,Compras y Lealtad de Clientes DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Almacén en el cual se envian los productos rechazados @@ -2020,12 +2022,12 @@ DocType: Workstation,Wages per hour,Salarios por hora apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},El balance de Inventario en el lote {0} se convertirá en negativo {1} para el producto {2} en el almacén {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Las Solicitudes de Materiales siguientes se han planteado de forma automática según el nivel de re-pedido del articulo DocType: Email Digest,Pending Sales Orders,Ordenes de venta pendientes -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},La cuenta {0} no es válida. La divisa de la cuenta debe ser {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},La cuenta {0} no es válida. La divisa de la cuenta debe ser {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},El factor de conversión de la (UdM) es requerido en la línea {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Fila # {0}: Tipo de documento de referencia debe ser una de órdenes de venta, factura de venta o entrada de diario" DocType: Salary Component,Deduction,Deducción -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Fila {0}: Tiempo Desde y Tiempo Hasta es obligatorio. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Fila {0}: Tiempo Desde y Tiempo Hasta es obligatorio. DocType: Stock Reconciliation Item,Amount Difference,Diferencia de monto apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Precio del producto añadido para {0} en Lista de Precios {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Por favor, Introduzca ID de empleado para este vendedor" @@ -2035,11 +2037,11 @@ DocType: Project,Gross Margin,Margen bruto apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,"Por favor, ingrese primero el producto a fabricar" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Balance calculado del estado de cuenta bancario apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,usuario deshabilitado -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Cotización +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Cotización DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Deducción Total ,Production Analytics,Análisis de Producción -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Costo actualizado +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Costo actualizado DocType: Employee,Date of Birth,Fecha de Nacimiento apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,El producto {0} ya ha sido devuelto DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Año fiscal** representa un ejercicio financiero. Todos los asientos contables y demás transacciones importantes son registradas contra el **año fiscal**. @@ -2084,18 +2086,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Seleccione la compañía... DocType: Leave Control Panel,Leave blank if considered for all departments,Deje en blanco si se utilizará para todos los departamentos apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipos de empleo (permanente , contratos, pasante, etc) ." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} es obligatorio para el artículo {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} es obligatorio para el artículo {1} DocType: Process Payroll,Fortnightly,Quincenal DocType: Currency Exchange,From Currency,Desde Moneda apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Costo de Compra de Nueva -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Orden de venta requerida para el producto {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Orden de venta requerida para el producto {0} DocType: Purchase Invoice Item,Rate (Company Currency),Precio (Divisa por defecto) DocType: Student Guardian,Others,Otros DocType: Payment Entry,Unallocated Amount,Monto sin asignar apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,No se peude encontrar un artículo que concuerde. Por favor seleccione otro valor para {0}. DocType: POS Profile,Taxes and Charges,Impuestos y cargos DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un producto o un servicio que se compra, se vende o se mantiene en stock." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Código del artículo> Grupo de artículos> Marca apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,No hay más actualizaciones apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,No se puede seleccionar el tipo de cargo como 'Importe de línea anterior' o ' Total de línea anterior' para la primera linea apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Artículo hijo no debe ser un Paquete de Productos. Por favor remover el artículo `{0}` y guardar @@ -2121,7 +2124,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Importe total de facturación apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Tiene que haber una cuenta de correo electrónico habilitada por defecto para que esto funcione. Por favor configure una cuenta entrante de correo electrónico por defecto (POP / IMAP) y vuelve a intentarlo. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Cuenta por cobrar -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Fila # {0}: Activo {1} ya es {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Fila # {0}: Activo {1} ya es {2} DocType: Quotation Item,Stock Balance,Balance de Inventarios. apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Órdenes de venta a pagar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2146,10 +2149,11 @@ DocType: C-Form,Received Date,Fecha de recepción DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Si ha creado una plantilla estándar de los impuestos y cargos de venta, seleccione uno y haga clic en el botón de abajo." DocType: BOM Scrap Item,Basic Amount (Company Currency),Importe Básico (divisa de la Compañía) DocType: Student,Guardians,Tutores +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveedor> Tipo de proveedor DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Los precios no se muestran si la lista de precios no se ha establecido apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Por favor, especifique un país para esta regla de envió o verifique los precios para envíos mundiales" DocType: Stock Entry,Total Incoming Value,Valor total de entradas -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Débito Para es requerido +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Débito Para es requerido apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Las Tablas de Tiempos ayudan a mantener la noción del tiempo, el coste y la facturación de actividades realizadas por su equipo" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Lista de precios para las compras DocType: Offer Letter Term,Offer Term,Términos de la oferta @@ -2168,11 +2172,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Búsq DocType: Timesheet Detail,To Time,Hasta hora DocType: Authorization Rule,Approving Role (above authorized value),Aprobar Rol (por encima del valor autorizado) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,La cuenta de crédito debe pertenecer al grupo de cuentas por pagar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Recursividad de lista de materiales (LdM): {0} no puede ser padre o hijo de {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},Recursividad de lista de materiales (LdM): {0} no puede ser padre o hijo de {2} DocType: Production Order Operation,Completed Qty,Cantidad completada apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Para {0}, sólo las cuentas de débito pueden vincular con un asiento de crédito" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,La lista de precios {0} está deshabilitada -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Fila {0}: Cantidad completada no puede contener más de {1} para la operación {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Fila {0}: Cantidad completada no puede contener más de {1} para la operación {2} DocType: Manufacturing Settings,Allow Overtime,Permitir horas extraordinarias apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","El elemento serializado {0} no se puede actualizar mediante Reconciliación de Stock, utilice la Entrada de Stock" DocType: Training Event Employee,Training Event Employee,Evento de Formación de los trabajadores @@ -2190,10 +2194,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Externo apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Usuarios y Permisos DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Órdenes de fabricación creadas: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Órdenes de fabricación creadas: {0} DocType: Branch,Branch,Sucursal DocType: Guardian,Mobile Number,Número de teléfono móvil apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Impresión y marcas +DocType: Company,Total Monthly Sales,Total de ventas mensuales DocType: Bin,Actual Quantity,Cantidad real DocType: Shipping Rule,example: Next Day Shipping,ejemplo : Envío express apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Numero de serie {0} no encontrado @@ -2223,7 +2228,7 @@ DocType: Payment Request,Make Sales Invoice,Crear Factura de Venta apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Siguiente Fecha de Contacto no puede ser en el pasado DocType: Company,For Reference Only.,Sólo para referencia. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Seleccione Lote No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Seleccione Lote No apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},No válido {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Importe Anticipado @@ -2236,7 +2241,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ningún producto con código de barras {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Nº de caso no puede ser 0 DocType: Item,Show a slideshow at the top of the page,Mostrar una presentación de diapositivas en la parte superior de la página -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Sucursales DocType: Serial No,Delivery Time,Tiempo de entrega apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Antigüedad basada en @@ -2250,16 +2255,16 @@ DocType: Rename Tool,Rename Tool,Herramienta para renombrar apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Actualizar costos DocType: Item Reorder,Item Reorder,Reabastecer producto apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Mostrar Nomina Salarial -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transferencia de Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transferencia de Material DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar las operaciones, el costo de operativo y definir un numero único de operación" apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está por encima del límite de {0} {1} para el elemento {4}. ¿Estás haciendo otra {3} contra el mismo {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Por favor configura recurrente después de guardar -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Seleccione el cambio importe de la cuenta +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Por favor configura recurrente después de guardar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Seleccione el cambio importe de la cuenta DocType: Purchase Invoice,Price List Currency,Divisa de la lista de precios DocType: Naming Series,User must always select,El usuario deberá elegir siempre DocType: Stock Settings,Allow Negative Stock,Permitir Inventario Negativo DocType: Installation Note,Installation Note,Nota de Instalación -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Agregar impuestos +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Agregar impuestos DocType: Topic,Topic,Tema apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Flujo de caja de financiación DocType: Budget Account,Budget Account,Cuenta de Presupuesto @@ -2273,7 +2278,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traza apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Origen de fondos (Pasivo) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},La cantidad en la línea {0} ({1}) debe ser la misma que la cantidad producida {2} DocType: Appraisal,Employee,Empleado -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Seleccione Lote +DocType: Company,Sales Monthly History,Historia Mensual de Ventas +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Seleccione Lote apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} está totalmente facturado DocType: Training Event,End Time,Hora de finalización apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Estructura salarial activa {0} encontrada para los empleados {1} en las fechas elegidas @@ -2281,15 +2287,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Deducciones de Pago o Pérdida apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Contrato estándar de términos y condiciones para ventas y compras. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Agrupar por recibo apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Flujo de ventas -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Por favor ajuste la cuenta por defecto en Componente Salarial {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Por favor ajuste la cuenta por defecto en Componente Salarial {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Solicitado el DocType: Rename Tool,File to Rename,Archivo a renombrar apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Por favor, seleccione la lista de materiales para el artículo en la fila {0}" apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Cuenta {0} no coincide con la Compañía {1}en Modo de Cuenta: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},La solicitud de la lista de materiales (LdM) especificada: {0} no existe para el producto {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,El programa de mantenimiento {0} debe ser cancelado antes de cancelar esta orden de venta +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,El programa de mantenimiento {0} debe ser cancelado antes de cancelar esta orden de venta DocType: Notification Control,Expense Claim Approved,Reembolso de gastos aprobado -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Configure las series de numeración para Asistencia mediante Configuración> Serie de numeración apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Nómina del empleado {0} ya creado para este periodo apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmacéutico apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Costo de productos comprados @@ -2306,7 +2311,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Lista de materiales DocType: Upload Attendance,Attendance To Date,Asistencia a la fecha DocType: Warranty Claim,Raised By,Propuesto por DocType: Payment Gateway Account,Payment Account,Cuenta de pagos -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Por favor, especifique la compañía para continuar" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Por favor, especifique la compañía para continuar" apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Cambio neto en las Cuentas por Cobrar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Compensatorio DocType: Offer Letter,Accepted,Aceptado @@ -2315,12 +2320,12 @@ DocType: SG Creation Tool Course,Student Group Name,Nombre del grupo de estudian apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, asegurate de que realmente desea borrar todas las transacciones de esta compañía. Sus datos maestros permanecerán intactos. Esta acción no se puede deshacer." DocType: Room,Room Number,Número de habitación apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referencia Inválida {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no puede ser mayor que la cantidad planificada ({2}) en la orden de producción {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no puede ser mayor que la cantidad planificada ({2}) en la orden de producción {3} DocType: Shipping Rule,Shipping Rule Label,Etiqueta de regla de envío apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Foro de Usuarios -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,'Materias primas' no puede estar en blanco. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","No se pudo actualizar valores, factura contiene los artículos con envío triangulado." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Asiento Contable Rápido +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,'Materias primas' no puede estar en blanco. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","No se pudo actualizar valores, factura contiene los artículos con envío triangulado." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Asiento Contable Rápido apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,No se puede cambiar el precio si existe una Lista de materiales (LdM) en el producto DocType: Employee,Previous Work Experience,Experiencia laboral previa DocType: Stock Entry,For Quantity,Por cantidad @@ -2377,7 +2382,7 @@ DocType: SMS Log,No of Requested SMS,Número de SMS solicitados apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Licencia sin sueldo no coincide con los registros de licencias de aplicaciones aprobadas DocType: Campaign,Campaign-.####,Campaña-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Próximos pasos -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Por favor suministrar los elementos especificados en las mejores tasas posibles +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Por favor suministrar los elementos especificados en las mejores tasas posibles DocType: Selling Settings,Auto close Opportunity after 15 days,Cerrar Oportunidad automáticamente luego de 15 días apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Año final apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Cotización / Iniciativa % @@ -2434,7 +2439,7 @@ DocType: Homepage,Homepage,Página Principal DocType: Purchase Receipt Item,Recd Quantity,Cantidad recibida apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Registros de cuotas creados - {0} DocType: Asset Category Account,Asset Category Account,Cuenta de categoría de activos -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},No se puede producir una cantidad mayor del producto {0} que lo requerido en el pedido de venta {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},No se puede producir una cantidad mayor del producto {0} que lo requerido en el pedido de venta {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,La entrada de stock {0} no esta validada DocType: Payment Reconciliation,Bank / Cash Account,Cuenta de Banco / Efectivo apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,"Siguiente contacto por, no puede ser el mismo que la dirección de correo electrónico de la Iniciativa" @@ -2467,7 +2472,7 @@ DocType: Salary Structure,Total Earning,Ganancia Total DocType: Purchase Receipt,Time at which materials were received,Hora en que se recibieron los materiales DocType: Stock Ledger Entry,Outgoing Rate,Tasa saliente apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Sucursal principal de la organización. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ó +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ó DocType: Sales Order,Billing Status,Estado de facturación apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Informar un problema apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Servicios públicos @@ -2475,7 +2480,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Fila # {0}: Asiento {1} no tiene cuenta {2} o ya compara con otro bono DocType: Buying Settings,Default Buying Price List,Lista de precios por defecto DocType: Process Payroll,Salary Slip Based on Timesheet,Sobre la base de nómina de parte de horas -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ningún empleado para los criterios anteriormente seleccionado o nómina ya creado +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Ningún empleado para los criterios anteriormente seleccionado o nómina ya creado DocType: Notification Control,Sales Order Message,Mensaje de la orden de venta apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establecer los valores predeterminados como: empresa, moneda / divisa, año fiscal, etc." DocType: Payment Entry,Payment Type,Tipo de pago @@ -2499,7 +2504,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,documento de recepción debe ser presentado DocType: Purchase Invoice Item,Received Qty,Cantidad recibida DocType: Stock Entry Detail,Serial No / Batch,No. de serie / lote -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,No pago y no entregado +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,No pago y no entregado DocType: Product Bundle,Parent Item,Producto padre / principal DocType: Account,Account Type,Tipo de Cuenta DocType: Delivery Note,DN-RET-,DN-RET- @@ -2529,8 +2534,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Monto Total Asignado apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Seleccionar la cuenta de inventario por defecto para el inventario perpetuo DocType: Item Reorder,Material Request Type,Tipo de Requisición -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Entrada de diario Accural para salarios de {0} a {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","Almacenamiento Local esta lleno, no se guardó" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Entrada de diario Accural para salarios de {0} a {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Almacenamiento Local esta lleno, no se guardó" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Línea {0}: El factor de conversión de (UdM) es obligatorio apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Referencia DocType: Budget,Cost Center,Centro de costos @@ -2548,7 +2553,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Impue apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Si la regla de precios está hecha para 'Precio', sobrescribirá la lista de precios actual. La regla de precios sera el valor final definido, así que no podrá aplicarse algún descuento. Por lo tanto, en las transacciones como Pedidos de venta, órdenes de compra, etc. el campo sera traído en lugar de utilizar 'Lista de precios'" apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Listar Oportunidades por Tipo de Industria DocType: Item Supplier,Item Supplier,Proveedor del producto -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el numero de lote" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el numero de lote" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},"Por favor, seleccione un valor para {0} quotation_to {1}" apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Todas las direcciones. DocType: Company,Stock Settings,Configuración de inventarios @@ -2575,7 +2580,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Cantidad real después apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},No se encontró nómina entre {0} y {1} ,Pending SO Items For Purchase Request,A la espera de la orden de compra (OC) para crear solicitud de compra (SC) apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admisión de Estudiantes -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} está desactivado +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} está desactivado DocType: Supplier,Billing Currency,Moneda de facturación DocType: Sales Invoice,SINV-RET-,FACT-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra grande @@ -2605,7 +2610,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Estado de la aplicación DocType: Fees,Fees,Matrícula DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especificar el tipo de cambio para convertir una moneda a otra -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,El presupuesto {0} se ha cancelado +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,El presupuesto {0} se ha cancelado apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Monto total pendiente DocType: Sales Partner,Targets,Objetivos DocType: Price List,Price List Master,Lista de precios principal @@ -2622,7 +2627,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorar la Regla Precios DocType: Employee Education,Graduate,Graduado DocType: Leave Block List,Block Days,Bloquear días DocType: Journal Entry,Excise Entry,Registro de impuestos especiales -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Advertencia: La orden de venta {0} ya existe para la orden de compra {1} del cliente +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Advertencia: La orden de venta {0} ya existe para la orden de compra {1} del cliente DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2660,14 +2665,14 @@ DocType: Packing Slip,If more than one package of the same type (for print),Si e ,Salary Register,Registro de Salario DocType: Warehouse,Parent Warehouse,Almacén Padre DocType: C-Form Invoice Detail,Net Total,Total Neto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},La lista de materiales predeterminada no se encontró para el Elemento {0} y el Proyecto {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Definir varios tipos de préstamos DocType: Bin,FCFS Rate,Cambio FCFS DocType: Payment Reconciliation Invoice,Outstanding Amount,Monto pendiente apps/erpnext/erpnext/templates/generators/bom.html +71,Time(in mins),Tiempo (en minutos) DocType: Project Task,Working,Trabajando DocType: Stock Ledger Entry,Stock Queue (FIFO),Cola de inventario (FIFO) -apps/erpnext/erpnext/public/js/setup_wizard.js +107,Financial Year,Año financiero +apps/erpnext/erpnext/public/js/setup_wizard.js +107,Financial Year,Año Financiero apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +39,{0} does not belong to Company {1},{0} no pertenece a la Compañía {1} apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +119,Cost as on,Computar como DocType: Account,Round Off,REDONDEOS @@ -2697,7 +2702,7 @@ DocType: Salary Detail,Condition and Formula Help,Condición y la Fórmula de Ay apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Administración de Territorios DocType: Journal Entry Account,Sales Invoice,Factura de venta DocType: Journal Entry Account,Party Balance,Saldo de tercero/s -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Por favor seleccione 'Aplicar descuento en' +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Por favor seleccione 'Aplicar descuento en' DocType: Company,Default Receivable Account,Cuenta por cobrar por defecto DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Crear asiento de banco para el salario total pagado según los siguientes criterios DocType: Stock Entry,Material Transfer for Manufacture,Trasferencia de material para producción @@ -2711,7 +2716,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Dirección del cliente DocType: Employee Loan,Loan Details,Detalles de préstamo DocType: Company,Default Inventory Account,Cuenta de Inventario Predeterminada -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Fila {0}: Cantidad completada debe ser mayor que cero. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Fila {0}: Cantidad completada debe ser mayor que cero. DocType: Purchase Invoice,Apply Additional Discount On,Aplicar descuento adicional en DocType: Account,Root Type,Tipo de root DocType: Item,FIFO,FIFO @@ -2728,7 +2733,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Inspección de Calidad apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Pequeño DocType: Company,Standard Template,Plantilla estándar DocType: Training Event,Theory,Teoría -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: La requisición de materiales es menor que la orden mínima establecida +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: La requisición de materiales es menor que la orden mínima establecida apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,La cuenta {0} está congelada DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidad Legal / Subsidiario con un Catalogo de Cuentas separado que pertenece a la Organización. DocType: Payment Request,Mute Email,Email Silenciado @@ -2752,7 +2757,7 @@ DocType: Training Event,Scheduled,Programado. apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Solicitud de cotización. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Por favor, seleccione el ítem donde ""Es Elemento de Stock"" es ""No"" y ""¿Es de artículos de venta"" es ""Sí"", y no hay otro paquete de producto" DocType: Student Log,Academic,Académico -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avance total ({0}) contra la Orden {1} no puede ser mayor que el Total ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avance total ({0}) contra la Orden {1} no puede ser mayor que el Total ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,"Seleccione la distribución mensual, para asignarla desigualmente en varios meses" DocType: Purchase Invoice Item,Valuation Rate,Tasa de Valoración DocType: Stock Reconciliation,SR/,SR / @@ -2816,6 +2821,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Monto DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Introduzca el nombre de la campaña, si la solicitud viene desde esta." apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Editores de periódicos apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Seleccione el año fiscal. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,La fecha de entrega esperada debe ser posterior a la fecha del pedido de cliente apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Nivel de reabastecimiento DocType: Company,Chart Of Accounts Template,Plantilla del catálogo de cuentas DocType: Attendance,Attendance Date,Fecha de Asistencia @@ -2847,7 +2853,7 @@ DocType: Pricing Rule,Discount Percentage,Porcentaje de descuento DocType: Payment Reconciliation Invoice,Invoice Number,Número de factura DocType: Shopping Cart Settings,Orders,Órdenes DocType: Employee Leave Approver,Leave Approver,Supervisor de ausencias -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Por favor seleccione un lote +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Por favor seleccione un lote DocType: Assessment Group,Assessment Group Name,Nombre del grupo de evaluación DocType: Manufacturing Settings,Material Transferred for Manufacture,Material transferido para manufacturar DocType: Expense Claim,"A user with ""Expense Approver"" role","Un usuario con rol de ""Supervisor de gastos""" @@ -2883,7 +2889,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Último día del siguiente mes DocType: Support Settings,Auto close Issue after 7 days,Cierre automático de incidencia después de 7 días apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deje no pueden ser distribuidas antes {0}, como balance de la licencia ya ha sido remitido equipaje en el futuro registro de asignación de permiso {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),"Nota: El Debido/Fecha de referencia, excede los días de créditos concedidos para el cliente por {0} día(s)" +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),"Nota: El Debido/Fecha de referencia, excede los días de créditos concedidos para el cliente por {0} día(s)" apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Estudiante Solicitante DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL PARA EL RECEPTOR DocType: Asset Category Account,Accumulated Depreciation Account,Cuenta de depreciación acumulada @@ -2894,7 +2900,7 @@ DocType: Item,Reorder level based on Warehouse,Nivel de reabastecimiento basado DocType: Activity Cost,Billing Rate,Monto de facturación ,Qty to Deliver,Cantidad a entregar ,Stock Analytics,Análisis de existencias. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Las operaciones no pueden dejarse en blanco +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Las operaciones no pueden dejarse en blanco DocType: Maintenance Visit Purpose,Against Document Detail No,Contra documento No. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tipo de parte es obligatorio DocType: Quality Inspection,Outgoing,Saliente @@ -2935,15 +2941,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Cantidad Disponible en Almacén apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Importe facturado DocType: Asset,Double Declining Balance,Doble Disminución de Saldo -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Orden cerrada no se puede cancelar. Abrir para cancelar. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Orden cerrada no se puede cancelar. Abrir para cancelar. DocType: Student Guardian,Father,Padre -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Actualización de Inventario' no se puede comprobar en venta de activos fijos +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Actualización de Inventario' no se puede comprobar en venta de activos fijos DocType: Bank Reconciliation,Bank Reconciliation,Conciliación bancaria DocType: Attendance,On Leave,De licencia apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obtener Actualizaciones apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: La cuenta {2} no pertenece a la Compañía {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Requisición de materiales {0} cancelada o detenida -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Agregar algunos registros de muestra +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Agregar algunos registros de muestra apps/erpnext/erpnext/config/hr.py +301,Leave Management,Gestión de ausencias apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Agrupar por cuenta DocType: Sales Order,Fully Delivered,Entregado completamente @@ -2952,12 +2958,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Una cuenta distinta debe ser del tipo Activo / Pasivo, ya que la reconciliación del stock es una entrada de apertura" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Monto desembolsado no puede ser mayor que Monto del préstamo {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Se requiere el numero de orden de compra para el producto {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Orden de producción no se ha creado +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Orden de producción no se ha creado apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Desde la fecha' debe ser después de 'Hasta Fecha' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},No se puede cambiar el estado de estudiante {0} está vinculada con la aplicación del estudiante {1} DocType: Asset,Fully Depreciated,Totalmente depreciado ,Stock Projected Qty,Cantidad de inventario proyectado -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Cliente {0} no pertenece al proyecto {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Cliente {0} no pertenece al proyecto {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Asistencia Marcada HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Las citas son propuestas, las ofertas que ha enviado a sus clientes" DocType: Sales Order,Customer's Purchase Order,Ordenes de compra de clientes @@ -2967,7 +2973,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Por favor, ajuste el número de amortizaciones Reservados" apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valor o Cantidad apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Pedidos de producción no pueden ser elevados para: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minuto +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minuto DocType: Purchase Invoice,Purchase Taxes and Charges,Impuestos y cargos sobre compras ,Qty to Receive,Cantidad a Recibir DocType: Leave Block List,Leave Block List Allowed,Lista de 'bloqueo de vacaciones / permisos' permitida @@ -2980,7 +2986,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Todos los proveedores DocType: Global Defaults,Disable In Words,Desactivar en palabras apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,El código del producto es obligatorio porque no es enumerado automáticamente -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},El presupuesto {0} no es del tipo {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},El presupuesto {0} no es del tipo {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Programa de mantenimiento de artículos DocType: Sales Order,% Delivered,% Entregado DocType: Production Order,PRO-,PRO- @@ -3003,7 +3009,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Correo electrónico de vendedor DocType: Project,Total Purchase Cost (via Purchase Invoice),Costo total de compra (vía facturas de compra) DocType: Training Event,Start Time,Hora de inicio -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Seleccione cantidad +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Seleccione cantidad DocType: Customs Tariff Number,Customs Tariff Number,Número de arancel aduanero apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,El rol que aprueba no puede ser igual que el rol al que se aplica la regla apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Darse de baja de este boletín por correo electrónico @@ -3027,7 +3033,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,Detalle PR DocType: Sales Order,Fully Billed,Totalmente Facturado apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Efectivo en caja -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Almacén de entrega requerido para el inventrio del producto {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Almacén de entrega requerido para el inventrio del producto {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),El peso bruto del paquete. Peso + embalaje Normalmente material neto . (para impresión) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Programa DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Los usuarios con este rol pueden establecer cuentas congeladas y crear / modificar los asientos contables para las mismas @@ -3036,7 +3042,7 @@ DocType: Student Group,Group Based On,Grupo Basado En DocType: Journal Entry,Bill Date,Fecha de factura apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","se requiere la reparación de artículos, tipo, frecuencia y cantidad de gastos" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Incluso si hay varias reglas de precios con mayor prioridad, se aplican entonces siguientes prioridades internas:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},¿De verdad quieres que presenten todas las nóminas de {0} a {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},¿De verdad quieres que presenten todas las nóminas de {0} a {1} DocType: Cheque Print Template,Cheque Height,Altura de Cheque DocType: Supplier,Supplier Details,Detalles del proveedor DocType: Expense Claim,Approval Status,Estado de Aprobación @@ -3058,7 +3064,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Iniciativa a Presupu apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nada más para mostrar. DocType: Lead,From Customer,Desde cliente apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Llamadas -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Lotes +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Lotes DocType: Project,Total Costing Amount (via Time Logs),Importe total calculado (a través de la gestión de tiempos) DocType: Purchase Order Item Supplied,Stock UOM,Unidad de media utilizada en el almacen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,La orden de compra {0} no se encuentra validada @@ -3089,7 +3095,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Devolución contra fac DocType: Item,Warranty Period (in days),Período de garantía (en días) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relación con Tutor1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Efectivo neto de las operaciones -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,por ejemplo IVA +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,por ejemplo IVA apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Elemento 4 DocType: Student Admission,Admission End Date,Fecha de finalización de la admisión apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subcontratación @@ -3097,7 +3103,7 @@ DocType: Journal Entry Account,Journal Entry Account,Cuenta de asiento contable apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupo de Estudiantes DocType: Shopping Cart Settings,Quotation Series,Series de Presupuestos apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Existe un elemento con el mismo nombre ({0} ) , cambie el nombre del grupo de artículos o cambiar el nombre del elemento" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,"Por favor, seleccione al cliente" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,"Por favor, seleccione al cliente" DocType: C-Form,I,yo DocType: Company,Asset Depreciation Cost Center,Centro de la amortización del coste de los activos DocType: Sales Order Item,Sales Order Date,Fecha de las órdenes de venta @@ -3108,6 +3114,7 @@ DocType: Stock Settings,Limit Percent,límite de porcentaje ,Payment Period Based On Invoice Date,Periodos de pago según facturas apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Se requiere la tasa de cambio para {0} DocType: Assessment Plan,Examiner,Examinador +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Establezca Naming Series para {0} mediante Configuración> Configuración> Nombrar Series DocType: Student,Siblings,Hermanos DocType: Journal Entry,Stock Entry,Entradas de inventario DocType: Payment Entry,Payment References,Referencias del Pago @@ -3132,7 +3139,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Dónde se realizan las operaciones de producción DocType: Asset Movement,Source Warehouse,Almacén de origen DocType: Installation Note,Installation Date,Fecha de Instalación -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Fila # {0}: Activo {1} no pertenece a la empresa {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Fila # {0}: Activo {1} no pertenece a la empresa {2} DocType: Employee,Confirmation Date,Fecha de confirmación DocType: C-Form,Total Invoiced Amount,Total Facturado apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,La cantidad mínima no puede ser mayor que la cantidad maxima @@ -3205,7 +3212,7 @@ DocType: Company,Default Letter Head,Encabezado predeterminado DocType: Purchase Order,Get Items from Open Material Requests,Obtener elementos de solicitudes de materiales abiertas DocType: Item,Standard Selling Rate,Precio de venta estándar DocType: Account,Rate at which this tax is applied,Valor por el cual el impuesto es aplicado -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Cantidad a reabastecer +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Cantidad a reabastecer apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Ofertas de empleo actuales DocType: Company,Stock Adjustment Account,Cuenta de ajuste de existencias apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Desajuste @@ -3219,7 +3226,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Proveedor entrega al Cliente apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0}) está agotado apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,La fecha siguiente debe ser mayor que la fecha de publicación -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Vencimiento / Fecha de referencia no puede ser posterior a {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Vencimiento / Fecha de referencia no puede ser posterior a {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Importación y exportación de datos apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,No se han encontrado estudiantes apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Fecha de la factura de envío @@ -3239,12 +3246,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Basado en la asistencia de este estudiante apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,No hay estudiantes en apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Añadir más elementos o abrir formulario completo -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Por favor, introduzca 'la fecha prevista de entrega'" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,La nota de entrega {0} debe ser cancelada antes de cancelar esta orden ventas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,La nota de entrega {0} debe ser cancelada antes de cancelar esta orden ventas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,"El total de la cantidad pagada + desajuste, no puede ser mayor que el gran total" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} no es un número de lote válido para el artículo {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Nota : No cuenta con suficientes días para la ausencia del tipo {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN no válido o Enter NA para No registrado +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN no válido o Enter NA para No registrado DocType: Training Event,Seminar,Seminario DocType: Program Enrollment Fee,Program Enrollment Fee,Cuota de Inscripción al Programa DocType: Item,Supplier Items,Artículos de proveedor @@ -3262,7 +3268,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Antigüedad de existencias apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Estudiante {0} existe contra la solicitud de estudiante {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Registro de Horas -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' está deshabilitado +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' está deshabilitado apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Establecer como abierto/a DocType: Cheque Print Template,Scanned Cheque,Cheque Scaneado DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Enviar correos electrónicos automáticos a contactos al momento de registrase una transacción @@ -3308,7 +3314,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Tipo de cambio para la lista de precios DocType: Purchase Invoice Item,Rate,Precio apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Interno -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Nombre de la dirección +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Nombre de la dirección DocType: Stock Entry,From BOM,Desde lista de materiales (LdM) DocType: Assessment Code,Assessment Code,Código Evaluación apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Base @@ -3321,20 +3327,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Estructura salarial DocType: Account,Bank,Banco apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Línea aérea -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Distribuir materiales +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Distribuir materiales DocType: Material Request Item,For Warehouse,Para el almacén DocType: Employee,Offer Date,Fecha de oferta apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Presupuestos -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Usted está en modo fuera de línea. Usted no será capaz de recargar hasta que tenga conexión a red. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Usted está en modo fuera de línea. Usted no será capaz de recargar hasta que tenga conexión a red. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,No se crearon grupos de estudiantes. DocType: Purchase Invoice Item,Serial No,Número de serie apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Cantidad mensual La devolución no puede ser mayor que monto del préstamo apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Por favor ingrese primero los detalles del mantenimiento +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Fila # {0}: La fecha de entrega esperada no puede ser anterior a la fecha de la orden de compra DocType: Purchase Invoice,Print Language,Lenguaje de impresión DocType: Salary Slip,Total Working Hours,Horas de trabajo total DocType: Stock Entry,Including items for sub assemblies,Incluir productos para subconjuntos -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,El valor introducido debe ser positivo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Código del artículo> Grupo de artículos> Marca +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,El valor introducido debe ser positivo apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Todos los Territorios DocType: Purchase Invoice,Items,Productos apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Estudiante ya está inscrito. @@ -3356,7 +3362,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unidad de medida predeterminada para variante '{0}' debe ser la mismo que en la plantilla '{1}' DocType: Shipping Rule,Calculate Based On,Calculo basado en DocType: Delivery Note Item,From Warehouse,De Almacén -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,No hay artículos con la lista de materiales para la fabricación de +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,No hay artículos con la lista de materiales para la fabricación de DocType: Assessment Plan,Supervisor Name,Nombre del supervisor DocType: Program Enrollment Course,Program Enrollment Course,Curso de inscripción en el programa DocType: Purchase Taxes and Charges,Valuation and Total,Valuación y Total @@ -3371,32 +3377,33 @@ DocType: Training Event Employee,Attended,Asistido apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Días desde la última orden' debe ser mayor que o igual a cero DocType: Process Payroll,Payroll Frequency,Frecuencia de la Nómina DocType: Asset,Amended From,Modificado Desde -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Materia prima +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Materia prima DocType: Leave Application,Follow via Email,Seguir a través de correo electronico apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Plantas y Maquinarias DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Total impuestos después del descuento DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ajustes de Resumen Diario de Trabajo -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Moneda de la lista de precios {0} no es similar con la moneda seleccionada {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Moneda de la lista de precios {0} no es similar con la moneda seleccionada {1} DocType: Payment Entry,Internal Transfer,Transferencia interna apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,"No es posible eliminar esta cuenta, ya que existe una sub-cuenta" apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Es obligatoria la meta de facturacion apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No existe una lista de materiales por defecto para el elemento {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Por favor, seleccione fecha de publicación primero" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Por favor, seleccione fecha de publicación primero" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Fecha de apertura debe ser antes de la Fecha de Cierre DocType: Leave Control Panel,Carry Forward,Trasladar apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,El centro de costos con transacciones existentes no se puede convertir a libro mayor DocType: Department,Days for which Holidays are blocked for this department.,Días en que las vacaciones / permisos se bloquearan para este departamento. ,Produced,Producido -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Nóminas creadas +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Nóminas creadas DocType: Item,Item Code for Suppliers,Código del producto para proveedores DocType: Issue,Raised By (Email),Propuesto por (Email) DocType: Training Event,Trainer Name,Nombre del entrenador DocType: Mode of Payment,General,General apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Última Comunicación apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',No se puede deducir cuando categoría es para ' Valoración ' o ' de Valoración y Total ' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumere sus obligaciones fiscales (Ejemplo; Impuestos, aduanas, etc.) deben tener nombres únicos y sus tarifas por defecto. Esto creará una plantilla estándar, que podrá editar más tarde." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumere sus obligaciones fiscales (Ejemplo; Impuestos, aduanas, etc.) deben tener nombres únicos y sus tarifas por defecto. Esto creará una plantilla estándar, que podrá editar más tarde." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Número de serie requerido para el producto serializado {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Conciliacion de pagos con facturas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},"Fila # {0}: Por favor, introduzca la Fecha de Entrega con el ítem {1}" DocType: Journal Entry,Bank Entry,Registro de Banco DocType: Authorization Rule,Applicable To (Designation),Aplicables a (Puesto) ,Profitability Analysis,Cuenta de Resultados @@ -3412,17 +3419,18 @@ DocType: Quality Inspection,Item Serial No,Nº de Serie del producto apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Crear registros de empleados apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total Presente apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Declaraciones de contabilidad -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Hora +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Hora apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,El número de serie no tiene almacén asignado. El almacén debe establecerse por entradas de inventario o recibos de compra DocType: Lead,Lead Type,Tipo de iniciativa apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Usted no está autorizado para aprobar ausencias en fechas bloqueadas -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Todos estos elementos ya fueron facturados +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Todos estos elementos ya fueron facturados +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Objetivo mensual de ventas apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Puede ser aprobado por {0} DocType: Item,Default Material Request Type,El material predeterminado Tipo de solicitud apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Desconocido DocType: Shipping Rule,Shipping Rule Conditions,Condiciones de regla envío DocType: BOM Replace Tool,The new BOM after replacement,Nueva lista de materiales después de la sustitución -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Punto de Venta +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Punto de Venta DocType: Payment Entry,Received Amount,Cantidad recibida DocType: GST Settings,GSTIN Email Sent On,Se envía el correo electrónico de GSTIN DocType: Program Enrollment,Pick/Drop by Guardian,Recoger/Soltar por Tutor @@ -3437,8 +3445,8 @@ DocType: C-Form,Invoices,Facturas DocType: Batch,Source Document Name,Nombre del documento de origen DocType: Job Opening,Job Title,Título del trabajo apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Crear usuarios -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gramo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,La cantidad a producir debe ser mayor que 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gramo +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,La cantidad a producir debe ser mayor que 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Reporte de visitas para mantenimiento DocType: Stock Entry,Update Rate and Availability,Actualización de tarifas y disponibilidad DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"El porcentaje que ud. tiene permitido para recibir o enviar mas de la cantidad ordenada. Por ejemplo: Si ha pedido 100 unidades, y su asignación es del 10%, entonces tiene permitido recibir hasta 110 unidades." @@ -3450,7 +3458,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Por favor primero cancele la Factura de Compra {0} apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Dirección de correo electrónico debe ser única, ya existe para {0}" DocType: Serial No,AMC Expiry Date,Fecha de caducidad de CMA (Contrato de Mantenimiento Anual) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Recibo +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Recibo ,Sales Register,Registro de ventas DocType: Daily Work Summary Settings Company,Send Emails At,Enviar Correos Electrónicos a DocType: Quotation,Quotation Lost Reason,Razón de la Pérdida @@ -3463,14 +3471,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,¡Aún no hay apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Estado de Flujos de Efectivo apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Monto del préstamo no puede exceder cantidad máxima del préstamo de {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licencia -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},"Por favor, elimine esta factura {0} de C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},"Por favor, elimine esta factura {0} de C-Form {1}" DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor seleccione 'trasladar' si usted desea incluir los saldos del año fiscal anterior a este año DocType: GL Entry,Against Voucher Type,Tipo de comprobante DocType: Item,Attributes,Atributos apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Por favor, ingrese la cuenta de desajuste" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Fecha del último pedido apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},La cuenta {0} no pertenece a la compañía {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Los números de serie en la fila {0} no coinciden con Nota de entrega +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Los números de serie en la fila {0} no coinciden con Nota de entrega DocType: Student,Guardian Details,Detalles del Tutor DocType: C-Form,C-Form,C - Forma apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Marcar Asistencia para múltiples empleados @@ -3502,16 +3510,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ti DocType: Tax Rule,Sales,Ventas DocType: Stock Entry Detail,Basic Amount,Importe Base DocType: Training Event,Exam,Examen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},El almacén es requerido para el stock del producto {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},El almacén es requerido para el stock del producto {0} DocType: Leave Allocation,Unused leaves,Ausencias no utilizadas -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cred +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cred DocType: Tax Rule,Billing State,Región de facturación apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transferencia apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} no asociada a la cuenta del partido {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Buscar lista de materiales (LdM) incluyendo subconjuntos +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Buscar lista de materiales (LdM) incluyendo subconjuntos DocType: Authorization Rule,Applicable To (Employee),Aplicable a ( Empleado ) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,La fecha de vencimiento es obligatoria apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Incremento de Atributo {0} no puede ser 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio DocType: Journal Entry,Pay To / Recd From,Pagar a / Recibido de DocType: Naming Series,Setup Series,Configurar secuencias DocType: Payment Reconciliation,To Invoice Date,Fecha para Factura @@ -3538,7 +3547,7 @@ DocType: Journal Entry,Write Off Based On,Desajuste basado en apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Hacer una Iniciativa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Impresión y Papelería DocType: Stock Settings,Show Barcode Field,Mostrar Campo de código de barras -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Enviar mensajes de correo electrónico al proveedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Enviar mensajes de correo electrónico al proveedor apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salario ya procesado para el período entre {0} y {1}, Deja período de aplicación no puede estar entre este intervalo de fechas." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,El registro de la instalación para un número de serie DocType: Guardian Interest,Guardian Interest,Interés del Tutor @@ -3551,7 +3560,7 @@ DocType: Offer Letter,Awaiting Response,Esperando Respuesta apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Arriba apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},atributo no válido {0} {1} DocType: Supplier,Mention if non-standard payable account,Mencionar si la cuenta no es cuenta estándar a pagar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},El mismo Producto fue ingresado multiple veces {list} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},El mismo Producto fue ingresado multiple veces {list} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Seleccione el grupo de evaluación que no sea 'Todos los grupos de evaluación' DocType: Salary Slip,Earning & Deduction,Ingresos y Deducciones apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcional. Esta configuración es utilizada para filtrar la cuenta de otras transacciones @@ -3570,7 +3579,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Costo del activo desechado apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Costes es obligatorio para el artículo {2} DocType: Vehicle,Policy No,N° de Política -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Obtener Productos del Paquete de Productos +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Obtener Productos del Paquete de Productos DocType: Asset,Straight Line,Línea Recta DocType: Project User,Project User,usuario proyecto apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,División @@ -3582,6 +3591,7 @@ DocType: Sales Team,Contact No.,Contacto No. DocType: Bank Reconciliation,Payment Entries,Entradas de Pago DocType: Production Order,Scrap Warehouse,Almacén de chatarra DocType: Production Order,Check if material transfer entry is not required,Compruebe si la entrada de transferencia de material no es necesaria +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Por favor, configure el sistema de nombres de empleado en recursos humanos> Configuración de recursos humanos" DocType: Program Enrollment Tool,Get Students From,Obtener Estudiantes Desde DocType: Hub Settings,Seller Country,País de vendedor apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publicar artículos en la página web @@ -3599,19 +3609,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especificar condiciones para calcular el monto del envío DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol que permite definir cuentas congeladas y editar asientos congelados apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valor de Apertura +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Valor de Apertura DocType: Salary Detail,Formula,Fórmula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Comisiones sobre ventas DocType: Offer Letter Term,Value / Description,Valor / Descripción -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: el elemento {1} no puede ser presentado, ya es {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: el elemento {1} no puede ser presentado, ya es {2}" DocType: Tax Rule,Billing Country,País de facturación DocType: Purchase Order Item,Expected Delivery Date,Fecha prevista de entrega apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,El Débito y Crédito no es igual para {0} # {1}. La diferencia es {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,GASTOS DE ENTRETENIMIENTO apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Hacer Solicitud de materiales apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Abrir elemento {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La factura {0} debe ser cancelada antes de cancelar esta orden ventas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La factura {0} debe ser cancelada antes de cancelar esta orden ventas apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Edad DocType: Sales Invoice Timesheet,Billing Amount,Monto de facturación apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,La cantidad especificada es inválida para el elemento {0}. La cantidad debe ser mayor que 0 . @@ -3634,7 +3644,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Ingresos del nuevo cliente apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Gastos de Viaje DocType: Maintenance Visit,Breakdown,Desglose -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con divisa: {1} no puede ser seleccionada +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con divisa: {1} no puede ser seleccionada DocType: Bank Reconciliation Detail,Cheque Date,Fecha del cheque apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: la cuenta padre {1} no pertenece a la empresa: {2} DocType: Program Enrollment Tool,Student Applicants,Estudiante Solicitantes @@ -3654,11 +3664,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planif DocType: Material Request,Issued,Emitido apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Actividad del Estudiante DocType: Project,Total Billing Amount (via Time Logs),Importe total de facturación (a través de la gestión de tiempos) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Vendemos este producto +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Vendemos este producto apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ID de Proveedor DocType: Payment Request,Payment Gateway Details,Detalles de Pasarela de Pago -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Cantidad debe ser mayor que 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Datos de Muestra +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Cantidad debe ser mayor que 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Datos de Muestra DocType: Journal Entry,Cash Entry,Entrada de caja apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Los nodos hijos sólo pueden ser creados bajo los nodos de tipo "grupo" DocType: Leave Application,Half Day Date,Fecha de Medio Día @@ -3667,17 +3677,18 @@ DocType: Sales Partner,Contact Desc,Desc. de Contacto apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tipo de vacaciones como, enfermo, casual, etc." DocType: Email Digest,Send regular summary reports via Email.,Enviar informes resumidos periódicamente por correo electrónico. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Por favor, establece de forma predeterminada en cuenta Tipo de Gastos {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},"Por favor, establece de forma predeterminada en cuenta Tipo de Gastos {0}" DocType: Assessment Result,Student Name,Nombre del estudiante DocType: Brand,Item Manager,Administración de artículos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Nómina por Pagar DocType: Buying Settings,Default Supplier Type,Tipos de Proveedores DocType: Production Order,Total Operating Cost,Costo Total de Funcionamiento -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Nota : El producto {0} ha sido ingresado varias veces +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Nota : El producto {0} ha sido ingresado varias veces apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Todos los Contactos. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Establezca su objetivo apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abreviatura de la compañia apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,El usuario {0} no existe -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,La materia prima no puede ser la misma que el producto principal +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,La materia prima no puede ser la misma que el producto principal DocType: Item Attribute Value,Abbreviation,Abreviación apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Entrada de pago ya existe apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,No autorizado desde {0} excede los límites @@ -3695,7 +3706,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Rol que permite editar ,Territory Target Variance Item Group-Wise,Territory Target Variance Item Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Todas las categorías de clientes apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,acumulado Mensual -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Posiblemente el registro de cambio de moneda no ha sido creado para {1} hasta {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Posiblemente el registro de cambio de moneda no ha sido creado para {1} hasta {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Plantilla de impuestos es obligatorio. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Cuenta {0}: la cuenta padre {1} no existe DocType: Purchase Invoice Item,Price List Rate (Company Currency),Tarifa de la lista de precios (Divisa por defecto) @@ -3706,7 +3717,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Porcentaje de asi apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secretaria DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Si se desactiva, el campo 'En Palabras' no será visible en ninguna transacción." DocType: Serial No,Distinct unit of an Item,Unidad distinta del producto -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Por favor seleccione Compañía +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Por favor seleccione Compañía DocType: Pricing Rule,Buying,Compras DocType: HR Settings,Employee Records to be created by,Los registros de empleados se crearán por DocType: POS Profile,Apply Discount On,Aplicar de descuento en @@ -3717,7 +3728,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detalle de Impuestos apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Abreviatura del Instituto ,Item-wise Price List Rate,Detalle del listado de precios -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Presupuesto de Proveedor +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Presupuesto de Proveedor DocType: Quotation,In Words will be visible once you save the Quotation.,'En palabras' será visible una vez guarde el Presupuesto apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Cantidad ({0}) no puede ser una fracción en la fila {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Cobrar cuotas @@ -3740,7 +3751,7 @@ Updated via 'Time Log'",en minutos actualizado a través de bitácora (gestión DocType: Customer,From Lead,Desde Iniciativa apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Las órdenes publicadas para la producción. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Seleccione el año fiscal... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,Se requiere un perfil de TPV para crear entradas en el punto de venta +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,Se requiere un perfil de TPV para crear entradas en el punto de venta DocType: Program Enrollment Tool,Enroll Students,Inscribir Estudiantes DocType: Hub Settings,Name Token,Nombre de Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Venta estándar @@ -3758,7 +3769,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Diferencia del valor de inven apps/erpnext/erpnext/config/learn.py +234,Human Resource,Recursos Humanos DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pago para reconciliación de saldo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Impuestos pagados -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},La Orden de Producción ha sido {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},La Orden de Producción ha sido {0} DocType: BOM Item,BOM No,Lista de materiales (LdM) No. DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,El asiento {0} no tiene cuenta de {1} o ya esta enlazado con otro comprobante @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Subir l apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Saldo pendiente DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Establecer objetivos en los grupos de productos para este vendedor DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelar stock mayores a [Days] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Fila # {0}: el elemento es obligatorio para los activos fijos de compra / venta +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Fila # {0}: el elemento es obligatorio para los activos fijos de compra / venta apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si dos o más reglas de precios se encuentran basados en las condiciones anteriores, se aplicará prioridad. La prioridad es un número entre 0 a 20 mientras que el valor por defecto es cero (en blanco). Un número más alto significa que va a prevalecer si hay varias reglas de precios con mismas condiciones." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,El año fiscal: {0} no existe DocType: Currency Exchange,To Currency,A moneda @@ -3780,7 +3791,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tipos de reembolsos apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},La tasa de venta del elemento {0} es menor que su {1}. La tarifa de venta debe ser al menos {2} DocType: Item,Taxes,Impuestos -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Pagados y no entregados +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Pagados y no entregados DocType: Project,Default Cost Center,Centro de costos por defecto DocType: Bank Guarantee,End Date,Fecha final apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transacciones de Stock @@ -3797,7 +3808,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Configuración del resumen de Trabajo Diario de la empresa apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,El producto {0} ha sido ignorado ya que no es un elemento de stock DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Enviar esta orden de producción para su posterior procesamiento. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Enviar esta orden de producción para su posterior procesamiento. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Para no utilizar la regla de precios en una única transacción, todas las reglas de precios aplicables deben ser desactivadas." DocType: Assessment Group,Parent Assessment Group,Grupo de Evaluación de Padres apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Trabajos @@ -3805,10 +3816,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Trabajos DocType: Employee,Held On,Retenida en apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Elemento de producción ,Employee Information,Información del empleado -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Porcentaje (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Porcentaje (%) DocType: Stock Entry Detail,Additional Cost,Costo adicional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"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" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Crear oferta de venta de un proveedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Crear oferta de venta de un proveedor DocType: Quality Inspection,Incoming,Entrante DocType: BOM,Materials Required (Exploded),Materiales necesarios (despiece) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",Añadir otros usuarios a su organización @@ -3824,7 +3835,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Cuenta: {0} sólo puede ser actualizada mediante transacciones de inventario DocType: Student Group Creation Tool,Get Courses,Obtener Cursos DocType: GL Entry,Party,Tercero -DocType: Sales Order,Delivery Date,Fecha de entrega +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Fecha de entrega DocType: Opportunity,Opportunity Date,Fecha de oportunidad DocType: Purchase Receipt,Return Against Purchase Receipt,Devolución contra recibo compra DocType: Request for Quotation Item,Request for Quotation Item,Ítems de Solicitud de Presupuesto @@ -3838,7 +3849,7 @@ DocType: Task,Actual Time (in Hours),Tiempo real (en horas) DocType: Employee,History In Company,Historia en la Compañia apps/erpnext/erpnext/config/learn.py +107,Newsletters,Boletines DocType: Stock Ledger Entry,Stock Ledger Entry,Entradas en el mayor de inventarios -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,El mismo artículo se ha introducido varias veces +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,El mismo artículo se ha introducido varias veces DocType: Department,Leave Block List,Dejar lista de bloqueo DocType: Sales Invoice,Tax ID,ID de impuesto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,"El producto {0} no está configurado para utilizar Números de Serie, la columna debe permanecer en blanco" @@ -3856,25 +3867,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Negro DocType: BOM Explosion Item,BOM Explosion Item,Desplegar lista de materiales (LdM) del producto DocType: Account,Auditor,Auditor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} artículos producidos +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} artículos producidos DocType: Cheque Print Template,Distance from top edge,Distancia desde el borde superior apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Lista de precios {0} está desactivada o no existe DocType: Purchase Invoice,Return,Retornar DocType: Production Order Operation,Production Order Operation,Operación en la orden de producción DocType: Pricing Rule,Disable,Desactivar -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Forma de pago se requiere para hacer un pago +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Forma de pago se requiere para hacer un pago DocType: Project Task,Pending Review,Pendiente de revisar apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} no está inscrito en el Lote {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Activo {0} no puede ser desechado, debido a que ya es {1}" DocType: Task,Total Expense Claim (via Expense Claim),Total reembolso (Vía reembolso de gastos) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marcar Ausente -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Fila {0}: Divisa de la lista de materiales # {1} debe ser igual a la moneda seleccionada {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Fila {0}: Divisa de la lista de materiales # {1} debe ser igual a la moneda seleccionada {2} DocType: Journal Entry Account,Exchange Rate,Tipo de cambio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,La órden de venta {0} no esta validada +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,La órden de venta {0} no esta validada DocType: Homepage,Tag Line,tag Line DocType: Fee Component,Fee Component,Componente de Couta apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Gestión de Flota -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Agregar elementos de +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Agregar elementos de DocType: Cheque Print Template,Regular,Regular apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Coeficiente de ponderación total de todos los criterios de evaluación debe ser del 100% DocType: BOM,Last Purchase Rate,Tasa de cambio de última compra @@ -3895,12 +3906,12 @@ DocType: Employee,Reports to,Enviar Informes a DocType: SMS Settings,Enter url parameter for receiver nos,Introduzca el parámetro url para los números de los receptores DocType: Payment Entry,Paid Amount,Cantidad Pagada DocType: Assessment Plan,Supervisor,Supervisor -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,En línea +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,En línea ,Available Stock for Packing Items,Inventario Disponible de Artículos de Embalaje DocType: Item Variant,Item Variant,Variante del producto DocType: Assessment Result Tool,Assessment Result Tool,Herramienta Resultado de la Evaluación DocType: BOM Scrap Item,BOM Scrap Item,BOM de Artículo de Desguace -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Ordenes presentada no se pueden eliminar +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Ordenes presentada no se pueden eliminar apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Balance de la cuenta ya en Débito, no le está permitido establecer ""Balance Debe Ser"" como ""Crédito""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestión de Calidad apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Elemento {0} ha sido desactivado @@ -3931,7 +3942,7 @@ DocType: Item Group,Default Expense Account,Cuenta de gastos por defecto apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ID de Correo Electrónico de Estudiante DocType: Employee,Notice (days),Aviso (días) DocType: Tax Rule,Sales Tax Template,Plantilla de impuesto sobre ventas -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Seleccione artículos para guardar la factura +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Seleccione artículos para guardar la factura DocType: Employee,Encashment Date,Fecha de cobro DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Ajuste de existencias @@ -3979,10 +3990,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Despach apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Descuento máximo permitido para el producto: {0} es {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Valor neto de activos como en DocType: Account,Receivable,A cobrar -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: No se permite cambiar de proveedores debido a que la Orden de Compra ya existe +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: No se permite cambiar de proveedores debido a que la Orden de Compra ya existe DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol autorizado para validar las transacciones que excedan los límites de crédito establecidos. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Seleccionar artículos para Fabricación -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Sincronización de datos Maestros, puede tomar algún tiempo" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Seleccionar artículos para Fabricación +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Sincronización de datos Maestros, puede tomar algún tiempo" DocType: Item,Material Issue,Expedición de Material DocType: Hub Settings,Seller Description,Descripción del vendedor DocType: Employee Education,Qualification,Calificación @@ -4003,11 +4014,10 @@ DocType: BOM,Rate Of Materials Based On,Valor de materiales basado en apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Soporte Analítico apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Desmarcar todos DocType: POS Profile,Terms and Conditions,Términos y condiciones -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Por favor, configure el sistema de nombres de empleado en recursos humanos> Configuración de recursos humanos" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},La fecha debe estar dentro del año fiscal. Asumiendo a la fecha = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aquí usted puede ingresar la altura, el peso, alergias, problemas médicos, etc." DocType: Leave Block List,Applies to Company,Se aplica a la empresa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,No se puede cancelar debido a que existe una entrada en el almacén {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,No se puede cancelar debido a que existe una entrada en el almacén {0} DocType: Employee Loan,Disbursement Date,Fecha de desembolso DocType: Vehicle,Vehicle,Vehículo DocType: Purchase Invoice,In Words,En palabras @@ -4045,7 +4055,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Configuración global DocType: Assessment Result Detail,Assessment Result Detail,Detalle del Resultado de la Evaluación DocType: Employee Education,Employee Education,Educación del empleado apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Se encontró grupo de artículos duplicado en la table de grupo de artículos -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Se necesita a buscar Detalles del artículo. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Se necesita a buscar Detalles del artículo. DocType: Salary Slip,Net Pay,Pago Neto DocType: Account,Account,Cuenta apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,El número de serie {0} ya ha sido recibido @@ -4053,7 +4063,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Bitácora del Vehiculo DocType: Purchase Invoice,Recurring Id,ID recurrente DocType: Customer,Sales Team Details,Detalles del equipo de ventas. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Eliminar de forma permanente? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Eliminar de forma permanente? DocType: Expense Claim,Total Claimed Amount,Total reembolso apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Oportunidades de venta. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},No válida {0} @@ -4065,7 +4075,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Configura tu Escuela en ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Importe de Cambio Base (Divisa de la Empresa) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,No hay asientos contables para los siguientes almacenes -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Guarde el documento primero. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Guarde el documento primero. DocType: Account,Chargeable,Devengable DocType: Company,Change Abbreviation,Cambiar abreviación DocType: Expense Claim Detail,Expense Date,Fecha de gasto @@ -4079,7 +4089,6 @@ DocType: BOM,Manufacturing User,Usuario de Producción DocType: Purchase Invoice,Raw Materials Supplied,Materias primas suministradas DocType: Purchase Invoice,Recurring Print Format,Formato de impresión recurrente DocType: C-Form,Series,Secuencia -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,La fecha prevista de entrega no puede ser menor que la fecha de la orden de compra DocType: Appraisal,Appraisal Template,Plantilla de evaluación DocType: Item Group,Item Classification,Clasificación de producto apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Gerente de desarrollo de negocios @@ -4118,12 +4127,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Seleccione apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Eventos/Resultados de Entrenamiento apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,La depreciación acumulada como en DocType: Sales Invoice,C-Form Applicable,C -Forma Aplicable -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},El tiempo de operación debe ser mayor que 0 para {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},El tiempo de operación debe ser mayor que 0 para {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Almacén es obligatorio DocType: Supplier,Address and Contacts,Dirección y contactos DocType: UOM Conversion Detail,UOM Conversion Detail,Detalles de conversión de unidad de medida (UdM) DocType: Program,Program Abbreviation,Abreviatura del Programa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,La orden de producción no se puede asignar a una plantilla de producto +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,La orden de producción no se puede asignar a una plantilla de producto apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Los cargos se actualizan en el recibo de compra por cada producto DocType: Warranty Claim,Resolved By,Resuelto por DocType: Bank Guarantee,Start Date,Fecha de inicio @@ -4158,6 +4167,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Comentarios del entrenamiento apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,La orden de producción {0} debe ser validada apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Por favor, seleccione Fecha de inicio y Fecha de finalización para el elemento {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Establezca un objetivo de ventas que desee alcanzar. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Curso es obligatorio en la fila {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,La fecha no puede ser anterior a la fecha actual DocType: Supplier Quotation Item,Prevdoc DocType,DocType Previo @@ -4175,7 +4185,7 @@ DocType: Account,Income,Ingresos DocType: Industry Type,Industry Type,Tipo de industria apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Algo salió mal! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Advertencia: La solicitud de ausencia contiene las siguientes fechas bloqueadas -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,La factura {0} ya ha sido validada +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,La factura {0} ya ha sido validada DocType: Assessment Result Detail,Score,Puntuación apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Año Fiscal {0} no existe apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Fecha de finalización @@ -4205,7 +4215,7 @@ DocType: Naming Series,Help HTML,Ayuda 'HTML' DocType: Student Group Creation Tool,Student Group Creation Tool,Herramienta de creación de grupo de alumnos DocType: Item,Variant Based On,Variante basada en apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Peso total asignado debe ser de 100 %. Es {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Sus Proveedores +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Sus Proveedores apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"No se puede definir como pérdida, cuando la orden de venta esta hecha." DocType: Request for Quotation Item,Supplier Part No,Parte de Proveedor Nro apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"No se puede deducir cuando la categoría es 'de Valoración ""o"" Vaulation y Total'" @@ -4215,14 +4225,14 @@ DocType: Item,Has Serial No,Posee numero de serie DocType: Employee,Date of Issue,Fecha de Emisión. apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Desde {0} hasta {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Según las Configuraciones de Compras si el Recibo de Compra es Obligatorio == 'Si', para crear la Factura de Compra el usuario necesita crear el Recibo de Compra primero para el item {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Fila # {0}: Asignar Proveedor para el elemento {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Fila {0}: valor Horas debe ser mayor que cero. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Fila # {0}: Asignar Proveedor para el elemento {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Fila {0}: valor Horas debe ser mayor que cero. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Sitio web Imagen {0} unido al artículo {1} no se puede encontrar DocType: Issue,Content Type,Tipo de contenido apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Computadora DocType: Item,List this Item in multiple groups on the website.,Listar este producto en múltiples grupos del sitio web. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Por favor, consulte la opción Multi moneda para permitir cuentas con otra divisa" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,El producto: {0} no existe en el sistema +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,El producto: {0} no existe en el sistema apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Usted no está autorizado para definir el 'valor congelado' DocType: Payment Reconciliation,Get Unreconciled Entries,Verificar entradas no conciliadas DocType: Payment Reconciliation,From Invoice Date,Desde Fecha de la Factura @@ -4248,7 +4258,7 @@ DocType: Stock Entry,Default Source Warehouse,Almacén de origen DocType: Item,Customer Code,Código de Cliente apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Recordatorio de cumpleaños para {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Días desde la última orden -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,La cuenta de débito debe pertenecer a las cuentas de balance +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,La cuenta de débito debe pertenecer a las cuentas de balance DocType: Buying Settings,Naming Series,Secuencias e identificadores DocType: Leave Block List,Leave Block List Name,Nombre de la Lista de Bloqueo de Vacaciones apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,La fecha de comienzo del seguro debe ser menos que la fecha de fin del seguro @@ -4265,7 +4275,7 @@ DocType: Vehicle Log,Odometer,Cuentakilómetros DocType: Sales Order Item,Ordered Qty,Cantidad ordenada apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Artículo {0} está deshabilitado DocType: Stock Settings,Stock Frozen Upto,Inventario congelado hasta -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM no contiene ningún artículo de stock +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM no contiene ningún artículo de stock apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Fechas de Periodo Desde y Período Hasta obligatorias para los recurrentes {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Actividad del proyecto / tarea. DocType: Vehicle Log,Refuelling Details,Detalles de repostaje @@ -4275,7 +4285,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Última tasa de compra no encontrada DocType: Purchase Invoice,Write Off Amount (Company Currency),Saldo de perdidas y ganancias (Divisa por defecto) DocType: Sales Invoice Timesheet,Billing Hours,Horas de facturación -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM por defecto para {0} no encontrado +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM por defecto para {0} no encontrado apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Fila # {0}: Configure la cantidad de pedido apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Toca los elementos para agregarlos aquí DocType: Fees,Program Enrollment,Programa de Inscripción @@ -4308,6 +4318,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Rango de antigüedad 2 DocType: SG Creation Tool Course,Max Strength,Fuerza máx apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Lista de materiales (LdM) reemplazada +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Seleccionar elementos según la fecha de entrega ,Sales Analytics,Análisis de ventas apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Disponible {0} ,Prospects Engaged But Not Converted,Perspectivas comprometidas pero no convertidas @@ -4354,7 +4365,7 @@ DocType: Authorization Rule,Customerwise Discount,Descuento de Cliente apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Tabla de Tiempo para las tareas. DocType: Purchase Invoice,Against Expense Account,Contra la Cuenta de Gastos DocType: Production Order,Production Order,Orden de Producción -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,La nota de instalación {0} ya se ha validado +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,La nota de instalación {0} ya se ha validado DocType: Bank Reconciliation,Get Payment Entries,Obtener registros de pago DocType: Quotation Item,Against Docname,Contra Docname DocType: SMS Center,All Employee (Active),Todos los Empleados (Activos) @@ -4363,7 +4374,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Costo de materia prima DocType: Item Reorder,Re-Order Level,Nivel mínimo de stock. DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Escriba artículos y Cantidad planificada para los que desea elevar las órdenes de producción o descargar la materia prima para su análisis. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagrama Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Diagrama Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Tiempo parcial DocType: Employee,Applicable Holiday List,Lista de días Festivos DocType: Employee,Cheque,Cheque @@ -4419,11 +4430,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Cantidad reservada para la Producción DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deje sin marcar si no desea considerar lote mientras hace grupos basados en cursos. DocType: Asset,Frequency of Depreciation (Months),Frecuencia de Depreciación (Meses) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Cuenta de crédito +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Cuenta de crédito DocType: Landed Cost Item,Landed Cost Item,Costos de destino estimados apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostrar valores en cero DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Cantidad del producto obtenido después de la fabricación / empaquetado desde las cantidades determinadas de materia prima -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Configuración de un sitio web sencillo para mi organización +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Configuración de un sitio web sencillo para mi organización DocType: Payment Reconciliation,Receivable / Payable Account,Cuenta por Cobrar / Pagar DocType: Delivery Note Item,Against Sales Order Item,Contra la orden de venta del producto apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Por favor, especifique el valor del atributo {0}" @@ -4485,22 +4496,22 @@ DocType: Student,Nationality,Nacionalidad ,Items To Be Requested,Solicitud de Productos DocType: Purchase Order,Get Last Purchase Rate,Obtener último precio de compra DocType: Company,Company Info,Información de la compañía -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Seleccionar o añadir nuevo cliente -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Centro de coste es requerido para reservar una reclamación de gastos +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Seleccionar o añadir nuevo cliente +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Centro de coste es requerido para reservar una reclamación de gastos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),UTILIZACIÓN DE FONDOS (ACTIVOS) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Esto se basa en la presencia de este empleado -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Cuenta de debito +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Cuenta de debito DocType: Fiscal Year,Year Start Date,Fecha de Inicio de Año DocType: Attendance,Employee Name,Nombre de empleado DocType: Sales Invoice,Rounded Total (Company Currency),Total redondeado (Divisa por defecto) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,No se puede convertir a 'Grupo' porque se seleccionó 'Tipo de Cuenta'. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} ha sido modificado. Por favor actualice. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} ha sido modificado. Por favor actualice. DocType: Leave Block List,Stop users from making Leave Applications on following days.,No permitir a los usuarios crear solicitudes de ausencia en los siguientes días. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Monto de la Compra apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Presupuesto de Proveedor {0} creado apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Año de finalización no puede ser anterior al ano de inicio apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Beneficios de empleados -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},La cantidad embalada debe ser igual a la del elemento {0} en la línea {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},La cantidad embalada debe ser igual a la del elemento {0} en la línea {1} DocType: Production Order,Manufactured Qty,Cantidad Producida DocType: Purchase Receipt Item,Accepted Quantity,Cantidad Aceptada apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, establece una lista predeterminada de feriados para Empleado {0} o de su empresa {1}" @@ -4511,11 +4522,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Línea #{0}: El importe no puede ser mayor que el reembolso pendiente {1}. El importe pendiente es {2} DocType: Maintenance Schedule,Schedule,Programa DocType: Account,Parent Account,Cuenta principal -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Disponible +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Disponible DocType: Quality Inspection Reading,Reading 3,Lectura 3 ,Hub,Centro de actividades DocType: GL Entry,Voucher Type,Tipo de Comprobante -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,La lista de precios no existe o está deshabilitada. +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,La lista de precios no existe o está deshabilitada. DocType: Employee Loan Application,Approved,Aprobado DocType: Pricing Rule,Price,Precio apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Empleado relevado en {0} debe definirse como ""izquierda""" @@ -4584,7 +4595,7 @@ DocType: SMS Settings,Static Parameters,Parámetros estáticos DocType: Assessment Plan,Room,Habitación DocType: Purchase Order,Advance Paid,Pago Anticipado DocType: Item,Item Tax,Impuestos del producto -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiales de Proveedor +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiales de Proveedor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Impuestos Especiales Factura apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Umbral {0}% aparece más de una vez DocType: Expense Claim,Employees Email Id,ID de Email de empleados @@ -4611,7 +4622,7 @@ DocType: Item Group,General Settings,Configuración General apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23,From Currency and To Currency cannot be same,'Desde moneda - a moneda' no pueden ser las mismas DocType: Stock Entry,Repack,Re-empacar apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Debe guardar el formulario antes de proceder -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +96,Please select the Company first,Seleccione primero la empresa +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +96,Please select the Company first,Seleccione primero la Empresa DocType: Item Attribute,Numeric Values,Valores Numéricos apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Adjuntar Logo apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Niveles de Stock @@ -4624,7 +4635,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Modelo DocType: Production Order,Actual Operating Cost,Costo de operación real DocType: Payment Entry,Cheque/Reference No,Cheque / No. de Referencia -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveedor> Tipo de proveedor apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Usuario root no se puede editar. DocType: Item,Units of Measure,Unidades de medida DocType: Manufacturing Settings,Allow Production on Holidays,Permitir producción en días festivos @@ -4657,12 +4667,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Días de crédito apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Hacer Lote de Estudiantes DocType: Leave Type,Is Carry Forward,Es un traslado -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Obtener productos desde lista de materiales (LdM) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Obtener productos desde lista de materiales (LdM) apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Días de iniciativa -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila # {0}: Fecha de ingreso debe ser la misma que la fecha de compra {1} de activos {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila # {0}: Fecha de ingreso debe ser la misma que la fecha de compra {1} de activos {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Marque esto si el estudiante está residiendo en el albergue del Instituto. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Por favor, introduzca las Ordenes de Venta en la tabla anterior" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,No Envió Salarios +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,No Envió Salarios ,Stock Summary,Resumen de Existencia apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transferir un activo de un almacén a otro DocType: Vehicle,Petrol,Gasolina diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv index 1081234448d..a17ab6fc7c1 100644 --- a/erpnext/translations/et.csv +++ b/erpnext/translations/et.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Dealer DocType: Employee,Rented,Üürikorter DocType: Purchase Order,PO-,po- DocType: POS Profile,Applicable for User,Rakendatav Kasutaja -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Tootmise lõpetanud tellimust ei ole võimalik tühistada, ummistust kõigepealt tühistama" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Tootmise lõpetanud tellimust ei ole võimalik tühistada, ummistust kõigepealt tühistama" DocType: Vehicle Service,Mileage,kilometraaž apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Kas tõesti jäägid see vara? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Vali Vaikimisi Tarnija @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Maksustatakse apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),"Vahetuskurss peab olema sama, {0} {1} ({2})" DocType: Sales Invoice,Customer Name,Kliendi nimi DocType: Vehicle,Natural Gas,Maagaas -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Pangakonto ei saa nimeks {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Pangakonto ei saa nimeks {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (või rühmad), mille vastu raamatupidamiskanded tehakse ja tasakaalu säilimine." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Maksmata {0} ei saa olla väiksem kui null ({1}) DocType: Manufacturing Settings,Default 10 mins,Vaikimisi 10 minutit @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Jäta Tüüp Nimi apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Näita avatud apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Seeria edukalt uuendatud apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Minu tellimused -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal fotole +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal fotole DocType: Pricing Rule,Apply On,Kandke DocType: Item Price,Multiple Item prices.,Mitu punkti hindadega. ,Purchase Order Items To Be Received,"Ostutellimuse Esemed, mis saadakse" @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Makseviis konto apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Näita variandid DocType: Academic Term,Academic Term,Academic Term apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,materjal -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Kvantiteet +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Kvantiteet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Kontode tabeli saa olla tühi. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Laenudega (kohustused) DocType: Employee Education,Year of Passing,Aasta Passing @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Tervishoid apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Makseviivitus (päevad) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Teenuse kulu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Seerianumber: {0} on juba viidatud müügiarve: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Arve +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Seerianumber: {0} on juba viidatud müügiarve: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Arve DocType: Maintenance Schedule Item,Periodicity,Perioodilisus apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiscal Year {0} on vajalik -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Oodatud tarne kuupäev on olla enne Sales Order Date apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Defense DocType: Salary Component,Abbr,Lühend DocType: Appraisal Goal,Score (0-5),Score (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Kokku kuluarvestus summa DocType: Delivery Note,Vehicle No,Sõiduk ei -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Palun valige hinnakiri +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Palun valige hinnakiri apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Rida # {0}: Maksedokumendi on kohustatud täitma trasaction DocType: Production Order Operation,Work In Progress,Töö käib apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Palun valige kuupäev @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} mitte mingil aktiivne eelarveaastal. DocType: Packed Item,Parent Detail docname,Parent Detail docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Viide: {0}, Kood: {1} ja kliendi: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Logi apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Avamine tööd. DocType: Item Attribute,Increment,Juurdekasv @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Abielus apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Ei ole lubatud {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Võta esemed -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock ei saa uuendada vastu saateleht {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock ei saa uuendada vastu saateleht {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Toote {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nr loetletud DocType: Payment Reconciliation,Reconcile,Sobita @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Pensi apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Järgmine kulum kuupäev ei saa olla enne Ostukuupäevale DocType: SMS Center,All Sales Person,Kõik Sales Person DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Kuu Distribution ** aitab levitada Eelarve / Target üle kuu, kui teil on sesoonsus firma." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Ei leitud esemed +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Ei leitud esemed apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Palgastruktuur Kadunud DocType: Lead,Person Name,Person Nimi DocType: Sales Invoice Item,Sales Invoice Item,Müügiarve toode @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Kas Põhivarade" ei saa märkimata, kui Asset Olemas vastu kirje" DocType: Vehicle Service,Brake Oil,Piduri õli DocType: Tax Rule,Tax Type,Maksu- Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,maksustatav summa +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,maksustatav summa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Sa ei ole volitatud lisada või uuendada oma andmeid enne {0} DocType: BOM,Item Image (if not slideshow),Punkt Image (kui mitte slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Kliendi olemas sama nimega DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hour Hinda / 60) * Tegelik tööaeg -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Vali Bom +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Vali Bom DocType: SMS Log,SMS Log,SMS Logi apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kulud Tarnitakse Esemed apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Puhkus on {0} ei ole vahel From kuupäev ja To Date @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Koolid DocType: School Settings,Validate Batch for Students in Student Group,Kinnita Partii üliõpilastele Student Group apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ei puhkuse rekord leitud töötaja {0} ja {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Palun sisestage firma esimene -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Palun valige Company esimene +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Palun valige Company esimene DocType: Employee Education,Under Graduate,Under koolilõpetaja apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On DocType: BOM,Total Cost,Total Cost DocType: Journal Entry Account,Employee Loan,töötaja Loan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Activity Log: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Punkt {0} ei ole olemas süsteemi või on aegunud +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Activity Log: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Punkt {0} ei ole olemas süsteemi või on aegunud apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Kinnisvara apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Kontoteatis apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaatsia @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Nõude suurus apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicate klientide rühm leidub cutomer grupi tabelis apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tarnija tüüp / tarnija DocType: Naming Series,Prefix,Eesliide -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Palun määrake seerianumbrite seerianumber {0} seadistamiseks> Seaded> Nime seeria -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Tarbitav +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Tarbitav DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Import Logi DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Tõmba Materjal taotlus tüüpi tootmine põhineb eespool nimetatud kriteeriumidele DocType: Training Result Employee,Grade,hinne DocType: Sales Invoice Item,Delivered By Supplier,Toimetab tarnija DocType: SMS Center,All Contact,Kõik Contact -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Tootmise Telli juba loodud kõik esemed Bom +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Tootmise Telli juba loodud kõik esemed Bom apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Aastapalka DocType: Daily Work Summary,Daily Work Summary,Igapäevase töö kokkuvõte DocType: Period Closing Voucher,Closing Fiscal Year,Sulgemine Fiscal Year -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} on külmutatud +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} on külmutatud apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Palun valige olemasoleva äriühingu loomise kontoplaani apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock kulud apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Vali Target Warehouse @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Aktsepteeritud + Tõrjutud Kogus peab olema võrdne saadud koguse Punkt {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Supply tooraine ostmiseks -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Vähemalt üks makseviis on vajalik POS arve. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Vähemalt üks makseviis on vajalik POS arve. DocType: Products Settings,Show Products as a List,Näita tooteid listana DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Lae mall, täitke asjakohaste andmete ja kinnitage muudetud faili. Kõik kuupäevad ning töötaja kombinatsioon valitud perioodil tulevad malli, olemasolevate töölkäimise" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Punkt {0} ei ole aktiivne või elu lõpuni jõutud -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Näide: Basic Mathematics -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Et sisaldada makse järjest {0} Punkti kiirus, maksud ridadesse {1} peab olema ka" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Näide: Basic Mathematics +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Et sisaldada makse järjest {0} Punkti kiirus, maksud ridadesse {1} peab olema ka" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Seaded HR Module DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,Muuda summa @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Paigaldamise kuupäev ei saa olla enne tarnekuupäev Punkt {0} DocType: Pricing Rule,Discount on Price List Rate (%),Soodustused Hinnakiri Rate (%) DocType: Offer Letter,Select Terms and Conditions,Vali Tingimused -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,välja väärtus +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,välja väärtus DocType: Production Planning Tool,Sales Orders,Müügitellimuste DocType: Purchase Taxes and Charges,Valuation,Väärtustamine ,Purchase Order Trends,Ostutellimuse Trends @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Avab Entry DocType: Customer Group,Mention if non-standard receivable account applicable,Nimetatakse mittestandardsete saadaoleva arvesse kohaldatavat DocType: Course Schedule,Instructor Name,Juhendaja nimi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Sest Warehouse on vaja enne Esita +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Sest Warehouse on vaja enne Esita apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Saadud DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Kui see on lubatud, sisaldab mitte-laos toodet materjali taotlused." @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Vastu müügiarve toode ,Production Orders in Progress,Tootmine Tellimused in Progress apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Rahavood finantseerimistegevusest -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage on täis, ei päästa" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage on täis, ei päästa" DocType: Lead,Address & Contact,Aadress ja Kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Lisa kasutamata lehed eelmisest eraldised apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Järgmine Korduvad {0} loodud {1} DocType: Sales Partner,Partner website,Partner kodulehel apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Lisa toode -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,kontaktisiku nimi +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,kontaktisiku nimi DocType: Course Assessment Criteria,Course Assessment Criteria,Muidugi Hindamiskriteeriumid DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Loob palgaleht eespool nimetatud kriteeriume. DocType: POS Customer Group,POS Customer Group,POS Kliendi Group @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Palun vaadake "Kas Advance" vastu Konto {1}, kui see on ette sisenemist." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Ladu {0} ei kuulu firma {1} DocType: Email Digest,Profit & Loss,Kasumiaruanne -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Liiter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Liiter DocType: Task,Total Costing Amount (via Time Sheet),Kokku kuluarvestus summa (via Time Sheet) DocType: Item Website Specification,Item Website Specification,Punkt Koduleht spetsifikatsioon apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Jäta blokeeritud @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,Müügiarve pole DocType: Material Request Item,Min Order Qty,Min Tellimus Kogus DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Loomistööriist kursus DocType: Lead,Do Not Contact,Ära võta ühendust -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Inimesed, kes õpetavad oma organisatsiooni" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Inimesed, kes õpetavad oma organisatsiooni" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Unikaalne id jälgimise kõik korduvad arved. See on genereeritud esitada. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Tarkvara arendaja DocType: Item,Minimum Order Qty,Tellimuse Miinimum Kogus @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,Avaldab Hub DocType: Student Admission,Student Admission,üliõpilane ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Punkt {0} on tühistatud -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Materjal taotlus +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Materjal taotlus DocType: Bank Reconciliation,Update Clearance Date,Värskenda Kliirens kuupäev DocType: Item,Purchase Details,Ostu üksikasjad apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Punkt {0} ei leitud "tarnitud tooraine" tabelis Ostutellimuse {1} @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} ei saa olla negatiivne artiklijärgse {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Vale parool DocType: Item,Variant Of,Variant Of -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Valminud Kogus ei saa olla suurem kui "Kogus et Tootmine" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Valminud Kogus ei saa olla suurem kui "Kogus et Tootmine" DocType: Period Closing Voucher,Closing Account Head,Konto sulgemise Head DocType: Employee,External Work History,Väline tööandjad apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Ringviide viga @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,Kaugus vasakust servast apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} ühikut [{1}] (# Vorm / punkt / {1}) leitud [{2}] (# Vorm / Warehouse / {2}) DocType: Lead,Industry,Tööstus DocType: Employee,Job Profile,Ametijuhendite +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,See põhineb tehingutel selle äriühingu vastu. Üksikasjalikuma teabe saamiseks lugege allpool toodud ajakava DocType: Stock Settings,Notify by Email on creation of automatic Material Request,"Soovin e-postiga loomiseks, automaatne Material taotlus" DocType: Journal Entry,Multi Currency,Multi Valuuta DocType: Payment Reconciliation Invoice,Invoice Type,Arve Type -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Toimetaja märkus +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Toimetaja märkus apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Seadistamine maksud apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Müüdava vara apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Makse Entry on muudetud pärast seda, kui tõmbasin. Palun tõmmake uuesti." @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Palun sisestage "Korda päev kuus väljale väärtus DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Hinda kus Klient Valuuta teisendatakse kliendi baasvaluuta DocType: Course Scheduling Tool,Course Scheduling Tool,Kursuse planeerimine Tool -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rida # {0}: ostuarve ei saa vastu olemasoleva vara {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rida # {0}: ostuarve ei saa vastu olemasoleva vara {1} DocType: Item Tax,Tax Rate,Maksumäär apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} on juba eraldatud Töötaja {1} ajaks {2} et {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Vali toode +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Vali toode apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Ostuarve {0} on juba esitatud apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Partii nr peaks olema sama mis {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Teisenda mitte-Group @@ -443,7 +442,7 @@ DocType: Employee,Widowed,Lesk DocType: Request for Quotation,Request for Quotation,Hinnapäring DocType: Salary Slip Timesheet,Working Hours,Töötunnid DocType: Naming Series,Change the starting / current sequence number of an existing series.,Muuda algus / praegune järjenumber olemasoleva seeria. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Loo uus klient +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Loo uus klient apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Kui mitu Hinnakujundusreeglid jätkuvalt ülekaalus, kasutajate palutakse määrata prioriteedi käsitsi lahendada konflikte." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Loo Ostutellimuste ,Purchase Register,Ostu Registreeri @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Kontrollija nimi DocType: Purchase Invoice Item,Quantity and Rate,Kogus ja hind DocType: Delivery Note,% Installed,% Paigaldatud -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klassiruumid / Laboratories jne, kus loenguid saab planeeritud." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klassiruumid / Laboratories jne, kus loenguid saab planeeritud." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Palun sisesta ettevõtte nimi esimene DocType: Purchase Invoice,Supplier Name,Tarnija nimi apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Loe ERPNext Käsitsi @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Vana Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Kohustuslik väli - Academic Year DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Kohanda sissejuhatavat teksti, mis läheb osana, et e-posti. Iga tehing on eraldi sissejuhatavat teksti." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Määrake vaikimisi makstakse kontole ettevõtte {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Määrake vaikimisi makstakse kontole ettevõtte {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global seaded kõik tootmisprotsessid. DocType: Accounts Settings,Accounts Frozen Upto,Kontod Külmutatud Upto DocType: SMS Log,Sent On,Saadetud @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,Tasumata arved apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Valitud BOMs ei ole sama objekti DocType: Pricing Rule,Valid Upto,Kehtib Upto DocType: Training Event,Workshop,töökoda -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Nimekiri paar oma klientidele. Nad võivad olla organisatsioonid ja üksikisikud. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Nimekiri paar oma klientidele. Nad võivad olla organisatsioonid ja üksikisikud. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Aitab Parts ehitada apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Otsene tulu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Ei filtreerimiseks konto, kui rühmitatud konto" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Haldusspetsialist apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Palun valige Course DocType: Timesheet Detail,Hrs,tundi -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Palun valige Company +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Palun valige Company DocType: Stock Entry Detail,Difference Account,Erinevus konto DocType: Purchase Invoice,Supplier GSTIN,Pakkuja GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Ei saa sulgeda ülesanne oma sõltuvad ülesande {0} ei ole suletud. @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,Offline POS Nimi apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Palun määratleda hinne Threshold 0% DocType: Sales Order,To Deliver,Andma DocType: Purchase Invoice Item,Item,Kirje -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Seerianumber objekt ei saa olla osa +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Seerianumber objekt ei saa olla osa DocType: Journal Entry,Difference (Dr - Cr),Erinevus (Dr - Cr) DocType: Account,Profit and Loss,Kasum ja kahjum apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Tegevjuht Alltöövõtt @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),Garantii (päevades) DocType: Installation Note Item,Installation Note Item,Paigaldamine Märkus Punkt DocType: Production Plan Item,Pending Qty,Kuni Kogus DocType: Budget,Ignore,Ignoreerima -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} ei ole aktiivne +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} ei ole aktiivne apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS saadetakse järgmised numbrid: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Setup check mõõtmed trükkimiseks DocType: Salary Slip,Salary Slip Timesheet,Palgatõend Töögraafik @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,VÕISTLUSTE DocType: Production Order Operation,In minutes,Minutiga DocType: Issue,Resolution Date,Resolutsioon kuupäev DocType: Student Batch Name,Batch Name,partii Nimi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Töögraafik on loodud: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Palun määra vaikimisi Raha või pangakonto makseviis {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Töögraafik on loodud: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Palun määra vaikimisi Raha või pangakonto makseviis {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,registreerima DocType: GST Settings,GST Settings,GST Seaded DocType: Selling Settings,Customer Naming By,Kliendi nimetamine By @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,Projektid Kasutaja apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Tarbitud apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0} {1} ei leidu Arve andmed tabelis DocType: Company,Round Off Cost Center,Ümardada Cost Center -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Hooldus Külasta {0} tuleb tühistada enne tühistades selle Sales Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Hooldus Külasta {0} tuleb tühistada enne tühistades selle Sales Order DocType: Item,Material Transfer,Material Transfer apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Avamine (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Foorumi timestamp tuleb pärast {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,Kokku intressivõlg DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Maandus Cost maksud ja tasud DocType: Production Order Operation,Actual Start Time,Tegelik Start Time DocType: BOM Operation,Operation Time,Operation aeg -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,lõpp +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,lõpp apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,alus DocType: Timesheet,Total Billed Hours,Kokku Maksustatakse Tundi DocType: Journal Entry,Write Off Amount,Kirjutage Off summa @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),Odomeetri näit (Viimane) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Makse Entry juba loodud DocType: Purchase Receipt Item Supplied,Current Stock,Laoseis -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Rida # {0}: Asset {1} ei ole seotud Punkt {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Rida # {0}: Asset {1} ei ole seotud Punkt {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Eelvaade palgatõend apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} on sisestatud mitu korda DocType: Account,Expenses Included In Valuation,Kulud sisalduvad Hindamine @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Krediitkaart Entry apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Ettevõte ja kontod apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Tarnijatelt saadud kaupade. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,väärtuse +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,väärtuse DocType: Lead,Campaign Name,Kampaania nimi DocType: Selling Settings,Close Opportunity After Days,Sule Opportunity Pärast päevi ,Reserved,Reserveeritud @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energia DocType: Opportunity,Opportunity From,Opportunity From apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Kuupalga avalduse. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rida {0}: {1} punkti {2} jaoks nõutavad seerianumbrid. Te olete esitanud {3}. DocType: BOM,Website Specifications,Koduleht erisused apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: From {0} tüüpi {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Conversion Factor on kohustuslik DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Mitu Hind reeglid olemas samad kriteeriumid, palun lahendada konflikte, määrates prioriteet. Hind Reeglid: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Ei saa deaktiveerida või tühistada Bom, sest see on seotud teiste BOMs" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Ei saa deaktiveerida või tühistada Bom, sest see on seotud teiste BOMs" DocType: Opportunity,Maintenance,Hooldus DocType: Item Attribute Value,Item Attribute Value,Punkt omadus Value apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Müügikampaaniad. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Tee Töögraafik +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Tee Töögraafik DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Seadistamine e-posti konto apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Palun sisestage Punkt esimene DocType: Account,Liability,Vastutus -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktsioneeritud summa ei või olla suurem kui nõude summast reas {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktsioneeritud summa ei või olla suurem kui nõude summast reas {0}. DocType: Company,Default Cost of Goods Sold Account,Vaikimisi müüdud toodangu kulu konto apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Hinnakiri ole valitud DocType: Employee,Family Background,Perekondlik taust @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,Vaikimisi Bank Account apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Filtreerida põhineb Party, Party Tüüp esimene" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"Värskenda Stock "ei saa kontrollida, sest punkte ei andnud kaudu {0}" DocType: Vehicle,Acquisition Date,omandamise kuupäevast -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Esemed kõrgema weightage kuvatakse kõrgem DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank leppimise Detail -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Rida # {0}: Asset {1} tuleb esitada +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Rida # {0}: Asset {1} tuleb esitada apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Ükski töötaja leitud DocType: Supplier Quotation,Stopped,Peatatud DocType: Item,If subcontracted to a vendor,Kui alltöövõtjaks müüja @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimaalne Arve summa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} ei kuulu Company {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} ei saa olla Group apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Punkt Row {idx}: {doctype} {DOCNAME} ei eksisteeri eespool {doctype} "tabelis -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Töögraafik {0} on juba lõpetatud või tühistatud +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Töögraafik {0} on juba lõpetatud või tühistatud apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ei ülesanded DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Päeval kuule auto arve genereeritakse nt 05, 28 jne" DocType: Asset,Opening Accumulated Depreciation,Avamine akumuleeritud kulum @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,Taotletud numbrid DocType: Production Planning Tool,Only Obtain Raw Materials,Saada ainult tooraine apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Tulemuslikkuse hindamise. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Lubamine "kasutamine Ostukorv", kui Ostukorv on lubatud ja seal peaks olema vähemalt üks maksueeskiri ostukorv" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Makse Entry {0} on seotud vastu Tellimus {1}, kontrollida, kas see tuleb tõmmata nagu eelnevalt antud arve." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Makse Entry {0} on seotud vastu Tellimus {1}, kontrollida, kas see tuleb tõmmata nagu eelnevalt antud arve." DocType: Sales Invoice Item,Stock Details,Stock Üksikasjad apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projekti väärtus apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-Sale @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,Värskenda Series DocType: Supplier Quotation,Is Subcontracted,Alltöödena DocType: Item Attribute,Item Attribute Values,Punkt atribuudi väärtusi DocType: Examination Result,Examination Result,uurimistulemus -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Ostutšekk +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Ostutšekk ,Received Items To Be Billed,Saadud objekte arve -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Esitatud palgalehed +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Esitatud palgalehed apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valuuta vahetuskursi kapten. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Viide DOCTYPE peab olema üks {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Ei leia Time Slot järgmisel {0} päeva Operation {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Ei leia Time Slot järgmisel {0} päeva Operation {1} DocType: Production Order,Plan material for sub-assemblies,Plan materjali sõlmed apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Müük Partnerid ja territoorium -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,Bom {0} peab olema aktiivne +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,Bom {0} peab olema aktiivne DocType: Journal Entry,Depreciation Entry,Põhivara Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Palun valige dokumendi tüüp esimene apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Tühista Material Külastusi {0} enne tühistades selle Hooldus Külasta @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Kogu summa apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet kirjastamine DocType: Production Planning Tool,Production Orders,Tootmine Tellimused -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Bilansilise väärtuse +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Bilansilise väärtuse apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Müük Hinnakiri apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Avalda sünkroonida esemed DocType: Bank Reconciliation,Account Currency,Konto Valuuta @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,Exit Intervjuu Üksikasjad DocType: Item,Is Purchase Item,Kas Ostu toode DocType: Asset,Purchase Invoice,Ostuarve DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail Ei -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Uus müügiarve +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Uus müügiarve DocType: Stock Entry,Total Outgoing Value,Kokku Väljuv Value apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Avamine ja lõpu kuupäev peaks jääma sama Fiscal Year DocType: Lead,Request for Information,Teabenõue ,LeaderBoard,LEADERBOARD -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline arved +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline arved DocType: Payment Request,Paid,Makstud DocType: Program Fee,Program Fee,program Fee DocType: Salary Slip,Total in words,Kokku sõnades @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,Ooteaeg kuupäev DocType: Guardian,Guardian Name,Guardian Nimi DocType: Cheque Print Template,Has Print Format,Kas Print Format DocType: Employee Loan,Sanctioned,sanktsioneeritud -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,on kohustuslik. Ehk Valuutavahetus rekord ei ole loodud +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,on kohustuslik. Ehk Valuutavahetus rekord ei ole loodud apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Palun täpsustage Serial No Punkt {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Sest "Toote Bundle esemed, Warehouse, Serial No ja partii ei loetakse alates" Pakkeleht "tabelis. Kui Lao- ja partii ei on sama kõigi asjade pakkimist tahes "Toote Bundle" kirje, need väärtused võivad olla kantud põhi tabeli väärtused kopeeritakse "Pakkeleht" tabelis." DocType: Job Opening,Publish on website,Avaldab kodulehel @@ -1006,7 +1006,7 @@ DocType: Cheque Print Template,Date Settings,kuupäeva seaded apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Dispersioon ,Company Name,firma nimi DocType: SMS Center,Total Message(s),Kokku Sõnum (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Vali toode for Transfer +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Vali toode for Transfer DocType: Purchase Invoice,Additional Discount Percentage,Täiendav allahindlusprotsendi apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Vaata nimekirja kõigi abiga videod DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Select konto juht pank, kus check anti hoiule." @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Tooraine hind (firma Valuuta) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Kõik esemed on juba üle selle tootmine Order. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Row # {0}: Rate ei saa olla suurem kui määr, mida kasutatakse {1} {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,meeter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,meeter DocType: Workstation,Electricity Cost,Elektri hind DocType: HR Settings,Don't send Employee Birthday Reminders,Ärge saatke Töötaja Sünnipäev meeldetuletused DocType: Item,Inspection Criteria,Inspekteerimiskriteeriumitele @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),Kõik Plii (Open) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rida {0}: Kogus ole saadaval {4} laos {1} postitama aeg kanne ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Saa makstud ettemaksed DocType: Item,Automatically Create New Batch,Automaatselt Loo uus partii -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Tee +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Tee DocType: Student Admission,Admission Start Date,Sissepääs Start Date DocType: Journal Entry,Total Amount in Words,Kokku summa sõnadega apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Seal oli viga. Üks tõenäoline põhjus võib olla, et sa ei ole salvestatud kujul. Palun võtke ühendust support@erpnext.com kui probleem ei lahene." @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Minu ostukorv apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tellimus tüüp peab olema üks {0} DocType: Lead,Next Contact Date,Järgmine Kontakt kuupäev apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Avamine Kogus -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Palun sisesta konto muutuste summa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Palun sisesta konto muutuste summa DocType: Student Batch Name,Student Batch Name,Student Partii Nimi DocType: Holiday List,Holiday List Name,Holiday nimekiri nimi DocType: Repayment Schedule,Balance Loan Amount,Tasakaal Laenusumma @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Stock Options DocType: Journal Entry Account,Expense Claim,Kuluhüvitussüsteeme apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Kas te tõesti soovite taastada seda lammutatakse vara? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Kogus eest {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Kogus eest {0} DocType: Leave Application,Leave Application,Jäta ostusoov apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Jäta jaotamine Tool DocType: Leave Block List,Leave Block List Dates,Jäta Block loetelu kuupäevad @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Vastu DocType: Item,Default Selling Cost Center,Vaikimisi müügikulude Center DocType: Sales Partner,Implementation Partner,Rakendamine Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postiindeks +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Postiindeks apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} on {1} DocType: Opportunity,Contact Info,Kontaktinfo apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Making Stock kanded @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Keskmine vanus DocType: School Settings,Attendance Freeze Date,Osavõtjate Freeze kuupäev DocType: Opportunity,Your sales person who will contact the customer in future,"Teie müügi isik, kes kliendiga ühendust tulevikus" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Nimekiri paar oma tarnijatele. Nad võivad olla organisatsioonid ja üksikisikud. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Nimekiri paar oma tarnijatele. Nad võivad olla organisatsioonid ja üksikisikud. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Kuva kõik tooted apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimaalne Lead Vanus (päeva) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Kõik BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Kõik BOMs DocType: Company,Default Currency,Vaikimisi Valuuta DocType: Expense Claim,From Employee,Tööalasest -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Hoiatus: Süsteem ei kontrolli tegelikust suuremad arved, sest summa Punkt {0} on {1} on null" +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Hoiatus: Süsteem ei kontrolli tegelikust suuremad arved, sest summa Punkt {0} on {1} on null" DocType: Journal Entry,Make Difference Entry,Tee Difference Entry DocType: Upload Attendance,Attendance From Date,Osavõtt From kuupäev DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Ettevõte registreerimisnumbrid oma viide. Maksu- numbrid jms DocType: Sales Partner,Distributor,Edasimüüja DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Ostukorv kohaletoimetamine reegel -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Tootmine Tellimus {0} tuleb tühistada enne tühistades selle Sales Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Tootmine Tellimus {0} tuleb tühistada enne tühistades selle Sales Order apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Palun määra "Rakenda Täiendav soodustust" ,Ordered Items To Be Billed,Tellitud esemed arve apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Siit Range peab olema väiksem kui levikuala @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Mahaarvamised DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start Aasta -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Esimese 2 numbrit GSTIN peaks sobima riik number {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Esimese 2 numbrit GSTIN peaks sobima riik number {0} DocType: Purchase Invoice,Start date of current invoice's period,Arve makseperioodi alguskuupäev DocType: Salary Slip,Leave Without Pay,Palgata puhkust -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Capacity Planning viga +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Capacity Planning viga ,Trial Balance for Party,Trial Balance Party DocType: Lead,Consultant,Konsultant DocType: Salary Slip,Earnings,Tulu @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,maksja seaded DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","See on lisatud Kood variandi. Näiteks, kui teie lühend on "SM", ning objekti kood on "T-särk", kirje kood variant on "T-särk SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Netopalk (sõnadega) ilmuvad nähtavale kui salvestate palgatõend. DocType: Purchase Invoice,Is Return,Kas Tagasi -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Tagasi / võlateate +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Tagasi / võlateate DocType: Price List Country,Price List Country,Hinnakiri Riik DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} kehtiv serial-numbrid Punkt {1} @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,osaliselt Väljastatud apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Tarnija andmebaasis. DocType: Account,Balance Sheet,Eelarve apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Kulude Keskus eseme Kood " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Makserežiimi ei ole seadistatud. Palun kontrollige, kas konto on seadistatud režiim maksed või POS profiili." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Makserežiimi ei ole seadistatud. Palun kontrollige, kas konto on seadistatud režiim maksed või POS profiili." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Teie müügi isik saab meeldetuletus sellest kuupäevast ühendust kliendi apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Sama objekt ei saa sisestada mitu korda. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Lisaks kontod saab rühma all, kuid kanded saab teha peale mitte-Groups" @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,tagasimaksmine Info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"Kanded" ei saa olla tühi apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplicate rida {0} on sama {1} ,Trial Balance,Proovibilanss -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Eelarveaastal {0} ei leitud +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Eelarveaastal {0} ei leitud apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Seadistamine Töötajad DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Palun valige eesliide esimene @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,intervallid apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Esimesed apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Elemendi Group olemas sama nimega, siis muuda objekti nimi või ümber nimetada elemendi grupp" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobiilne No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Ülejäänud maailm +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Ülejäänud maailm apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Artiklite {0} ei ole partii ,Budget Variance Report,Eelarve Dispersioon aruanne DocType: Salary Slip,Gross Pay,Gross Pay -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rida {0}: Activity Type on kohustuslik. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Rida {0}: Activity Type on kohustuslik. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,"Dividende," apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Raamatupidamine Ledger DocType: Stock Reconciliation,Difference Amount,Erinevus summa @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Töötaja Jäta Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Balance Konto {0} peab alati olema {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Hindamine Rate vajalik toode järjest {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Näide: Masters in Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Näide: Masters in Computer Science DocType: Purchase Invoice,Rejected Warehouse,Tagasilükatud Warehouse DocType: GL Entry,Against Voucher,Vastu Voucher DocType: Item,Default Buying Cost Center,Vaikimisi ostmine Cost Center apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Et saada kõige paremini välja ERPNext, soovitame võtta aega ja vaadata neid abivideoid." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,kuni +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,kuni DocType: Supplier Quotation Item,Lead Time in days,Ooteaeg päevades apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Tasumata arved kokkuvõte -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Palga alates {0} kuni {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Palga alates {0} kuni {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Ei ole lubatud muuta külmutatud Konto {0} DocType: Journal Entry,Get Outstanding Invoices,Võta Tasumata arved -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Sales Order {0} ei ole kehtiv +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Sales Order {0} ei ole kehtiv apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Ostutellimuste aidata teil planeerida ja jälgida oma ostud apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Vabandame, ettevõtted ei saa liita" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Kaudsed kulud apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Kogus on kohustuslikuks apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Põllumajandus -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master andmed -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Oma tooteid või teenuseid +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master andmed +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Oma tooteid või teenuseid DocType: Mode of Payment,Mode of Payment,Makseviis apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Koduleht Pilt peaks olema avalik faili või veebilehe URL DocType: Student Applicant,AP,AP @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Punkt Maksumäär DocType: Student Group Student,Group Roll Number,Group Roll arv apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Sest {0}, ainult krediitkaardi kontod võivad olla seotud teise vastu deebetkanne" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Kokku kõigi ülesanne kaalu peaks 1. Palun reguleerida kaalu kõikide Project ülesandeid vastavalt -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Toimetaja märkus {0} ei ole esitatud +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Toimetaja märkus {0} ei ole esitatud apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Punkt {0} peab olema allhanked toode apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capital seadmed apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Hinnakujundus Reegel on esimene valitud põhineb "Rakenda On väljale, mis võib olla Punkt punkt Group või kaubamärgile." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Palun määra kõigepealt tootekood +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Palun määra kõigepealt tootekood DocType: Hub Settings,Seller Website,Müüja Koduleht DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Kokku eraldatakse protsent müügimeeskond peaks olema 100 DocType: Appraisal Goal,Goal,Eesmärk DocType: Sales Invoice Item,Edit Description,Edit kirjeldus ,Team Updates,Team uuendused -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Tarnija +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Tarnija DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Setting Konto tüüp aitab valides selle konto tehingud. DocType: Purchase Invoice,Grand Total (Company Currency),Grand Total (firma Valuuta) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Loo Print Format @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,Koduleht Punkt Groups DocType: Purchase Invoice,Total (Company Currency),Kokku (firma Valuuta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Serial number {0} sisestatud rohkem kui üks kord DocType: Depreciation Schedule,Journal Entry,Päevikusissekanne -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} objekte pooleli +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} objekte pooleli DocType: Workstation,Workstation Name,Workstation nimi DocType: Grading Scale Interval,Grade Code,Hinne kood DocType: POS Item Group,POS Item Group,POS Artikliklasside apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Saatke Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},Bom {0} ei kuulu Punkt {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},Bom {0} ei kuulu Punkt {1} DocType: Sales Partner,Target Distribution,Target Distribution 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 @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,Ostukorv apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Keskm Daily Väljuv DocType: POS Profile,Campaign,Kampaania DocType: Supplier,Name and Type,Nimi ja tüüp -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Nõustumisstaatus tuleb "Kinnitatud" või "Tõrjutud" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Nõustumisstaatus tuleb "Kinnitatud" või "Tõrjutud" DocType: Purchase Invoice,Contact Person,Kontaktisik apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"Oodatud Start Date" ei saa olla suurem kui "Oodatud End Date" DocType: Course Scheduling Tool,Course End Date,Muidugi End Date @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,eelistatud Post apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Net Change põhivarade DocType: Leave Control Panel,Leave blank if considered for all designations,"Jäta tühjaks, kui arvestada kõiki nimetusi" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Laadige tüüp "Tegelik" in real {0} ei saa lisada Punkt Rate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Laadige tüüp "Tegelik" in real {0} ei saa lisada Punkt Rate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Siit Date DocType: Email Digest,For Company,Sest Company apps/erpnext/erpnext/config/support.py +17,Communication log.,Side log. @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Ametijuhendite DocType: Journal Entry Account,Account Balance,Kontojääk apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Maksu- reegli tehingud. DocType: Rename Tool,Type of document to rename.,Dokumendi liik ümber. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Ostame see toode +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Ostame see toode apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klient on kohustatud vastu võlgnevus konto {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Kokku maksud ja tasud (firma Valuuta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Näita sulgemata eelarve aasta P & L saldod @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,Näidud DocType: Stock Entry,Total Additional Costs,Kokku Lisakulud DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Vanametalli materjali kulu (firma Valuuta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub Assemblies DocType: Asset,Asset Name,Asset Nimi DocType: Project,Task Weight,ülesanne Kaal DocType: Shipping Rule Condition,To Value,Hindama @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Punkt variandid DocType: Company,Services,Teenused DocType: HR Settings,Email Salary Slip to Employee,E palgatõend töötajate DocType: Cost Center,Parent Cost Center,Parent Cost Center -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Vali Võimalik Tarnija +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Vali Võimalik Tarnija DocType: Sales Invoice,Source,Allikas apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Näita suletud DocType: Leave Type,Is Leave Without Pay,Kas palgata puhkust @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,Kanna Soodus DocType: GST HSN Code,GST HSN Code,GST HSN kood DocType: Employee External Work History,Total Experience,Kokku Experience apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Avatud projektid -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Pakkesedel (s) tühistati +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Pakkesedel (s) tühistati apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Rahavood investeerimistegevusest DocType: Program Course,Program Course,programmi käigus apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Kaubavedu ja Edasitoimetuskulude @@ -1538,9 +1538,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,programm sooviavaldused DocType: Sales Invoice Item,Brand Name,Brändi nimi DocType: Purchase Receipt,Transporter Details,Transporter Üksikasjad -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Vaikimisi ladu valimiseks on vaja kirje -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Box -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,võimalik Tarnija +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Vaikimisi ladu valimiseks on vaja kirje +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Box +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,võimalik Tarnija DocType: Budget,Monthly Distribution,Kuu Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Vastuvõtja nimekiri on tühi. Palun luua vastuvõtja loetelu DocType: Production Plan Sales Order,Production Plan Sales Order,Tootmise kava Sales Order @@ -1572,7 +1572,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Nõuded firma apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Õpilased on keskmes süsteem, lisada kõik oma õpilasi" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Rida # {0} kliirens kuupäeva {1} ei saa enne tšeki kuupäev {2} DocType: Company,Default Holiday List,Vaikimisi Holiday nimekiri -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Kohustused DocType: Purchase Invoice,Supplier Warehouse,Tarnija Warehouse DocType: Opportunity,Contact Mobile No,Võta Mobiilne pole @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Jäta tüüpi {0} ei saa olla pikem kui {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Proovige plaanis operatsioonide X päeva ette. DocType: HR Settings,Stop Birthday Reminders,Stopp Sünnipäev meeldetuletused -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Palun määra Vaikimisi palgaarvestuse tasulised konto Company {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Palun määra Vaikimisi palgaarvestuse tasulised konto Company {0} DocType: SMS Center,Receiver List,Vastuvõtja loetelu -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Otsi toode +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Otsi toode apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Tarbitud apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Net muutus Cash DocType: Assessment Plan,Grading Scale,hindamisskaala apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mõõtühik {0} on kantud rohkem kui üks kord Conversion Factor tabel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,juba lõpetatud +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,juba lõpetatud apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock In Hand apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Maksenõudekäsule juba olemas {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kulud Väljastatud Esemed -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Kogus ei tohi olla rohkem kui {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Kogus ei tohi olla rohkem kui {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Eelmisel majandusaastal ei ole suletud apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Vanus (päevad) DocType: Quotation Item,Quotation Item,Tsitaat toode @@ -1613,6 +1613,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,ViitedokumenDI apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} on tühistatud või peatatud DocType: Accounts Settings,Credit Controller,Krediidi Controller +DocType: Sales Order,Final Delivery Date,Lõppkuupäev DocType: Delivery Note,Vehicle Dispatch Date,Sõidukite Dispatch Date DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Ostutšekk {0} ei ole esitatud @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,Kuupäev pensionile DocType: Upload Attendance,Get Template,Võta Mall DocType: Material Request,Transferred,üle DocType: Vehicle,Doors,Uksed -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Maksu- väljasõit +DocType: Purchase Invoice,Tax Breakup,Maksu- väljasõit DocType: Packing Slip,PS-,PS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Cost Center on vajalik kasumi ja kahjumi "kontole {2}. Palun luua vaikimisi Cost Center for Company. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kliendi Group olemas sama nimega siis muuta kliendi nimi või ümber Kliendi Group @@ -1716,14 +1717,14 @@ DocType: Announcement,Instructor,juhendaja DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Kui see toode on variandid, siis ei saa valida müügi korraldusi jms" DocType: Lead,Next Contact By,Järgmine kontakteeruda -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Kogus vaja Punkt {0} järjest {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Kogus vaja Punkt {0} järjest {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Ladu {0} ei saa kustutada, kui kvantiteet on olemas Punkt {1}" DocType: Quotation,Order Type,Tellimus Type DocType: Purchase Invoice,Notification Email Address,Teavitamine e-posti aadress ,Item-wise Sales Register,Punkt tark Sales Registreeri DocType: Asset,Gross Purchase Amount,Gross ostusumma DocType: Asset,Depreciation Method,Amortisatsioonimeetod -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,See sisaldab käibemaksu Basic Rate? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Kokku Target DocType: Job Applicant,Applicant for a Job,Taotleja Töö @@ -1744,7 +1745,7 @@ DocType: Employee,Leave Encashed?,Jäta realiseeritakse? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity From väli on kohustuslik DocType: Email Digest,Annual Expenses,Aastane kulu DocType: Item,Variants,Variante -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Tee Ostutellimuse +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Tee Ostutellimuse DocType: SMS Center,Send To,Saada apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Ei ole piisavalt puhkust tasakaalu Jäta tüüp {0} DocType: Payment Reconciliation Payment,Allocated amount,Eraldatud summa @@ -1752,7 +1753,7 @@ DocType: Sales Team,Contribution to Net Total,Panus Net kokku DocType: Sales Invoice Item,Customer's Item Code,Kliendi Kood DocType: Stock Reconciliation,Stock Reconciliation,Stock leppimise DocType: Territory,Territory Name,Territoorium nimi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Lõpetamata Progress Warehouse on vaja enne Esita +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Lõpetamata Progress Warehouse on vaja enne Esita apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Taotleja tööd. DocType: Purchase Order Item,Warehouse and Reference,Lao- ja seletused DocType: Supplier,Statutory info and other general information about your Supplier,Kohustuslik info ja muud üldist infot oma Tarnija @@ -1763,16 +1764,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,hindamisest apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Duplicate Serial No sisestatud Punkt {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Tingimuseks laevandus reegel apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Palun sisesta -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",Ei saa liigtasu eest Oksjoni {0} järjest {1} rohkem kui {2}. Et võimaldada üle-arvete määrake ostmine Seaded -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Palun määra filter põhineb toode või Warehouse +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",Ei saa liigtasu eest Oksjoni {0} järjest {1} rohkem kui {2}. Et võimaldada üle-arvete määrake ostmine Seaded +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Palun määra filter põhineb toode või Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Netokaal selle paketi. (arvutatakse automaatselt summana netokaal punkte) DocType: Sales Order,To Deliver and Bill,Pakkuda ja Bill DocType: Student Group,Instructors,Instruktorid DocType: GL Entry,Credit Amount in Account Currency,Krediidi Summa konto Valuuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,Bom {0} tuleb esitada +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,Bom {0} tuleb esitada DocType: Authorization Control,Authorization Control,Autoriseerimiskontroll apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: lükata Warehouse on kohustuslik vastu rahuldamata Punkt {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Makse +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Makse apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",Ladu {0} ei ole seotud ühegi konto palume mainida konto lattu rekord või määrata vaikimisi laoseisu konto ettevõtte {1}. apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Manage oma korraldusi DocType: Production Order Operation,Actual Time and Cost,Tegelik aeg ja maksumus @@ -1788,12 +1789,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle DocType: Quotation Item,Actual Qty,Tegelik Kogus DocType: Sales Invoice Item,References,Viited DocType: Quality Inspection Reading,Reading 10,Lugemine 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Nimekiri oma tooteid või teenuseid, mida osta või müüa. Veenduge, et kontrollida Punkt Group, mõõtühik ja muid omadusi, kui hakkate." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Nimekiri oma tooteid või teenuseid, mida osta või müüa. Veenduge, et kontrollida Punkt Group, mõõtühik ja muid omadusi, kui hakkate." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Te olete sisenenud eksemplaris teemad. Palun paranda ja proovige uuesti. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associate +DocType: Company,Sales Target,Müügi sihtmärk DocType: Asset Movement,Asset Movement,Asset liikumine -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,uus ostukorvi +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,uus ostukorvi apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Punkt {0} ei ole seeriasertide toode DocType: SMS Center,Create Receiver List,Loo vastuvõtja loetelu DocType: Vehicle,Wheels,rattad @@ -1834,13 +1836,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Projektide juhtimise DocType: Supplier,Supplier of Goods or Services.,Pakkuja kaupu või teenuseid. DocType: Budget,Fiscal Year,Eelarveaasta DocType: Vehicle Log,Fuel Price,kütuse hind +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage seansside numbrite seeria seaded> nummering seeria abil DocType: Budget,Budget,Eelarve apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Põhivara objektile peab olema mitte-laoartikkel. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Eelarve ei saa liigitada vastu {0}, sest see ei ole tulu või kuluna konto" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Saavutatud DocType: Student Admission,Application Form Route,Taotlusvormi Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territoorium / Klienditeenindus -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,nt 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,nt 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Jäta tüüp {0} ei saa jaotada, sest see on palgata puhkust" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Eraldatud summa {1} peab olema väiksem või võrdne arve tasumata summa {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Sõnades on nähtav, kui salvestate müügiarve." @@ -1849,11 +1852,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Punkt {0} ei ole setup Serial nr. Saate Punkt master DocType: Maintenance Visit,Maintenance Time,Hooldus aeg ,Amount to Deliver,Summa pakkuda -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Toode või teenus +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Toode või teenus apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Start Date ei saa olla varasem kui alguskuupäev õppeaasta, mille mõiste on seotud (Academic Year {}). Palun paranda kuupäev ja proovi uuesti." DocType: Guardian,Guardian Interests,Guardian huvid DocType: Naming Series,Current Value,Praegune väärtus -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Mitu eelarve aastatel on olemas kuupäev {0}. Palun määra firma eelarveaastal +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Mitu eelarve aastatel on olemas kuupäev {0}. Palun määra firma eelarveaastal apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} loodud DocType: Delivery Note Item,Against Sales Order,Vastu Sales Order ,Serial No Status,Serial No staatus @@ -1866,7 +1869,7 @@ DocType: Pricing Rule,Selling,Müük apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Summa {0} {1} maha vastu {2} DocType: Employee,Salary Information,Palk Information DocType: Sales Person,Name and Employee ID,Nimi ja Töötaja ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Tähtaeg ei tohi olla enne postitamist kuupäev +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Tähtaeg ei tohi olla enne postitamist kuupäev DocType: Website Item Group,Website Item Group,Koduleht Punkt Group apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Lõivud ja maksud apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Palun sisestage Viitekuupäev @@ -1921,9 +1924,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Määrake Liitumis töötajate {0} DocType: Task,Total Billing Amount (via Time Sheet),Arve summa (via Time Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Korrake Kliendi tulu -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) peab olema roll kulul Approver " -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Paar -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Vali Bom ja Kogus Production +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) peab olema roll kulul Approver " +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Paar +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Vali Bom ja Kogus Production DocType: Asset,Depreciation Schedule,amortiseerumise kava apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Müük Partner aadressid ja kontaktandmed DocType: Bank Reconciliation Detail,Against Account,Vastu konto @@ -1933,7 +1936,7 @@ DocType: Item,Has Batch No,Kas Partii ei apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Iga-aastane Arved: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Kaupade ja teenuste maksu (GST India) DocType: Delivery Note,Excise Page Number,Aktsiisi Page Number -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",Firma From kuupäev ning praegu on kohustuslik +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",Firma From kuupäev ning praegu on kohustuslik DocType: Asset,Purchase Date,Ostu kuupäev DocType: Employee,Personal Details,Isiklikud detailid apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Palun määra "Vara amortisatsioonikulu Center" Company {0} @@ -1942,9 +1945,9 @@ DocType: Task,Actual End Date (via Time Sheet),Tegelik End Date (via Time Sheet) apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Summa {0} {1} vastu {2} {3} ,Quotation Trends,Tsitaat Trends apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Punkt Group mainimata punktis kapteni kirje {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Kanne konto peab olema võlgnevus konto +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Kanne konto peab olema võlgnevus konto DocType: Shipping Rule Condition,Shipping Amount,Kohaletoimetamine summa -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Lisa Kliendid +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Lisa Kliendid apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kuni Summa DocType: Purchase Invoice Item,Conversion Factor,Tulemus Factor DocType: Purchase Order,Delivered,Tarnitakse @@ -1966,7 +1969,6 @@ DocType: Production Order,Use Multi-Level BOM,Kasutage Multi-Level Bom DocType: Bank Reconciliation,Include Reconciled Entries,Kaasa Lepitatud kanded DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Vanem Course (Jäta tühi, kui see ei ole osa Parent Course)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Jäta tühjaks, kui arvestada kõikide töötajate tüübid" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klient> Kliendi Grupp> Territoorium DocType: Landed Cost Voucher,Distribute Charges Based On,Jaota põhinevatest tasudest apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,HR Seaded @@ -1974,7 +1976,7 @@ DocType: Salary Slip,net pay info,netopalk info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Kuluhüvitussüsteeme kinnituse ootel. Ainult Kulu Approver saab uuendada staatus. DocType: Email Digest,New Expenses,uus kulud DocType: Purchase Invoice,Additional Discount Amount,Täiendav Allahindluse summa -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rida # {0}: Kogus peab olema 1, kui objekt on põhivarana. Palun kasutage eraldi rida mitu tk." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rida # {0}: Kogus peab olema 1, kui objekt on põhivarana. Palun kasutage eraldi rida mitu tk." DocType: Leave Block List Allow,Leave Block List Allow,Jäta Block loetelu Laske apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Lühend ei saa olla tühi või ruumi apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grupi Non-Group @@ -1982,7 +1984,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Spordi- DocType: Loan Type,Loan Name,laenu Nimi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Kokku Tegelik DocType: Student Siblings,Student Siblings,Student Õed -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Ühik +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Ühik apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Palun täpsustage Company ,Customer Acquisition and Loyalty,Klientide võitmiseks ja lojaalsus DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Ladu, kus hoiad varu tagasi teemad" @@ -2000,12 +2002,12 @@ DocType: Workstation,Wages per hour,Palk tunnis apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock tasakaalu Partii {0} halveneb {1} jaoks Punkt {2} lattu {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Pärast Material taotlused on tõstatatud automaatselt vastavalt objekti ümber korraldada tasemel DocType: Email Digest,Pending Sales Orders,Kuni müügitellimuste -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} on kehtetu. Konto Valuuta peab olema {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Konto {0} on kehtetu. Konto Valuuta peab olema {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Ümberarvutustegur on vaja järjest {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rida # {0}: Reference Document Type peab olema üks Sales Order, müügiarve või päevikusissekanne" DocType: Salary Component,Deduction,Kinnipeetav -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rida {0}: From ajal ja aeg on kohustuslik. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Rida {0}: From ajal ja aeg on kohustuslik. DocType: Stock Reconciliation Item,Amount Difference,summa vahe apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Toode Hind lisatud {0} Hinnakirjas {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Palun sisestage Töötaja Id selle müügi isik @@ -2015,11 +2017,11 @@ DocType: Project,Gross Margin,Gross Margin apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Palun sisestage Production Punkt esimene apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Arvutatud Bank avaldus tasakaalu apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,puudega kasutaja -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Tsitaat +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Tsitaat DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Kokku mahaarvamine ,Production Analytics,tootmise Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kulude Uuendatud +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Kulude Uuendatud DocType: Employee,Date of Birth,Sünniaeg apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Punkt {0} on juba tagasi DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiscal Year ** esindab majandusaastal. Kõik raamatupidamiskanded ja teiste suuremate tehingute jälgitakse vastu ** Fiscal Year **. @@ -2064,18 +2066,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Valige ettevõtte ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Jäta tühjaks, kui arvestada kõik osakonnad" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tüübid tööhõive (püsiv, leping, intern jne)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} on kohustuslik Punkt {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} on kohustuslik Punkt {1} DocType: Process Payroll,Fortnightly,iga kahe nädala tagant DocType: Currency Exchange,From Currency,Siit Valuuta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Kulud New Ost -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Sales Order vaja Punkt {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Sales Order vaja Punkt {0} DocType: Purchase Invoice Item,Rate (Company Currency),Hinda (firma Valuuta) DocType: Student Guardian,Others,Teised DocType: Payment Entry,Unallocated Amount,Jaotamata summa apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Kas te ei leia sobivat Punkt. Palun valige mõni muu väärtus {0}. DocType: POS Profile,Taxes and Charges,Maksud ja tasud DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Toode või teenus, mida osta, müüa või hoida laos." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Üksuse Kood> Üksus Grupp> Bränd apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Enam uuendused apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Ei saa valida tasuta tüübiks "On eelmise rea summa" või "On eelmise rea kokku" esimese rea apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Lapse toode ei tohiks olla Toote Bundle. Palun eemalda kirje `{0}` ja säästa @@ -2101,7 +2104,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Arve summa apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Peab olema vaikimisi sissetuleva e-posti konto võimaldas see toimiks. Palun setup vaikimisi sissetuleva e-posti konto (POP / IMAP) ja proovige uuesti. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Nõue konto -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Rida # {0}: Asset {1} on juba {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Rida # {0}: Asset {1} on juba {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Sales Order maksmine apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,tegevdirektor @@ -2126,10 +2129,11 @@ DocType: C-Form,Received Date,Vastatud kuupäev DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Kui olete loonud standard malli Müük maksud ja tasud Mall, valige neist üks ja klõpsa nuppu allpool." DocType: BOM Scrap Item,Basic Amount (Company Currency),Põhisumma (firma Valuuta) DocType: Student,Guardians,Kaitsjad +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tarnija> Tarnija tüüp DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Hinnad ei näidata, kui hinnakiri ei ole valitud" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Palun täpsustage riik seda kohaletoimetamine eeskirja või vaadake Worldwide Shipping DocType: Stock Entry,Total Incoming Value,Kokku Saabuva Value -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Kanne on vajalik +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Kanne on vajalik apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets aitab jälgida aega, kulusid ja arveldamise aja veetmiseks teha oma meeskonda" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Ostu hinnakiri DocType: Offer Letter Term,Offer Term,Tähtajaline @@ -2148,11 +2152,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Toote DocType: Timesheet Detail,To Time,Et aeg DocType: Authorization Rule,Approving Role (above authorized value),Kinnitamine roll (üle lubatud väärtuse) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Krediidi konto peab olema tasulised konto -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Bom recursion: {0} ei saa olla vanem või laps {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},Bom recursion: {0} ei saa olla vanem või laps {2} DocType: Production Order Operation,Completed Qty,Valminud Kogus apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Sest {0}, ainult deebetkontode võib olla seotud teise vastu kreeditlausend" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Hinnakiri {0} on keelatud -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rida {0}: Teostatud Kogus ei saa olla rohkem kui {1} tööks {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rida {0}: Teostatud Kogus ei saa olla rohkem kui {1} tööks {2} DocType: Manufacturing Settings,Allow Overtime,Laske Ületunnitöö apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Seeriatootmiseks Oksjoni {0} ei saa uuendada, kasutades Stock vastavuse kontrollimiseks kasutada Stock Entry" DocType: Training Event Employee,Training Event Employee,Koolitus Sündmus Employee @@ -2170,10 +2174,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Väline apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Kasutajad ja reeglid DocType: Vehicle Log,VLOG.,Videoblogi. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Tootmistellimused Loodud: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Tootmistellimused Loodud: {0} DocType: Branch,Branch,Oks DocType: Guardian,Mobile Number,Mobiili number apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Trükkimine ja Branding +DocType: Company,Total Monthly Sales,Kuu kogu müük DocType: Bin,Actual Quantity,Tegelik Kogus DocType: Shipping Rule,example: Next Day Shipping,Näiteks: Järgmine päev kohaletoimetamine apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} ei leitud @@ -2203,7 +2208,7 @@ DocType: Payment Request,Make Sales Invoice,Tee müügiarve apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,tarkvara apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Järgmine Kontakt kuupäev ei saa olla minevikus DocType: Company,For Reference Only.,Üksnes võrdluseks. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Valige Partii nr +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Valige Partii nr apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Vale {0} {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Advance summa @@ -2216,7 +2221,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No Punkt Triipkood {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Juhtum nr saa olla 0 DocType: Item,Show a slideshow at the top of the page,Näita slaidiseansi ülaosas lehele -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Kauplused DocType: Serial No,Delivery Time,Tarne aeg apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Vananemine Põhineb @@ -2230,16 +2235,16 @@ DocType: Rename Tool,Rename Tool,Nimeta Tool apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Värskenda Cost DocType: Item Reorder,Item Reorder,Punkt Reorder apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Näita palgatõend -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transfer Materjal +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transfer Materjal DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",Määrake tegevuse töökulud ja annab ainulaadse operatsiooni ei oma tegevuse. apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,See dokument on üle piiri {0} {1} artiklijärgse {4}. Kas tegemist teise {3} samade {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Palun määra korduvate pärast salvestamist -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Vali muutus summa kontole +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Palun määra korduvate pärast salvestamist +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Vali muutus summa kontole DocType: Purchase Invoice,Price List Currency,Hinnakiri Valuuta DocType: Naming Series,User must always select,Kasutaja peab alati valida DocType: Stock Settings,Allow Negative Stock,Laske Negatiivne Stock DocType: Installation Note,Installation Note,Paigaldamine Märkus -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Lisa maksud +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Lisa maksud DocType: Topic,Topic,teema apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Finantseerimistegevuse rahavoost DocType: Budget Account,Budget Account,Eelarve konto @@ -2253,7 +2258,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Jälg apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Vahendite allika (Kohustused) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Kogus järjest {0} ({1}) peab olema sama, mida toodetakse kogus {2}" DocType: Appraisal,Employee,Töötaja -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Valige Partii +DocType: Company,Sales Monthly History,Müügi kuu ajalugu +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Valige Partii apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} on täielikult arve DocType: Training Event,End Time,End Time apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktiivne Palgastruktuur {0} leitud töötaja {1} jaoks antud kuupäevad @@ -2261,15 +2267,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Tasu vähendamisega või kaotu apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Lepingu tüüptingimused Müük või ost. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grupi poolt Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,müügivõimaluste -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Palun määra vaikimisi konto palk Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Palun määra vaikimisi konto palk Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Nõutav DocType: Rename Tool,File to Rename,Fail Nimeta ümber apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Palun valige Bom Punkt reas {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Kontole {0} ei ühti Firma {1} režiimis Ülekanderublade: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Määratletud Bom {0} ei eksisteeri Punkt {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Hoolduskava {0} tuleb tühistada enne tühistades selle Sales Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Hoolduskava {0} tuleb tühistada enne tühistades selle Sales Order DocType: Notification Control,Expense Claim Approved,Kuluhüvitussüsteeme Kinnitatud -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Palun seadistage seansside numbrite seeria seadistuste> nummering seeria abil apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Palgatõend töötaja {0} on juba loodud selleks perioodiks apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutical apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kulud ostetud esemed @@ -2286,7 +2291,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Bom No. jaoks Lõpp DocType: Upload Attendance,Attendance To Date,Osalemine kuupäev DocType: Warranty Claim,Raised By,Tõstatatud DocType: Payment Gateway Account,Payment Account,Maksekonto -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Palun täpsustage Company edasi +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Palun täpsustage Company edasi apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Net muutus Arved apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Tasandusintress Off DocType: Offer Letter,Accepted,Lubatud @@ -2295,12 +2300,12 @@ DocType: SG Creation Tool Course,Student Group Name,Student Grupi nimi apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Palun veendu, et sa tõesti tahad kustutada kõik tehingud selle firma. Teie kapten andmed jäävad, nagu see on. Seda toimingut ei saa tagasi võtta." DocType: Room,Room Number,Toa number apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Vale viite {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei saa olla suurem kui planeeritud quanitity ({2}) in Production Tellimus {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei saa olla suurem kui planeeritud quanitity ({2}) in Production Tellimus {3} DocType: Shipping Rule,Shipping Rule Label,Kohaletoimetamine Reegel Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Kasutaja Foorum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Tooraine ei saa olla tühi. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Ei uuendada laos, arve sisaldab tilk laevandus objekt." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick päevikusissekanne +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Tooraine ei saa olla tühi. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Ei uuendada laos, arve sisaldab tilk laevandus objekt." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Quick päevikusissekanne apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Sa ei saa muuta kiirust kui Bom mainitud agianst tahes kirje DocType: Employee,Previous Work Experience,Eelnev töökogemus DocType: Stock Entry,For Quantity,Sest Kogus @@ -2357,7 +2362,7 @@ DocType: SMS Log,No of Requested SMS,Ei taotletud SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Palgata puhkust ei ühti heaks Jäta ostusoov arvestust DocType: Campaign,Campaign-.####,Kampaania -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Järgmised sammud -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Esitada määratud objekte parima võimaliku määr +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Esitada määratud objekte parima võimaliku määr DocType: Selling Settings,Auto close Opportunity after 15 days,Auto sule võimalus pärast 15 päeva apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,End Aasta apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Plii% @@ -2394,7 +2399,7 @@ DocType: Homepage,Homepage,Kodulehekülg DocType: Purchase Receipt Item,Recd Quantity,KONTOLE Kogus apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Records Loodud - {0} DocType: Asset Category Account,Asset Category Account,Põhivarakategoori konto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Ei suuda toota rohkem Punkt {0} kui Sales Order koguse {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Ei suuda toota rohkem Punkt {0} kui Sales Order koguse {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock Entry {0} ei ole esitatud DocType: Payment Reconciliation,Bank / Cash Account,Bank / Cash konto apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Järgmine kontakteeruda ei saa olla sama Lead e-posti aadress @@ -2427,7 +2432,7 @@ DocType: Salary Structure,Total Earning,Kokku teenimine DocType: Purchase Receipt,Time at which materials were received,"Aeg, mil materjale ei laekunud" DocType: Stock Ledger Entry,Outgoing Rate,Väljuv Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisatsiooni haru meister. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,või +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,või DocType: Sales Order,Billing Status,Arved staatus apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Teata probleemist apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility kulud @@ -2435,7 +2440,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rida # {0}: päevikusissekanne {1} ei ole arvesse {2} või juba võrreldakse teise kviitungi DocType: Buying Settings,Default Buying Price List,Vaikimisi ostmine hinnakiri DocType: Process Payroll,Salary Slip Based on Timesheet,Palgatõend põhjal Töögraafik -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ükski töötaja eespool valitud kriteeriumid või palgatõend juba loodud +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Ükski töötaja eespool valitud kriteeriumid või palgatõend juba loodud DocType: Notification Control,Sales Order Message,Sales Order Message apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Vaikeväärtuste nagu firma, valuuta, jooksval majandusaastal jms" DocType: Payment Entry,Payment Type,Makse tüüp @@ -2459,7 +2464,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Laekumine dokument tuleb esitada DocType: Purchase Invoice Item,Received Qty,Vastatud Kogus DocType: Stock Entry Detail,Serial No / Batch,Serial No / Partii -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Mitte Paide ja ei ole esitanud +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Mitte Paide ja ei ole esitanud DocType: Product Bundle,Parent Item,Eellaselement DocType: Account,Account Type,Konto tüüp DocType: Delivery Note,DN-RET-,DN-RET- @@ -2489,8 +2494,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Eraldati kokku apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Määra vaikimisi laoseisu konto jooksva inventuuri DocType: Item Reorder,Material Request Type,Materjal Hankelepingu liik -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural päevikusissekanne palgad alates {0} kuni {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage on täis, ei päästa" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural päevikusissekanne palgad alates {0} kuni {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage on täis, ei päästa" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor on kohustuslik apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Cost Center @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Tulum apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Kui valitud Hinnakujundus Reegel on tehtud "Hind", siis kirjutatakse hinnakiri. Hinnakujundus Reegel hind on lõpphind, et enam allahindlust tuleks kohaldada. Seega tehingutes nagu Sales Order, Ostutellimuse jne, siis on see tõmmatud "Rate" valdkonnas, mitte "Hinnakirja Rate väljale." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Rada viib Tööstuse tüüp. DocType: Item Supplier,Item Supplier,Punkt Tarnija -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Palun sisestage Kood saada partii ei +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Palun sisestage Kood saada partii ei apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Palun valige väärtust {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Kõik aadressid. DocType: Company,Stock Settings,Stock Seaded @@ -2535,7 +2540,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Tegelik Kogus Pärast T apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ei palgatõend vahel leiti {0} ja {1} ,Pending SO Items For Purchase Request,Kuni SO Kirjed osta taotlusel apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Student Sisseastujale -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} on keelatud +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} on keelatud DocType: Supplier,Billing Currency,Arved Valuuta DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Väga suur @@ -2565,7 +2570,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Application staatus DocType: Fees,Fees,Tasud DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Täpsustada Vahetuskurss vahetada üks valuuta teise -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Tsitaat {0} on tühistatud +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Tsitaat {0} on tühistatud apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Tasumata kogusumma DocType: Sales Partner,Targets,Eesmärgid DocType: Price List,Price List Master,Hinnakiri Master @@ -2582,7 +2587,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignoreeri Hinnakujundus reegel DocType: Employee Education,Graduate,Lõpetama DocType: Leave Block List,Block Days,Block päeva DocType: Journal Entry,Excise Entry,Aktsiisi Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Hoiatus: Müük tellimuse {0} on juba olemas peale Kliendi ostutellimuse {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Hoiatus: Müük tellimuse {0} on juba olemas peale Kliendi ostutellimuse {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2608,7 +2613,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Kui ,Salary Register,palk Registreeri DocType: Warehouse,Parent Warehouse,Parent Warehouse DocType: C-Form Invoice Detail,Net Total,Net kokku -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Vaikimisi Bom ei leitud Oksjoni {0} ja Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Vaikimisi Bom ei leitud Oksjoni {0} ja Project {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Määrake erinevate Laenuliigid DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Tasumata summa @@ -2645,7 +2650,7 @@ DocType: Salary Detail,Condition and Formula Help,Seisund ja Vormel Abi apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Manage Territory Tree. DocType: Journal Entry Account,Sales Invoice,Müügiarve DocType: Journal Entry Account,Party Balance,Partei Balance -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Palun valige Rakenda soodustust +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Palun valige Rakenda soodustust DocType: Company,Default Receivable Account,Vaikimisi võlgnevus konto DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Loo Bank kirjet kogu palka eespool valitud kriteeriumid DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer tootmine @@ -2659,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Kliendi aadress DocType: Employee Loan,Loan Details,laenu detailid DocType: Company,Default Inventory Account,Vaikimisi Inventory konto -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rida {0}: Teostatud Kogus peab olema suurem kui null. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Rida {0}: Teostatud Kogus peab olema suurem kui null. DocType: Purchase Invoice,Apply Additional Discount On,Rakendada täiendavaid soodustust DocType: Account,Root Type,Juur Type DocType: Item,FIFO,FIFO @@ -2676,7 +2681,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Kvaliteedi kontroll apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Mikroskoopilises DocType: Company,Standard Template,standard Template DocType: Training Event,Theory,teooria -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Hoiatus: Materjal Taotletud Kogus alla Tellimuse Miinimum Kogus +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Hoiatus: Materjal Taotletud Kogus alla Tellimuse Miinimum Kogus apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Konto {0} on külmutatud DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juriidilise isiku / tütarettevõtte eraldi kontoplaani kuuluv organisatsioon. DocType: Payment Request,Mute Email,Mute Email @@ -2700,7 +2705,7 @@ DocType: Training Event,Scheduled,Plaanitud apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Hinnapäring. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Palun valige Punkt, kus "Kas Stock Punkt" on "Ei" ja "Kas Sales Punkt" on "jah" ja ei ole muud Toote Bundle" DocType: Student Log,Academic,Akadeemiline -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kokku eelnevalt ({0}) vastu Order {1} ei saa olla suurem kui Grand Kokku ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kokku eelnevalt ({0}) vastu Order {1} ei saa olla suurem kui Grand Kokku ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Vali Kuu jaotamine ebaühtlaselt jaotada eesmärkide üle kuu. DocType: Purchase Invoice Item,Valuation Rate,Hindamine Rate DocType: Stock Reconciliation,SR/,SR / @@ -2764,6 +2769,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Sisesta nimi kampaania kui allikas uurimine on kampaania apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Ajaleht Publishers apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Vali Fiscal Year +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Oodatud tarnetähtaeg peaks olema pärast Müügikorralduse kuupäeva apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Reorder Level DocType: Company,Chart Of Accounts Template,Kontoplaani Mall DocType: Attendance,Attendance Date,Osavõtt kuupäev @@ -2795,7 +2801,7 @@ DocType: Pricing Rule,Discount Percentage,Allahindlusprotsendi DocType: Payment Reconciliation Invoice,Invoice Number,Arve number DocType: Shopping Cart Settings,Orders,Tellimused DocType: Employee Leave Approver,Leave Approver,Jäta Approver -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Palun valige partii +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Palun valige partii DocType: Assessment Group,Assessment Group Name,Hinnang Grupi nimi DocType: Manufacturing Settings,Material Transferred for Manufacture,Materjal üleantud tootmine DocType: Expense Claim,"A user with ""Expense Approver"" role",Kasutaja on "Expense Approver" rolli @@ -2831,7 +2837,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Viimane päev järgmise kuu DocType: Support Settings,Auto close Issue after 7 days,Auto lähedale Issue 7 päeva pärast apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Jäta ei saa eraldada enne {0}, sest puhkuse tasakaal on juba carry-edastas tulevikus puhkuse jaotamise rekord {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Märkus: Tänu / Viitekuupäev ületab lubatud klientide krediidiriski päeva {0} päeva (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Märkus: Tänu / Viitekuupäev ületab lubatud klientide krediidiriski päeva {0} päeva (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student esitaja DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL vastuvõtvate DocType: Asset Category Account,Accumulated Depreciation Account,Akumuleeritud kulum konto @@ -2842,7 +2848,7 @@ DocType: Item,Reorder level based on Warehouse,Reorder tasandil põhineb Warehou DocType: Activity Cost,Billing Rate,Arved Rate ,Qty to Deliver,Kogus pakkuda ,Stock Analytics,Stock Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Toiminguid ei saa tühjaks jätta +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Toiminguid ei saa tühjaks jätta DocType: Maintenance Visit Purpose,Against Document Detail No,Vastu Dokumendi Detail Ei apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Partei Type on kohustuslik DocType: Quality Inspection,Outgoing,Väljuv @@ -2883,15 +2889,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Saadaval Kogus lattu apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Arve summa DocType: Asset,Double Declining Balance,Double Degressiivne -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Suletud tellimust ei ole võimalik tühistada. Avanema tühistada. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Suletud tellimust ei ole võimalik tühistada. Avanema tühistada. DocType: Student Guardian,Father,isa -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Uuenda Stock" ei saa kontrollida põhivara müügist +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"Uuenda Stock" ei saa kontrollida põhivara müügist DocType: Bank Reconciliation,Bank Reconciliation,Bank leppimise DocType: Attendance,On Leave,puhkusel apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Saada värskendusi apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} ei kuulu Company {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materjal taotlus {0} on tühistatud või peatatud -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Lisa mõned proovi arvestust +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Lisa mõned proovi arvestust apps/erpnext/erpnext/config/hr.py +301,Leave Management,Jäta juhtimine apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupi poolt konto DocType: Sales Order,Fully Delivered,Täielikult Tarnitakse @@ -2900,12 +2906,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Erinevus konto peab olema vara / kohustuse tüübist võtta, sest see Stock leppimine on mõra Entry" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Väljastatud summa ei saa olla suurem kui Laenusumma {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Ostutellimuse numbri vaja Punkt {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Tootmise et mitte loodud +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Tootmise et mitte loodud apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"From Date" tuleb pärast "To Date" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Selleks ei saa muuta üliõpilaste {0} on seotud õpilase taotluse {1} DocType: Asset,Fully Depreciated,täielikult amortiseerunud ,Stock Projected Qty,Stock Kavandatav Kogus -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Kliendi {0} ei kuulu projekti {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Kliendi {0} ei kuulu projekti {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Märkimisväärne osavõtt HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Hinnapakkumised on ettepanekuid, pakkumiste saadetud oma klientidele" DocType: Sales Order,Customer's Purchase Order,Kliendi ostutellimuse @@ -2915,7 +2921,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Palun määra arv Amortisatsiooniaruanne Broneeritud apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Väärtus või Kogus apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Lavastused Tellimused ei saa tõsta jaoks: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minut +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minut DocType: Purchase Invoice,Purchase Taxes and Charges,Ostu maksud ja tasud ,Qty to Receive,Kogus Receive DocType: Leave Block List,Leave Block List Allowed,Jäta Block loetelu Lubatud @@ -2928,7 +2934,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Kõik Tarnija liigid DocType: Global Defaults,Disable In Words,Keela sõnades apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Kood on kohustuslik, sest toode ei ole automaatselt nummerdatud" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Tsitaat {0} ei tüübiga {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Tsitaat {0} ei tüübiga {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Hoolduskava toode DocType: Sales Order,% Delivered,% Tarnitakse DocType: Production Order,PRO-,pa- @@ -2951,7 +2957,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Müüja Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Kokku ostukulud (via ostuarve) DocType: Training Event,Start Time,Algusaeg -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Vali Kogus +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Vali Kogus DocType: Customs Tariff Number,Customs Tariff Number,Tollitariifistiku number apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Kinnitamine roll ei saa olla sama rolli õigusriigi kohaldatakse apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Lahku sellest Email Digest @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Täielikult Maksustatakse apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Raha kassas -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Toimetaja lattu vajalik varude objekti {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Toimetaja lattu vajalik varude objekti {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Brutokaal pakendis. Tavaliselt netokaal + pakkematerjali kaal. (trüki) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,programm DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Kasutajad seda rolli on lubatud kehtestada külmutatud kontode ja luua / muuta raamatupidamiskirjeteks vastu külmutatud kontode @@ -2984,7 +2990,7 @@ DocType: Student Group,Group Based On,Grupp põhineb DocType: Journal Entry,Bill Date,Bill kuupäev apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Teenuse toode, tüüp, sagedus ja kulude summa on vajalik" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Isegi kui on mitu Hinnakujundusreeglid esmajärjekorras, siis järgmised sisemised prioriteedid on rakendatud:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Kas tõesti esitama kõik palgatõend alates {0} kuni {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Kas tõesti esitama kõik palgatõend alates {0} kuni {1} DocType: Cheque Print Template,Cheque Height,Tšekk Kõrgus DocType: Supplier,Supplier Details,Tarnija Üksikasjad DocType: Expense Claim,Approval Status,Kinnitamine Staatus @@ -3006,7 +3012,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Viia Tsitaat apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Midagi rohkem näidata. DocType: Lead,From Customer,Siit Klienditeenindus apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Kutsub -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Partiid +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Partiid DocType: Project,Total Costing Amount (via Time Logs),Kokku kuluarvestus summa (via aeg kajakad) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Ostutellimuse {0} ei ole esitatud @@ -3037,7 +3043,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Tagasi Against ostuarv DocType: Item,Warranty Period (in days),Garantii Periood (päeva) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Seos Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Rahavood äritegevusest -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,nt käibemaksu +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,nt käibemaksu apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Punkt 4 DocType: Student Admission,Admission End Date,Sissepääs End Date apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Alltöövõtt @@ -3045,7 +3051,7 @@ DocType: Journal Entry Account,Journal Entry Account,Päevikusissekanne konto apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group DocType: Shopping Cart Settings,Quotation Series,Tsitaat Series apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Elementi on olemas sama nimega ({0}), siis muutke kirje grupi nimi või ümbernimetamiseks kirje" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Palun valige kliendile +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Palun valige kliendile DocType: C-Form,I,mina DocType: Company,Asset Depreciation Cost Center,Vara amortisatsioonikulu Center DocType: Sales Order Item,Sales Order Date,Sales Order Date @@ -3056,6 +3062,7 @@ DocType: Stock Settings,Limit Percent,Limit protsent ,Payment Period Based On Invoice Date,Makse kindlaksmääramisel tuginetakse Arve kuupäev apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Kadunud Valuutavahetus ALLAHINDLUSED {0} DocType: Assessment Plan,Examiner,eksamineerija +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Palun määrake seerianumbrite seerianumber {0} seadistamiseks> Seaded> Nime seeria DocType: Student,Siblings,Õed DocType: Journal Entry,Stock Entry,Stock Entry DocType: Payment Entry,Payment References,maksmise @@ -3080,7 +3087,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Kus tootmistegevus viiakse. DocType: Asset Movement,Source Warehouse,Allikas Warehouse DocType: Installation Note,Installation Date,Paigaldamise kuupäev -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Rida # {0}: Asset {1} ei kuulu firma {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Rida # {0}: Asset {1} ei kuulu firma {2} DocType: Employee,Confirmation Date,Kinnitus kuupäev DocType: C-Form,Total Invoiced Amount,Kokku Arve kogusumma apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Kogus ei saa olla suurem kui Max Kogus @@ -3153,7 +3160,7 @@ DocType: Company,Default Letter Head,Vaikimisi kiri Head DocType: Purchase Order,Get Items from Open Material Requests,Võta Kirjed Open Material taotlused DocType: Item,Standard Selling Rate,Standard müügi hind DocType: Account,Rate at which this tax is applied,Hinda kus see maks kohaldub -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Reorder Kogus +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Reorder Kogus apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Praegune noorele DocType: Company,Stock Adjustment Account,Stock korrigeerimine konto apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Maha kirjutama @@ -3167,7 +3174,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Tarnija tarnib Tellija apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# vorm / Punkt / {0}) on otsas apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Järgmine kuupäev peab olema suurem kui Postitamise kuupäev -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Tänu / Viitekuupäev ei saa pärast {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Tänu / Viitekuupäev ei saa pärast {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Andmete impordi ja ekspordi apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,No õpilased Leitud apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Arve Postitamise kuupäev @@ -3187,12 +3194,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,See põhineb käimist Selle Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Nr Õpilased apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Lisa rohkem punkte või avatud täiskujul -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Palun sisestage "Oodatud Toimetaja Date" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Saatekirjad {0} tuleb tühistada enne tühistades selle Sales Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Saatekirjad {0} tuleb tühistada enne tühistades selle Sales Order apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Paide summa + maha summa ei saa olla suurem kui Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ei ole kehtiv Partii number jaoks Punkt {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Märkus: Ei ole piisavalt puhkust tasakaalu Jäta tüüp {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Kehtetu GSTIN või Sisesta NA registreerimata +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Kehtetu GSTIN või Sisesta NA registreerimata DocType: Training Event,Seminar,seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Programm osavõtumaks DocType: Item,Supplier Items,Tarnija Esemed @@ -3210,7 +3216,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stock Ageing apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} on olemas peale õpilase taotleja {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Töögraafik -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} "{1}" on keelatud +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} "{1}" on keelatud apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Määra Open DocType: Cheque Print Template,Scanned Cheque,skaneeritud Tšekk DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Saada automaatne kirju Kontaktid esitamine tehinguid. @@ -3256,7 +3262,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Hinnakiri Vahetuskurss DocType: Purchase Invoice Item,Rate,Määr apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,aadress Nimi +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,aadress Nimi DocType: Stock Entry,From BOM,Siit Bom DocType: Assessment Code,Assessment Code,Hinnang kood apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Põhiline @@ -3269,20 +3275,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Palgastruktuur DocType: Account,Bank,Pank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Lennukompanii -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Väljaanne Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Väljaanne Material DocType: Material Request Item,For Warehouse,Sest Warehouse DocType: Employee,Offer Date,Pakkuda kuupäev apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Tsitaadid -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Olete võrguta režiimis. Sa ei saa uuesti enne, kui olete võrgus." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Olete võrguta režiimis. Sa ei saa uuesti enne, kui olete võrgus." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Ei Üliõpilasgrupid loodud. DocType: Purchase Invoice Item,Serial No,Seerianumber apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Igakuine tagasimakse ei saa olla suurem kui Laenusumma apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Palun sisestage Maintaince Detailid esimene +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rida # {0}: oodatud kohaletoimetamise kuupäev ei saa olla enne ostutellimuse kuupäeva DocType: Purchase Invoice,Print Language,Prindi keel DocType: Salary Slip,Total Working Hours,Töötundide DocType: Stock Entry,Including items for sub assemblies,Sealhulgas esemed sub komplektid -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Sisesta väärtus peab olema positiivne -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Üksuse Kood> Üksus Grupp> Bränd +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Sisesta väärtus peab olema positiivne apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Kõik aladel DocType: Purchase Invoice,Items,Esemed apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student juba registreerunud. @@ -3304,7 +3310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Vaikimisi mõõtühik Variant "{0}" peab olema sama, Mall "{1}"" DocType: Shipping Rule,Calculate Based On,Arvuta põhineb DocType: Delivery Note Item,From Warehouse,Siit Warehouse -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Ei objektid Materjaliandmik et Tootmine +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Ei objektid Materjaliandmik et Tootmine DocType: Assessment Plan,Supervisor Name,Juhendaja nimi DocType: Program Enrollment Course,Program Enrollment Course,Programm Registreerimine Course DocType: Purchase Taxes and Charges,Valuation and Total,Hindamine ja kokku @@ -3319,32 +3325,33 @@ DocType: Training Event Employee,Attended,osalesid apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Päevi eelmisest tellimusest"" peab olema suurem või võrdne nulliga" DocType: Process Payroll,Payroll Frequency,palgafond Frequency DocType: Asset,Amended From,Muudetud From -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Toormaterjal +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Toormaterjal DocType: Leave Application,Follow via Email,Järgige e-posti teel apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Taimed ja masinad DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Maksusumma Pärast Allahindluse summa DocType: Daily Work Summary Settings,Daily Work Summary Settings,Igapäevase töö kokkuvõte seaded -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuuta hinnakirja {0} ei ole sarnased valitud valuutat {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuuta hinnakirja {0} ei ole sarnased valitud valuutat {1} DocType: Payment Entry,Internal Transfer,Siseülekandevormi apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Lapse konto olemas selle konto. Sa ei saa selle konto kustutada. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Kas eesmärk Kogus või Sihtsummaks on kohustuslik apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No default Bom olemas Punkt {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Palun valige Postitamise kuupäev esimest +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Palun valige Postitamise kuupäev esimest apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Avamise kuupäev peaks olema enne sulgemist kuupäev DocType: Leave Control Panel,Carry Forward,Kanda apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Cost Center olemasolevate tehingut ei saa ümber arvestusraamatust DocType: Department,Days for which Holidays are blocked for this department.,"Päeva, mis pühadel blokeeritakse selle osakonda." ,Produced,Produtseeritud -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Loodud palgalehed +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Loodud palgalehed DocType: Item,Item Code for Suppliers,Kood tarnijatele DocType: Issue,Raised By (Email),Tõstatatud (E) DocType: Training Event,Trainer Name,treener Nimi DocType: Mode of Payment,General,Üldine apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,viimase Side apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ei saa maha arvata, kui kategooria on "Hindamine" või "Hindamine ja kokku"" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Nimekiri oma maksu juhid (nt käibemaksu, tolli jne, nad peaksid olema unikaalsed nimed) ja nende ühtsed määrad. See loob standard malli, mida saab muuta ja lisada hiljem." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Nimekiri oma maksu juhid (nt käibemaksu, tolli jne, nad peaksid olema unikaalsed nimed) ja nende ühtsed määrad. See loob standard malli, mida saab muuta ja lisada hiljem." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial nr Nõutav SERIALIZED Punkt {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Maksed arvetega +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Rida # {0}: sisestage esituskuupäev elemendi {1} DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Suhtes kohaldatava (määramine) ,Profitability Analysis,tasuvuse analüüsi @@ -3360,17 +3367,18 @@ DocType: Quality Inspection,Item Serial No,Punkt Järjekorranumber apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Loo töötaja kirjete apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Kokku olevik apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,raamatupidamise aastaaruanne -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Tund +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Tund apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial No ei ole Warehouse. Ladu peab ette Stock Entry või ostutšekk DocType: Lead,Lead Type,Plii Type apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Teil ei ole kiita lehed Block kuupäevad -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Kõik need teemad on juba arve +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Kõik need teemad on juba arve +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Kuu müügi sihtmärk apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Saab heaks kiidetud {0} DocType: Item,Default Material Request Type,Vaikimisi Materjal Soovi Tüüp apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,tundmatu DocType: Shipping Rule,Shipping Rule Conditions,Kohaletoimetamine Reegli DocType: BOM Replace Tool,The new BOM after replacement,Uus Bom pärast asendamine -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Müügikoht +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Müügikoht DocType: Payment Entry,Received Amount,Saadud summa DocType: GST Settings,GSTIN Email Sent On,GSTIN saadetud ja DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop Guardian @@ -3385,8 +3393,8 @@ DocType: C-Form,Invoices,Arved DocType: Batch,Source Document Name,Allikas Dokumendi nimi DocType: Job Opening,Job Title,Töö nimetus apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Kasutajate loomine -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,gramm -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Kogus et Tootmine peab olema suurem kui 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,gramm +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Kogus et Tootmine peab olema suurem kui 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Külasta aruande hooldus kõne. DocType: Stock Entry,Update Rate and Availability,Värskenduskiirus ja saadavust DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Osakaal teil on lubatud vastu võtta või pakkuda rohkem vastu tellitav kogus. Näiteks: Kui olete tellinud 100 ühikut. ja teie toetus on 10%, siis on lubatud saada 110 ühikut." @@ -3398,7 +3406,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Palun tühistada ostuarve {0} esimene apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-posti aadress peab olema unikaalne, juba olemas {0}" DocType: Serial No,AMC Expiry Date,AMC Aegumisaja -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,kviitung +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,kviitung ,Sales Register,Müügiregister DocType: Daily Work Summary Settings Company,Send Emails At,Saada e-kirju DocType: Quotation,Quotation Lost Reason,Tsitaat Lost Reason @@ -3411,14 +3419,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Nr Kliendid v apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Rahavoogude aruanne apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Laenusumma ei tohi ületada Maksimaalne laenusumma {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,litsents -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Palun eemalda see Arve {0} on C-vorm {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Palun eemalda see Arve {0} on C-vorm {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Palun valige kanda, kui soovite ka lisada eelnenud eelarveaasta saldo jätab see eelarveaastal" DocType: GL Entry,Against Voucher Type,Vastu Voucher Type DocType: Item,Attributes,Näitajad apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Palun sisestage maha konto apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Viimati Order Date apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konto {0} ei kuuluv ettevõte {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Seerianumbrid järjest {0} ei ühti saateleht +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Seerianumbrid järjest {0} ei ühti saateleht DocType: Student,Guardian Details,Guardian detailid DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark õpib mitu töötajat @@ -3450,16 +3458,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,T DocType: Tax Rule,Sales,Läbimüük DocType: Stock Entry Detail,Basic Amount,Põhisummat DocType: Training Event,Exam,eksam -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Ladu vajalik varude Punkt {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Ladu vajalik varude Punkt {0} DocType: Leave Allocation,Unused leaves,Kasutamata lehed -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Kr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Kr DocType: Tax Rule,Billing State,Arved riik apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ei seostatud Party konto {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Tõmba plahvatas Bom (sh sõlmed) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Tõmba plahvatas Bom (sh sõlmed) DocType: Authorization Rule,Applicable To (Employee),Suhtes kohaldatava (töötaja) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Tähtaeg on kohustuslik apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Juurdekasv Oskus {0} ei saa olla 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klient> Kliendi Grupp> Territoorium DocType: Journal Entry,Pay To / Recd From,Pay / KONTOLE From DocType: Naming Series,Setup Series,Setup Series DocType: Payment Reconciliation,To Invoice Date,Et arve kuupäevast @@ -3486,7 +3495,7 @@ DocType: Journal Entry,Write Off Based On,Kirjutage Off põhineb apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Tee Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Prindi ja Stationery DocType: Stock Settings,Show Barcode Field,Näita vöötkoodi Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Saada Tarnija kirjad +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Saada Tarnija kirjad apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Palk juba töödeldud ajavahemikus {0} ja {1} Jäta taotlemise tähtaeg ei või olla vahel selles ajavahemikus. apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Paigaldamine rekord Serial No. DocType: Guardian Interest,Guardian Interest,Guardian Intress @@ -3499,7 +3508,7 @@ DocType: Offer Letter,Awaiting Response,Vastuse ootamine apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Ülal apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Vale atribuut {0} {1} DocType: Supplier,Mention if non-standard payable account,"Mainida, kui mittestandardsete makstakse konto" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Sama toode on kantud mitu korda. {Nimekirja} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Sama toode on kantud mitu korda. {Nimekirja} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Palun valige hindamise rühm kui "Kõik Hindamine Grupid" DocType: Salary Slip,Earning & Deduction,Teenimine ja mahaarvamine apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valikuline. See seadistus filtreerida erinevate tehingute. @@ -3518,7 +3527,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kulud Käibelt kõrvaldatud Asset apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Cost Center on kohustuslik Punkt {2} DocType: Vehicle,Policy No,poliitika pole -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Võta Kirjed Toote Bundle +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Võta Kirjed Toote Bundle DocType: Asset,Straight Line,Sirgjoon DocType: Project User,Project User,projekti Kasutaja apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,lõhe @@ -3530,6 +3539,7 @@ DocType: Sales Team,Contact No.,Võta No. DocType: Bank Reconciliation,Payment Entries,makse Sissekanded DocType: Production Order,Scrap Warehouse,Vanametalli Warehouse DocType: Production Order,Check if material transfer entry is not required,"Kontrollige, kas materjali üleandmise kande ei nõuta" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadke töötaja nimesüsteem inimressursse> HR sätted DocType: Program Enrollment Tool,Get Students From,Saada üliõpilast DocType: Hub Settings,Seller Country,Müüja Riik apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Avalda Kirjed Koduleht @@ -3547,19 +3557,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Täpsustada tingimused arvutada laevandus summa DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role lubatud kehtestada külmutatud kontode ja Edit Külmutatud kanded apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Seis +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Seis DocType: Salary Detail,Formula,valem apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Müügiprovisjon DocType: Offer Letter Term,Value / Description,Väärtus / Kirjeldus -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rida # {0}: Asset {1} ei saa esitada, siis on juba {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rida # {0}: Asset {1} ei saa esitada, siis on juba {2}" DocType: Tax Rule,Billing Country,Arved Riik DocType: Purchase Order Item,Expected Delivery Date,Oodatud Toimetaja kuupäev apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Deebeti ja kreediti ole võrdsed {0} # {1}. Erinevus on {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Esinduskulud apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Tee Materjal taotlus apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Avatud Punkt {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Müügiarve {0} tuleb tühistada enne tühistades selle Sales Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Müügiarve {0} tuleb tühistada enne tühistades selle Sales Order apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Ajastu DocType: Sales Invoice Timesheet,Billing Amount,Arved summa apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Vale kogus määratud kirje {0}. Kogus peaks olema suurem kui 0. @@ -3582,7 +3592,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Uus klient tulud apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Sõidukulud DocType: Maintenance Visit,Breakdown,Lagunema -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} valuuta: {1} ei saa valida +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Konto: {0} valuuta: {1} ei saa valida DocType: Bank Reconciliation Detail,Cheque Date,Tšekk kuupäev apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Parent konto {1} ei kuulu firma: {2} DocType: Program Enrollment Tool,Student Applicants,Student Taotlejad @@ -3602,11 +3612,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planee DocType: Material Request,Issued,Emiteeritud apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Üliõpilaste aktiivsus DocType: Project,Total Billing Amount (via Time Logs),Arve summa (via aeg kajakad) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Müüme see toode +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Müüme see toode apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Tarnija Id DocType: Payment Request,Payment Gateway Details,Payment Gateway Detailid -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Kogus peaks olema suurem kui 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Näide andmed +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Kogus peaks olema suurem kui 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Näide andmed DocType: Journal Entry,Cash Entry,Raha Entry apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Tütartippu saab ainult alusel loodud töörühm tüüpi sõlmed DocType: Leave Application,Half Day Date,Pool päeva kuupäev @@ -3615,17 +3625,18 @@ DocType: Sales Partner,Contact Desc,Võta otsimiseks apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tüüp lehed nagu juhuslik, haige vms" DocType: Email Digest,Send regular summary reports via Email.,Saada regulaarselt koondaruanded e-posti teel. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Palun määra vaikimisi konto kulu Nõude tüüp {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Palun määra vaikimisi konto kulu Nõude tüüp {0} DocType: Assessment Result,Student Name,Õpilase nimi DocType: Brand,Item Manager,Punkt Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,palgafond on tasulised DocType: Buying Settings,Default Supplier Type,Vaikimisi Tarnija Type DocType: Production Order,Total Operating Cost,Tegevuse kogukuludest -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Märkus: Punkt {0} sisestatud mitu korda +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Märkus: Punkt {0} sisestatud mitu korda apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Kõik kontaktid. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Määra oma sihtmärk apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Ettevõte lühend apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Kasutaja {0} ei ole olemas -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Tooraine ei saa olla sama peamine toode +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Tooraine ei saa olla sama peamine toode DocType: Item Attribute Value,Abbreviation,Lühend apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Makse Entry juba olemas apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ei authroized kuna {0} ületab piirid @@ -3643,7 +3654,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Role Lubatud muuta kü ,Territory Target Variance Item Group-Wise,Territoorium Target Dispersioon Punkt Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Kõik kliendigruppide apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,kogunenud Kuu -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} on kohustuslik. Ehk Valuutavahetus rekord ei ole loodud {1} on {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} on kohustuslik. Ehk Valuutavahetus rekord ei ole loodud {1} on {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Maksu- vorm on kohustuslik. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} ei ole olemas DocType: Purchase Invoice Item,Price List Rate (Company Currency),Hinnakiri Rate (firma Valuuta) @@ -3654,7 +3665,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Protsentuaalne ja apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretär DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Kui keelata, "sõnadega" väli ei ole nähtav ühtegi tehingut" DocType: Serial No,Distinct unit of an Item,Eraldi üksuse objekti -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Määrake Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Määrake Company DocType: Pricing Rule,Buying,Ostmine DocType: HR Settings,Employee Records to be created by,Töötajate arvestuse loodud DocType: POS Profile,Apply Discount On,Kanna soodustust @@ -3665,7 +3676,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Punkt Wise Maksu- Detail apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Instituut lühend ,Item-wise Price List Rate,Punkt tark Hinnakiri Rate -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Tarnija Tsitaat +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Tarnija Tsitaat DocType: Quotation,In Words will be visible once you save the Quotation.,"Sõnades on nähtav, kui salvestate pakkumise." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kogus ({0}) ei saa olla vaid murdosa reas {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,koguda lõive @@ -3688,7 +3699,7 @@ Updated via 'Time Log'",protokoll Uuendatud kaudu "Aeg Logi ' DocType: Customer,From Lead,Plii apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Tellimused lastud tootmist. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Vali Fiscal Year ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profile vaja teha POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profile vaja teha POS Entry DocType: Program Enrollment Tool,Enroll Students,õppima üliõpilasi DocType: Hub Settings,Name Token,Nimi Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling @@ -3706,7 +3717,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Stock väärtuse erinevused apps/erpnext/erpnext/config/learn.py +234,Human Resource,Inimressurss DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Makse leppimise maksmine apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,TULUMAKSUVARA -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Tootmise Tellimuse olnud {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Tootmise Tellimuse olnud {0} DocType: BOM Item,BOM No,Bom pole DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Päevikusissekanne {0} ei ole kontot {1} või juba sobivust teiste voucher @@ -3720,7 +3731,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Laadi k apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Tasumata Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Määra eesmärgid Punkt Group tark selle müügi isik. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Varud vanem kui [Päeva] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rida # {0}: vara on kohustuslik põhivara ost / müük +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rida # {0}: vara on kohustuslik põhivara ost / müük apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Kui kaks või enam Hinnakujundus reeglid on vastavalt eespool nimetatud tingimustele, Priority rakendatakse. Prioriteet on number vahemikus 0 kuni 20, kui default väärtus on null (tühi). Suurem arv tähendab, et see on ülimuslik kui on mitu Hinnakujundus reeglite samadel tingimustel." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiscal Year: {0} ei ole olemas DocType: Currency Exchange,To Currency,Et Valuuta @@ -3728,7 +3739,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tüübid kulude langus. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Müük määr eset {0} on madalam tema {1}. Müük kiirus olema atleast {2} DocType: Item,Taxes,Maksud -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Paide ja ei ole esitanud +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Paide ja ei ole esitanud DocType: Project,Default Cost Center,Vaikimisi Cost Center DocType: Bank Guarantee,End Date,End Date apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock tehingud @@ -3745,7 +3756,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Igapäevase töö kokkuvõte Seaded Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Punkt {0} ignoreerida, sest see ei ole laoartikkel" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Saada see Production Tellimus edasiseks töötlemiseks. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Saada see Production Tellimus edasiseks töötlemiseks. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Et ei kohaldata Hinnakujundus reegel konkreetne tehing, kõik kohaldatavad Hinnakujundusreeglid tuleks keelata." DocType: Assessment Group,Parent Assessment Group,Parent hindamine Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Tööturg @@ -3753,10 +3764,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Tööturg DocType: Employee,Held On,Toimunud apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Tootmine toode ,Employee Information,Töötaja Information -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Määr (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Määr (%) DocType: Stock Entry Detail,Additional Cost,Lisakulu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Ei filtreerimiseks Voucher Ei, kui rühmitatud Voucher" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Tee Tarnija Tsitaat +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Tee Tarnija Tsitaat DocType: Quality Inspection,Incoming,Saabuva DocType: BOM,Materials Required (Exploded),Vajalikud materjalid (Koostejoonis) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",Lisa kasutajatel oma organisatsioonid peale ise @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} saab uuendada ainult läbi Stock Tehingud DocType: Student Group Creation Tool,Get Courses,saada Kursused DocType: GL Entry,Party,Osapool -DocType: Sales Order,Delivery Date,Toimetaja kuupäev +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Toimetaja kuupäev DocType: Opportunity,Opportunity Date,Opportunity kuupäev DocType: Purchase Receipt,Return Against Purchase Receipt,Tagasi Against ostutšekk DocType: Request for Quotation Item,Request for Quotation Item,Hinnapäring toode @@ -3786,7 +3797,7 @@ DocType: Task,Actual Time (in Hours),Tegelik aeg (tundides) DocType: Employee,History In Company,Ajalugu Company apps/erpnext/erpnext/config/learn.py +107,Newsletters,Infolehed DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Sama toode on kantud mitu korda +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Sama toode on kantud mitu korda DocType: Department,Leave Block List,Jäta Block loetelu DocType: Sales Invoice,Tax ID,Maksu- ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Punkt {0} ei ole setup Serial nr. Kolonn peab olema tühi @@ -3804,25 +3815,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Black DocType: BOM Explosion Item,BOM Explosion Item,Bom Explosion toode DocType: Account,Auditor,Audiitor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} tooted on valmistatud +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} tooted on valmistatud DocType: Cheque Print Template,Distance from top edge,Kaugus ülemine serv apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Hinnakiri {0} on keelatud või ei ole olemas DocType: Purchase Invoice,Return,Tagasipöördumine DocType: Production Order Operation,Production Order Operation,Tootmine Tellimus operatsiooni DocType: Pricing Rule,Disable,Keela -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Maksmise viis on kohustatud makse +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Maksmise viis on kohustatud makse DocType: Project Task,Pending Review,Kuni Review apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ei kaasati Partii {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ei saa lammutada, sest see on juba {1}" DocType: Task,Total Expense Claim (via Expense Claim),Kogukulude nõue (via kuluhüvitussüsteeme) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark leidu -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rida {0}: valuuta Bom # {1} peaks olema võrdne valitud valuuta {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rida {0}: valuuta Bom # {1} peaks olema võrdne valitud valuuta {2} DocType: Journal Entry Account,Exchange Rate,Vahetuskurss -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Sales Order {0} ei ole esitatud +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Sales Order {0} ei ole esitatud DocType: Homepage,Tag Line,tag Line DocType: Fee Component,Fee Component,Fee Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet Management -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Lisa esemed +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Lisa esemed DocType: Cheque Print Template,Regular,regulaarne apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Kokku weightage kõik Hindamiskriteeriumid peavad olema 100% DocType: BOM,Last Purchase Rate,Viimati ostmise korral @@ -3843,12 +3854,12 @@ DocType: Employee,Reports to,Ettekanded DocType: SMS Settings,Enter url parameter for receiver nos,Sisesta url parameeter vastuvõtja nos DocType: Payment Entry,Paid Amount,Paide summa DocType: Assessment Plan,Supervisor,juhendaja -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Hetkel +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Hetkel ,Available Stock for Packing Items,Saadaval Stock jaoks asjade pakkimist DocType: Item Variant,Item Variant,Punkt Variant DocType: Assessment Result Tool,Assessment Result Tool,Hinnang Tulemus Tool DocType: BOM Scrap Item,BOM Scrap Item,Bom Vanametalli toode -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Esitatud tellimusi ei saa kustutada +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Esitatud tellimusi ei saa kustutada apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto jääk juba Deebetkaart, sa ei tohi seada "Balance tuleb" nagu "Credit"" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kvaliteedijuhtimine apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Punkt {0} on keelatud @@ -3879,7 +3890,7 @@ DocType: Item Group,Default Expense Account,Vaikimisi ärikohtumisteks apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student E-ID DocType: Employee,Notice (days),Teade (päeva) DocType: Tax Rule,Sales Tax Template,Sales Tax Mall -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,"Valige objekt, et salvestada arve" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,"Valige objekt, et salvestada arve" DocType: Employee,Encashment Date,Inkassatsioon kuupäev DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Stock reguleerimine @@ -3927,10 +3938,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatc apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max allahindlust lubatud kirje: {0} on {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Puhasväärtuse nii edasi DocType: Account,Receivable,Nõuete -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ei ole lubatud muuta tarnija Ostutellimuse juba olemas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ei ole lubatud muuta tarnija Ostutellimuse juba olemas DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Roll, mis on lubatud esitada tehinguid, mis ületavad laenu piirmäärade." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Vali Pane Tootmine -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master andmete sünkroonimine, see võib võtta aega" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Vali Pane Tootmine +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master andmete sünkroonimine, see võib võtta aega" DocType: Item,Material Issue,Materjal Issue DocType: Hub Settings,Seller Description,Müüja kirjeldus DocType: Employee Education,Qualification,Kvalifikatsioonikeskus @@ -3951,11 +3962,10 @@ DocType: BOM,Rate Of Materials Based On,Hinda põhinevatest materjalidest apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Toetus Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Puhasta kõik DocType: POS Profile,Terms and Conditions,Tingimused -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Palun seadke töötaja nimesüsteem inimressursse> HR sätted apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Kuupäev peaks jääma eelarveaastal. Eeldades, et Date = {0}" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Siin saate säilitada pikkus, kaal, allergia, meditsiini muresid etc" DocType: Leave Block List,Applies to Company,Kehtib Company -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Ei saa tühistada, sest esitatud Stock Entry {0} on olemas" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Ei saa tühistada, sest esitatud Stock Entry {0} on olemas" DocType: Employee Loan,Disbursement Date,Väljamakse kuupäev DocType: Vehicle,Vehicle,sõiduk DocType: Purchase Invoice,In Words,Sõnades @@ -3993,7 +4003,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Global Settings DocType: Assessment Result Detail,Assessment Result Detail,Hindamise tulemused teave DocType: Employee Education,Employee Education,Töötajate haridus apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicate kirje rühm leidis elemendi rühma tabelis -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,"See on vajalik, et tõmbad Punkt Details." +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,"See on vajalik, et tõmbad Punkt Details." DocType: Salary Slip,Net Pay,Netopalk DocType: Account,Account,Konto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial No {0} on juba saanud @@ -4001,7 +4011,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Sõidukite Logi DocType: Purchase Invoice,Recurring Id,Korduvad Id DocType: Customer,Sales Team Details,Sales Team Üksikasjad -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Kustuta jäädavalt? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Kustuta jäädavalt? DocType: Expense Claim,Total Claimed Amount,Kokku nõutav summa apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentsiaalne võimalusi müüa. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Vale {0} @@ -4013,7 +4023,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup oma kooli ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Põhimuutus summa (firma Valuuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,No raamatupidamise kanded järgmiste laod -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Säästa dokumendi esimene. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Säästa dokumendi esimene. DocType: Account,Chargeable,Maksustatav DocType: Company,Change Abbreviation,Muuda lühend DocType: Expense Claim Detail,Expense Date,Kulu kuupäev @@ -4027,7 +4037,6 @@ DocType: BOM,Manufacturing User,Tootmine Kasutaja DocType: Purchase Invoice,Raw Materials Supplied,Tarnitud tooraine DocType: Purchase Invoice,Recurring Print Format,Korduvad Prindi Formaat DocType: C-Form,Series,Sari -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Oodatud Toimetaja kuupäev ei saa olla enne Ostutellimuse kuupäev DocType: Appraisal,Appraisal Template,Hinnang Mall DocType: Item Group,Item Classification,Punkt klassifitseerimine apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4066,12 +4075,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Vali brän apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Koolitusi / Results apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Akumuleeritud kulum kohta DocType: Sales Invoice,C-Form Applicable,C-kehtival kujul -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Tööaeg peab olema suurem kui 0 operatsiooni {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Tööaeg peab olema suurem kui 0 operatsiooni {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Ladu on kohustuslik DocType: Supplier,Address and Contacts,Aadress ja Kontakt DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail DocType: Program,Program Abbreviation,programm lühend -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Tootmine tellimust ei ole võimalik vastu tekitatud Punkt Mall +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Tootmine tellimust ei ole võimalik vastu tekitatud Punkt Mall apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Maksud uuendatakse ostutšekk iga punkti DocType: Warranty Claim,Resolved By,Lahendatud DocType: Bank Guarantee,Start Date,Alguskuupäev @@ -4106,6 +4115,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,koolitus tagasiside apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Tootmine Tellimus {0} tuleb esitada apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Palun valige Start ja lõppkuupäeva eest Punkt {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Määrake müügieesmärk, mille soovite saavutada." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Muidugi on kohustuslik järjest {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Praeguseks ei saa enne kuupäevast alates DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4123,7 +4133,7 @@ DocType: Account,Income,Sissetulek DocType: Industry Type,Industry Type,Tööstuse Tüüp apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Midagi läks valesti! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Hoiatus: Jäta taotlus sisaldab järgmist plokki kuupäev -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Müügiarve {0} on juba esitatud +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Müügiarve {0} on juba esitatud DocType: Assessment Result Detail,Score,tulemus apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Eelarveaastal {0} ei ole olemas apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Lõppkuupäev @@ -4153,7 +4163,7 @@ DocType: Naming Series,Help HTML,Abi HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Loomistööriist DocType: Item,Variant Based On,Põhinev variant apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Kokku weightage määratud peaks olema 100%. On {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Sinu Tarnijad +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Sinu Tarnijad apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Ei saa määrata, kui on kaotatud Sales Order on tehtud." DocType: Request for Quotation Item,Supplier Part No,Tarnija osa pole apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Ei saa maha arvata, kui kategooria on "Hindamine" või "Vaulation ja kokku"" @@ -4163,14 +4173,14 @@ DocType: Item,Has Serial No,Kas Serial No DocType: Employee,Date of Issue,Väljastamise kuupäev apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: From {0} ja {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Nagu iga ostmine Seaded kui ost Olles kätte sobiv == "JAH", siis luua ostuarve, kasutaja vaja luua ostutšekk esmalt toode {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Vali Tarnija kirje {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rida {0}: Tundi väärtus peab olema suurem kui null. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Vali Tarnija kirje {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Rida {0}: Tundi väärtus peab olema suurem kui null. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Koduleht Pilt {0} juurde Punkt {1} ei leitud DocType: Issue,Content Type,Sisu tüüp apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Arvuti DocType: Item,List this Item in multiple groups on the website.,Nimekiri see toode mitmes rühmade kodulehel. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Palun kontrollige Multi Valuuta võimalust anda kontosid muus valuutas -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Eseme: {0} ei eksisteeri süsteemis +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Eseme: {0} ei eksisteeri süsteemis apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Teil ei ole seada Külmutatud väärtus DocType: Payment Reconciliation,Get Unreconciled Entries,Võta unreconciled kanded DocType: Payment Reconciliation,From Invoice Date,Siit Arve kuupäev @@ -4196,7 +4206,7 @@ DocType: Stock Entry,Default Source Warehouse,Vaikimisi Allikas Warehouse DocType: Item,Customer Code,Kliendi kood apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Sünnipäev Meeldetuletus {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Päeva eelmisest Telli -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Kanne konto peab olema bilansis +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Kanne konto peab olema bilansis DocType: Buying Settings,Naming Series,Nimetades Series DocType: Leave Block List,Leave Block List Name,Jäta Block nimekiri nimi apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Kindlustus Alguse kuupäev peaks olema väiksem kui Kindlustus Lõppkuupäev @@ -4213,7 +4223,7 @@ DocType: Vehicle Log,Odometer,odomeetri DocType: Sales Order Item,Ordered Qty,Tellitud Kogus apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Punkt {0} on keelatud DocType: Stock Settings,Stock Frozen Upto,Stock Külmutatud Upto -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Bom ei sisalda laoartikkel +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,Bom ei sisalda laoartikkel apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Ajavahemikul ja periood soovitud kohustuslik korduvad {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projekti tegevus / ülesanne. DocType: Vehicle Log,Refuelling Details,tankimine detailid @@ -4223,7 +4233,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Viimati ostu määr ei leitud DocType: Purchase Invoice,Write Off Amount (Company Currency),Kirjutage Off summa (firma Valuuta) DocType: Sales Invoice Timesheet,Billing Hours,Arved Tundi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Vaikimisi Bom {0} ei leitud +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Vaikimisi Bom {0} ei leitud apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Row # {0}: määrake reorganiseerima kogusest apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Puuduta Toodete lisamiseks neid siin DocType: Fees,Program Enrollment,programm Registreerimine @@ -4255,6 +4265,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Vananemine Range 2 DocType: SG Creation Tool Course,Max Strength,max Strength apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Bom asendatakse +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,"Valige üksused, mis põhinevad kohaletoimetamise kuupäeval" ,Sales Analytics,Müük Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Saadaval {0} ,Prospects Engaged But Not Converted,Väljavaated Kihlatud Aga mis ei ole ümber @@ -4301,7 +4312,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Soodus apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Töögraafik ülesannete. DocType: Purchase Invoice,Against Expense Account,Vastu ärikohtumisteks DocType: Production Order,Production Order,Tootmine Telli -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Paigaldamine Märkus {0} on juba esitatud +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Paigaldamine Märkus {0} on juba esitatud DocType: Bank Reconciliation,Get Payment Entries,Saada maksmine Sissekanded DocType: Quotation Item,Against Docname,Vastu Docname DocType: SMS Center,All Employee (Active),Kõik Töötaja (Active) @@ -4310,7 +4321,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Tooraine hind DocType: Item Reorder,Re-Order Level,Re-Order Level DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Sisesta esemed ja planeeritud Kogus, mille soovite tõsta tootmise tellimuste või laadida tooraine analüüsi." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantti tabel +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantti tabel apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Poole kohaga DocType: Employee,Applicable Holiday List,Rakendatav Holiday nimekiri DocType: Employee,Cheque,Tšekk @@ -4366,11 +4377,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Reserveeritud Kogus Production DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Jäta märkimata, kui sa ei taha kaaluda partii tehes muidugi rühmi." DocType: Asset,Frequency of Depreciation (Months),Sagedus kulum (kuud) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Konto kreeditsaldoga +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Konto kreeditsaldoga DocType: Landed Cost Item,Landed Cost Item,Maandus kuluartikkel apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Näita null väärtused DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Kogus punkti saadi pärast tootmise / pakkimise etteantud tooraine kogused -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup lihtne veebilehel oma organisatsiooni +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup lihtne veebilehel oma organisatsiooni DocType: Payment Reconciliation,Receivable / Payable Account,Laekumata / maksmata konto DocType: Delivery Note Item,Against Sales Order Item,Vastu Sales Order toode apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Palun täpsustage omadus Väärtus atribuut {0} @@ -4432,22 +4443,22 @@ DocType: Student,Nationality,kodakondsus ,Items To Be Requested,"Esemed, mida tuleb taotleda" DocType: Purchase Order,Get Last Purchase Rate,Võta Viimati ostmise korral DocType: Company,Company Info,Firma Info -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Valige või lisage uus klient -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kuluüksus on vaja broneerida kulu nõude +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Valige või lisage uus klient +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Kuluüksus on vaja broneerida kulu nõude apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Application of Funds (vara) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,See põhineb käimist selle töötaja -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Deebetsaldoga konto +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Deebetsaldoga konto DocType: Fiscal Year,Year Start Date,Aasta alguskuupäev DocType: Attendance,Employee Name,Töötaja nimi DocType: Sales Invoice,Rounded Total (Company Currency),Ümardatud kokku (firma Valuuta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Ei varjatud rühma, sest Konto tüüp on valitud." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} on muudetud. Palun värskenda. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} on muudetud. Palun värskenda. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Peatus kasutajad tegemast Jäta Rakendused järgmistel päevadel. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ostusummast apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Tarnija Tsitaat {0} loodud apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,End Aasta ei saa enne Start Aasta apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Töövõtjate hüvitised -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Pakitud kogus peab olema võrdne koguse Punkt {0} järjest {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Pakitud kogus peab olema võrdne koguse Punkt {0} järjest {1} DocType: Production Order,Manufactured Qty,Toodetud Kogus DocType: Purchase Receipt Item,Accepted Quantity,Aktsepteeritud Kogus apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Palun Algsete Holiday nimekiri Töötajaportaali {0} või ettevõtte {1} @@ -4458,11 +4469,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Rea nr {0}: summa ei saa olla suurem kui Kuni summa eest kuluhüvitussüsteeme {1}. Kuni Summa on {2} DocType: Maintenance Schedule,Schedule,Graafik DocType: Account,Parent Account,Parent konto -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,saadaval +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,saadaval DocType: Quality Inspection Reading,Reading 3,Lugemine 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Voucher Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Hinnakiri ei leitud või puudega +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Hinnakiri ei leitud või puudega DocType: Employee Loan Application,Approved,Kinnitatud DocType: Pricing Rule,Price,Hind apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Töötaja vabastati kohta {0} tuleb valida 'Vasak' @@ -4531,7 +4542,7 @@ DocType: SMS Settings,Static Parameters,Staatiline parameetrid DocType: Assessment Plan,Room,ruum DocType: Purchase Order,Advance Paid,Advance Paide DocType: Item,Item Tax,Punkt Maksu- -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materjal Tarnija +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materjal Tarnija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Aktsiisi Arve apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Lävepakk {0}% esineb enam kui ühel DocType: Expense Claim,Employees Email Id,Töötajad Post Id @@ -4571,7 +4582,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,mudel DocType: Production Order,Actual Operating Cost,Tegelik töökulud DocType: Payment Entry,Cheque/Reference No,Tšekk / Viitenumber -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tarnija> Tarnija tüüp apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Juur ei saa muuta. DocType: Item,Units of Measure,Mõõtühikud DocType: Manufacturing Settings,Allow Production on Holidays,Laske Production Holidays @@ -4604,12 +4614,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Krediidi päeva apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Tee Student Partii DocType: Leave Type,Is Carry Forward,Kas kanda -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Võta Kirjed Bom +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Võta Kirjed Bom apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ooteaeg päeva -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rida # {0}: Postitamise kuupäev peab olema sama ostu kuupäevast {1} vara {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rida # {0}: Postitamise kuupäev peab olema sama ostu kuupäevast {1} vara {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Märgi see, kui õpilane on elukoht instituudi Hostel." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Palun sisesta müügitellimuste ülaltoodud tabelis -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ei esitata palgalehed +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Ei esitata palgalehed ,Stock Summary,Stock kokkuvõte apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transfer vara ühest laost teise DocType: Vehicle,Petrol,bensiin diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv index 394599b1e73..d5e36dfaad7 100644 --- a/erpnext/translations/fa.csv +++ b/erpnext/translations/fa.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,دلال DocType: Employee,Rented,اجاره DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,قابل استفاده برای کاربر -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",متوقف سفارش تولید نمی تواند لغو شود، آن را اولین Unstop برای لغو +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",متوقف سفارش تولید نمی تواند لغو شود، آن را اولین Unstop برای لغو DocType: Vehicle Service,Mileage,مسافت پیموده شده apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,آیا شما واقعا می خواهید به قراضه این دارایی؟ apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,کننده پیش فرض انتخاب کنید @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,٪ صورتحساب شد apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),نرخ ارز باید به همان صورت {0} {1} ({2}) DocType: Sales Invoice,Customer Name,نام مشتری DocType: Vehicle,Natural Gas,گاز طبیعی -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},حساب بانکی می تواند به عنوان نمی شود به نام {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},حساب بانکی می تواند به عنوان نمی شود به نام {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,سر (یا گروه) که در برابر مطالب حسابداری ساخته شده است و توازن حفظ می شوند. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),برجسته برای {0} نمی تواند کمتر از صفر ({1}) DocType: Manufacturing Settings,Default 10 mins,پیش فرض 10 دقیقه @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,ترک نام نوع apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,نشان می دهد باز apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,سری به روز رسانی با موفقیت apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,وارسی -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural ورود مجله ارسال شده +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural ورود مجله ارسال شده DocType: Pricing Rule,Apply On,درخواست در DocType: Item Price,Multiple Item prices.,قیمت مورد چندگانه. ,Purchase Order Items To Be Received,سفارش خرید اقلام به دریافت @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,نحوه حساب پر apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,نمایش انواع DocType: Academic Term,Academic Term,ترم تحصیلی apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ماده -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,مقدار +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,مقدار apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,جدول حسابها نمی تواند خالی باشد. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),وام (بدهی) DocType: Employee Education,Year of Passing,سال عبور @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,بهداشت و درمان apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),تاخیر در پرداخت (روز) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,هزینه خدمات -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},شماره سریال: {0} در حال حاضر در فاکتور فروش اشاره: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,فاکتور +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},شماره سریال: {0} در حال حاضر در فاکتور فروش اشاره: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,فاکتور DocType: Maintenance Schedule Item,Periodicity,تناوب apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,سال مالی {0} مورد نیاز است -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,انتظار می رود تاریخ تحویل قبل از سفارش فروش تاریخ شود apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,دفاع DocType: Salary Component,Abbr,مخفف DocType: Appraisal Goal,Score (0-5),امتیاز (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ردیف # {0}: DocType: Timesheet,Total Costing Amount,مبلغ کل هزینه یابی DocType: Delivery Note,Vehicle No,خودرو بدون -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,لطفا لیست قیمت را انتخاب کنید +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,لطفا لیست قیمت را انتخاب کنید apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,ردیف # {0}: سند پرداخت مورد نیاز است برای تکمیل trasaction DocType: Production Order Operation,Work In Progress,کار در حال انجام apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,لطفا تاریخ را انتخاب کنید @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} در هر سال مالی فعال. DocType: Packed Item,Parent Detail docname,جزئیات docname پدر و مادر apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",مرجع: {0}، کد مورد: {1} و ضوابط: {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,کیلوگرم +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,کیلوگرم DocType: Student Log,Log,ورود apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,باز کردن برای یک کار. DocType: Item Attribute,Increment,افزایش @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,متاهل apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},برای مجاز نیست {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,گرفتن اقلام از -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},سهام می تواند در برابر تحویل توجه نمی شود به روز شده {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},سهام می تواند در برابر تحویل توجه نمی شود به روز شده {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},محصولات {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,بدون موارد ذکر شده DocType: Payment Reconciliation,Reconcile,وفق دادن @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,صن apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,بعدی تاریخ استهلاک نمی تواند قبل از تاریخ خرید می باشد DocType: SMS Center,All Sales Person,تمام ماموران فروش DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ماهانه ** شما کمک می کند توزیع بودجه / هدف در سراسر ماه اگر شما فصلی در کسب و کار خود را. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,نمی وسایل یافت شده +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,نمی وسایل یافت شده apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,گمشده ساختار حقوق و دستمزد DocType: Lead,Person Name,نام شخص DocType: Sales Invoice Item,Sales Invoice Item,مورد فاکتور فروش @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","آیا دارایی ثابت" نمی تواند بدون کنترل، به عنوان رکورد دارایی در برابر مورد موجود است DocType: Vehicle Service,Brake Oil,روغن ترمز DocType: Tax Rule,Tax Type,نوع مالیات -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,مبلغ مشمول مالیات +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,مبلغ مشمول مالیات apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},شما مجاز به اضافه و یا به روز رسانی مطالب قبل از {0} نیستید DocType: BOM,Item Image (if not slideshow),مورد تصویر (در صورت اسلاید نمی شود) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,مشتری با همین نام وجود دارد DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(یک ساعت یک نرخ / 60) * * * * واقعی زمان عمل -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,انتخاب BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,انتخاب BOM DocType: SMS Log,SMS Log,SMS ورود apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,هزینه اقلام تحویل شده apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,تعطیلات در {0} است بین از تاریخ و تا به امروز نیست @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,مدارس DocType: School Settings,Validate Batch for Students in Student Group,اعتبارسنجی دسته ای برای دانش آموزان در گروه های دانشجویی apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},هیچ سابقه مرخصی پیدا شده برای کارکنان {0} برای {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,لطفا ابتدا وارد شرکت -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,لطفا ابتدا شرکت را انتخاب کنید +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,لطفا ابتدا شرکت را انتخاب کنید DocType: Employee Education,Under Graduate,مقطع apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,هدف در DocType: BOM,Total Cost,هزینه کل DocType: Journal Entry Account,Employee Loan,کارمند وام -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,گزارش فعالیت: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,مورد {0} در سیستم وجود ندارد و یا تمام شده است +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,گزارش فعالیت: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,مورد {0} در سیستم وجود ندارد و یا تمام شده است apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,عقار apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,بیانیه ای از حساب apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,داروسازی @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,مقدار ادعا apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,گروه مشتری تکراری در جدول گروه cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,نوع منبع / تامین کننده DocType: Naming Series,Prefix,پیشوند -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا سری نامگذاری را برای {0} از طریق تنظیمات> تنظیمات> نامگذاری سری انتخاب کنید -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,مصرفی +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,مصرفی DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,واردات ورود DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,نگه دار، درخواست پاسخ به مواد از نوع تولید بر اساس معیارهای فوق DocType: Training Result Employee,Grade,مقطع تحصیلی DocType: Sales Invoice Item,Delivered By Supplier,تحویل داده شده توسط کننده DocType: SMS Center,All Contact,همه تماس -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,تولید سفارش در حال حاضر برای همه موارد با BOM ایجاد +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,تولید سفارش در حال حاضر برای همه موارد با BOM ایجاد apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,حقوق سالانه DocType: Daily Work Summary,Daily Work Summary,خلاصه کار روزانه DocType: Period Closing Voucher,Closing Fiscal Year,بستن سال مالی -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} فریز شده است +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} فریز شده است apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,لطفا موجود شرکت برای ایجاد نمودار از حساب را انتخاب کنید apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,هزینه سهام apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,انتخاب هدف انبار @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},پذیرفته شده + رد تعداد باید به دریافت مقدار برابر برای مورد است {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,عرضه مواد اولیه برای خرید -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,باید حداقل یک حالت پرداخت برای فاکتور POS مورد نیاز است. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,باید حداقل یک حالت پرداخت برای فاکتور POS مورد نیاز است. DocType: Products Settings,Show Products as a List,نمایش محصولات به عنوان یک فهرست DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",دانلود الگو، داده مناسب پر کنید و ضمیمه فایل تغییر یافتهاست. همه تاریخ و کارمند ترکیبی در دوره زمانی انتخاب شده در قالب آمده، با سوابق حضور و غیاب موجود apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,مورد {0} غیر فعال است و یا پایان زندگی رسیده است -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,به عنوان مثال: ریاضیات پایه -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شامل مالیات در ردیف {0} در مورد نرخ، مالیات در ردیف {1} باید گنجانده شود +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,به عنوان مثال: ریاضیات پایه +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شامل مالیات در ردیف {0} در مورد نرخ، مالیات در ردیف {1} باید گنجانده شود apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,تنظیمات برای ماژول HR DocType: SMS Center,SMS Center,مرکز SMS DocType: Sales Invoice,Change Amount,تغییر مقدار @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},تاریخ نصب و راه اندازی نمی تواند قبل از تاریخ تحویل برای مورد است {0} DocType: Pricing Rule,Discount on Price List Rate (%),تخفیف در لیست قیمت نرخ (٪) DocType: Offer Letter,Select Terms and Conditions,انتخاب شرایط و ضوابط -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,ارزش از +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,ارزش از DocType: Production Planning Tool,Sales Orders,سفارشات فروش DocType: Purchase Taxes and Charges,Valuation,ارزیابی ,Purchase Order Trends,خرید سفارش روند @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,باز ورودی DocType: Customer Group,Mention if non-standard receivable account applicable,اگر حساب دریافتنی ذکر غیر استاندارد قابل اجرا DocType: Course Schedule,Instructor Name,نام مربی -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,ذخیره سازی قبل از ارسال مورد نیاز است +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,ذخیره سازی قبل از ارسال مورد نیاز است apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,دریافت در DocType: Sales Partner,Reseller,نمایندگی فروش DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.",اگر علامت زده شود، شامل اقلام غیر سهام در درخواست مواد. @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,در برابر آیتم فاکتور فروش ,Production Orders in Progress,سفارشات تولید در پیشرفت apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,نقدی خالص از تامین مالی -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save",LocalStorage را کامل است، نجات نداد +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save",LocalStorage را کامل است، نجات نداد DocType: Lead,Address & Contact,آدرس و تلفن تماس DocType: Leave Allocation,Add unused leaves from previous allocations,اضافه کردن برگ های استفاده نشده از تخصیص قبلی apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},بعدی دوره ای {0} خواهد شد در ایجاد {1} DocType: Sales Partner,Partner website,وب سایت شریک apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,این مورد را اضافه کنید -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,تماس با نام +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,تماس با نام DocType: Course Assessment Criteria,Course Assessment Criteria,معیارهای ارزیابی دوره DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ایجاد لغزش حقوق و دستمزد برای معیارهای ذکر شده در بالا. DocType: POS Customer Group,POS Customer Group,POS و ضوابط گروه @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ردیف {0}: لطفا بررسی کنید آیا پیشرفته در برابر حساب {1} در صورتی که این یک ورودی پیش است. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},انبار {0} به شرکت تعلق ندارد {1} DocType: Email Digest,Profit & Loss,سود و زیان -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,لیتری +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,لیتری DocType: Task,Total Costing Amount (via Time Sheet),مجموع هزینه یابی مقدار (از طریق زمان ورق) DocType: Item Website Specification,Item Website Specification,مشخصات مورد وب سایت apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ترک مسدود @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,فاکتور فروش بدون DocType: Material Request Item,Min Order Qty,حداقل تعداد سفارش DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,دوره دانشجویی گروه ابزار ایجاد DocType: Lead,Do Not Contact,آیا تماس با نه -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,افرادی که در سازمان شما آموزش +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,افرادی که در سازمان شما آموزش DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,شناسه منحصر به فرد برای ردیابی تمام فاکتورها در محدوده زمانی معین. این است که در ارائه تولید می شود. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,نرم افزار توسعه DocType: Item,Minimum Order Qty,حداقل تعداد سفارش تعداد @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,انتشار در توپی DocType: Student Admission,Student Admission,پذیرش دانشجو ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,مورد {0} لغو شود -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,درخواست مواد +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,درخواست مواد DocType: Bank Reconciliation,Update Clearance Date,به روز رسانی ترخیص کالا از تاریخ DocType: Item,Purchase Details,جزئیات خرید apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},مورد {0} در 'مواد اولیه عرضه شده جدول در سفارش خرید یافت نشد {1} @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,ناوگان مدیر apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},ردیف # {0}: {1} نمی تواند برای قلم منفی {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,رمز اشتباه DocType: Item,Variant Of,نوع از -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',تکمیل تعداد نمی تواند بیشتر از 'تعداد برای تولید' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',تکمیل تعداد نمی تواند بیشتر از 'تعداد برای تولید' DocType: Period Closing Voucher,Closing Account Head,بستن سر حساب DocType: Employee,External Work History,سابقه کار خارجی apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,خطا مرجع مدور @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,فاصله از لبه س apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} واحد از [{1}] (فرم # / کالا / {1}) در [{2}] (فرم # / انبار / {2}) DocType: Lead,Industry,صنعت DocType: Employee,Job Profile,نمایش شغلی +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,این بر مبنای معاملات علیه این شرکت است. برای جزئیات بیشتر به جدول زمانی زیر مراجعه کنید DocType: Stock Settings,Notify by Email on creation of automatic Material Request,با رایانامه آگاه کن در ایجاد درخواست مواد اتوماتیک DocType: Journal Entry,Multi Currency,چند ارز DocType: Payment Reconciliation Invoice,Invoice Type,فاکتور نوع -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,رسید +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,رسید apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,راه اندازی مالیات apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,هزینه دارایی فروخته شده apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,ورود پرداخت اصلاح شده است پس از آن کشیده شده است. لطفا آن را دوباره بکشید. @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,لطفا وارد کنید 'تکرار در روز از ماه مقدار فیلد DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,سرعت که در آن مشتریان ارز به ارز پایه مشتری تبدیل DocType: Course Scheduling Tool,Course Scheduling Tool,البته برنامه ریزی ابزار -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ردیف # {0}: خرید فاکتور می تواند در برابر یک دارایی موجود ساخته نمی شود {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ردیف # {0}: خرید فاکتور می تواند در برابر یک دارایی موجود ساخته نمی شود {1} DocType: Item Tax,Tax Rate,نرخ مالیات apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} در حال حاضر برای کارکنان اختصاص داده {1} برای مدت {2} به {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,انتخاب مورد +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,انتخاب مورد apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,فاکتور خرید {0} در حال حاضر ارائه apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ردیف # {0}: دسته ای بدون باید همان باشد {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,تبدیل به غیر گروه @@ -443,7 +442,7 @@ DocType: Employee,Widowed,بیوه DocType: Request for Quotation,Request for Quotation,درخواست برای نقل قول DocType: Salary Slip Timesheet,Working Hours,ساعات کاری DocType: Naming Series,Change the starting / current sequence number of an existing series.,تغییر شروع / شماره توالی فعلی از یک سری موجود است. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ایجاد یک مشتری جدید +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,ایجاد یک مشتری جدید apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",اگر چند در قوانین قیمت گذاری ادامه غالب است، از کاربران خواسته به تنظیم اولویت دستی برای حل و فصل درگیری. apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ایجاد سفارشات خرید ,Purchase Register,خرید ثبت نام @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,نام امتحان DocType: Purchase Invoice Item,Quantity and Rate,مقدار و نرخ DocType: Delivery Note,% Installed,٪ نصب شد -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس های درس / آزمایشگاه و غیره که در آن سخنرانی می توان برنامه ریزی. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس های درس / آزمایشگاه و غیره که در آن سخنرانی می توان برنامه ریزی. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,لطفا ابتدا نام شرکت وارد DocType: Purchase Invoice,Supplier Name,نام منبع apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,خواندن کتابچه راهنمای کاربر ERPNext @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,کانال شریک DocType: Account,Old Parent,قدیمی مرجع apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,فیلد اجباری - سال تحصیلی DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,سفارشی کردن متن مقدماتی است که می رود به عنوان یک بخشی از آن ایمیل. هر معامله دارای یک متن مقدماتی جداگانه. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},لطفا پیش فرض حساب های قابل پرداخت تعیین شده برای شرکت {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},لطفا پیش فرض حساب های قابل پرداخت تعیین شده برای شرکت {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,تنظیمات جهانی برای تمام فرآیندهای تولید. DocType: Accounts Settings,Accounts Frozen Upto,حساب منجمد تا حد DocType: SMS Log,Sent On,فرستاده شده در @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,حساب های پرداختنی apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,BOM ها انتخاب شده برای آیتم یکسان نیست DocType: Pricing Rule,Valid Upto,معتبر تا حد DocType: Training Event,Workshop,کارگاه -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,لیست تعداد کمی از مشتریان خود را. آنها می تواند سازمان ها یا افراد. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,لیست تعداد کمی از مشتریان خود را. آنها می تواند سازمان ها یا افراد. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,قطعات اندازه کافی برای ساخت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,درآمد مستقیم apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",می توانید بر روی حساب نمی فیلتر بر اساس، در صورتی که توسط حساب گروه بندی apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,افسر اداری apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,لطفا دوره را انتخاب کنید DocType: Timesheet Detail,Hrs,ساعت -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,لطفا انتخاب کنید شرکت +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,لطفا انتخاب کنید شرکت DocType: Stock Entry Detail,Difference Account,حساب تفاوت DocType: Purchase Invoice,Supplier GSTIN,کننده GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,می توانید کار نزدیک به عنوان وظیفه وابسته به آن {0} بسته نشده است نیست. @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,آفلاین نام POS apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,لطفا درجه برای آستانه 0٪ تعریف DocType: Sales Order,To Deliver,رساندن DocType: Purchase Invoice Item,Item,بخش -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,سریال هیچ مورد نمی تواند کسری +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,سریال هیچ مورد نمی تواند کسری DocType: Journal Entry,Difference (Dr - Cr),تفاوت (دکتر - کروم) DocType: Account,Profit and Loss,حساب سود و زیان apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,مدیریت مقاطعه کاری فرعی @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),دوره گارانتی (روز) DocType: Installation Note Item,Installation Note Item,نصب و راه اندازی توجه داشته باشید مورد DocType: Production Plan Item,Pending Qty,انتظار تعداد DocType: Budget,Ignore,نادیده گرفتن -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} غیر فعال است +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} غیر فعال است apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS با شماره های زیر ارسال گردید: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ابعاد چک راه اندازی برای چاپ DocType: Salary Slip,Salary Slip Timesheet,برنامه زمانی حقوق و دستمزد لغزش @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,که در- DocType: Production Order Operation,In minutes,در دقیقهی DocType: Issue,Resolution Date,قطعنامه عضویت DocType: Student Batch Name,Batch Name,نام دسته ای -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,برنامه زمانی ایجاد شده: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},لطفا نقدی پیش فرض و یا حساب بانکی در نحوه پرداخت را تعیین {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,برنامه زمانی ایجاد شده: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},لطفا نقدی پیش فرض و یا حساب بانکی در نحوه پرداخت را تعیین {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ثبت نام کردن DocType: GST Settings,GST Settings,تنظیمات GST DocType: Selling Settings,Customer Naming By,نامگذاری مشتری توسط @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,پروژه های کاربری apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,مصرف apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} در فاکتور جزییات جدول یافت نشد DocType: Company,Round Off Cost Center,دور کردن مرکز هزینه -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,نگهداری و تعمیرات مشاهده {0} باید قبل از لغو این سفارش فروش لغو +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,نگهداری و تعمیرات مشاهده {0} باید قبل از لغو این سفارش فروش لغو DocType: Item,Material Transfer,انتقال مواد apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),افتتاح (دکتر) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},مجوز های ارسال و زمان باید بعد {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,منافع کل قابل پردا DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,مالیات هزینه فرود آمد و اتهامات DocType: Production Order Operation,Actual Start Time,واقعی زمان شروع DocType: BOM Operation,Operation Time,زمان عمل -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,پایان +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,پایان apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,پایه DocType: Timesheet,Total Billed Hours,جمع ساعت در صورتحساب یا لیست DocType: Journal Entry,Write Off Amount,ارسال فعال مقدار @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),ارزش کیلومترشمار (آخری apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,بازار یابی apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ورود پرداخت در حال حاضر ایجاد DocType: Purchase Receipt Item Supplied,Current Stock,سهام کنونی -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},ردیف # {0}: دارایی {1} به مورد در ارتباط نیست {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},ردیف # {0}: دارایی {1} به مورد در ارتباط نیست {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,پیش نمایش لغزش حقوق apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,حساب {0} وارد شده است چندین بار DocType: Account,Expenses Included In Valuation,هزینه های موجود در ارزش گذاری @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,جو زم DocType: Journal Entry,Credit Card Entry,ورود کارت اعتباری apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,شرکت و حساب apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,محصولات از تولید کنندگان دریافت کرد. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,با ارزش +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,با ارزش DocType: Lead,Campaign Name,نام کمپین DocType: Selling Settings,Close Opportunity After Days,نزدیک فرصت پس از چند روز ,Reserved,رزرو شده @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,انرژی DocType: Opportunity,Opportunity From,فرصت از apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,بیانیه حقوق ماهانه. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ردیف {0}: {1} شماره سریال مورد برای {2} مورد نیاز است. شما {3} را ارائه کرده اید. DocType: BOM,Website Specifications,مشخصات وب سایت apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: از {0} از نوع {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ردیف {0}: عامل تبدیل الزامی است DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",قوانین هزینه های متعدد را با معیارهای همان وجود دارد، لطفا حل و فصل درگیری با اختصاص اولویت است. قوانین قیمت: {0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,نمی توانید غیر فعال کردن یا لغو BOM به عنوان آن را با دیگر BOMs مرتبط +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,نمی توانید غیر فعال کردن یا لغو BOM به عنوان آن را با دیگر BOMs مرتبط DocType: Opportunity,Maintenance,نگهداری DocType: Item Attribute Value,Item Attribute Value,مورد موجودیت مقدار apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,کمپین فروش. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,را برنامه زمانی +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,را برنامه زمانی DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,راه اندازی حساب ایمیل apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,لطفا ابتدا آیتم را وارد کنید DocType: Account,Liability,مسئوليت -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,مقدار تحریم نیست می تواند بیشتر از مقدار ادعای در ردیف {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,مقدار تحریم نیست می تواند بیشتر از مقدار ادعای در ردیف {0}. DocType: Company,Default Cost of Goods Sold Account,به طور پیش فرض هزینه از حساب کالاهای فروخته شده apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,لیست قیمت انتخاب نشده DocType: Employee,Family Background,سابقه خانواده @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,به طور پیش فرض حساب بان apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",برای فیلتر کردن بر اساس حزب، حزب انتخاب نوع اول apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'به روز رسانی موجودی'نمی تواند انتخاب شود ، زیرا موارد از طریق تحویل نمی {0} DocType: Vehicle,Acquisition Date,تاریخ اکتساب -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,شماره +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,شماره DocType: Item,Items with higher weightage will be shown higher,پاسخ همراه با بین وزنها بالاتر خواهد بود بالاتر نشان داده شده است DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,جزئیات مغایرت گیری بانک -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,ردیف # {0}: دارایی {1} باید ارائه شود +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,ردیف # {0}: دارایی {1} باید ارائه شود apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,بدون کارمند یافت DocType: Supplier Quotation,Stopped,متوقف DocType: Item,If subcontracted to a vendor,اگر به یک فروشنده واگذار شده @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,حداقل مبلغ فا apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: مرکز هزینه {2} به شرکت تعلق ندارد {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: حساب {2} نمی تواند یک گروه apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,مورد ردیف {IDX}: {} {DOCTYPE DOCNAME} در بالا وجود ندارد '{} DOCTYPE جدول -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,برنامه زمانی {0} است در حال حاضر تکمیل و یا لغو +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,برنامه زمانی {0} است در حال حاضر تکمیل و یا لغو apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,وظایف DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",روز از ماه که در آن خودکار صورتحساب خواهد شد به عنوان مثال 05، 28 و غیره تولید DocType: Asset,Opening Accumulated Depreciation,باز کردن استهلاک انباشته @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,شماره درخواست شده DocType: Production Planning Tool,Only Obtain Raw Materials,فقط دست آوردن مواد خام apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,ارزیابی عملکرد. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",فعال کردن «استفاده برای سبد خرید، به عنوان سبد خرید فعال باشد و باید حداقل یک قانون مالیاتی برای سبد خرید وجود داشته باشد -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",ورود پرداخت {0} است که در برابر سفارش {1}، بررسی کنید که آن را باید به عنوان پیش در این فاکتور کشیده مرتبط است. +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",ورود پرداخت {0} است که در برابر سفارش {1}، بررسی کنید که آن را باید به عنوان پیش در این فاکتور کشیده مرتبط است. DocType: Sales Invoice Item,Stock Details,جزئیات سهام apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,ارزش پروژه apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,نقطه از فروش @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,به روز رسانی سری DocType: Supplier Quotation,Is Subcontracted,آیا واگذار شده DocType: Item Attribute,Item Attribute Values,مقادیر ویژگی مورد DocType: Examination Result,Examination Result,نتیجه آزمون -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,رسید خرید +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,رسید خرید ,Received Items To Be Billed,دریافت گزینه هایی که صورتحساب -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ارسال شده ورقه حقوق +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,ارسال شده ورقه حقوق apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,نرخ ارز نرخ ارز استاد. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},مرجع DOCTYPE باید یکی از شود {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},قادر به پیدا کردن شکاف زمان در آینده {0} روز برای عملیات {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},قادر به پیدا کردن شکاف زمان در آینده {0} روز برای عملیات {1} DocType: Production Order,Plan material for sub-assemblies,مواد را برای طرح زیر مجموعه apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,شرکای فروش و منطقه -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} باید فعال باشد +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} باید فعال باشد DocType: Journal Entry,Depreciation Entry,ورود استهلاک apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,لطفا ابتدا نوع سند را انتخاب کنید apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,لغو مواد بازدید {0} قبل از لغو این نگهداری سایت @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,مقدار کل apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,انتشارات اینترنت DocType: Production Planning Tool,Production Orders,سفارشات تولید -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,ارزش موجودی +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,ارزش موجودی apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,فهرست قیمت فروش apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,انتشار همگام موارد DocType: Bank Reconciliation,Account Currency,حساب ارزی @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,جزییات خروج مصاحبه DocType: Item,Is Purchase Item,آیا مورد خرید DocType: Asset,Purchase Invoice,فاکتورخرید DocType: Stock Ledger Entry,Voucher Detail No,جزئیات کوپن بدون -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,جدید فاکتور فروش +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,جدید فاکتور فروش DocType: Stock Entry,Total Outgoing Value,مجموع ارزش خروجی apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,باز کردن تاریخ و بسته شدن تاریخ باید در همان سال مالی می شود DocType: Lead,Request for Information,درخواست اطلاعات ,LeaderBoard,رهبران -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,همگام سازی آفلاین فاکتورها +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,همگام سازی آفلاین فاکتورها DocType: Payment Request,Paid,پرداخت DocType: Program Fee,Program Fee,هزینه برنامه DocType: Salary Slip,Total in words,مجموع در کلمات @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,سرب زمان عضویت DocType: Guardian,Guardian Name,نام و نام خانوادگی سرپرست DocType: Cheque Print Template,Has Print Format,است چاپ فرمت DocType: Employee Loan,Sanctioned,تحریم -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,این مورد الزامی است. شاید مقدار تبدیل ارز برایش ایجاد نشده است +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,این مورد الزامی است. شاید مقدار تبدیل ارز برایش ایجاد نشده است apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ردیف # {0}: لطفا سریال مشخص نیست برای مورد {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",برای آیتم های 'محصولات بسته نرم افزاری، انبار، سریال و بدون دسته بدون خواهد شد از' بسته بندی فهرست جدول در نظر گرفته. اگر انبار و دسته ای بدون برای همه آیتم ها بسته بندی مورد هر 'محصولات بسته نرم افزاری "هستند، این ارزش ها را می توان در جدول آیتم های اصلی وارد شده، ارزش خواهد شد کپی شده به' بسته بندی فهرست جدول. DocType: Job Opening,Publish on website,انتشار در وب سایت @@ -1006,7 +1006,7 @@ DocType: Cheque Print Template,Date Settings,تنظیمات تاریخ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,واریانس ,Company Name,نام شرکت DocType: SMS Center,Total Message(s),پیام ها (بازدید کنندگان) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,انتخاب مورد انتقال +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,انتخاب مورد انتقال DocType: Purchase Invoice,Additional Discount Percentage,تخفیف اضافی درصد apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,نمایش یک لیست از تمام فیلم ها کمک DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,انتخاب سر حساب بانکی است که چک نهشته شده است. @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),خام هزینه مواد (شرکت ارز) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,همه موارد قبلا برای این سفارش تولید منتقل می شود. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ردیف # {0}: نرخ نمی تواند بیشتر از نرخ مورد استفاده در {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,متر +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,متر DocType: Workstation,Electricity Cost,هزینه برق DocType: HR Settings,Don't send Employee Birthday Reminders,آیا کارمند تولد یادآوری ارسال کنید DocType: Item,Inspection Criteria,معیار بازرسی @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),همه سرب (باز) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ردیف {0}: تعداد برای در دسترس نیست {4} در انبار {1} در زمان ارسال از ورود ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,دریافت پیشرفت پرداخت DocType: Item,Automatically Create New Batch,به طور خودکار ایجاد دسته جدید -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,ساخت +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,ساخت DocType: Student Admission,Admission Start Date,پذیرش تاریخ شروع DocType: Journal Entry,Total Amount in Words,مقدار کل به عبارت apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,یک خطای وجود دارد. یکی از دلایل احتمالی میتواند این باشد که شما به صورت ذخیره نیست. لطفا support@erpnext.com تماس بگیرید اگر مشکل همچنان ادامه دارد. @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,سبد من apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},نوع سفارش باید یکی از است {0} DocType: Lead,Next Contact Date,تماس با آمار بعدی apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,باز کردن تعداد -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,لطفا حساب برای تغییر مقدار را وارد کنید +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,لطفا حساب برای تغییر مقدار را وارد کنید DocType: Student Batch Name,Student Batch Name,دانشجو نام دسته ای DocType: Holiday List,Holiday List Name,نام فهرست تعطیلات DocType: Repayment Schedule,Balance Loan Amount,تعادل وام مبلغ @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,گزینه های سهام DocType: Journal Entry Account,Expense Claim,ادعای هزینه apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,آیا شما واقعا می خواهید برای بازگرداندن این دارایی اوراق؟ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},تعداد برای {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},تعداد برای {0} DocType: Leave Application,Leave Application,مرخصی استفاده apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,ترک ابزار تخصیص DocType: Leave Block List,Leave Block List Dates,ترک فهرست بلوک خرما @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,در برابر DocType: Item,Default Selling Cost Center,مرکز هزینه پیش فرض فروش DocType: Sales Partner,Implementation Partner,شریک اجرای -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,کد پستی +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,کد پستی apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},سفارش فروش {0} است {1} DocType: Opportunity,Contact Info,اطلاعات تماس apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,ساخت نوشته های سهام @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},به apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,میانگین سن DocType: School Settings,Attendance Freeze Date,حضور و غیاب یخ تاریخ DocType: Opportunity,Your sales person who will contact the customer in future,فروشنده شما در اینده تماسی با مشتری خواهد داشت -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,لیست چند از تامین کنندگان خود را. آنها می تواند سازمان ها یا افراد. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,لیست چند از تامین کنندگان خود را. آنها می تواند سازمان ها یا افراد. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,همه محصولات apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),حداقل سن منجر (روز) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,همه BOM ها +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,همه BOM ها DocType: Company,Default Currency,به طور پیش فرض ارز DocType: Expense Claim,From Employee,از کارمند -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,هشدار: سیستم خواهد overbilling از مقدار برای مورد بررسی نمی {0} در {1} صفر است +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,هشدار: سیستم خواهد overbilling از مقدار برای مورد بررسی نمی {0} در {1} صفر است DocType: Journal Entry,Make Difference Entry,ورود را تفاوت DocType: Upload Attendance,Attendance From Date,حضور و غیاب از تاریخ DocType: Appraisal Template Goal,Key Performance Area,منطقه کلیدی کارایی @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,شماره ثبت شرکت برای رجوع کنید. شماره مالیاتی و غیره DocType: Sales Partner,Distributor,توزیع کننده DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,سبد خرید قانون حمل و نقل -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,سفارش تولید {0} باید قبل از لغو این سفارش فروش لغو +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,سفارش تولید {0} باید قبل از لغو این سفارش فروش لغو apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',لطفا 'درخواست تخفیف اضافی بر روی' ,Ordered Items To Be Billed,آیتم ها دستور داد تا صورتحساب apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,از محدوده است که به کمتر از به محدوده @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,کسر DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,سال شروع -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},نخست 2 رقم از GSTIN باید با تعداد دولت مطابقت {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},نخست 2 رقم از GSTIN باید با تعداد دولت مطابقت {0} DocType: Purchase Invoice,Start date of current invoice's period,تاریخ دوره صورتحساب فعلی شروع DocType: Salary Slip,Leave Without Pay,ترک کنی بدون اینکه پرداخت -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ظرفیت خطا برنامه ریزی +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,ظرفیت خطا برنامه ریزی ,Trial Balance for Party,تعادل دادگاه برای حزب DocType: Lead,Consultant,مشاور DocType: Salary Slip,Earnings,درامد @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,تنظیمات پرداخت کنن DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",این خواهد شد به کد مورد از نوع اضافه خواهد شد. برای مثال، اگر شما مخفف "SM" است، و کد مورد است "تی شرت"، کد مورد از نوع خواهد بود "تی شرت-SM" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,پرداخت خالص (به عبارت) قابل مشاهده خواهد بود یک بار شما را لغزش حقوق و دستمزد را نجات دهد. DocType: Purchase Invoice,Is Return,آیا بازگشت -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,بازگشت / دبیت توجه +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,بازگشت / دبیت توجه DocType: Price List Country,Price List Country,لیست قیمت کشور DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} NOS سریال معتبر برای مورد {1} @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,نیمه پرداخت شده apps/erpnext/erpnext/config/buying.py +38,Supplier database.,پایگاه داده تامین کننده. DocType: Account,Balance Sheet,ترازنامه apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',مرکز مورد با کد آیتم های هزینه -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",حالت پرداخت پیکربندی نشده است. لطفا بررسی کنید، آیا حساب شده است در حالت پرداخت و یا در POS مشخصات تعیین شده است. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",حالت پرداخت پیکربندی نشده است. لطفا بررسی کنید، آیا حساب شده است در حالت پرداخت و یا در POS مشخصات تعیین شده است. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,فروشنده شما در این تاریخ برای تماس با مشتری یاداوری خواهد داشت apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,آیتم همان نمی تواند وارد شود چند بار. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",حساب های بیشتر می تواند در زیر گروه ساخته شده، اما مطالب را می توان در برابر غیر گروه ساخته شده @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,اطلاعات بازپردا apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'مطالب' نمی تواند خالی باشد apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},تکراری ردیف {0} را با همان {1} ,Trial Balance,آزمایش تعادل -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,سال مالی {0} یافت نشد +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,سال مالی {0} یافت نشد apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,راه اندازی کارکنان DocType: Sales Order,SO-,بنابراین- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,لطفا ابتدا پیشوند انتخاب کنید @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,فواصل apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,قدیمیترین apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",گروه مورد با همین نام وجود دارد، لطفا نام مورد تغییر یا تغییر نام گروه مورد apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,شماره دانشجویی موبایل -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,بقیه دنیا +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,بقیه دنیا apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,مورد {0} می تواند دسته ای ندارد ,Budget Variance Report,گزارش انحراف از بودجه DocType: Salary Slip,Gross Pay,پرداخت ناخالص -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ردیف {0}: نوع فعالیت الزامی است. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,ردیف {0}: نوع فعالیت الزامی است. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,سود سهام پرداخت apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,حسابداری لجر DocType: Stock Reconciliation,Difference Amount,مقدار تفاوت @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,کارمند مرخصی تعادل apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},موجودی برای حساب {0} همیشه باید {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},نرخ ارزش گذاری مورد نیاز برای مورد در ردیف {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,به عنوان مثال: کارشناسی ارشد در رشته علوم کامپیوتر +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,به عنوان مثال: کارشناسی ارشد در رشته علوم کامپیوتر DocType: Purchase Invoice,Rejected Warehouse,انبار را رد کرد DocType: GL Entry,Against Voucher,علیه کوپن DocType: Item,Default Buying Cost Center,به طور پیش فرض مرکز هزینه خرید apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",برای دریافت بهترین نتیجه را از ERPNext، توصیه می کنیم که شما را برخی از زمان و تماشای این فیلم ها به کمک. -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,به +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,به DocType: Supplier Quotation Item,Lead Time in days,سرب زمان در روز apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,خلاصه حسابهای پرداختنی -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},پرداخت حقوق و دستمزد از {0} به {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},پرداخت حقوق و دستمزد از {0} به {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},مجاز به ویرایش منجمد حساب {0} DocType: Journal Entry,Get Outstanding Invoices,دریافت فاکتورها برجسته -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,سفارش فروش {0} معتبر نیست +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,سفارش فروش {0} معتبر نیست apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,سفارشات خرید به شما کمک کند برنامه ریزی و پیگیری خرید خود را apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",با عرض پوزش، شرکت ها نمی توانند با هم ادغام شدند apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,هزینه های غیر مستقیم apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ردیف {0}: تعداد الزامی است apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,کشاورزی -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,همگام سازی داده های کارشناسی ارشد -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,محصولات یا خدمات شما +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,همگام سازی داده های کارشناسی ارشد +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,محصولات یا خدمات شما DocType: Mode of Payment,Mode of Payment,نحوه پرداخت apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,وب سایت تصویر باید یک فایل عمومی و یا آدرس وب سایت می باشد DocType: Student Applicant,AP,AP @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,مورد نرخ مالیات DocType: Student Group Student,Group Roll Number,گروه شماره رول apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",برای {0}، تنها حساب های اعتباری می تواند در مقابل ورود بدهی دیگر مرتبط apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,در کل از همه وزن وظیفه باید باشد 1. لطفا وزن همه وظایف پروژه تنظیم بر این اساس -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,تحویل توجه داشته باشید {0} است ارسال نشده +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,تحویل توجه داشته باشید {0} است ارسال نشده apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,مورد {0} باید مورد-فرعی قرارداد است apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,تجهیزات سرمایه apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",قانون قیمت گذاری شده است برای اولین بار بر اساس انتخاب 'درخواست در' درست است که می تواند مورد، مورد گروه و یا تجاری. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,لطفا ابتدا کد مورد را تنظیم کنید +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,لطفا ابتدا کد مورد را تنظیم کنید DocType: Hub Settings,Seller Website,فروشنده وب سایت DocType: Item,ITEM-,آیتم apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,درصد اختصاص داده ها را برای تیم فروش باید 100 باشد DocType: Appraisal Goal,Goal,هدف DocType: Sales Invoice Item,Edit Description,ویرایش توضیحات ,Team Updates,به روز رسانی تیم -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,منبع +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,منبع DocType: Account,Setting Account Type helps in selecting this Account in transactions.,تنظیم نوع حساب کمک می کند تا در انتخاب این حساب در معاملات. DocType: Purchase Invoice,Grand Total (Company Currency),جمع کل (شرکت ارز) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,درست چاپ فرمت @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,گروه مورد وب سایت DocType: Purchase Invoice,Total (Company Currency),مجموع (شرکت ارز) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,شماره سریال {0} وارد بیش از یک بار DocType: Depreciation Schedule,Journal Entry,ورودی دفتر -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} اقلام در پیشرفت +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} اقلام در پیشرفت DocType: Workstation,Workstation Name,نام ایستگاه های کاری DocType: Grading Scale Interval,Grade Code,کد کلاس DocType: POS Item Group,POS Item Group,POS مورد گروه apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ایمیل خلاصه: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} به مورد تعلق ندارد {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} به مورد تعلق ندارد {1} DocType: Sales Partner,Target Distribution,توزیع هدف DocType: Salary Slip,Bank Account No.,شماره حساب بانکی DocType: Naming Series,This is the number of the last created transaction with this prefix,این تعداد از آخرین معامله ایجاد شده با این پیشوند است @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,سبد خرید apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,اوسط روزانه خروجی DocType: POS Profile,Campaign,کمپین DocType: Supplier,Name and Type,نام و نوع -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',وضعیت تایید باید "تایید" یا "رد" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',وضعیت تایید باید "تایید" یا "رد" DocType: Purchase Invoice,Contact Person,شخص تماس apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"'تاریخ شروع پیش بینی شده' نمی تواند بیشتر از 'تاریخ پایان پیش بینی شده"" باشد" DocType: Course Scheduling Tool,Course End Date,البته پایان تاریخ @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,ترجیح ایمیل apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,تغییر خالص دارائی های ثابت در DocType: Leave Control Panel,Leave blank if considered for all designations,خالی بگذارید اگر برای همه در نظر گرفته نامگذاریهای -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,شارژ از نوع 'واقعی' در ردیف {0} نمی تواند در مورد نرخ شامل -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},حداکثر: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,شارژ از نوع 'واقعی' در ردیف {0} نمی تواند در مورد نرخ شامل +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},حداکثر: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,از تاریخ ساعت DocType: Email Digest,For Company,برای شرکت apps/erpnext/erpnext/config/support.py +17,Communication log.,ورود به سیستم ارتباطات. @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.",مشخصات ش DocType: Journal Entry Account,Account Balance,موجودی حساب apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,قانون مالیاتی برای معاملات. DocType: Rename Tool,Type of document to rename.,نوع سند به تغییر نام دهید. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,ما خرید این مورد +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,ما خرید این مورد apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: و ضوابط به حساب دریافتنی مورد نیاز است {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),مجموع مالیات و هزینه (شرکت ارز) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,نمایش P & L مانده سال مالی بستهنشده است @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,خوانش DocType: Stock Entry,Total Additional Costs,مجموع هزینه های اضافی DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),هزینه ضایعات مواد (شرکت ارز) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,مجامع زیر +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,مجامع زیر DocType: Asset,Asset Name,نام دارایی DocType: Project,Task Weight,وظیفه وزن DocType: Shipping Rule Condition,To Value,به ارزش @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,انواع آیتم DocType: Company,Services,خدمات DocType: HR Settings,Email Salary Slip to Employee,ایمیل لغزش حقوق و دستمزد به کارکنان DocType: Cost Center,Parent Cost Center,مرکز هزینه پدر و مادر -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,انتخاب کننده ممکن +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,انتخاب کننده ممکن DocType: Sales Invoice,Source,منبع apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,نمایش بسته DocType: Leave Type,Is Leave Without Pay,آیا ترک کنی بدون اینکه پرداخت @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,اعمال تخفیف DocType: GST HSN Code,GST HSN Code,GST کد HSN DocType: Employee External Work History,Total Experience,تجربه ها apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,باز کردن پروژه -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,بسته بندی لغزش (بازدید کنندگان) لغو +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,بسته بندی لغزش (بازدید کنندگان) لغو apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,جریان وجوه نقد از سرمایه گذاری DocType: Program Course,Program Course,دوره برنامه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,حمل و نقل و حمل و نقل اتهامات @@ -1538,9 +1538,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,ثبت برنامه DocType: Sales Invoice Item,Brand Name,نام تجاری DocType: Purchase Receipt,Transporter Details,اطلاعات حمل و نقل -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,به طور پیش فرض ذخیره سازی برای آیتم انتخاب شده مورد نیاز است -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,جعبه -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,کننده ممکن +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,به طور پیش فرض ذخیره سازی برای آیتم انتخاب شده مورد نیاز است +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,جعبه +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,کننده ممکن DocType: Budget,Monthly Distribution,توزیع ماهانه apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,فهرست گیرنده خالی است. لطفا ایجاد فهرست گیرنده DocType: Production Plan Sales Order,Production Plan Sales Order,تولید برنامه سفارش فروش @@ -1572,7 +1572,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,ادعای ه apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students",دانش آموزان در قلب سیستم، اضافه کردن تمام دانش آموزان خود را apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},ردیف # {0}: تاریخ ترخیص کالا از {1} می توانید قبل از تاریخ چک شود {2} DocType: Company,Default Holiday List,پیش فرض لیست تعطیلات -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ردیف {0}: از زمان و به زمان از {1} با هم تداخل دارند {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},ردیف {0}: از زمان و به زمان از {1} با هم تداخل دارند {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,بدهی سهام DocType: Purchase Invoice,Supplier Warehouse,انبار عرضه کننده کالا DocType: Opportunity,Contact Mobile No,تماس با موبایل بدون @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},مرخصی از نوع {0} نمی تواند بیش از {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,سعی کنید برنامه ریزی عملیات به مدت چند روز X در پیش است. DocType: HR Settings,Stop Birthday Reminders,توقف تولد یادآوری -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},لطفا پیش فرض حقوق و دستمزد پرداختنی حساب تعیین شده در شرکت {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},لطفا پیش فرض حقوق و دستمزد پرداختنی حساب تعیین شده در شرکت {0} DocType: SMS Center,Receiver List,فهرست گیرنده -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,جستجو مورد +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,جستجو مورد apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,مقدار مصرف apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,تغییر خالص در نقدی DocType: Assessment Plan,Grading Scale,مقیاس درجه بندی apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,واحد اندازه گیری {0} است بیش از یک بار در تبدیل فاکتور جدول وارد شده است -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,قبلا کامل شده +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,قبلا کامل شده apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,سهام در دست apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},درخواست پرداخت از قبل وجود دارد {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,هزینه اقلام صادر شده -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},تعداد نباید بیشتر از {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},تعداد نباید بیشتر از {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,قبلی سال مالی بسته نشده است apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),سن (روز) DocType: Quotation Item,Quotation Item,مورد نقل قول @@ -1613,6 +1613,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,سند مرجع apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} لغو و یا متوقف شده است DocType: Accounts Settings,Credit Controller,کنترل اعتبار +DocType: Sales Order,Final Delivery Date,تاریخ تحویل نهایی DocType: Delivery Note,Vehicle Dispatch Date,اعزام خودرو تاریخ DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,رسید خرید {0} است ارسال نشده @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,تاریخ بازنشستگی DocType: Upload Attendance,Get Template,دریافت قالب DocType: Material Request,Transferred,منتقل شده DocType: Vehicle,Doors,درب -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext راه اندازی کامل! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext راه اندازی کامل! DocType: Course Assessment Criteria,Weightage,بین وزنها -DocType: Sales Invoice,Tax Breakup,فروپاشی مالیات +DocType: Purchase Invoice,Tax Breakup,فروپاشی مالیات DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: مرکز هزینه برای سود و زیان، حساب مورد نیاز است {2}. لطفا راه اندازی یک مرکز هزینه به طور پیش فرض برای شرکت. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,یک گروه مشتری با نام مشابهی وجود دارد. لطا نام مشتری را تغییر دهید یا نام گروه مشتری را اصلاح نمایید. @@ -1716,14 +1717,14 @@ DocType: Announcement,Instructor,معلم DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",اگر این فقره انواع، سپس آن را نمی تواند در سفارشات فروش و غیره انتخاب شود DocType: Lead,Next Contact By,بعد تماس با -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},تعداد در ردیف مورد نیاز برای مورد {0} {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},تعداد در ردیف مورد نیاز برای مورد {0} {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},انبار {0} نمی تواند حذف شود مقدار برای مورد وجود دارد {1} DocType: Quotation,Order Type,نوع سفارش DocType: Purchase Invoice,Notification Email Address,هشدار از طریق ایمیل ,Item-wise Sales Register,مورد عاقلانه فروش ثبت نام DocType: Asset,Gross Purchase Amount,مبلغ خرید خالص DocType: Asset,Depreciation Method,روش استهلاک -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,آفلاین +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,آفلاین DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,آیا این مالیات شامل در نرخ پایه؟ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,مجموع هدف DocType: Job Applicant,Applicant for a Job,متقاضی برای شغل @@ -1744,7 +1745,7 @@ DocType: Employee,Leave Encashed?,ترک نقد شدنی؟ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصت از فیلد اجباری است DocType: Email Digest,Annual Expenses,هزینه سالانه DocType: Item,Variants,انواع -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,را سفارش خرید +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,را سفارش خرید DocType: SMS Center,Send To,فرستادن به apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},است تعادل مرخصی به اندازه کافی برای مرخصی نوع وجود ندارد {0} DocType: Payment Reconciliation Payment,Allocated amount,مقدار اختصاص داده شده @@ -1752,7 +1753,7 @@ DocType: Sales Team,Contribution to Net Total,کمک به شبکه ها DocType: Sales Invoice Item,Customer's Item Code,کد مورد مشتری DocType: Stock Reconciliation,Stock Reconciliation,سهام آشتی DocType: Territory,Territory Name,نام منطقه -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,کار در حال پیشرفت انبار قبل از ارسال مورد نیاز است +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,کار در حال پیشرفت انبار قبل از ارسال مورد نیاز است apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,متقاضی برای یک کار. DocType: Purchase Order Item,Warehouse and Reference,انبار و مرجع DocType: Supplier,Statutory info and other general information about your Supplier,اطلاعات قانونی و دیگر اطلاعات کلی در مورد تامین کننده خود را @@ -1763,16 +1764,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,ارزیابی apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},تکراری سریال بدون برای مورد وارد {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,یک شرط برای یک قانون ارسال کالا apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,لطفا وارد -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",آیا می توانم برای مورد {0} در ردیف overbill {1} بیش از {2}. برای اجازه بیش از حد صدور صورت حساب، لطفا در خرید تنظیمات -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,لطفا فیلتر بر اساس مورد یا انبار مجموعه +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",آیا می توانم برای مورد {0} در ردیف overbill {1} بیش از {2}. برای اجازه بیش از حد صدور صورت حساب، لطفا در خرید تنظیمات +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,لطفا فیلتر بر اساس مورد یا انبار مجموعه DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),وزن خالص این بسته. (به طور خودکار به عنوان مجموع وزن خالص از اقلام محاسبه) DocType: Sales Order,To Deliver and Bill,برای ارائه و بیل DocType: Student Group,Instructors,آموزش DocType: GL Entry,Credit Amount in Account Currency,مقدار اعتبار در حساب ارز -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} باید ارائه شود +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} باید ارائه شود DocType: Authorization Control,Authorization Control,کنترل مجوز apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ردیف # {0}: رد انبار در برابر رد مورد الزامی است {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,پرداخت +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,پرداخت apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",انبار {0} است به هر حساب در ارتباط نیست، لطفا ذکر حساب در رکورد انبار و یا مجموعه ای حساب موجودی به طور پیش فرض در شرکت {1}. apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,مدیریت سفارشات خود را DocType: Production Order Operation,Actual Time and Cost,زمان و هزینه های واقعی @@ -1788,12 +1789,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,آیت DocType: Quotation Item,Actual Qty,تعداد واقعی DocType: Sales Invoice Item,References,مراجع DocType: Quality Inspection Reading,Reading 10,خواندن 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",لیست محصولات و یا خدمات خود را که شما خرید و یا فروش. مطمئن شوید برای بررسی گروه مورد، واحد اندازه گیری و خواص دیگر زمانی که شما شروع می شود. +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",لیست محصولات و یا خدمات خود را که شما خرید و یا فروش. مطمئن شوید برای بررسی گروه مورد، واحد اندازه گیری و خواص دیگر زمانی که شما شروع می شود. DocType: Hub Settings,Hub Node,مرکز گره apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,شما وارد آیتم های تکراری شده اید لطفا تصحیح و دوباره سعی کنید. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,وابسته +DocType: Company,Sales Target,هدف فروش DocType: Asset Movement,Asset Movement,جنبش دارایی -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,سبد خرید +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,سبد خرید apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,مورد {0} است مورد سریال نه DocType: SMS Center,Create Receiver List,ایجاد فهرست گیرنده DocType: Vehicle,Wheels,چرخ ها @@ -1834,13 +1836,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,مدیریت پرو DocType: Supplier,Supplier of Goods or Services.,تامین کننده کالا یا خدمات. DocType: Budget,Fiscal Year,سال مالی DocType: Vehicle Log,Fuel Price,قیمت سوخت +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا شماره سریال را برای شرکت کنندگان از طریق Setup> Numbering Series بفرستید DocType: Budget,Budget,بودجه apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,مورد دارائی های ثابت باید یک آیتم غیر سهام باشد. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",بودجه می توانید در برابر {0} اختصاص داده نمی شود، آن را به عنوان یک حساب کاربری درآمد یا هزینه نیست apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,به دست آورد DocType: Student Admission,Application Form Route,فرم درخواست مسیر apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,منطقه / مشتریان -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,به عنوان مثال 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,به عنوان مثال 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ترک نوع {0} نمی تواند اختصاص داده شود از آن است که بدون حقوق ترک apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ردیف {0}: اختصاص مقدار {1} باید کمتر از برابر می شود و یا به فاکتور مقدار برجسته {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,به عبارت قابل مشاهده خواهد بود زمانی که به فاکتور فروش را نجات دهد. @@ -1849,11 +1852,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,مورد {0} است راه اندازی برای سریال شماره ندارید. استاد مورد DocType: Maintenance Visit,Maintenance Time,زمان نگهداری ,Amount to Deliver,مقدار برای ارائه -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,یک محصول یا خدمت +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,یک محصول یا خدمت apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاریخ شروع ترم نمی تواند زودتر از تاریخ سال شروع سال تحصیلی که مدت مرتبط است باشد (سال تحصیلی {}). لطفا تاریخ های صحیح و دوباره امتحان کنید. DocType: Guardian,Guardian Interests,نگهبان علاقه مندی ها DocType: Naming Series,Current Value,ارزش فعلی -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,سال مالی متعدد برای تاریخ {0} وجود داشته باشد. لطفا شرکت راه در سال مالی +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,سال مالی متعدد برای تاریخ {0} وجود داشته باشد. لطفا شرکت راه در سال مالی apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} ایجاد شد DocType: Delivery Note Item,Against Sales Order,در برابر سفارش فروش ,Serial No Status,سریال نیست @@ -1866,7 +1869,7 @@ DocType: Pricing Rule,Selling,فروش apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},مقدار {0} {1} کسر شود {2} DocType: Employee,Salary Information,اطلاعات حقوق و دستمزد DocType: Sales Person,Name and Employee ID,نام و کارمند ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,تاریخ را نمی توان قبل از ارسال تاریخ +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,تاریخ را نمی توان قبل از ارسال تاریخ DocType: Website Item Group,Website Item Group,وب سایت مورد گروه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,وظایف و مالیات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,لطفا تاریخ مرجع وارد @@ -1921,9 +1924,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},لطفا مجموعه ای از تاریخ پیوستن برای کارمند {0} DocType: Task,Total Billing Amount (via Time Sheet),مبلغ کل حسابداری (از طریق زمان ورق) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,تکرار درآمد و ضوابط -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) باید اجازه 'تاییدو امضا کننده هزینه' را داشته باشید -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,جفت -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,انتخاب کنید BOM و تعداد برای تولید +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) باید اجازه 'تاییدو امضا کننده هزینه' را داشته باشید +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,جفت +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,انتخاب کنید BOM و تعداد برای تولید DocType: Asset,Depreciation Schedule,برنامه استهلاک apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,آدرس فروش شریک و اطلاعات تماس DocType: Bank Reconciliation Detail,Against Account,به حساب @@ -1933,7 +1936,7 @@ DocType: Item,Has Batch No,دارای دسته ای بدون apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},صدور صورت حساب سالانه: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),محصولات و خدمات مالیاتی (GST هند) DocType: Delivery Note,Excise Page Number,مالیات کالاهای داخلی صفحه شماره -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",شرکت، از تاریخ و تا به امروز الزامی است +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",شرکت، از تاریخ و تا به امروز الزامی است DocType: Asset,Purchase Date,تاریخ خرید DocType: Employee,Personal Details,اطلاعات شخصی apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},لطفا دارایی مرکز استهلاک هزینه در شرکت راه {0} @@ -1942,9 +1945,9 @@ DocType: Task,Actual End Date (via Time Sheet),واقعی پایان تاریخ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},مقدار {0} {1} در برابر {2} {3} ,Quotation Trends,روند نقل قول apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},مورد گروه در مورد استاد برای آیتم ذکر نشده {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,بدهی به حساب باید یک حساب کاربری دریافتنی است +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,بدهی به حساب باید یک حساب کاربری دریافتنی است DocType: Shipping Rule Condition,Shipping Amount,مقدار حمل و نقل -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,اضافه کردن مشتریان +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,اضافه کردن مشتریان apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,در انتظار مقدار DocType: Purchase Invoice Item,Conversion Factor,عامل تبدیل DocType: Purchase Order,Delivered,تحویل @@ -1966,7 +1969,6 @@ DocType: Production Order,Use Multi-Level BOM,استفاده از چند سطح DocType: Bank Reconciliation,Include Reconciled Entries,شامل مطالب آشتی DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",دوره پدر و مادر (خالی بگذارید، در صورتی که این بخشی از پدر و مادر البته) DocType: Leave Control Panel,Leave blank if considered for all employee types,خالی بگذارید اگر برای همه نوع کارمند در نظر گرفته -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,مشتری> گروه مشتری> قلمرو DocType: Landed Cost Voucher,Distribute Charges Based On,توزیع اتهامات بر اساس apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,برنامه های زمانی DocType: HR Settings,HR Settings,تنظیمات HR @@ -1974,7 +1976,7 @@ DocType: Salary Slip,net pay info,اطلاعات خالص دستمزد apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,ادعای هزینه منتظر تأیید است. تنها تصویب هزینه می توانید وضعیت به روز رسانی. DocType: Email Digest,New Expenses,هزینه های جدید DocType: Purchase Invoice,Additional Discount Amount,تخفیف اضافی مبلغ -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",ردیف # {0}: تعداد باید 1 باشد، به عنوان مورد دارایی ثابت است. لطفا ردیف جداگانه برای تعداد متعدد استفاده کنید. +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",ردیف # {0}: تعداد باید 1 باشد، به عنوان مورد دارایی ثابت است. لطفا ردیف جداگانه برای تعداد متعدد استفاده کنید. DocType: Leave Block List Allow,Leave Block List Allow,ترک فهرست بلوک اجازه apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,مخفف نمیتواند خالی یا space باشد apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,گروه به غیر گروه @@ -1982,7 +1984,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ورزشی DocType: Loan Type,Loan Name,نام وام apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,مجموع واقعی DocType: Student Siblings,Student Siblings,خواهر و برادر دانشجو -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,واحد +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,واحد apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,لطفا شرکت مشخص ,Customer Acquisition and Loyalty,مشتری خرید و وفاداری DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,انبار که در آن شما می حفظ سهام از اقلام را رد کرد @@ -2000,12 +2002,12 @@ DocType: Workstation,Wages per hour,دستمزد در ساعت apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},تعادل سهام در دسته {0} تبدیل خواهد شد منفی {1} برای مورد {2} در انبار {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,پس از درخواست های مواد به طور خودکار بر اساس سطح آیتم سفارش مجدد مطرح شده است DocType: Email Digest,Pending Sales Orders,در انتظار سفارشات فروش -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},حساب {0} نامعتبر است. حساب ارزی باید {1} باشد +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},حساب {0} نامعتبر است. حساب ارزی باید {1} باشد apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},عامل UOM تبدیل در ردیف مورد نیاز است {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش فروش، فاکتور فروش و یا ورود به مجله می شود DocType: Salary Component,Deduction,کسر -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ردیف {0}: از زمان و به زمان الزامی است. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,ردیف {0}: از زمان و به زمان الزامی است. DocType: Stock Reconciliation Item,Amount Difference,تفاوت در مقدار apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},مورد قیمت های اضافه شده برای {0} در لیست قیمت {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,لطفا کارمند شناسه را وارد این فرد از فروش @@ -2015,11 +2017,11 @@ DocType: Project,Gross Margin,حاشیه ناخالص apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,لطفا ابتدا وارد مورد تولید apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,محاسبه تعادل بیانیه بانک apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,کاربر غیر فعال -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,نقل قول +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,نقل قول DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,کسر مجموع ,Production Analytics,تجزیه و تحلیل ترافیک تولید -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,هزینه به روز رسانی +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,هزینه به روز رسانی DocType: Employee,Date of Birth,تاریخ تولد apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,مورد {0} در حال حاضر بازگشت شده است DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ** سال مالی نشان دهنده یک سال مالی. تمام پست های حسابداری و دیگر معاملات عمده در برابر سال مالی ** ** ردیابی. @@ -2064,18 +2066,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,انتخاب شرکت ... DocType: Leave Control Panel,Leave blank if considered for all departments,خالی بگذارید اگر برای همه گروه ها در نظر گرفته apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",انواع اشتغال (دائمی، قرارداد، و غیره کارآموز). -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} برای آیتم الزامی است {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} برای آیتم الزامی است {1} DocType: Process Payroll,Fortnightly,دوهفتگی DocType: Currency Exchange,From Currency,از ارز apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",لطفا مقدار اختصاص داده شده، نوع فاکتور و شماره فاکتور در حداقل یک سطر را انتخاب کنید apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,هزینه خرید جدید -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},سفارش فروش مورد نیاز برای مورد {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},سفارش فروش مورد نیاز برای مورد {0} DocType: Purchase Invoice Item,Rate (Company Currency),نرخ (شرکت ارز) DocType: Student Guardian,Others,دیگران DocType: Payment Entry,Unallocated Amount,مقدار تخصیص نیافته apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,می توانید یک آیتم تطبیق پیدا کند. لطفا برخی از ارزش های دیگر برای {0} را انتخاب کنید. DocType: POS Profile,Taxes and Charges,مالیات و هزینه DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",یک محصول یا یک سرویس است که خریداری شده، به فروش می رسد و یا نگه داشته در انبار. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,کد مورد> گروه مورد> نام تجاری apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,هیچ به روز رسانی بیشتر apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,می توانید نوع اتهام به عنوان 'در مقدار قبلی Row را انتخاب کنید و یا' در ردیف قبلی مجموع برای سطر اول apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,مورد کودک باید یک بسته نرم افزاری محصولات. لطفا آیتم های حذف `{0}` و صرفه جویی در @@ -2101,7 +2104,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,کل مقدار حسابداری apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,باید به طور پیش فرض ورودی حساب ایمیل فعال برای این کار وجود داشته باشد. لطفا راه اندازی به طور پیش فرض حساب ایمیل های دریافتی (POP / IMAP) و دوباره امتحان کنید. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,حساب دریافتنی -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},ردیف # {0}: دارایی {1} در حال حاضر {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},ردیف # {0}: دارایی {1} در حال حاضر {2} DocType: Quotation Item,Stock Balance,تعادل سهام apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,سفارش فروش به پرداخت apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,مدیر عامل @@ -2126,10 +2129,11 @@ DocType: C-Form,Received Date,تاریخ دریافت DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",اگر شما یک قالب استاندارد در مالیات فروش و اتهامات الگو ایجاد کرده اند، یکی را انتخاب کنید و کلیک بر روی دکمه زیر کلیک کنید. DocType: BOM Scrap Item,Basic Amount (Company Currency),مقدار اولیه (شرکت ارز) DocType: Student,Guardians,نگهبان +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,تامین کننده> نوع تامین کننده DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,قیمت نشان داده نخواهد شد اگر لیست قیمت تنظیم نشده است apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,لطفا یک کشور برای این قانون حمل و نقل مشخص و یا بررسی حمل و نقل در سراسر جهان DocType: Stock Entry,Total Incoming Value,مجموع ارزش ورودی -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,بدهکاری به مورد نیاز است +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,بدهکاری به مورد نیاز است apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",برنامه های زمانی کمک به پیگیری از زمان، هزینه و صدور صورت حساب برای فعالیت های انجام شده توسط تیم خود را apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,خرید لیست قیمت DocType: Offer Letter Term,Offer Term,مدت پیشنهاد @@ -2148,11 +2152,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,جس DocType: Timesheet Detail,To Time,به زمان DocType: Authorization Rule,Approving Role (above authorized value),تصویب نقش (بالاتر از ارزش مجاز) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,اعتبار به حساب باید یک حساب کاربری پرداختنی شود -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},بازگشت BOM: {0} می تواند پدر و مادر یا فرزند نمی {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},بازگشت BOM: {0} می تواند پدر و مادر یا فرزند نمی {2} DocType: Production Order Operation,Completed Qty,تکمیل تعداد apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",برای {0}، تنها حساب های بانکی را می توان در برابر ورود اعتباری دیگر مرتبط apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,لیست قیمت {0} غیر فعال است -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},ردیف {0}: پایان تعداد نمی تواند بیش از {1} برای عملیات {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},ردیف {0}: پایان تعداد نمی تواند بیش از {1} برای عملیات {2} DocType: Manufacturing Settings,Allow Overtime,اجازه اضافه کاری apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",مورد سریال {0} نمی تواند با استفاده سهام آشتی، لطفا با استفاده از بورس ورود به روز می شود DocType: Training Event Employee,Training Event Employee,رویداد آموزش کارکنان @@ -2170,10 +2174,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,خارجی apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,کاربران و ویرایش DocType: Vehicle Log,VLOG.,را ثبت کنید. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},سفارشات تولید ایجاد شده: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},سفارشات تولید ایجاد شده: {0} DocType: Branch,Branch,شاخه DocType: Guardian,Mobile Number,شماره موبایل apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,چاپ و علامت گذاری +DocType: Company,Total Monthly Sales,کل فروش ماهانه DocType: Bin,Actual Quantity,تعداد واقعی DocType: Shipping Rule,example: Next Day Shipping,به عنوان مثال: حمل و نقل روز بعد apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,سریال بدون {0} یافت نشد @@ -2203,7 +2208,7 @@ DocType: Payment Request,Make Sales Invoice,ایجاد فاکتور فروش apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,نرم افزارها apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,بعد تماس با آمار نمی تواند در گذشته باشد DocType: Company,For Reference Only.,برای مرجع تنها. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,انتخاب دسته ای بدون +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,انتخاب دسته ای بدون apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},نامعتبر {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,جستجوی پیشرفته مقدار @@ -2216,7 +2221,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},آیتم با بارکد بدون {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,شماره مورد نمی تواند 0 DocType: Item,Show a slideshow at the top of the page,نمایش تصاویر به صورت خودکار در بالای صفحه -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOM ها +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,BOM ها apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,فروشگاه DocType: Serial No,Delivery Time,زمان تحویل apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,سالمندی بر اساس @@ -2230,16 +2235,16 @@ DocType: Rename Tool,Rename Tool,ابزار تغییر نام apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,به روز رسانی هزینه DocType: Item Reorder,Item Reorder,مورد ترتیب مجدد apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,لغزش نمایش حقوق -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,مواد انتقال +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,مواد انتقال DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",مشخص عملیات، هزینه های عملیاتی و به یک عملیات منحصر به فرد بدون به عملیات خود را. apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,این سند بیش از حد مجاز است {0} {1} برای آیتم {4}. آیا شما ساخت یکی دیگر از {3} در برابر همان {2}. -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,لطفا پس از ذخیره در محدوده زمانی معین -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,انتخاب تغییر حساب مقدار +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,لطفا پس از ذخیره در محدوده زمانی معین +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,انتخاب تغییر حساب مقدار DocType: Purchase Invoice,Price List Currency,لیست قیمت ارز DocType: Naming Series,User must always select,کاربر همیشه باید انتخاب کنید DocType: Stock Settings,Allow Negative Stock,اجازه می دهد بورس منفی DocType: Installation Note,Installation Note,نصب و راه اندازی توجه داشته باشید -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,اضافه کردن مالیات +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,اضافه کردن مالیات DocType: Topic,Topic,موضوع apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,جریان وجوه نقد از تامین مالی DocType: Budget Account,Budget Account,حساب بودجه @@ -2253,7 +2258,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,قا apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),منابع درآمد (بدهی) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},تعداد در ردیف {0} ({1}) باید همان مقدار تولید شود {2} DocType: Appraisal,Employee,کارمند -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,انتخاب دسته ای +DocType: Company,Sales Monthly History,تاریخچه فروش ماهانه +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,انتخاب دسته ای apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} به طور کامل صورتحساب شده است DocType: Training Event,End Time,پایان زمان apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ساختار حقوق و دستمزد فعال {0} برای کارمند {1} برای تاریخ داده شده پیدا شده @@ -2261,15 +2267,14 @@ DocType: Payment Entry,Payment Deductions or Loss,کسر پرداخت یا از apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,شرایط قرارداد استاندارد برای فروش و یا خرید. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,گروه های کوپن apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,خط لوله فروش -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},لطفا به حساب پیش فرض تنظیم شده در حقوق و دستمزد و اجزای {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},لطفا به حساب پیش فرض تنظیم شده در حقوق و دستمزد و اجزای {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,مورد نیاز در DocType: Rename Tool,File to Rename,فایل برای تغییر نام apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},لطفا BOM در ردیف را انتخاب کنید برای مورد {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},حساب {0} با شرکت {1} در حالت حساب مطابقت ندارد: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM تعیین {0} برای مورد وجود ندارد {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,نگهداری و تعمیرات برنامه {0} باید قبل از لغو این سفارش فروش لغو +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,نگهداری و تعمیرات برنامه {0} باید قبل از لغو این سفارش فروش لغو DocType: Notification Control,Expense Claim Approved,ادعای هزینه تایید -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا شماره سریال را برای شرکت کنندگان از طریق Setup> Numbering Series بگذارید apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای این دوره بوجود apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,دارویی apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,هزینه اقلام خریداری شده @@ -2286,7 +2291,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,شماره BOM بر DocType: Upload Attendance,Attendance To Date,حضور و غیاب به روز DocType: Warranty Claim,Raised By,مطرح شده توسط DocType: Payment Gateway Account,Payment Account,حساب پرداخت -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,لطفا شرکت مشخص برای ادامه +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,لطفا شرکت مشخص برای ادامه apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,تغییر خالص در حساب های دریافتنی apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,جبرانی فعال DocType: Offer Letter,Accepted,پذیرفته @@ -2295,12 +2300,12 @@ DocType: SG Creation Tool Course,Student Group Name,نام دانشجو گروه apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,لطفا مطمئن شوید که شما واقعا می خواهید به حذف تمام معاملات این شرکت. اطلاعات کارشناسی ارشد خود را باقی خواهد ماند آن را به عنوان است. این عمل قابل بازگشت نیست. DocType: Room,Room Number,شماره اتاق apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},مرجع نامعتبر {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) نمی تواند بیشتر از quanitity برنامه ریزی شده ({2}) در سفارش تولید {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) نمی تواند بیشتر از quanitity برنامه ریزی شده ({2}) در سفارش تولید {3} DocType: Shipping Rule,Shipping Rule Label,قانون حمل و نقل برچسب apps/erpnext/erpnext/public/js/conf.js +28,User Forum,انجمن کاربران -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,مواد اولیه نمی تواند خالی باشد. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.",می تواند سهام به روز رسانی نیست، فاکتور شامل آیتم افت حمل و نقل. -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,سریع دانشگاه علوم پزشکی ورودی +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,مواد اولیه نمی تواند خالی باشد. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.",می تواند سهام به روز رسانی نیست، فاکتور شامل آیتم افت حمل و نقل. +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,سریع دانشگاه علوم پزشکی ورودی apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,اگر ذکر بی ا م در مقابل هر ایتمی باشد شما نمیتوانید نرخ را تغییر دهید DocType: Employee,Previous Work Experience,قبلی سابقه کار DocType: Stock Entry,For Quantity,برای کمیت @@ -2357,7 +2362,7 @@ DocType: SMS Log,No of Requested SMS,تعداد SMS درخواست شده apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,مرخصی بدون حقوق با تایید سوابق مرخصی کاربرد مطابقت ندارد DocType: Campaign,Campaign-.####,کمپین - #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,گام های بعدی -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,لطفا تأمین اقلام مشخص شده در بهترین نرخ ممکن +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,لطفا تأمین اقلام مشخص شده در بهترین نرخ ممکن DocType: Selling Settings,Auto close Opportunity after 15 days,خودرو فرصت نزدیک پس از 15 روز apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,پایان سال apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot و / سرب٪ @@ -2394,7 +2399,7 @@ DocType: Homepage,Homepage,صفحه نخست DocType: Purchase Receipt Item,Recd Quantity,Recd تعداد apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},سوابق هزینه ایجاد شده - {0} DocType: Asset Category Account,Asset Category Account,حساب دارایی رده -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},می تواند مورد دیگر {0} از مقدار سفارش فروش تولید نمی {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},می تواند مورد دیگر {0} از مقدار سفارش فروش تولید نمی {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,سهام ورود {0} است ارسال نشده DocType: Payment Reconciliation,Bank / Cash Account,حساب بانک / نقدی apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,بعد تماس با نمی تواند همان آدرس ایمیل سرب @@ -2427,7 +2432,7 @@ DocType: Salary Structure,Total Earning,سود مجموع DocType: Purchase Receipt,Time at which materials were received,زمانی که در آن مواد دریافت شده DocType: Stock Ledger Entry,Outgoing Rate,نرخ خروجی apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,شاخه سازمان کارشناسی ارشد. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,یا +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,یا DocType: Sales Order,Billing Status,حسابداری وضعیت apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,گزارش یک مشکل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,هزینه آب و برق @@ -2435,7 +2440,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ردیف # {0}: مجله ورودی {1} می کند حساب کاربری ندارید {2} یا در حال حاضر همسان در برابر کوپن دیگر DocType: Buying Settings,Default Buying Price List,به طور پیش فرض لیست قیمت خرید DocType: Process Payroll,Salary Slip Based on Timesheet,لغزش حقوق و دستمزد بر اساس برنامه زمانی -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,هیچ یک از کارکنان برای معیارهای فوق انتخاب شده و یا لغزش حقوق و دستمزد در حال حاضر ایجاد +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,هیچ یک از کارکنان برای معیارهای فوق انتخاب شده و یا لغزش حقوق و دستمزد در حال حاضر ایجاد DocType: Notification Control,Sales Order Message,سفارش فروش پیام apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",تنظیم مقادیر پیش فرض مثل شرکت، ارز، سال مالی جاری، و غیره DocType: Payment Entry,Payment Type,نوع پرداخت @@ -2459,7 +2464,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,سند دریافت باید ارائه شود DocType: Purchase Invoice Item,Received Qty,دریافت تعداد DocType: Stock Entry Detail,Serial No / Batch,سریال بدون / دسته -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,پرداخت نمی شود و تحویل داده نشده است +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,پرداخت نمی شود و تحویل داده نشده است DocType: Product Bundle,Parent Item,مورد پدر و مادر DocType: Account,Account Type,نوع حساب DocType: Delivery Note,DN-RET-,DN-RET- @@ -2489,8 +2494,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,مجموع مقدار اختصاص داده شده apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,تنظیم حساب موجودی به طور پیش فرض برای موجودی دائمی DocType: Item Reorder,Material Request Type,مواد نوع درخواست -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},ورود مجله Accural برای حقوق از {0} به {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save",LocalStorage را کامل است، نجات نداد +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},ورود مجله Accural برای حقوق از {0} به {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",LocalStorage را کامل است، نجات نداد apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ردیف {0}: UOM عامل تبدیل الزامی است apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,کد عکس DocType: Budget,Cost Center,مرکز هزینه زا @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ما apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",اگر قانون قیمت گذاری انتخاب شده برای قیمت "ساخته شده، آن را به لیست قیمت بازنویسی. قیمت قانون قیمت گذاری قیمت نهایی است، بنابراین هیچ تخفیف بیشتر قرار داشته باشد. از این رو، در معاملات مانند سفارش فروش، سفارش خرید و غیره، از آن خواهد شد در زمینه 'نرخ' برداشته، به جای درست "لیست قیمت نرخ. apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,آهنگ فرصت های نوع صنعت. DocType: Item Supplier,Item Supplier,تامین کننده مورد -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,لطفا کد مورد وارد کنید دسته ای هیچ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,لطفا کد مورد وارد کنید دسته ای هیچ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},لطفا یک ارزش برای {0} quotation_to انتخاب کنید {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,تمام آدرس. DocType: Company,Stock Settings,تنظیمات سهام @@ -2535,7 +2540,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,تعداد واقعی apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},بدون لغزش حقوق و دستمزد پیدا شده بین {0} و {1} ,Pending SO Items For Purchase Request,در انتظار SO آیتم ها برای درخواست خرید apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,پذیرش دانشجو -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} غیر فعال است +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} غیر فعال است DocType: Supplier,Billing Currency,صدور صورت حساب نرخ ارز DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,خیلی بزرگ @@ -2565,7 +2570,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,وضعیت برنامه DocType: Fees,Fees,هزینه DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,مشخص نرخ ارز برای تبدیل یک ارز به ارز را به یکی دیگر -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,نقل قول {0} لغو +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,نقل قول {0} لغو apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,مجموع مقدار برجسته DocType: Sales Partner,Targets,اهداف DocType: Price List,Price List Master,لیست قیمت مستر @@ -2582,7 +2587,7 @@ DocType: POS Profile,Ignore Pricing Rule,نادیده گرفتن قانون قی DocType: Employee Education,Graduate,فارغ التحصیل DocType: Leave Block List,Block Days,بلوک روز DocType: Journal Entry,Excise Entry,مالیات غیر مستقیم ورود -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},هشدار: سفارش فروش {0} حال حاضر در برابر خرید سفارش مشتری وجود دارد {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},هشدار: سفارش فروش {0} حال حاضر در برابر خرید سفارش مشتری وجود دارد {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2608,7 +2613,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),اگ ,Salary Register,حقوق و دستمزد ثبت نام DocType: Warehouse,Parent Warehouse,انبار پدر و مادر DocType: C-Form Invoice Detail,Net Total,مجموع خالص -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},به طور پیش فرض BOM برای موردی یافت نشد {0} و پروژه {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},به طور پیش فرض BOM برای موردی یافت نشد {0} و پروژه {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,تعریف انواع مختلف وام DocType: Bin,FCFS Rate,FCFS نرخ DocType: Payment Reconciliation Invoice,Outstanding Amount,مقدار برجسته @@ -2645,7 +2650,7 @@ DocType: Salary Detail,Condition and Formula Help,شرایط و فرمول را apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,مدیریت درختواره منطقه DocType: Journal Entry Account,Sales Invoice,فاکتور فروش DocType: Journal Entry Account,Party Balance,تعادل حزب -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,لطفا درخواست تخفیف را انتخاب کنید +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,لطفا درخواست تخفیف را انتخاب کنید DocType: Company,Default Receivable Account,به طور پیش فرض دریافتنی حساب DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,ایجاد بانک برای ورود به حقوق و دستمزد کل پرداخت شده برای معیارهای فوق انتخاب شده DocType: Stock Entry,Material Transfer for Manufacture,انتقال مواد برای تولید @@ -2659,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,آدرس مشتری DocType: Employee Loan,Loan Details,وام جزییات DocType: Company,Default Inventory Account,حساب پرسشنامه به طور پیش فرض -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ردیف {0}: پایان تعداد باید بزرگتر از صفر باشد. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,ردیف {0}: پایان تعداد باید بزرگتر از صفر باشد. DocType: Purchase Invoice,Apply Additional Discount On,درخواست تخفیف اضافی DocType: Account,Root Type,نوع ریشه DocType: Item,FIFO,FIFO @@ -2676,7 +2681,7 @@ DocType: Purchase Invoice Item,Quality Inspection,بازرسی کیفیت apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,بسیار کوچک DocType: Company,Standard Template,قالب استاندارد DocType: Training Event,Theory,تئوری -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,هشدار: مواد درخواست شده تعداد کمتر از حداقل تعداد سفارش تعداد است +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,هشدار: مواد درخواست شده تعداد کمتر از حداقل تعداد سفارش تعداد است apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,حساب {0} فریز شده است DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,حقوقی نهاد / جانبی با نمودار جداگانه حساب متعلق به سازمان. DocType: Payment Request,Mute Email,بیصدا کردن ایمیل @@ -2700,7 +2705,7 @@ DocType: Training Event,Scheduled,برنامه ریزی apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,برای نقل قول درخواست. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",لطفا آیتم را انتخاب کنید که در آن "آیا مورد سهام" است "نه" و "آیا مورد فروش" است "بله" است و هیچ بسته نرم افزاری محصولات دیگر وجود دارد DocType: Student Log,Academic,علمی -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),مجموع پیش ({0}) را در برابر سفارش {1} نمی تواند بیشتر از جمع کل ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),مجموع پیش ({0}) را در برابر سفارش {1} نمی تواند بیشتر از جمع کل ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,انتخاب توزیع ماهانه به طور یکنواخت توزیع در سراسر اهداف ماه می باشد. DocType: Purchase Invoice Item,Valuation Rate,نرخ گذاری DocType: Stock Reconciliation,SR/,SR / @@ -2764,6 +2769,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,نام کمپین را وارد کنید اگر منبع تحقیق مبارزات انتخاباتی است apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,روزنامه apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,انتخاب سال مالی +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,تاریخ تحویل پیش بینی شده باید پس از تاریخ سفارش فروش باشد apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,ترتیب مجدد سطح DocType: Company,Chart Of Accounts Template,نمودار حساب الگو DocType: Attendance,Attendance Date,حضور و غیاب عضویت @@ -2795,7 +2801,7 @@ DocType: Pricing Rule,Discount Percentage,درصد تخفیف DocType: Payment Reconciliation Invoice,Invoice Number,شماره فاکتور DocType: Shopping Cart Settings,Orders,سفارشات DocType: Employee Leave Approver,Leave Approver,ترک تصویب -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,لطفا یک دسته را انتخاب کنید +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,لطفا یک دسته را انتخاب کنید DocType: Assessment Group,Assessment Group Name,نام گروه ارزیابی DocType: Manufacturing Settings,Material Transferred for Manufacture,مواد منتقل شده برای ساخت DocType: Expense Claim,"A user with ""Expense Approver"" role","یک کاربر با نقشه ""تایید کننده هزینه ها""" @@ -2831,7 +2837,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,آخرین روز از ماه آینده DocType: Support Settings,Auto close Issue after 7 days,خودرو موضوع نزدیک پس از 7 روز apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",می توانید قبل از ترک نمی اختصاص داده شود {0}، به عنوان تعادل مرخصی در حال حاضر شده حمل فرستاده در آینده رکورد تخصیص مرخصی {1} -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نکته: با توجه / بیش از مرجع تاریخ اجازه روز اعتباری مشتری توسط {0} روز (بازدید کنندگان) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نکته: با توجه / بیش از مرجع تاریخ اجازه روز اعتباری مشتری توسط {0} روز (بازدید کنندگان) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,دانشجو متقاضی DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,نسخه اصل گیرنده DocType: Asset Category Account,Accumulated Depreciation Account,حساب استهلاک انباشته @@ -2842,7 +2848,7 @@ DocType: Item,Reorder level based on Warehouse,سطح تغییر مجدد ترت DocType: Activity Cost,Billing Rate,نرخ صدور صورت حساب ,Qty to Deliver,تعداد برای ارائه ,Stock Analytics,تجزیه و تحلیل ترافیک سهام -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,عملیات نمی تواند خالی باشد +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,عملیات نمی تواند خالی باشد DocType: Maintenance Visit Purpose,Against Document Detail No,جزئیات سند علیه هیچ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,نوع حزب الزامی است DocType: Quality Inspection,Outgoing,خروجی @@ -2883,15 +2889,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,تعداد موجود در انبار apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,مقدار فاکتور شده DocType: Asset,Double Declining Balance,دو موجودی نزولی -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,سفارش بسته نمی تواند لغو شود. باز کردن به لغو. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,سفارش بسته نمی تواند لغو شود. باز کردن به لغو. DocType: Student Guardian,Father,پدر -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""به روز رسانی انبار می تواند برای فروش دارایی ثابت شود چک" +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"""به روز رسانی انبار می تواند برای فروش دارایی ثابت شود چک" DocType: Bank Reconciliation,Bank Reconciliation,مغایرت گیری بانک DocType: Attendance,On Leave,در مرخصی apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,دریافت به روز رسانی apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: حساب {2} به شرکت تعلق ندارد {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,درخواست مواد {0} است لغو و یا متوقف -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,اضافه کردن چند پرونده نمونه +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,اضافه کردن چند پرونده نمونه apps/erpnext/erpnext/config/hr.py +301,Leave Management,ترک مدیریت apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,گروه های حساب DocType: Sales Order,Fully Delivered,به طور کامل تحویل @@ -2900,12 +2906,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",حساب تفاوت باید یک حساب کاربری نوع دارایی / مسئولیت باشد، زیرا این سهام آشتی ورود افتتاح است apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},میزان مبالغ هزینه نمی تواند بیشتر از وام مبلغ {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},خرید شماره سفارش مورد نیاز برای مورد {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,تولید سفارش ایجاد نمی +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,تولید سفارش ایجاد نمی apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""از تاریخ"" باید پس از ""تا تاریخ"" باشد" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},می توانید تغییر وضعیت به عنوان دانش آموز نمی {0} است با استفاده از دانش آموزان مرتبط {1} DocType: Asset,Fully Depreciated,به طور کامل مستهلک ,Stock Projected Qty,سهام بینی تعداد -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},مشتری {0} تعلق ندارد به پروژه {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},مشتری {0} تعلق ندارد به پروژه {1} DocType: Employee Attendance Tool,Marked Attendance HTML,حضور و غیاب مشخص HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",نقل قول پیشنهادات، مناقصه شما را به مشتریان خود ارسال DocType: Sales Order,Customer's Purchase Order,سفارش خرید مشتری @@ -2915,7 +2921,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,لطفا تعداد مجموعه ای از Depreciations رزرو apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ارزش و یا تعداد apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,سفارشات محصولات می توانید برای نه مطرح شود: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,دقیقه +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,دقیقه DocType: Purchase Invoice,Purchase Taxes and Charges,خرید مالیات و هزینه ,Qty to Receive,تعداد دریافت DocType: Leave Block List,Leave Block List Allowed,ترک فهرست بلوک های مجاز @@ -2928,7 +2934,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,انواع تامین کننده DocType: Global Defaults,Disable In Words,غیر فعال کردن در کلمات apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,کد مورد الزامی است زیرا مورد به طور خودکار شماره نه -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},نقل قول {0} نمی از نوع {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},نقل قول {0} نمی از نوع {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,نگهداری و تعمیرات برنامه مورد DocType: Sales Order,% Delivered,٪ تحویل شده DocType: Production Order,PRO-,نرم افزار- @@ -2951,7 +2957,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,فروشنده ایمیل DocType: Project,Total Purchase Cost (via Purchase Invoice),هزینه خرید مجموع (از طریق فاکتورخرید ) DocType: Training Event,Start Time,زمان شروع -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,انتخاب تعداد +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,انتخاب تعداد DocType: Customs Tariff Number,Customs Tariff Number,آداب و رسوم شماره تعرفه apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,تصویب نقش نمی تواند همان نقش حکومت قابل اجرا است به apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,لغو اشتراک از این ایمیل خلاصه @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR جزئیات DocType: Sales Order,Fully Billed,به طور کامل صورتحساب apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,پول نقد در دست -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},انبار تحویل مورد نیاز برای سهام مورد {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},انبار تحویل مورد نیاز برای سهام مورد {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),وزن ناخالص از بسته. معمولا وزن خالص + وزن مواد بسته بندی. (برای چاپ) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,برنامه DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,کاربران با این نقش ها اجازه تنظیم حساب های یخ زده و ایجاد / تغییر نوشته های حسابداری در برابر حساب منجمد @@ -2984,7 +2990,7 @@ DocType: Student Group,Group Based On,بر اساس گروه DocType: Journal Entry,Bill Date,تاریخ صورتحساب apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required",مورد خدمات، نوع، تعداد و میزان هزینه مورد نیاز apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",حتی اگر قوانین قیمت گذاری های متعدد را با بالاترین اولویت وجود دارد، سپس زیر اولویت های داخلی می شود: -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},آیا شما واقعا می خواهید به ارائه تمام لغزش حقوق از {0} به {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},آیا شما واقعا می خواهید به ارائه تمام لغزش حقوق از {0} به {1} DocType: Cheque Print Template,Cheque Height,قد چک DocType: Supplier,Supplier Details,اطلاعات بیشتر تامین کننده DocType: Expense Claim,Approval Status,وضعیت تایید @@ -3006,7 +3012,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,منجر به عبا apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,هیچ چیز بیشتر نشان می دهد. DocType: Lead,From Customer,از مشتری apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,تماس -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,دسته +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,دسته DocType: Project,Total Costing Amount (via Time Logs),کل مقدار هزینه یابی (از طریق زمان سیاههها) DocType: Purchase Order Item Supplied,Stock UOM,سهام UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,خرید سفارش {0} است ارسال نشده @@ -3037,7 +3043,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,بازگشت از فا DocType: Item,Warranty Period (in days),دوره گارانتی (در روز) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,ارتباط با Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,نقدی خالص عملیات -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,به عنوان مثال مالیات بر ارزش افزوده +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,به عنوان مثال مالیات بر ارزش افزوده apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,(4 مورد) DocType: Student Admission,Admission End Date,پذیرش پایان تاریخ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,پیمانکاری @@ -3045,7 +3051,7 @@ DocType: Journal Entry Account,Journal Entry Account,حساب ورودی دفت apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,گروه دانشجویی DocType: Shopping Cart Settings,Quotation Series,نقل قول سری apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",یک مورد را با همین نام وجود دارد ({0})، لطفا نام گروه مورد تغییر یا تغییر نام آیتم -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,لطفا به مشتریان را انتخاب کنید +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,لطفا به مشتریان را انتخاب کنید DocType: C-Form,I,من DocType: Company,Asset Depreciation Cost Center,دارایی مرکز استهلاک هزینه DocType: Sales Order Item,Sales Order Date,تاریخ سفارش فروش @@ -3056,6 +3062,7 @@ DocType: Stock Settings,Limit Percent,درصد محدود ,Payment Period Based On Invoice Date,دوره پرداخت بر اساس فاکتور عضویت apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},از دست رفته ارز نرخ ارز برای {0} DocType: Assessment Plan,Examiner,امتحان کننده +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا سری نامگذاری را برای {0} از طریق تنظیمات> تنظیمات> نامگذاری سری انتخاب کنید DocType: Student,Siblings,خواهر و برادر DocType: Journal Entry,Stock Entry,سهام ورود DocType: Payment Entry,Payment References,منابع پرداخت @@ -3080,7 +3087,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,که در آن عملیات ساخت در حال انجام شده است. DocType: Asset Movement,Source Warehouse,انبار منبع DocType: Installation Note,Installation Date,نصب و راه اندازی تاریخ -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},ردیف # {0}: دارایی {1} به شرکت تعلق ندارد {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},ردیف # {0}: دارایی {1} به شرکت تعلق ندارد {2} DocType: Employee,Confirmation Date,تایید عضویت DocType: C-Form,Total Invoiced Amount,کل مقدار صورتحساب apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,حداقل تعداد نمی تواند بیشتر از حداکثر تعداد @@ -3153,7 +3160,7 @@ DocType: Company,Default Letter Head,پیش فرض سر نامه DocType: Purchase Order,Get Items from Open Material Requests,گرفتن اقلام از درخواست های باز مواد DocType: Item,Standard Selling Rate,نرخ فروش استاندارد DocType: Account,Rate at which this tax is applied,سرعت که در آن این مالیات اعمال می شود -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,ترتیب مجدد تعداد +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,ترتیب مجدد تعداد apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,فرصت های شغلی فعلی DocType: Company,Stock Adjustment Account,حساب تنظیم سهام apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,کسر کردن @@ -3167,7 +3174,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,ارائه کننده به مشتری apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (فرم # / کالا / {0}) خارج از بورس apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,تاریخ بعدی باید بزرگتر از ارسال تاریخ -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},با توجه / مرجع تاریخ نمی تواند بعد {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},با توجه / مرجع تاریخ نمی تواند بعد {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,اطلاعات واردات و صادرات apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,هیچ دانش آموزان یافت apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,فاکتور های ارسال و ویرایش تاریخ @@ -3187,12 +3194,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,این است که در حضور این دانش آموز بر اساس apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,هیچ دانشآموزی در apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,اضافه کردن آیتم های بیشتر و یا به صورت کامل باز -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',لطفا "انتظار تاریخ تحویل را وارد -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,یادداشت تحویل {0} باید قبل از لغو این سفارش فروش لغو +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,یادداشت تحویل {0} باید قبل از لغو این سفارش فروش لغو apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,مبلغ پرداخت شده + نوشتن کردن مقدار نمی تواند بیشتر از جمع کل apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} است تعداد دسته معتبر برای مورد نمی {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},نکته: تعادل مرخصی به اندازه کافی برای مرخصی نوع وجود ندارد {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN نامعتبر یا NA را وارد کنید برای ثبت نام نشده +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN نامعتبر یا NA را وارد کنید برای ثبت نام نشده DocType: Training Event,Seminar,سمینار DocType: Program Enrollment Fee,Program Enrollment Fee,برنامه ثبت نام هزینه DocType: Item,Supplier Items,آیتم ها تامین کننده @@ -3210,7 +3216,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,سهام سالمندی apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},دانشجو {0} در برابر دانشجوی متقاضی وجود داشته باشد {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,برنامه زمانی -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' غیر فعال است +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' غیر فعال است apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,تنظیم به عنوان گسترش DocType: Cheque Print Template,Scanned Cheque,اسکن چک DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,ارسال ایمیل خودکار به تماس در معاملات ارائه. @@ -3256,7 +3262,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,لیست قیمت نرخ ارز DocType: Purchase Invoice Item,Rate,نرخ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,انترن -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,نام آدرس +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,نام آدرس DocType: Stock Entry,From BOM,از BOM DocType: Assessment Code,Assessment Code,کد ارزیابی apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,پایه @@ -3269,20 +3275,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,ساختار حقوق و دستمزد DocType: Account,Bank,بانک apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,شرکت هواپیمایی -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,مواد شماره +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,مواد شماره DocType: Material Request Item,For Warehouse,ذخیره سازی DocType: Employee,Offer Date,پیشنهاد عضویت apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,نقل قول -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,شما در حالت آفلاین می باشد. شما نمی قادر خواهد بود به بارگذاری مجدد تا زمانی که شما به شبکه وصل شوید. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,شما در حالت آفلاین می باشد. شما نمی قادر خواهد بود به بارگذاری مجدد تا زمانی که شما به شبکه وصل شوید. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,بدون تشکل های دانشجویی ایجاد شده است. DocType: Purchase Invoice Item,Serial No,شماره سریال apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,میزان بازپرداخت ماهانه نمی تواند بیشتر از وام مبلغ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,لطفا ابتدا Maintaince جزئیات را وارد کنید +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,ردیف # {0}: تاریخ تحویل احتمالی قبل از تاریخ سفارش خرید نمی تواند باشد DocType: Purchase Invoice,Print Language,چاپ زبان DocType: Salary Slip,Total Working Hours,کل ساعات کار DocType: Stock Entry,Including items for sub assemblies,از جمله موارد زیر را برای مجامع -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,را وارد کنید مقدار باید مثبت باشد -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,کد مورد> گروه مورد> نام تجاری +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,را وارد کنید مقدار باید مثبت باشد apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,همه مناطق DocType: Purchase Invoice,Items,اقلام apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,دانشجو در حال حاضر ثبت نام. @@ -3304,7 +3310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',واحد اندازه گیری پیش فرض برای متغیر '{0}' باید همان است که در الگو: '{1}' DocType: Shipping Rule,Calculate Based On,محاسبه بر اساس DocType: Delivery Note Item,From Warehouse,از انبار -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,هیچ موردی با بیل از مواد برای تولید +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,هیچ موردی با بیل از مواد برای تولید DocType: Assessment Plan,Supervisor Name,نام استاد راهنما DocType: Program Enrollment Course,Program Enrollment Course,برنامه ثبت نام دوره DocType: Purchase Taxes and Charges,Valuation and Total,ارزش گذاری و مجموع @@ -3319,32 +3325,33 @@ DocType: Training Event Employee,Attended,حضور apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""روز پس از آخرین سفارش"" باید بزرگتر یا مساوی صفر باشد" DocType: Process Payroll,Payroll Frequency,فرکانس حقوق و دستمزد DocType: Asset,Amended From,اصلاح از -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,مواد اولیه +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,مواد اولیه DocType: Leave Application,Follow via Email,از طریق ایمیل دنبال کنید apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,گیاهان و ماشین آلات DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,مبلغ مالیات پس از تخفیف مبلغ DocType: Daily Work Summary Settings,Daily Work Summary Settings,تنظیمات خلاصه کار روزانه -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},ارز از لیست قیمت {0} است مشابه با ارز انتخاب نشده {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},ارز از لیست قیمت {0} است مشابه با ارز انتخاب نشده {1} DocType: Payment Entry,Internal Transfer,انتقال داخلی apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,حساب کودک برای این حساب وجود دارد. شما می توانید این حساب را حذف کنید. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,در هر دو صورت تعداد مورد نظر و یا مقدار هدف الزامی است apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},بدون پیش فرض BOM برای مورد وجود دارد {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,لطفا در ارسال تاریخ را انتخاب کنید اول +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,لطفا در ارسال تاریخ را انتخاب کنید اول apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,باز کردن تاریخ باید قبل از بسته شدن تاریخ DocType: Leave Control Panel,Carry Forward,حمل به جلو apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,مرکز هزینه با معاملات موجود را نمی توان تبدیل به لجر DocType: Department,Days for which Holidays are blocked for this department.,روز که تعطیلات برای این بخش مسدود شده است. ,Produced,ساخته -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,ایجاد ورقه حقوق +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,ایجاد ورقه حقوق DocType: Item,Item Code for Suppliers,کد مورد برای تولید کنندگان DocType: Issue,Raised By (Email),مطرح شده توسط (ایمیل) DocType: Training Event,Trainer Name,نام مربی DocType: Mode of Payment,General,عمومی apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ارتباطات آخرین apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',نمی تواند کسر زمانی که دسته بندی است برای ارزش گذاری "یا" ارزش گذاری و مجموع " -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",لیست سر مالیاتی خود را، نرخ استاندارد (به عنوان مثال مالیات بر ارزش افزوده، آداب و رسوم و غیره آنها باید نام منحصر به فرد) و. این کار یک قالب استاندارد، که شما می توانید ویرایش و اضافه کردن بعد تر ایجاد کنید. +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",لیست سر مالیاتی خود را، نرخ استاندارد (به عنوان مثال مالیات بر ارزش افزوده، آداب و رسوم و غیره آنها باید نام منحصر به فرد) و. این کار یک قالب استاندارد، که شما می توانید ویرایش و اضافه کردن بعد تر ایجاد کنید. apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},سریال شماره سریال مورد نیاز برای مورد {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,پرداخت بازی با فاکتورها +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},ردیف # {0}: لطفا تاریخ تحویل در مورد {1} را وارد کنید DocType: Journal Entry,Bank Entry,بانک ورودی DocType: Authorization Rule,Applicable To (Designation),به (برای تعیین) ,Profitability Analysis,تحلیل سودآوری @@ -3360,17 +3367,18 @@ DocType: Quality Inspection,Item Serial No,مورد سریال بدون apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,درست کارمند سوابق apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,در حال حاضر مجموع apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,بیانیه های حسابداری -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,ساعت +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,ساعت apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,جدید بدون سریال را می انبار ندارد. انبار باید توسط بورس ورود یا رسید خرید مجموعه DocType: Lead,Lead Type,سرب نوع apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,شما مجاز به تایید برگ در تاریخ های مسدود شده نیستید -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,همه این موارد در حال حاضر صورتحساب شده است +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,همه این موارد در حال حاضر صورتحساب شده است +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,هدف فروش ماهانه apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},می توان با تصویب {0} DocType: Item,Default Material Request Type,به طور پیش فرض نوع درخواست پاسخ به apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,ناشناخته DocType: Shipping Rule,Shipping Rule Conditions,حمل و نقل قانون شرایط DocType: BOM Replace Tool,The new BOM after replacement,BOM جدید پس از تعویض -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,نقطه ای از فروش +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,نقطه ای از فروش DocType: Payment Entry,Received Amount,دریافت مبلغ DocType: GST Settings,GSTIN Email Sent On,GSTIN ایمیل فرستاده شده در DocType: Program Enrollment,Pick/Drop by Guardian,انتخاب / قطره های نگهبان @@ -3385,8 +3393,8 @@ DocType: C-Form,Invoices,فاکتورها DocType: Batch,Source Document Name,منبع نام سند DocType: Job Opening,Job Title,عنوان شغلی apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ایجاد کاربران -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,گرم -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,تعداد برای تولید باید بیشتر از 0 باشد. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,گرم +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,تعداد برای تولید باید بیشتر از 0 باشد. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,گزارش تماس نگهداری مراجعه کنید. DocType: Stock Entry,Update Rate and Availability,نرخ به روز رسانی و در دسترس بودن DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,درصد شما مجاز به دریافت و یا ارائه بیش برابر مقدار سفارش داد. به عنوان مثال: اگر شما 100 واحد دستور داده اند. و کمک هزینه خود را 10٪ و سپس شما مجاز به دریافت 110 واحد است. @@ -3398,7 +3406,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,لطفا لغو خرید فاکتور {0} برای اولین بار apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",آدرس ایمیل باید منحصر به فرد باشد، در حال حاضر برای {0} وجود دارد DocType: Serial No,AMC Expiry Date,AMC تاریخ انقضاء -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,اعلام وصول +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,اعلام وصول ,Sales Register,ثبت فروش DocType: Daily Work Summary Settings Company,Send Emails At,ارسال ایمیل در DocType: Quotation,Quotation Lost Reason,نقل قول را فراموش کرده اید دلیل @@ -3411,14 +3419,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,بدون مش apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,صورت جریان وجوه نقد apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},وام مبلغ می توانید حداکثر مبلغ وام از تجاوز نمی {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,مجوز -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},لطفا این فاکتور {0} از C-فرم حذف {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},لطفا این فاکتور {0} از C-فرم حذف {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,لطفا انتخاب کنید حمل به جلو اگر شما نیز می خواهید که شامل تعادل سال گذشته مالی برگ به سال مالی جاری DocType: GL Entry,Against Voucher Type,در برابر نوع کوپن DocType: Item,Attributes,ویژگی های apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,لطفا وارد حساب فعال apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,تاریخ و زمان آخرین چینش تاریخ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},حساب {0} به شرکت {1} تعلق ندارد -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,شماره سریال در ردیف {0} با تحویل توجه مطابقت ندارد +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,شماره سریال در ردیف {0} با تحویل توجه مطابقت ندارد DocType: Student,Guardian Details,نگهبان جزییات DocType: C-Form,C-Form,C-فرم apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,حضور و غیاب علامت برای کارکنان متعدد @@ -3450,16 +3458,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,ن DocType: Tax Rule,Sales,فروش DocType: Stock Entry Detail,Basic Amount,مقدار اولیه DocType: Training Event,Exam,امتحان -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},انبار مورد نیاز برای سهام مورد {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},انبار مورد نیاز برای سهام مورد {0} DocType: Leave Allocation,Unused leaves,برگ استفاده نشده -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,کروم +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,کروم DocType: Tax Rule,Billing State,دولت صدور صورت حساب apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,انتقال apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} با حساب حزب همراه نیست {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),واکشی BOM منفجر شد (از جمله زیر مجموعه) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),واکشی BOM منفجر شد (از جمله زیر مجموعه) DocType: Authorization Rule,Applicable To (Employee),به قابل اجرا (کارمند) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,تاریخ الزامی است apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,افزایش برای صفت {0} نمی تواند 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,مشتری> گروه مشتری> قلمرو DocType: Journal Entry,Pay To / Recd From,پرداخت به / از Recd DocType: Naming Series,Setup Series,راه اندازی سری DocType: Payment Reconciliation,To Invoice Date,به فاکتور تاریخ @@ -3486,7 +3495,7 @@ DocType: Journal Entry,Write Off Based On,ارسال فعال بر اساس apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,را سرب apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,چاپ و لوازم التحریر DocType: Stock Settings,Show Barcode Field,نمایش بارکد درست -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,ارسال ایمیل کننده +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,ارسال ایمیل کننده apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",حقوق و دستمزد در حال حاضر برای دوره بین {0} و {1}، ترک دوره نرم افزار نمی تواند بین این محدوده تاریخ پردازش شده است. apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,رکورد نصب و راه اندازی برای یک شماره سریال DocType: Guardian Interest,Guardian Interest,نگهبان علاقه @@ -3499,7 +3508,7 @@ DocType: Offer Letter,Awaiting Response,در انتظار پاسخ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,در بالا apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},ویژگی نامعتبر {0} {1} DocType: Supplier,Mention if non-standard payable account,ذکر است اگر غیر استاندارد حساب های قابل پرداخت -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},آیتم همان وارد شده است چند بار. {} لیست +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},آیتم همان وارد شده است چند بار. {} لیست apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',لطفا گروه ارزیابی غیر از 'همه گروه ارزیابی "را انتخاب کنید DocType: Salary Slip,Earning & Deduction,سود و کسر apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختیاری است. این تنظیم استفاده می شود برای فیلتر کردن در معاملات مختلف است. @@ -3518,7 +3527,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,هزینه دارایی اوراق apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: مرکز هزینه برای مورد الزامی است {2} DocType: Vehicle,Policy No,سیاست هیچ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,گرفتن اقلام از بسته نرم افزاری محصولات +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,گرفتن اقلام از بسته نرم افزاری محصولات DocType: Asset,Straight Line,خط مستقیم DocType: Project User,Project User,پروژه کاربر apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,شکاف @@ -3530,6 +3539,7 @@ DocType: Sales Team,Contact No.,تماس با شماره DocType: Bank Reconciliation,Payment Entries,مطالب پرداخت DocType: Production Order,Scrap Warehouse,انبار ضایعات DocType: Production Order,Check if material transfer entry is not required,بررسی کنید که آیا ورود انتقال مواد مورد نیاز نمی باشد +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,لطفا سیستم نامگذاری کارکنان را در منابع انسانی> تنظیمات HR تنظیم کنید DocType: Program Enrollment Tool,Get Students From,مطلع دانش آموزان از DocType: Hub Settings,Seller Country,فروشنده کشور apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,انتشار موارد در وب سایت @@ -3547,19 +3557,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,مشخص شرایط برای محاسبه مقدار حمل و نقل DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,نقش مجاز به تنظیم حساب های یخ زده و منجمد ویرایش مطالب apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,می تواند مرکز هزینه به دفتر تبدیل کند آن را به عنوان گره فرزند -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ارزش باز +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,ارزش باز DocType: Salary Detail,Formula,فرمول apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,سریال # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,کمیسیون فروش DocType: Offer Letter Term,Value / Description,ارزش / توضیحات -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",ردیف # {0}: دارایی {1} نمی تواند ارائه شود، آن است که در حال حاضر {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",ردیف # {0}: دارایی {1} نمی تواند ارائه شود، آن است که در حال حاضر {2} DocType: Tax Rule,Billing Country,کشور صدور صورت حساب DocType: Purchase Order Item,Expected Delivery Date,انتظار می رود تاریخ تحویل apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,بدهی و اعتباری برای {0} # برابر نیست {1}. تفاوت در این است {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,هزینه سرگرمی apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,را درخواست پاسخ به مواد apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},مورد باز {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,فاکتور فروش {0} باید لغو شود قبل از لغو این سفارش فروش +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,فاکتور فروش {0} باید لغو شود قبل از لغو این سفارش فروش apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,سن DocType: Sales Invoice Timesheet,Billing Amount,مقدار حسابداری apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,مقدار نامعتبر مشخص شده برای آیتم {0}. تعداد باید بیشتر از 0 باشد. @@ -3582,7 +3592,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,جدید درآمد و ضوابط apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,هزینه های سفر DocType: Maintenance Visit,Breakdown,تفکیک -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,حساب: {0} با ارز: {1} نمی تواند انتخاب شود +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,حساب: {0} با ارز: {1} نمی تواند انتخاب شود DocType: Bank Reconciliation Detail,Cheque Date,چک تاریخ apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},حساب {0}: حساب مرجع {1} به شرکت تعلق ندارد: {2} DocType: Program Enrollment Tool,Student Applicants,متقاضیان دانشجو @@ -3602,11 +3612,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,برن DocType: Material Request,Issued,صادر apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,فعالیت دانشجویی DocType: Project,Total Billing Amount (via Time Logs),کل مقدار حسابداری (از طریق زمان سیاههها) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,ما فروش این مورد +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,ما فروش این مورد apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,تامین کننده کد DocType: Payment Request,Payment Gateway Details,پرداخت جزئیات دروازه -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,تعداد باید بیشتر از 0 باشد -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,داده های نمونه +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,تعداد باید بیشتر از 0 باشد +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,داده های نمونه DocType: Journal Entry,Cash Entry,نقدی ورودی apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,گره فرزند می تواند تنها تحت 'گروه' نوع گره ایجاد DocType: Leave Application,Half Day Date,تاریخ نیم روز @@ -3615,17 +3625,18 @@ DocType: Sales Partner,Contact Desc,تماس با محصول، apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.",نوع برگ مانند گاه به گاه، بیمار و غیره DocType: Email Digest,Send regular summary reports via Email.,ارسال گزارش خلاصه به طور منظم از طریق ایمیل. DocType: Payment Entry,PE-,پلی اتیلن- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},لطفا به حساب پیش فرض تنظیم شده در نوع ادعا هزینه {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},لطفا به حساب پیش فرض تنظیم شده در نوع ادعا هزینه {0} DocType: Assessment Result,Student Name,نام دانش آموز DocType: Brand,Item Manager,مدیریت آیتم ها apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,حقوق و دستمزد پرداختنی DocType: Buying Settings,Default Supplier Type,به طور پیش فرض نوع تامین کننده DocType: Production Order,Total Operating Cost,مجموع هزینه های عملیاتی -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,توجه: مورد {0} وارد چندین بار +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,توجه: مورد {0} وارد چندین بار apps/erpnext/erpnext/config/selling.py +41,All Contacts.,همه اطلاعات تماس. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,هدف خود را تنظیم کنید apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,مخفف شرکت apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,کاربر {0} وجود ندارد -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,مواد اولیه را نمی توان همان آیتم های اصلی +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,مواد اولیه را نمی توان همان آیتم های اصلی DocType: Item Attribute Value,Abbreviation,مخفف apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ورود پرداخت در حال حاضر وجود دارد apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,authroized نه از {0} بیش از محدودیت @@ -3643,7 +3654,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,نقش مجاز به ,Territory Target Variance Item Group-Wise,منطقه مورد هدف واریانس گروه حکیم apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,همه گروه های مشتری apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,انباشته ماهانه -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی است. شاید رکورد ارز برای {1} به {2} ایجاد نمی شود. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی است. شاید رکورد ارز برای {1} به {2} ایجاد نمی شود. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,قالب مالیات اجباری است. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,حساب {0}: حساب مرجع {1} وجود ندارد DocType: Purchase Invoice Item,Price List Rate (Company Currency),لیست قیمت نرخ (شرکت ارز) @@ -3654,7 +3665,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,درصد تخصی apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,دبیر DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",اگر غیر فعال کردن، »به عبارت" درست نخواهد بود در هر معامله قابل مشاهده DocType: Serial No,Distinct unit of an Item,واحد مجزا از یک آیتم -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,لطفا مجموعه شرکت +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,لطفا مجموعه شرکت DocType: Pricing Rule,Buying,خرید DocType: HR Settings,Employee Records to be created by,سوابق کارمند به ایجاد شود DocType: POS Profile,Apply Discount On,درخواست تخفیف @@ -3665,7 +3676,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,مورد جزئیات حکیم مالیات apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,مخفف موسسه ,Item-wise Price List Rate,مورد عاقلانه لیست قیمت نرخ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,نقل قول تامین کننده +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,نقل قول تامین کننده DocType: Quotation,In Words will be visible once you save the Quotation.,به عبارت قابل مشاهده خواهد بود هنگامی که شما نقل قول را نجات دهد. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},تعداد ({0}) نمی تواند یک کسر در ردیف {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,جمع آوری هزینه @@ -3688,7 +3699,7 @@ Updated via 'Time Log'",در دقیقه به روز رسانی از طریق  DocType: Customer,From Lead,از سرب apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,سفارشات برای تولید منتشر شد. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,انتخاب سال مالی ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,نمایش POS مورد نیاز برای ایجاد POS ورود +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,نمایش POS مورد نیاز برای ایجاد POS ورود DocType: Program Enrollment Tool,Enroll Students,ثبت نام دانش آموزان DocType: Hub Settings,Name Token,نام رمز apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,فروش استاندارد @@ -3706,7 +3717,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,تفاوت ارزش سهام apps/erpnext/erpnext/config/learn.py +234,Human Resource,منابع انسانی DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,آشتی پرداخت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,دارایی های مالیاتی -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},تولید سفارش شده است {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},تولید سفارش شده است {0} DocType: BOM Item,BOM No,BOM بدون DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,مجله ورودی {0} می کند حساب کاربری ندارید {1} یا در حال حاضر همسان در برابر دیگر کوپن @@ -3720,7 +3731,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,آپل apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,برجسته AMT DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,مجموعه اهداف مورد گروه عاقلانه برای این فرد از فروش. DocType: Stock Settings,Freeze Stocks Older Than [Days],سهام یخ قدیمی تر از [روز] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ردیف # {0}: دارایی برای دارائی های ثابت خرید / فروش اجباری است +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ردیف # {0}: دارایی برای دارائی های ثابت خرید / فروش اجباری است apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",اگر دو یا چند قوانین قیمت گذاری هستند در بر داشت بر اساس شرایط فوق، اولویت اعمال می شود. اولویت یک عدد بین 0 تا 20 است در حالی که مقدار پیش فرض صفر (خالی) است. تعداد بالاتر به معنی آن خواهد ارجحیت دارد اگر قوانین قیمت گذاری های متعدد را با شرایط مشابه وجود دارد. apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,سال مالی: {0} می کند وجود دارد نمی DocType: Currency Exchange,To Currency,به ارز @@ -3728,7 +3739,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,انواع ادعای هزینه. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},نرخ برای آیتم فروش {0} کمتر از است {1} آن است. نرخ فروش باید حداقل {2} DocType: Item,Taxes,عوارض -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,پرداخت و تحویل داده نشده است +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,پرداخت و تحویل داده نشده است DocType: Project,Default Cost Center,مرکز هزینه به طور پیش فرض DocType: Bank Guarantee,End Date,تاریخ پایان apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,معاملات سهام @@ -3745,7 +3756,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,روزانه کار تنظیمات خلاصه شرکت apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,مورد {0} از آن نادیده گرفته است یک آیتم سهام نمی DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,ارسال این سفارش تولید برای پردازش بیشتر است. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,ارسال این سفارش تولید برای پردازش بیشتر است. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",برای رد درخواست قیمت گذاری در یک معامله خاص نیست، همه قوانین قیمت گذاری قابل اجرا باید غیر فعال باشد. DocType: Assessment Group,Parent Assessment Group,پدر و مادر گروه ارزیابی apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,شغل ها @@ -3753,10 +3764,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,شغل ها DocType: Employee,Held On,برگزار apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,مورد تولید ,Employee Information,اطلاعات کارمند -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),نرخ (٪) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),نرخ (٪) DocType: Stock Entry Detail,Additional Cost,هزینه های اضافی apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",می توانید بر روی کوپن نه فیلتر بر اساس، در صورتی که توسط کوپن گروه بندی -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,را عین تامین کننده +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,را عین تامین کننده DocType: Quality Inspection,Incoming,وارد شونده DocType: BOM,Materials Required (Exploded),مواد مورد نیاز (منفجر شد) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",اضافه کردن کاربران به سازمان شما، به غیر از خودتان @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,حساب: {0} تنها می تواند از طریق معاملات سهام به روز شده DocType: Student Group Creation Tool,Get Courses,دوره های DocType: GL Entry,Party,حزب -DocType: Sales Order,Delivery Date,تاریخ تحویل +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,تاریخ تحویل DocType: Opportunity,Opportunity Date,فرصت تاریخ DocType: Purchase Receipt,Return Against Purchase Receipt,بازگشت علیه رسید خرید DocType: Request for Quotation Item,Request for Quotation Item,درخواست برای مورد دیگر @@ -3786,7 +3797,7 @@ DocType: Task,Actual Time (in Hours),زمان واقعی (در ساعت) DocType: Employee,History In Company,تاریخچه در شرکت apps/erpnext/erpnext/config/learn.py +107,Newsletters,خبرنامه DocType: Stock Ledger Entry,Stock Ledger Entry,سهام لجر ورود -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,آیتم همان وارد شده است چندین بار +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,آیتم همان وارد شده است چندین بار DocType: Department,Leave Block List,ترک فهرست بلوک DocType: Sales Invoice,Tax ID,ID مالیات apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,مورد {0} است راه اندازی برای سریال شماره نیست. ستون باید خالی باشد @@ -3804,25 +3815,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,سیاه DocType: BOM Explosion Item,BOM Explosion Item,BOM مورد انفجار DocType: Account,Auditor,ممیز -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} کالاهای تولید شده +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} کالاهای تولید شده DocType: Cheque Print Template,Distance from top edge,فاصله از لبه بالا apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,لیست قیمت {0} غیر فعال است و یا وجود ندارد DocType: Purchase Invoice,Return,برگشت DocType: Production Order Operation,Production Order Operation,ترتیب عملیات تولید DocType: Pricing Rule,Disable,از کار انداختن -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,نحوه پرداخت مورد نیاز است را به پرداخت +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,نحوه پرداخت مورد نیاز است را به پرداخت DocType: Project Task,Pending Review,در انتظار نقد و بررسی apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} در دسته ای ثبت نام نشده {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",دارایی {0} نمی تواند اوراق شود، آن است که در حال حاضر {1} DocType: Task,Total Expense Claim (via Expense Claim),ادعای هزینه کل (از طریق ادعای هزینه) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,علامت گذاری به عنوان غایب -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ردیف {0}: ارز BOM # در {1} باید به ارز انتخاب شده برابر باشد {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ردیف {0}: ارز BOM # در {1} باید به ارز انتخاب شده برابر باشد {2} DocType: Journal Entry Account,Exchange Rate,مظنهء ارز -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,سفارش فروش {0} است ارسال نشده +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,سفارش فروش {0} است ارسال نشده DocType: Homepage,Tag Line,نقطه حساس DocType: Fee Component,Fee Component,هزینه یدکی apps/erpnext/erpnext/config/hr.py +195,Fleet Management,مدیریت ناوگان -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,اضافه کردن آیتم از +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,اضافه کردن آیتم از DocType: Cheque Print Template,Regular,منظم apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,وزنها در کل از همه معیارهای ارزیابی باید 100٪ DocType: BOM,Last Purchase Rate,تاریخ و زمان آخرین نرخ خرید @@ -3843,12 +3854,12 @@ DocType: Employee,Reports to,گزارش به DocType: SMS Settings,Enter url parameter for receiver nos,پارامتر آدرس را وارد کنید برای گیرنده NOS DocType: Payment Entry,Paid Amount,مبلغ پرداخت DocType: Assessment Plan,Supervisor,سرپرست -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,آنلاین +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,آنلاین ,Available Stock for Packing Items,انبار موجود آیتم ها بسته بندی DocType: Item Variant,Item Variant,مورد نوع DocType: Assessment Result Tool,Assessment Result Tool,ابزار ارزیابی نتیجه DocType: BOM Scrap Item,BOM Scrap Item,BOM مورد ضایعات -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,سفارشات ارسال شده را نمی توان حذف +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,سفارشات ارسال شده را نمی توان حذف apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",مانده حساب در حال حاضر در بدهی، شما امکان پذیر نیست را به مجموعه "تعادل باید به عنوان" اعتبار " apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,مدیریت کیفیت apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,مورد {0} غیرفعال شده است @@ -3879,7 +3890,7 @@ DocType: Item Group,Default Expense Account,حساب پیش فرض هزینه apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,دانشجو ID ایمیل DocType: Employee,Notice (days),مقررات (روز) DocType: Tax Rule,Sales Tax Template,قالب مالیات بر فروش -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,انتخاب آیتم ها برای صرفه جویی در فاکتور +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,انتخاب آیتم ها برای صرفه جویی در فاکتور DocType: Employee,Encashment Date,Encashment عضویت DocType: Training Event,Internet,اینترنت DocType: Account,Stock Adjustment,تنظیم سهام @@ -3927,10 +3938,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,اعز apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,حداکثر تخفیف را برای آیتم: {0} {1}٪ است apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,ارزش خالص دارایی ها به عنوان بر روی DocType: Account,Receivable,دریافتنی -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ردیف # {0}: مجاز به تغییر به عنوان کننده سفارش خرید در حال حاضر وجود +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ردیف # {0}: مجاز به تغییر به عنوان کننده سفارش خرید در حال حاضر وجود DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,نقش است که مجاز به ارائه معاملات است که بیش از محدودیت های اعتباری تعیین شده است. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,انتخاب موارد برای ساخت -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",استاد همگام سازی داده های، ممکن است برخی از زمان +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,انتخاب موارد برای ساخت +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",استاد همگام سازی داده های، ممکن است برخی از زمان DocType: Item,Material Issue,شماره مواد DocType: Hub Settings,Seller Description,فروشنده توضیحات DocType: Employee Education,Qualification,صلاحیت @@ -3951,11 +3962,10 @@ DocType: BOM,Rate Of Materials Based On,نرخ مواد بر اساس apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics پشتیبانی apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,همه موارد را از حالت انتخاب خارج کنید DocType: POS Profile,Terms and Conditions,شرایط و ضوابط -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,لطفا سیستم نامگذاری کارکنان را در منابع انسانی> تنظیمات HR تنظیم کنید apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},به روز باید در سال مالی باشد. با فرض به روز = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",در اینجا شما می توانید قد، وزن، آلرژی ها، نگرانی های پزشکی و غیره حفظ DocType: Leave Block List,Applies to Company,امر به شرکت -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,نمی تواند به دلیل لغو ارائه سهام ورود {0} وجود دارد +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,نمی تواند به دلیل لغو ارائه سهام ورود {0} وجود دارد DocType: Employee Loan,Disbursement Date,تاریخ پرداخت DocType: Vehicle,Vehicle,وسیله نقلیه DocType: Purchase Invoice,In Words,به عبارت @@ -3993,7 +4003,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,تنظیمات جهان DocType: Assessment Result Detail,Assessment Result Detail,ارزیابی جزئیات نتیجه DocType: Employee Education,Employee Education,آموزش و پرورش کارمند apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,گروه مورد تکراری در جدول گروه مورد -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,آن را به واکشی اطلاعات مورد نیاز است. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,آن را به واکشی اطلاعات مورد نیاز است. DocType: Salary Slip,Net Pay,پرداخت خالص DocType: Account,Account,حساب apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,سریال بدون {0} در حال حاضر دریافت شده است @@ -4001,7 +4011,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,ورود خودرو DocType: Purchase Invoice,Recurring Id,تکرار کد DocType: Customer,Sales Team Details,جزییات تیم فروش -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,به طور دائم حذف کنید؟ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,به طور دائم حذف کنید؟ DocType: Expense Claim,Total Claimed Amount,مجموع مقدار ادعا apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,فرصت های بالقوه برای فروش. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},نامعتبر {0} @@ -4013,7 +4023,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,راه اندازی مدرسه خود را در ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),پایه تغییر مقدار (شرکت ارز) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,هیچ نوشته حسابداری برای انبار زیر -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,ذخیره سند اول است. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,ذخیره سند اول است. DocType: Account,Chargeable,پرشدنی DocType: Company,Change Abbreviation,تغییر اختصار DocType: Expense Claim Detail,Expense Date,هزینه عضویت @@ -4027,7 +4037,6 @@ DocType: BOM,Manufacturing User,ساخت کاربری DocType: Purchase Invoice,Raw Materials Supplied,مواد اولیه عرضه شده DocType: Purchase Invoice,Recurring Print Format,تکرار چاپ فرمت DocType: C-Form,Series,سلسله -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,انتظار می رود تاریخ تحویل نمی تواند قبل از سفارش خرید تاریخ DocType: Appraisal,Appraisal Template,ارزیابی الگو DocType: Item Group,Item Classification,طبقه بندی مورد apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,مدیر توسعه تجاری @@ -4066,12 +4075,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,انتخا apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,آموزش و رویدادها / نتایج apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,انباشته استهلاک به عنوان در DocType: Sales Invoice,C-Form Applicable,C-فرم قابل استفاده -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},عملیات زمان باید بیشتر از 0 برای عملیات می شود {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},عملیات زمان باید بیشتر از 0 برای عملیات می شود {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,انبار الزامی است DocType: Supplier,Address and Contacts,آدرس و اطلاعات تماس DocType: UOM Conversion Detail,UOM Conversion Detail,جزئیات UOM تبدیل DocType: Program,Program Abbreviation,مخفف برنامه -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,سفارش تولید می تواند در برابر یک الگو مورد نمی توان مطرح +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,سفارش تولید می تواند در برابر یک الگو مورد نمی توان مطرح apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,اتهامات در رسید خرید بر علیه هر یک از آیتم به روز شده DocType: Warranty Claim,Resolved By,حل DocType: Bank Guarantee,Start Date,تاریخ شروع @@ -4106,6 +4115,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,آموزش فیدبک apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,سفارش تولید {0} باید ارائه شود apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},لطفا تاریخ شروع و پایان تاریخ برای مورد را انتخاب کنید {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,یک هدف فروش را که میخواهید به دست بیاورید تنظیم کنید. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},البته در ردیف الزامی است {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,تا به امروز نمی تواند قبل از از تاریخ DocType: Supplier Quotation Item,Prevdoc DocType,DOCTYPE Prevdoc @@ -4123,7 +4133,7 @@ DocType: Account,Income,درامد DocType: Industry Type,Industry Type,نوع صنعت apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,مشکلی! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,هشدار: بگذارید برنامه شامل تاریخ های بلوک زیر -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,فاکتور فروش {0} در حال حاضر ارائه شده است +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,فاکتور فروش {0} در حال حاضر ارائه شده است DocType: Assessment Result Detail,Score,نمره apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,سال مالی {0} وجود ندارد apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,تاریخ تکمیل @@ -4153,7 +4163,7 @@ DocType: Naming Series,Help HTML,راهنما HTML DocType: Student Group Creation Tool,Student Group Creation Tool,دانشجویی گروه ابزار ایجاد DocType: Item,Variant Based On,بر اساس نوع apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},بین وزنها مجموع اختصاص داده باید 100٪ باشد. این {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,تامین کنندگان شما +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,تامین کنندگان شما apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,می توانید مجموعه ای نه به عنوان از دست داده تا سفارش فروش ساخته شده است. DocType: Request for Quotation Item,Supplier Part No,کننده قسمت بدون apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',نمی توانید کسر وقتی دسته است برای ارزش گذاری "یا" Vaulation و مجموع: @@ -4163,14 +4173,14 @@ DocType: Item,Has Serial No,دارای سریال بدون DocType: Employee,Date of Issue,تاریخ صدور apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: از {0} برای {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",همانطور که در تنظیمات از خرید اگر خرید Reciept مورد نیاز == "YES"، پس از آن برای ایجاد خرید فاکتور، کاربر نیاز به ایجاد رسید خرید برای اولین بار در مورد {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},ردیف # {0}: تنظیم کننده برای آیتم {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ردیف {0}: ارزش ساعت باید بزرگتر از صفر باشد. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},ردیف # {0}: تنظیم کننده برای آیتم {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,ردیف {0}: ارزش ساعت باید بزرگتر از صفر باشد. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,وب سایت تصویر {0} متصل به مورد {1} را نمی توان یافت DocType: Issue,Content Type,نوع محتوا apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,کامپیوتر DocType: Item,List this Item in multiple groups on the website.,فهرست این مورد در گروه های متعدد بر روی وب سایت. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,لطفا گزینه ارز چند اجازه می دهد تا حساب با ارز دیگر را بررسی کنید -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,مورد: {0} در سیستم وجود ندارد +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,مورد: {0} در سیستم وجود ندارد apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,شما مجاز به تنظیم مقدار ثابت شده نیستید DocType: Payment Reconciliation,Get Unreconciled Entries,دریافت Unreconciled مطالب DocType: Payment Reconciliation,From Invoice Date,از تاریخ فاکتور @@ -4196,7 +4206,7 @@ DocType: Stock Entry,Default Source Warehouse,به طور پیش فرض منبع DocType: Item,Customer Code,کد مشتری apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},یادآوری تاریخ تولد برای {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,روز پس از آخرین سفارش -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,بدهکاری به حساب کاربری باید یک حساب ترازنامه شود +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,بدهکاری به حساب کاربری باید یک حساب ترازنامه شود DocType: Buying Settings,Naming Series,نامگذاری سری DocType: Leave Block List,Leave Block List Name,ترک نام فهرست بلوک apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,تاریخ بیمه شروع باید کمتر از تاریخ پایان باشد بیمه @@ -4213,7 +4223,7 @@ DocType: Vehicle Log,Odometer,کیلومتر شمار DocType: Sales Order Item,Ordered Qty,دستور داد تعداد apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,مورد {0} غیر فعال است DocType: Stock Settings,Stock Frozen Upto,سهام منجمد تا حد -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM هیچ گونه سهام مورد را نمی +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM هیچ گونه سهام مورد را نمی apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},دوره و دوره به تاریخ برای تکرار اجباری {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,فعالیت پروژه / وظیفه. DocType: Vehicle Log,Refuelling Details,اطلاعات سوختگیری @@ -4223,7 +4233,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,آخرین نرخ خرید یافت نشد DocType: Purchase Invoice,Write Off Amount (Company Currency),ارسال کردن مقدار (شرکت ارز) DocType: Sales Invoice Timesheet,Billing Hours,ساعت صدور صورت حساب -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM به طور پیش فرض برای {0} یافت نشد +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM به طور پیش فرض برای {0} یافت نشد apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,ردیف # {0}: لطفا مقدار سفارش مجدد مجموعه apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ضربه بزنید اقلام به آنها اضافه کردن اینجا DocType: Fees,Program Enrollment,برنامه ثبت نام @@ -4255,6 +4265,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,محدوده سالمندی 2 DocType: SG Creation Tool Course,Max Strength,حداکثر قدرت apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM جایگزین +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,اقلام را براساس تاریخ تحویل انتخاب کنید ,Sales Analytics,تجزیه و تحلیل ترافیک فروش apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},در دسترس {0} ,Prospects Engaged But Not Converted,چشم انداز مشغول اما تبدیل نمی @@ -4301,7 +4312,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise تخفیف apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,برنامه زمانی برای انجام وظایف. DocType: Purchase Invoice,Against Expense Account,علیه صورتحساب DocType: Production Order,Production Order,سفارش تولید -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,نصب و راه اندازی {0} توجه داشته باشید در حال حاضر ارائه شده است +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,نصب و راه اندازی {0} توجه داشته باشید در حال حاضر ارائه شده است DocType: Bank Reconciliation,Get Payment Entries,مطلع مطالب پرداخت DocType: Quotation Item,Against Docname,علیه Docname DocType: SMS Center,All Employee (Active),همه کارکنان (فعال) @@ -4310,7 +4321,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,هزینه مواد خام DocType: Item Reorder,Re-Order Level,ترتیب سطح DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,اقلام و تعداد برنامه ریزی شده که برای آن شما می خواهید به افزایش سفارشات تولید و یا دانلود کنید مواد خام برای تجزیه و تحلیل را وارد کنید. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,نمودار گانت +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,نمودار گانت apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,پاره وقت DocType: Employee,Applicable Holiday List,فهرست تعطیلات قابل اجرا DocType: Employee,Cheque,چک @@ -4366,11 +4377,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,تعداد مادی و معنوی برای تولید DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,باقی بماند اگر شما نمی خواهید به در نظر گرفتن دسته ای در حالی که ساخت گروه های دوره بر اساس. DocType: Asset,Frequency of Depreciation (Months),فرکانس استهلاک (ماه) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,حساب اعتباری +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,حساب اعتباری DocType: Landed Cost Item,Landed Cost Item,فرود از اقلام هزینه apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,نمایش صفر ارزش DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,تعداد آیتم به دست آمده پس از تولید / repacking از مقادیر داده شده از مواد خام -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,راه اندازی یک وب سایت ساده برای سازمان من +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,راه اندازی یک وب سایت ساده برای سازمان من DocType: Payment Reconciliation,Receivable / Payable Account,حساب دریافتنی / پرداختنی DocType: Delivery Note Item,Against Sales Order Item,علیه سفارش فروش مورد apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},لطفا موجودیت مقدار برای صفت مشخص {0} @@ -4432,22 +4443,22 @@ DocType: Student,Nationality,ملیت ,Items To Be Requested,گزینه هایی که درخواست شده DocType: Purchase Order,Get Last Purchase Rate,دریافت آخرین خرید نرخ DocType: Company,Company Info,اطلاعات شرکت -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,انتخاب کنید و یا اضافه کردن مشتری جدید -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,مرکز هزینه مورد نیاز است به کتاب ادعای هزینه +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,انتخاب کنید و یا اضافه کردن مشتری جدید +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,مرکز هزینه مورد نیاز است به کتاب ادعای هزینه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),استفاده از وجوه (دارایی) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,این است که در حضور این کارمند بر اساس -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,حساب بانکی +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,حساب بانکی DocType: Fiscal Year,Year Start Date,سال تاریخ شروع DocType: Attendance,Employee Name,نام کارمند DocType: Sales Invoice,Rounded Total (Company Currency),گرد مجموع (شرکت ارز) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,نمی توانید به گروه پنهانی به دلیل نوع کاربری انتخاب شده است. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} اصلاح شده است. لطفا بازخوانی کنید. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} اصلاح شده است. لطفا بازخوانی کنید. DocType: Leave Block List,Stop users from making Leave Applications on following days.,توقف کاربران از ساخت نرم افزار مرخصی در روز بعد. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,مبلغ خرید apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,کننده دیگر {0} ایجاد apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,پایان سال نمی تواند قبل از شروع سال می شود apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,مزایای کارکنان -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},مقدار بسته بندی شده، باید مقدار برای مورد {0} در ردیف برابر {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},مقدار بسته بندی شده، باید مقدار برای مورد {0} در ردیف برابر {1} DocType: Production Order,Manufactured Qty,تولید تعداد DocType: Purchase Receipt Item,Accepted Quantity,تعداد پذیرفته شده apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},لطفا تنظیم پیش فرض لیست تعطیلات برای کارمند {0} یا شرکت {1} @@ -4458,11 +4469,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ردیف بدون {0}: مبلغ نمی تواند بیشتر از انتظار مقدار برابر هزینه ادعای {1}. در انتظار مقدار است {2} DocType: Maintenance Schedule,Schedule,برنامه DocType: Account,Parent Account,پدر و مادر حساب -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,در دسترس +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,در دسترس DocType: Quality Inspection Reading,Reading 3,خواندن 3 ,Hub,قطب DocType: GL Entry,Voucher Type,کوپن نوع -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,لیست قیمت یافت نشد یا از کار افتاده +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,لیست قیمت یافت نشد یا از کار افتاده DocType: Employee Loan Application,Approved,تایید DocType: Pricing Rule,Price,قیمت apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',کارمند رها در {0} باید تنظیم شود به عنوان چپ @@ -4531,7 +4542,7 @@ DocType: SMS Settings,Static Parameters,پارامترهای استاتیک DocType: Assessment Plan,Room,اتاق DocType: Purchase Order,Advance Paid,پیش پرداخت DocType: Item,Item Tax,مالیات مورد -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,مواد به کننده +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,مواد به کننده apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,فاکتور مالیات کالاهای داخلی apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ بیش از یک بار به نظر می رسد DocType: Expense Claim,Employees Email Id,کارکنان پست الکترونیکی شناسه @@ -4571,7 +4582,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,مدل DocType: Production Order,Actual Operating Cost,هزینه های عملیاتی واقعی DocType: Payment Entry,Cheque/Reference No,چک / مرجع -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,تامین کننده> نوع تامین کننده apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ریشه را نمیتوان ویرایش کرد. DocType: Item,Units of Measure,واحدهای اندازه گیری DocType: Manufacturing Settings,Allow Production on Holidays,اجازه تولید در تعطیلات @@ -4604,12 +4614,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,روز اعتباری apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,را دسته ای دانشجویی DocType: Leave Type,Is Carry Forward,آیا حمل به جلو -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,گرفتن اقلام از BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,گرفتن اقلام از BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,سرب زمان روز -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ردیف # {0}: ارسال تاریخ باید همان تاریخ خرید می باشد {1} دارایی {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ردیف # {0}: ارسال تاریخ باید همان تاریخ خرید می باشد {1} دارایی {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,این بررسی در صورتی که دانشجو است ساکن در خوابگاه مؤسسه است. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,لطفا سفارشات فروش در جدول فوق را وارد کنید -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ارسال نمی حقوق ورقه +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,ارسال نمی حقوق ورقه ,Stock Summary,خلاصه سهام apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,انتقال یک دارایی از یک انبار به دیگری DocType: Vehicle,Petrol,بنزین diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv index 2b36c737489..5b9e9a03e3c 100644 --- a/erpnext/translations/fi.csv +++ b/erpnext/translations/fi.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,jakaja DocType: Employee,Rented,Vuokrattu DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Sovelletaan Käyttäjä -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Pysäytetty Tuotantotilaus ei voi peruuttaa, Unstop se ensin peruuttaa" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Pysäytetty Tuotantotilaus ei voi peruuttaa, Unstop se ensin peruuttaa" DocType: Vehicle Service,Mileage,mittarilukema apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Haluatko todella romuttaa tämän omaisuuden? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Valitse Oletus toimittaja @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% laskutettu apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Valuuttakurssi on oltava sama kuin {0} {1} ({2}) DocType: Sales Invoice,Customer Name,asiakkaan nimi DocType: Vehicle,Natural Gas,Maakaasu -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Pankkitilin ei voida nimetty {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Pankkitilin ei voida nimetty {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Pään, (tai ryhmän), kohdistetut kirjanpidon kirjaukset tehdään ja tase säilytetään" apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),odottavat {0} ei voi olla alle nolla ({1}) DocType: Manufacturing Settings,Default 10 mins,oletus 10 min @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Vapaatyypin nimi apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Näytä auki apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Sarja päivitetty onnistuneesti apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Tarkista -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Päiväkirjakirjaus Lähettäjä +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Päiväkirjakirjaus Lähettäjä DocType: Pricing Rule,Apply On,käytä DocType: Item Price,Multiple Item prices.,Useiden Item hinnat. ,Purchase Order Items To Be Received,Toimittajilta saapumattomat ostotilaukset @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,maksutilin tila apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Näytä mallivaihtoehdot DocType: Academic Term,Academic Term,Academic Term apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,materiaali -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Määrä +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Määrä apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,-Taulukon voi olla tyhjä. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),lainat (vastattavat) DocType: Employee Education,Year of Passing,valmistumisvuosi @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,terveydenhuolto apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Viivästyminen (päivää) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,palvelu Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Sarjanumero: {0} on jo viitattu myyntilasku: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,lasku +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Sarjanumero: {0} on jo viitattu myyntilasku: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,lasku DocType: Maintenance Schedule Item,Periodicity,Jaksotus apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Verovuoden {0} vaaditaan -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Odotettu toimituspäivä on tapahduttava ennen Myyntitilaus Päivämäärä apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,puolustus DocType: Salary Component,Abbr,lyhenteet DocType: Appraisal Goal,Score (0-5),Pisteet (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Rivi # {0}: DocType: Timesheet,Total Costing Amount,Yhteensä Kustannuslaskenta Määrä DocType: Delivery Note,Vehicle No,Ajoneuvon nro -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Ole hyvä ja valitse hinnasto +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Ole hyvä ja valitse hinnasto apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Rivi # {0}: Maksu asiakirja täytettävä trasaction DocType: Production Order Operation,Work In Progress,Työnalla apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Valitse päivämäärä @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ei missään aktiivista verovuonna. DocType: Packed Item,Parent Detail docname,Pääselostuksen docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Viite: {0}, kohta Koodi: {1} ja Asiakas: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Loki apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Avaaminen ja työn. DocType: Item Attribute,Increment,Lisäys @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Naimisissa apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Ei saa {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Hae nimikkeet -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},varastoa ei voi päivittää lähetettä vastaan {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},varastoa ei voi päivittää lähetettä vastaan {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Tuotteen {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Ei luetellut DocType: Payment Reconciliation,Reconcile,Yhteensovitus @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Eläk apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Seuraava Poistot Date ei voi olla ennen Ostopäivä DocType: SMS Center,All Sales Person,kaikki myyjät DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Kuukausijako ** auttaa kausiluonteisen liiketoiminnan budjetoinnissa ja tavoiteasetannassa. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Ei kohdetta löydetty +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Ei kohdetta löydetty apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Palkka rakenne Puuttuvat DocType: Lead,Person Name,Henkilö DocType: Sales Invoice Item,Sales Invoice Item,"Myyntilasku, tuote" @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Is Fixed Asset" ei voi olla valitsematta, koska Asset kirjaa olemassa vasten kohde" DocType: Vehicle Service,Brake Oil,Brake Oil DocType: Tax Rule,Tax Type,Verotyyppi -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,veron perusteena +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,veron perusteena apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},sinulla ei ole lupaa lisätä tai päivittää kirjauksia ennen {0} DocType: BOM,Item Image (if not slideshow),tuotekuva (jos diaesitys ei käytössä) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Asiakkaan olemassa samalla nimellä DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tuntihinta / 60) * todellinen käytetty aika -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Valitse BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Valitse BOM DocType: SMS Log,SMS Log,Tekstiviesti loki apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,toimitettujen tuotteiden kustannukset apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Loma {0} ei ajoitu aloitus- ja lopetuspäivän välille @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Koulut DocType: School Settings,Validate Batch for Students in Student Group,Vahvista Erä opiskelijoille Student Group apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ei jätä kirjaa löytynyt työntekijä {0} ja {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Anna yritys ensin -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Ole hyvä ja valitse Company ensin +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Ole hyvä ja valitse Company ensin DocType: Employee Education,Under Graduate,Ylioppilas apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Tavoitteeseen DocType: BOM,Total Cost,Kokonaiskustannukset DocType: Journal Entry Account,Employee Loan,työntekijän Loan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,aktiivisuus loki: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Nimikettä {0} ei löydy tai se on vanhentunut +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,aktiivisuus loki: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Nimikettä {0} ei löydy tai se on vanhentunut apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Kiinteistöt apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,tiliote apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Lääketeollisuuden tuotteet @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,vaatimuksen määrä apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Monista asiakasryhmä löytyy cutomer ryhmätaulukkoon apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,toimittaja tyyppi / toimittaja DocType: Naming Series,Prefix,Etuliite -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming-sarja {0} asetukseksi Setup> Settings> Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,käytettävä +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,käytettävä DocType: Employee,B-,B - DocType: Upload Attendance,Import Log,tuo loki DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Vedä materiaali Pyyntö tyypin Valmistus perustuu edellä mainitut kriteerit DocType: Training Result Employee,Grade,Arvosana DocType: Sales Invoice Item,Delivered By Supplier,Toimitetaan Toimittaja DocType: SMS Center,All Contact,kaikki yhteystiedot -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Tuotantotilaus jo luotu kaikille kohteita BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Tuotantotilaus jo luotu kaikille kohteita BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,vuosipalkka DocType: Daily Work Summary,Daily Work Summary,Päivittäinen työ Yhteenveto DocType: Period Closing Voucher,Closing Fiscal Year,tilikauden sulkeminen -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} on jäädytetty +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} on jäädytetty apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Valitse Olemassa Company luoda tilikartan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,varaston kulut apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Valitse Target Varasto @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},hyväksyttyjen + hylättyjen yksikkömäärä on sama kuin tuotteiden vastaanotettu määrä {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,toimita raaka-aineita ostoon -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Ainakin yksi maksutavan vaaditaan POS laskun. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Ainakin yksi maksutavan vaaditaan POS laskun. DocType: Products Settings,Show Products as a List,Näytä tuotteet listana DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","lataa mallipohja, täytä tarvittavat tiedot ja liitä muokattu tiedosto, kaikki päivämäärä- ja työntekijäyhdistelmät tulee malliin valitun kauden ja olemassaolevien osallistumistietueiden mukaan" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Nimike {0} ei ole aktiivinen tai sen elinkaari päättynyt -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Esimerkki: Basic Mathematics -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Sisällytä verorivi {0} tuotteen tasoon, verot riveillä {1} tulee myös sisällyttää" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Esimerkki: Basic Mathematics +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Sisällytä verorivi {0} tuotteen tasoon, verot riveillä {1} tulee myös sisällyttää" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Henkilöstömoduulin asetukset DocType: SMS Center,SMS Center,Tekstiviesti keskus DocType: Sales Invoice,Change Amount,muutos Määrä @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},asennuspäivä ei voi olla ennen tuotteen toimitusaikaa {0} DocType: Pricing Rule,Discount on Price List Rate (%),hinnaston alennus taso (%) DocType: Offer Letter,Select Terms and Conditions,Valitse ehdot ja säännöt -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,out Arvo +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,out Arvo DocType: Production Planning Tool,Sales Orders,Myyntitilaukset DocType: Purchase Taxes and Charges,Valuation,Arvo ,Purchase Order Trends,Ostotilaus Trendit @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,on avauskirjaus DocType: Customer Group,Mention if non-standard receivable account applicable,maininta ellei sovelletaan saataien perustiliä käytetä DocType: Course Schedule,Instructor Name,ohjaaja Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,varastoon vaaditaan ennen lähetystä +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,varastoon vaaditaan ennen lähetystä apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Saatu DocType: Sales Partner,Reseller,Jälleenmyyjä DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Jos tämä on valittu, Will sisältävät ei-varastossa tuotetta Material pyynnöt." @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Myyntilaskun kohdistus / nimike ,Production Orders in Progress,Tuotannon tilaukset on käsittelyssä apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Rahoituksen nettokassavirta -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStoragen on täynnä, ei tallentanut" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStoragen on täynnä, ei tallentanut" DocType: Lead,Address & Contact,osoitteet ja yhteystiedot DocType: Leave Allocation,Add unused leaves from previous allocations,Lisää käyttämättömät lähtee edellisestä määrärahoista apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},seuraava toistuva {0} tehdään {1}:n DocType: Sales Partner,Partner website,Kumppanin verkkosivusto apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Lisää tavara -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,"yhteystiedot, nimi" +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,"yhteystiedot, nimi" DocType: Course Assessment Criteria,Course Assessment Criteria,Kurssin arviointiperusteet DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Tekee palkkalaskelman edellä mainittujen kriteerien mukaan DocType: POS Customer Group,POS Customer Group,POS Asiakas Group @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"rivi {0}: täppää 'ennakko' kohdistettu tilille {1}, mikäli tämä on ennakkokirjaus" apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Varasto {0} ei kuulu yritykselle {1} DocType: Email Digest,Profit & Loss,Voitonmenetys -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,litra +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,litra DocType: Task,Total Costing Amount (via Time Sheet),Yhteensä Costing Määrä (via Time Sheet) DocType: Item Website Specification,Item Website Specification,Kohteen verkkosivustoasetukset apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,vapaa kielletty @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,"Myyntilasku, nro" DocType: Material Request Item,Min Order Qty,min tilaus yksikkömäärä DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course DocType: Lead,Do Not Contact,älä ota yhteyttä -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Ihmiset, jotka opettavat organisaatiossa" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Ihmiset, jotka opettavat organisaatiossa" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Uniikki tunnus toistuvan laskutuksen jäljittämiseen muodostetaan lähetettäessä apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Ohjelmistokehittäjä DocType: Item,Minimum Order Qty,minimi tilaus yksikkömäärä @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,Julkaista Hub DocType: Student Admission,Student Admission,Opiskelijavalinta ,Terretory,Alue apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Nimike {0} on peruutettu -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,materiaalipyyntö +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,materiaalipyyntö DocType: Bank Reconciliation,Update Clearance Date,Päivitä tilityspäivä DocType: Item,Purchase Details,Oston lisätiedot apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Nimikettä {0} ei löydy ostotilauksen {1} toimitettujen raaka-aineiden taulusta @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Rivi # {0}: {1} ei voi olla negatiivinen erä {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Väärä salasana DocType: Item,Variant Of,Muunnelma kohteesta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"valmiit yksikkömäärä ei voi olla suurempi kuin ""tuotannon määrä""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"valmiit yksikkömäärä ei voi olla suurempi kuin ""tuotannon määrä""" DocType: Period Closing Voucher,Closing Account Head,tilin otsikon sulkeminen DocType: Employee,External Work History,ulkoinen työhistoria apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,kiertoviite vihke @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,Etäisyys vasemmasta reun apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} yksikköä [{1}] (# Form / Kohde / {1}) löytyi [{2}] (# Form / Varasto / {2}) DocType: Lead,Industry,teollisuus DocType: Employee,Job Profile,Job Profile +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Tämä perustuu liiketoimiin tätä yhtiötä vastaan. Katso yksityiskohtaisia tietoja aikajanasta DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ilmoita automaattisen materiaalipyynnön luomisesta sähköpostitse DocType: Journal Entry,Multi Currency,Multi Valuutta DocType: Payment Reconciliation Invoice,Invoice Type,lasku tyyppi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,lähete +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,lähete apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Verojen perusmääritykset apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kustannukset Myyty Asset apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Maksukirjausta on muutettu siirron jälkeen, siirrä se uudelleen" @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Syötä "Toista päivänä Kuukausi 'kentän arvo DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"taso, jolla asiakkaan valuutta muunnetaan asiakkaan käyttämäksi perusvaluutaksi" DocType: Course Scheduling Tool,Course Scheduling Tool,Tietenkin ajoitustyökalun -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rivi # {0}: Ostolaskujen ei voi tehdä vastaan olemassaolevan hyödykkeen {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rivi # {0}: Ostolaskujen ei voi tehdä vastaan olemassaolevan hyödykkeen {1} DocType: Item Tax,Tax Rate,Veroaste apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} on jo myönnetty Työsuhde {1} kauden {2} ja {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Valitse tuote +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Valitse tuote apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Ostolasku {0} on lähetetty apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Rivi # {0}: Erä on oltava sama kuin {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,muunna pois ryhmästä @@ -443,7 +442,7 @@ DocType: Employee,Widowed,Jäänyt leskeksi DocType: Request for Quotation,Request for Quotation,Tarjouspyyntö DocType: Salary Slip Timesheet,Working Hours,Työaika DocType: Naming Series,Change the starting / current sequence number of an existing series.,muuta aloitusta / nykyselle järjestysnumerolle tai olemassa oleville sarjoille -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Luo uusi asiakas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Luo uusi asiakas apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",mikäli useampi hinnoittelu sääntö jatkaa vaikuttamista käyttäjäjiä pyydetään asettamaan prioriteetti manuaalisesti ristiriidan ratkaisemiseksi apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Luo ostotilaukset ,Purchase Register,Osto Rekisteröidy @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Tutkijan Name DocType: Purchase Invoice Item,Quantity and Rate,Määrä ja hinta DocType: Delivery Note,% Installed,% asennettu -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Luokkahuoneet / Laboratories, johon käytetään luentoja voidaan ajoittaa." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Luokkahuoneet / Laboratories, johon käytetään luentoja voidaan ajoittaa." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Anna yrityksen nimi ensin DocType: Purchase Invoice,Supplier Name,toimittajan nimi apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lue ERPNext Manual @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,välityskumppani DocType: Account,Old Parent,Vanha Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Pakollinen kenttä - Lukuvuosi DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"muokkaa johdantotekstiä joka lähetetään sähköpostin osana, joka tapahtumalla on oma johdantoteksi" -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Aseta oletus maksettava osuus yhtiön {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Aseta oletus maksettava osuus yhtiön {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,yleiset asetukset valmistusprosesseille DocType: Accounts Settings,Accounts Frozen Upto,tilit jäädytetty toistaiseksi / asti DocType: SMS Log,Sent On,lähetetty @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,maksettava tilit apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Valitut materiaaliluettelot eivät koske samaa kohdetta DocType: Pricing Rule,Valid Upto,Voimassa asti DocType: Training Event,Workshop,työpaja -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Luettele muutamia asiakkaitasi. Asiakkaat voivat olla organisaatioita tai yksilöitä. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Luettele muutamia asiakkaitasi. Asiakkaat voivat olla organisaatioita tai yksilöitä. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Tarpeeksi osat rakentaa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,suorat tulot apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",ei voi suodattaa tileittäin mkäli ryhmitelty tileittäin apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,hallintovirkailija apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Valitse kurssi DocType: Timesheet Detail,Hrs,hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Ole hyvä ja valitse Company +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Ole hyvä ja valitse Company DocType: Stock Entry Detail,Difference Account,erotili DocType: Purchase Invoice,Supplier GSTIN,Toimittaja GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"ei voi sulkea sillä se on toisesta riippuvainen tehtävä {0}, tehtävää ei ole suljettu" @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,Poissa POS Name apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Tarkentakaa arvosana Threshold 0% DocType: Sales Order,To Deliver,Toimitukseen DocType: Purchase Invoice Item,Item,Nimike -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Sarjanumero tuote ei voi olla jae +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Sarjanumero tuote ei voi olla jae DocType: Journal Entry,Difference (Dr - Cr),erotus (€ - TV) DocType: Account,Profit and Loss,Tuloslaskelma apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Alihankintojen hallinta @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),Takuuaika (päivää) DocType: Installation Note Item,Installation Note Item,asennus huomautus tuote DocType: Production Plan Item,Pending Qty,Odottaa Kpl DocType: Budget,Ignore,ohita -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} ei ole aktiivinen +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} ei ole aktiivinen apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},Tekstiviesti lähetetään seuraaviin numeroihin: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Setup tarkistaa mitat tulostettavaksi DocType: Salary Slip,Salary Slip Timesheet,Tuntilomake @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,SISÄÄN- DocType: Production Order Operation,In minutes,minuutteina DocType: Issue,Resolution Date,johtopäätös päivä DocType: Student Batch Name,Batch Name,erä Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Tuntilomake luotu: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Valitse oletusmaksutapa kassa- tai pankkitili maksulle {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Tuntilomake luotu: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Valitse oletusmaksutapa kassa- tai pankkitili maksulle {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,kirjoittautua DocType: GST Settings,GST Settings,GST Asetukset DocType: Selling Settings,Customer Naming By,asiakkaan nimennyt @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,Projektit Käyttäjä apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,käytetty apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} ei löydy laskun lisätiedot taulukosta DocType: Company,Round Off Cost Center,pyöristys kustannuspaikka -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,huoltokäynti {0} on peruttava ennen myyntitilauksen perumista +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,huoltokäynti {0} on peruttava ennen myyntitilauksen perumista DocType: Item,Material Transfer,materiaalisiirto apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Perustaminen (€) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Kirjoittamisen aikaleima on sen jälkeen {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,Koko Korkokulut DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Kohdistuneet kustannukset verot ja maksut DocType: Production Order Operation,Actual Start Time,todellinen aloitusaika DocType: BOM Operation,Operation Time,Operation Time -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Suorittaa loppuun +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Suorittaa loppuun apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,pohja DocType: Timesheet,Total Billed Hours,Yhteensä laskutusasteesta DocType: Journal Entry,Write Off Amount,Poiston arvo @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),Matkamittarin lukema (Last) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Markkinointi apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Maksu käyttö on jo luotu DocType: Purchase Receipt Item Supplied,Current Stock,nykyinen varasto -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Rivi # {0}: Asset {1} ei liity Tuote {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Rivi # {0}: Asset {1} ei liity Tuote {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Preview Palkka Slip apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Tili {0} on syötetty useita kertoja DocType: Account,Expenses Included In Valuation,"kulut, jotka sisältyy arvoon" @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ilmakehä DocType: Journal Entry,Credit Card Entry,luottokorttikirjaus apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Yritys ja tilit apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Toimittajilta vastaanotetut tavarat. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,in Arvo +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,in Arvo DocType: Lead,Campaign Name,Kampanjan nimi DocType: Selling Settings,Close Opportunity After Days,Close tilaisuuden päivää ,Reserved,Varattu @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,energia DocType: Opportunity,Opportunity From,tilaisuuteen apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,kuukausipalkka tosite +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rivi {0}: {1} Sarjanumerot kohdasta {2}. Olet antanut {3}. DocType: BOM,Website Specifications,Verkkosivuston tiedot apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: valitse {0} tyypistä {1} DocType: Warranty Claim,CI-,Cl apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rivi {0}: Conversion Factor on pakollista DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Useita Hinta Säännöt ovat olemassa samoja kriteereitä, ota ratkaista konflikti antamalla prioriteetti. Hinta Säännöt: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM:ia ei voi poistaa tai peruuttaa sillä muita BOM:ja on linkitettynä siihen +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM:ia ei voi poistaa tai peruuttaa sillä muita BOM:ja on linkitettynä siihen DocType: Opportunity,Maintenance,huolto DocType: Item Attribute Value,Item Attribute Value,"tuotetuntomerkki, arvo" apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Myynnin kampanjat -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Luo tuntilomake +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Luo tuntilomake DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Määrittäminen Sähköpostitilin apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Anna Kohta ensin DocType: Account,Liability,vastattavat -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktioitujen arvomäärä ei voi olla suurempi kuin vaatimuksien arvomäärä rivillä {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktioitujen arvomäärä ei voi olla suurempi kuin vaatimuksien arvomäärä rivillä {0}. DocType: Company,Default Cost of Goods Sold Account,oletus myytyjen tuotteiden arvo tili apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Hinnasto ei valittu DocType: Employee,Family Background,Perhetausta @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,oletus pankkitili apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",Valitse osapuoli tyyppi saadaksesi osapuolen mukaisen suodatuksen apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Päivitä varasto' ei voida käyttää tuotteille, joita ei ole toimitettu {0} kautta" DocType: Vehicle,Acquisition Date,Hankintapäivä -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,tuotteet joilla on korkeampi painoarvo nätetään ylempänä DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,pankin täsmäytys lisätiedot -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Rivi # {0}: Asset {1} on esitettävä +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Rivi # {0}: Asset {1} on esitettävä apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Yhtään työntekijää ei löytynyt DocType: Supplier Quotation,Stopped,pysäytetty DocType: Item,If subcontracted to a vendor,alihankinta toimittajalle @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Pienin Laskun summa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kustannuspaikka {2} ei kuulu yhtiön {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Tili {2} ei voi olla ryhmä apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Kohta Rivi {idx}: {DOCTYPE} {DOCNAME} ei ole olemassa edellä {DOCTYPE} table -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Tuntilomake {0} on jo täytetty tai peruttu +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Tuntilomake {0} on jo täytetty tai peruttu apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ei tehtäviä DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Kuukauden päivä jolloin automaattinen lasku muodostetaan, esim 05, 28 jne" DocType: Asset,Opening Accumulated Depreciation,Avaaminen Kertyneet poistot @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,vaaditut numerot DocType: Production Planning Tool,Only Obtain Raw Materials,Hanki vain raaka-aineet apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Arviointikertomusta. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","""Käytä ostoskorille"" otettu käyttöön: Ostoskoritoiminto on käytössä ja ostoskorille tulisi olla ainakin yksi määritelty veroasetus." -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Maksu Entry {0} on liitetty vastaan Order {1}, tarkistaa, jos se tulee vetää kuin etukäteen tässä laskussa." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Maksu Entry {0} on liitetty vastaan Order {1}, tarkistaa, jos se tulee vetää kuin etukäteen tässä laskussa." DocType: Sales Invoice Item,Stock Details,Varastossa Tiedot apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projekti Arvo apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-Sale @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,Päivitä sarjat DocType: Supplier Quotation,Is Subcontracted,on alihankittu DocType: Item Attribute,Item Attribute Values,"tuotetuntomerkki, arvot" DocType: Examination Result,Examination Result,tutkimustuloksen -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Ostokuitti +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Ostokuitti ,Received Items To Be Billed,Saivat kohteet laskuttamat -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Lähettäjä palkkakuitit +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Lähettäjä palkkakuitit apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,valuuttataso valvonta apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Viitetyypin tulee olla yksi seuraavista: {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Aika-aukkoa ei löydy seuraavaan {0} päivän toiminnolle {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Aika-aukkoa ei löydy seuraavaan {0} päivän toiminnolle {1} DocType: Production Order,Plan material for sub-assemblies,Suunnittele materiaalit alituotantoon apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Myynnin Partners ja Territory -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} tulee olla aktiivinen +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} tulee olla aktiivinen DocType: Journal Entry,Depreciation Entry,Poistot Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Valitse ensin asiakirjan tyyppi apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,peruuta materiaalikäynti {0} ennen peruutat huoltokäynnin @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Yhteensä apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,internet julkaisu DocType: Production Planning Tool,Production Orders,Tuotannon tilaukset -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Taseen arvo +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Taseen arvo apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Myyntihinnasto apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Julkaise synkronoida kohteita DocType: Bank Reconciliation,Account Currency,Tilin valuutta @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,poistu haastattelun lisätiedoista DocType: Item,Is Purchase Item,on ostotuote DocType: Asset,Purchase Invoice,Ostolasku DocType: Stock Ledger Entry,Voucher Detail No,Tosite lisätiedot nro -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Uusi myyntilasku +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Uusi myyntilasku DocType: Stock Entry,Total Outgoing Value,"kokonaisarvo, lähtevä" apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Aukiolopäivä ja Päättymisaika olisi oltava sama Tilikausi DocType: Lead,Request for Information,tietopyyntö ,LeaderBoard,leaderboard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Synkronointi Offline Laskut +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synkronointi Offline Laskut DocType: Payment Request,Paid,Maksettu DocType: Program Fee,Program Fee,Program Fee DocType: Salary Slip,Total in words,Sanat yhteensä @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,"virtausaika, päiväys" DocType: Guardian,Guardian Name,Guardian Name DocType: Cheque Print Template,Has Print Format,On Print Format DocType: Employee Loan,Sanctioned,seuraamuksia -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,on pakollinen. Valuutanvaihtotietue on mahdollisesti luomatta +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,on pakollinen. Valuutanvaihtotietue on mahdollisesti luomatta apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Rivi # {0}: Ilmoittakaa Sarjanumero alamomentin {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","tuotteet 'tavarakokonaisuudessa' varasto, sarjanumero ja eränumero pidetään olevan samasta 'pakkausluettelosta' taulukossa, mikäli sarja- ja eränumero on sama kaikille tuotteille tai 'tuotekokonaisuus' tuotteelle, (arvoja voi kirjata tuotteen päätaulukossa), arvot kopioidaan 'pakkausluettelo' taulukkoon" DocType: Job Opening,Publish on website,Julkaise verkkosivusto @@ -1006,7 +1006,7 @@ DocType: Cheque Print Template,Date Settings,date Settings apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Vaihtelu ,Company Name,Yrityksen nimi DocType: SMS Center,Total Message(s),viestit yhteensä -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Valitse siirrettävä tuote +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Valitse siirrettävä tuote DocType: Purchase Invoice,Additional Discount Percentage,Muita alennusprosenttia apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Katso luettelo kaikista ohjevideot DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Valitse pankin tilin otsikko, minne shekki/takaus talletetaan" @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Raaka-ainekustannukset (Company valuutta) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,kaikki tavarat on jo siirretty tuotantotilaukseen apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rivi # {0}: Luokitus ei voi olla suurempi kuin määrä käyttää {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,metri +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,metri DocType: Workstation,Electricity Cost,sähkön kustannukset DocType: HR Settings,Don't send Employee Birthday Reminders,älä lähetä työntekijälle syntymäpäivämuistutuksia DocType: Item,Inspection Criteria,tarkastuskriteerit @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),Kaikki Liidit (Avoimet) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rivi {0}: Määrä ei saatavilla {4} varasto {1} klo lähettämistä tullessa ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,hae maksetut ennakot DocType: Item,Automatically Create New Batch,Automaattisesti Luo uusi erä -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Tehdä +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Tehdä DocType: Student Admission,Admission Start Date,Pääsymaksu aloituspäivä DocType: Journal Entry,Total Amount in Words,Yhteensä sanoina apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Tapahtui virhe: todennäköinen syy on ettet ole tallentanut lomaketta. Mikäli ongelma toistuu, ota yhteyttä järjestelmän ylläpitäjiin." @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Ostoskori apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tilaustyypin pitää olla jokin seuraavista '{0}' DocType: Lead,Next Contact Date,seuraava yhteydenottopvä apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Avaus yksikkömäärä -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Anna Account for Change Summa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Anna Account for Change Summa DocType: Student Batch Name,Student Batch Name,Opiskelijan Erä Name DocType: Holiday List,Holiday List Name,lomaluettelo nimi DocType: Repayment Schedule,Balance Loan Amount,Balance Lainamäärä @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,"varasto, vaihtoehdot" DocType: Journal Entry Account,Expense Claim,Kulukorvaukset apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Haluatko todella palauttaa tämän romuttaa etu? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Yksikkömäärään {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Yksikkömäärään {0} DocType: Leave Application,Leave Application,Vapaa-hakemus apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Vapaiden kohdistustyökalu DocType: Leave Block List,Leave Block List Dates,"poistu estoluettelo, päivät" @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,kohdistus DocType: Item,Default Selling Cost Center,myyntien oletuskustannuspaikka DocType: Sales Partner,Implementation Partner,sovelluskumppani -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postinumero +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Postinumero apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Myyntitilaus {0} on {1} DocType: Opportunity,Contact Info,"yhteystiedot, info" apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Varastotapahtumien tekeminen @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Vast apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Keskimääräinen ikä DocType: School Settings,Attendance Freeze Date,Läsnäolo Freeze Date DocType: Opportunity,Your sales person who will contact the customer in future,Myyjä joka ottaa jatkossa yhteyttä asiakkaaseen -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Luettele joitain toimittajiasi. Ne voivat olla organisaatioita tai yksilöitä. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Luettele joitain toimittajiasi. Ne voivat olla organisaatioita tai yksilöitä. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Kaikki tuotteet apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Pienin Lyijy ikä (päivää) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,kaikki BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,kaikki BOMs DocType: Company,Default Currency,Oletusvaluutta DocType: Expense Claim,From Employee,työntekijästä -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Varoitus: Järjestelmä ei tarkista liikalaskutusta koska tuotteen {0} määrä kohdassa {1} on nolla +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Varoitus: Järjestelmä ei tarkista liikalaskutusta koska tuotteen {0} määrä kohdassa {1} on nolla DocType: Journal Entry,Make Difference Entry,tee erokirjaus DocType: Upload Attendance,Attendance From Date,osallistuminen päivästä DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Esim. yrityksen rekisterinumero, veronumero, yms." DocType: Sales Partner,Distributor,jakelija DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ostoskorin toimitussääntö -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Tuotannon tilaus {0} tulee peruuttaa ennen myyntitilauksen peruutusta +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Tuotannon tilaus {0} tulee peruuttaa ennen myyntitilauksen peruutusta apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Aseta 'Käytä lisäalennusta " ,Ordered Items To Be Billed,tilatut laskutettavat tuotteet apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Vuodesta Range on oltava vähemmän kuin laitumelle @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,vähennykset DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start Year -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Ensimmäiset 2 numeroa GSTIN tulee vastata valtion numero {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Ensimmäiset 2 numeroa GSTIN tulee vastata valtion numero {0} DocType: Purchase Invoice,Start date of current invoice's period,aloituspäivä nykyiselle laskutuskaudelle DocType: Salary Slip,Leave Without Pay,Palkaton vapaa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,kapasiteetin suunnittelu virhe +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,kapasiteetin suunnittelu virhe ,Trial Balance for Party,Alustava tase osapuolelle DocType: Lead,Consultant,konsultti DocType: Salary Slip,Earnings,ansiot @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,Maksajan Asetukset DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Tämä liitetään mallin tuotenumeroon esim, jos lyhenne on ""SM"" ja tuotekoodi on ""T-PAITA"", mallin tuotekoodi on ""T-PAITA-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettomaksu (sanoina) näkyy kun tallennat palkkalaskelman. DocType: Purchase Invoice,Is Return,on palautus -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Tuotto / veloitusilmoituksen +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Tuotto / veloitusilmoituksen DocType: Price List Country,Price List Country,Hinnasto Maa DocType: Item,UOMs,Mittayksiköt apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} oikea sarjanumero (nos) tuotteelle {1} @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,osittain maksettu apps/erpnext/erpnext/config/buying.py +38,Supplier database.,toimittaja tietokanta DocType: Account,Balance Sheet,tasekirja apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',tuotteen kustannuspaikka tuotekoodilla -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksutila ei ole määritetty. Tarkista, onko tili on asetettu tila maksut tai POS Profile." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksutila ei ole määritetty. Tarkista, onko tili on asetettu tila maksut tai POS Profile." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Päivämäärä jona myyjää muistutetaan ottamaan yhteyttä asiakkaaseen apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samaa kohdetta ei voi syöttää useita kertoja. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","lisätilejä voidaan tehdä kohdassa ryhmät, mutta kirjaukset toi suoraan tilille" @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,takaisinmaksu Info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Kirjaukset' ei voi olla tyhjä apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},monista rivi {0} sama kuin {1} ,Trial Balance,Alustava tase -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Verovuoden {0} ei löytynyt +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Verovuoden {0} ei löytynyt apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Työntekijätietojen perustaminen DocType: Sales Order,SO-,NIIN- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Ole hyvä ja valitse etuliite ensin @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,väliajoin apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,aikaisintaan apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Samanniminen nimikeryhmä on jo olemassa, vaihda nimikkeen nimeä tai nimeä nimikeryhmä uudelleen" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Muu maailma +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Muu maailma apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Tuote {0} ei voi olla erä ,Budget Variance Report,budjettivaihtelu raportti DocType: Salary Slip,Gross Pay,bruttomaksu -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rivi {0}: Toimintalaji on pakollista. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Rivi {0}: Toimintalaji on pakollista. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,maksetut osingot apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Kirjanpito Ledger DocType: Stock Reconciliation,Difference Amount,eron arvomäärä @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Työntekijän käytettävissä olevat vapaat apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Tilin tase {0} on oltava {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Arvostustaso vaaditaan tuotteelle rivillä {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Esimerkki: Masters Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Esimerkki: Masters Computer Science DocType: Purchase Invoice,Rejected Warehouse,Hylätty varasto DocType: GL Entry,Against Voucher,kuitin kohdistus DocType: Item,Default Buying Cost Center,ostojen oletuskustannuspaikka apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Saadaksesi kaiken irti ERPNextistä, Suosittelemme katsomaan nämä ohjevideot." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,lle +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,lle DocType: Supplier Quotation Item,Lead Time in days,"virtausaika, päivinä" apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,maksettava tilien yhteenveto -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Palkanmaksu välillä {0} ja {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Palkanmaksu välillä {0} ja {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},jäädytettyä tiliä {0} ei voi muokata DocType: Journal Entry,Get Outstanding Invoices,hae odottavat laskut -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Myyntitilaus {0} ei ole kelvollinen +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Myyntitilaus {0} ei ole kelvollinen apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Ostotilaukset auttaa suunnittelemaan ja seurata ostoksistasi apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",Yhtiöitä ei voi yhdistää apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,välilliset kulut apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,rivi {0}: yksikkömäärä vaaditaan apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Maatalous -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Tarjotut tuotteet ja/tai palvelut +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Tarjotut tuotteet ja/tai palvelut DocType: Mode of Payment,Mode of Payment,maksutapa apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Sivuston kuvan tulee olla kuvatiedosto tai kuvan URL-osoite DocType: Student Applicant,AP,AP @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,tuotteen veroaste DocType: Student Group Student,Group Roll Number,Ryhmä rullanumero apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, vain kredit tili voidaan kohdistaa debet kirjaukseen" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Yhteensä Kaikkien tehtävän painojen tulisi olla 1. Säädä painoja Project tehtävien mukaisesti -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,lähetettä {0} ei ole lähetetty +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,lähetettä {0} ei ole lähetetty apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Nimikkeen {0} pitää olla alihankittava nimike apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,käyttöomaisuuspääoma apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Hinnoittelusääntö tulee ensin valita 'käytä tässä' kentästä, joka voi olla tuote, tuoteryhmä tai brändi" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Aseta alkiotunnus ensin +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Aseta alkiotunnus ensin DocType: Hub Settings,Seller Website,Myyjä verkkosivut DocType: Item,ITEM-,kuvallisissa osaluetteloissa apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Myyntitiimin kohdennettu prosenttiosuus tulee olla 100 DocType: Appraisal Goal,Goal,tavoite DocType: Sales Invoice Item,Edit Description,Muokkaa Kuvaus ,Team Updates,Team päivitykset -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,toimittajalle +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,toimittajalle DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Tilityypin asetukset auttaa valitsemaan oikean tilin tapahtumaan DocType: Purchase Invoice,Grand Total (Company Currency),Kokonaissumma (yrityksen valuutta) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Luo Print Format @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,Tuoteryhmien verkkosivu DocType: Purchase Invoice,Total (Company Currency),Yhteensä (yrityksen valuutta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Sarjanumero {0} kirjattu useammin kuin kerran DocType: Depreciation Schedule,Journal Entry,päiväkirjakirjaus -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} kohdetta käynnissä +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} kohdetta käynnissä DocType: Workstation,Workstation Name,Työaseman nimi DocType: Grading Scale Interval,Grade Code,Grade koodi DocType: POS Item Group,POS Item Group,POS Kohta Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,tiedote: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} ei kuulu tuotteelle {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} ei kuulu tuotteelle {1} DocType: Sales Partner,Target Distribution,Toimitus tavoitteet 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ä @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,Ostoskori apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daily Lähtevä DocType: POS Profile,Campaign,Kampanja DocType: Supplier,Name and Type,Nimi ja tyyppi -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',hyväksynnän tila on 'hyväksytty' tai 'hylätty' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',hyväksynnän tila on 'hyväksytty' tai 'hylätty' DocType: Purchase Invoice,Contact Person,Yhteyshenkilö apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Toivottu aloituspäivä' ei voi olla suurempi kuin 'toivottu päättymispäivä' DocType: Course Scheduling Tool,Course End Date,Tietenkin Päättymispäivä @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,prefered Sähköposti apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Nettomuutos kiinteä omaisuus DocType: Leave Control Panel,Leave blank if considered for all designations,tyhjä mikäli se pidetään vihtoehtona kaikille nimityksille -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,maksun tyyppiä 'todellinen' rivillä {0} ei voi sisällyttää tuotearvoon -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,maksun tyyppiä 'todellinen' rivillä {0} ei voi sisällyttää tuotearvoon +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,alkaen aikajana DocType: Email Digest,For Company,Yritykselle apps/erpnext/erpnext/config/support.py +17,Communication log.,viestintä loki @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","työprofiili, DocType: Journal Entry Account,Account Balance,Tilin tase apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Verosääntöön liiketoimia. DocType: Rename Tool,Type of document to rename.,asiakirjan tyyppi uudelleenimeä -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Ostamme tätä tuotetta +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Ostamme tätä tuotetta apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Asiakkaan tarvitaan vastaan Receivable huomioon {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),verot ja maksut yhteensä (yrityksen valuutta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Näytä unclosed tilikaudesta P & L saldot @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,Lukemat DocType: Stock Entry,Total Additional Costs,Lisäkustannusten kokonaismäärää DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Romu ainekustannukset (Company valuutta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,alikokoonpanot +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,alikokoonpanot DocType: Asset,Asset Name,Asset Name DocType: Project,Task Weight,tehtävä Paino DocType: Shipping Rule Condition,To Value,Arvoon @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Tuotemallit ja -variaati DocType: Company,Services,Palvelut DocType: HR Settings,Email Salary Slip to Employee,Sähköposti palkkakuitin työntekijöiden DocType: Cost Center,Parent Cost Center,Pääkustannuspaikka -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Valitse Mahdollinen toimittaja +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Valitse Mahdollinen toimittaja DocType: Sales Invoice,Source,Lähde apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Näytäsuljetut DocType: Leave Type,Is Leave Without Pay,on poistunut ilman palkkaa @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,Käytä alennus DocType: GST HSN Code,GST HSN Code,GST HSN Koodi DocType: Employee External Work History,Total Experience,Kustannukset yhteensä apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Avoimet projektit -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Pakkauslaput peruttu +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Pakkauslaput peruttu apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Investointien rahavirta DocType: Program Course,Program Course,Ohjelma kurssi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,rahdin ja huolinnan maksut @@ -1538,9 +1538,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Ohjelma Ilmoittautumiset DocType: Sales Invoice Item,Brand Name,brändin nimi DocType: Purchase Receipt,Transporter Details,Transporter Lisätiedot -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Oletus varasto tarvitaan valittu kohde -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,pl -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,mahdollinen toimittaja +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Oletus varasto tarvitaan valittu kohde +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,pl +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,mahdollinen toimittaja DocType: Budget,Monthly Distribution,toimitus kuukaudessa apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"vastaanottajalista on tyhjä, tee vastaanottajalista" DocType: Production Plan Sales Order,Production Plan Sales Order,Tuotantosuunnitelma myyntitilaukselle @@ -1572,7 +1572,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Yrityksen mak apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Opiskelijat ytimessä järjestelmän, lisää kaikki opiskelijat" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Rivi # {0}: Tilityspäivä {1} ei voi olla ennen shekin päivää {2} DocType: Company,Default Holiday List,oletus lomaluettelo -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,varasto vastattavat DocType: Purchase Invoice,Supplier Warehouse,toimittajan varasto DocType: Opportunity,Contact Mobile No,"yhteystiedot, puhelin" @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},{0} -tyyppinen vapaa ei voi olla pidempi kuin {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,kokeile suunnitella toimia X päivää etukäteen DocType: HR Settings,Stop Birthday Reminders,lopeta syntymäpäivämuistutukset -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Aseta Default Payroll maksullisia tilin Yrityksen {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Aseta Default Payroll maksullisia tilin Yrityksen {0} DocType: SMS Center,Receiver List,Vastaanotin List -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,haku Tuote +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,haku Tuote apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,käytetty arvomäärä apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Rahavarojen muutos DocType: Assessment Plan,Grading Scale,Arvosteluasteikko apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,yksikköä {0} on kirjattu useammin kuin kerran muuntokerroin taulukossa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,jo valmiiksi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,jo valmiiksi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock kädessä apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Maksupyyntö on jo olemassa {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,aiheen tuotteiden kustannukset -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Määrä saa olla enintään {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Määrä saa olla enintään {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Edellisen tilikauden ei ole suljettu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Ikä (päivää) DocType: Quotation Item,Quotation Item,Tarjouksen tuote @@ -1613,6 +1613,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,vertailuasiakirja apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} peruuntuu tai keskeytyy DocType: Accounts Settings,Credit Controller,kredit valvoja +DocType: Sales Order,Final Delivery Date,Lopullinen toimituspäivä DocType: Delivery Note,Vehicle Dispatch Date,Ajoneuvon toimituspäivä DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Ostokuittia {0} ei ole lähetetty @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,Eläkkeellesiirtymispäivä DocType: Upload Attendance,Get Template,hae mallipohja DocType: Material Request,Transferred,siirretty DocType: Vehicle,Doors,ovet -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Asennus valmis! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Asennus valmis! DocType: Course Assessment Criteria,Weightage,Painoarvo -DocType: Sales Invoice,Tax Breakup,vero Breakup +DocType: Purchase Invoice,Tax Breakup,vero Breakup DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kustannuspaikka vaaditaan "Tuloslaskelma" tilin {2}. Määritä oletuksena kustannukset Center for the Company. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"saman niminen asiakasryhmä on jo olemassa, vaihda asiakkaan nimi tai nimeä asiakasryhmä uudelleen" @@ -1716,14 +1717,14 @@ DocType: Announcement,Instructor,Ohjaaja DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","mikäli tällä tuotteella on useita malleja, sitä ei voi valita esim. myyntitilaukseen" DocType: Lead,Next Contact By,seuraava yhteydenottohlö -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Vaadittu tuotemäärä {0} rivillä {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Vaadittu tuotemäärä {0} rivillä {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Varastoa {0} ei voi poistaa koska se sisältää tuotetta {1} DocType: Quotation,Order Type,Tilaustyyppi DocType: Purchase Invoice,Notification Email Address,sähköpostiosoite ilmoituksille ,Item-wise Sales Register,"tuote työkalu, myyntirekisteri" DocType: Asset,Gross Purchase Amount,Gross Osto Määrä DocType: Asset,Depreciation Method,Poistot Menetelmä -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Poissa +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Poissa DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,kuuluuko tämä vero perustasoon? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,tavoite yhteensä DocType: Job Applicant,Applicant for a Job,työn hakija @@ -1744,7 +1745,7 @@ DocType: Employee,Leave Encashed?,vapaa kuitattu rahana? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,tilaisuuteen kenttä vaaditaan DocType: Email Digest,Annual Expenses,Vuosittaiset kulut DocType: Item,Variants,Mallit -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Tee Ostotilaus +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Tee Ostotilaus DocType: SMS Center,Send To,Lähetä kenelle apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Vapaatyypille {0} ei ole tarpeeksi vapaata jäljellä DocType: Payment Reconciliation Payment,Allocated amount,kohdennettu arvomäärä @@ -1752,7 +1753,7 @@ DocType: Sales Team,Contribution to Net Total,"panostus, netto yhteensä" DocType: Sales Invoice Item,Customer's Item Code,asiakkaan tuotekoodi DocType: Stock Reconciliation,Stock Reconciliation,varaston täsmäytys DocType: Territory,Territory Name,Alueen nimi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Keskeneräisten varasto vaaditaan ennen lähetystä +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Keskeneräisten varasto vaaditaan ennen lähetystä apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,työn hakija. DocType: Purchase Order Item,Warehouse and Reference,Varasto ja viite DocType: Supplier,Statutory info and other general information about your Supplier,toimittajan lakisääteiset- ja muut päätiedot @@ -1763,16 +1764,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Kehityskeskustelut apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},monista tuotteelle kirjattu sarjanumero {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,edellyttää toimitustapaa apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Käy sisään -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",Nimikettä {0} ei pysty ylilaskuttamaan rivillä {1} enempää kuin {2}. Muuta oston asetuksia salliaksesi ylilaskutus. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Aseta suodatin perustuu Tuote tai Varasto +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",Nimikettä {0} ei pysty ylilaskuttamaan rivillä {1} enempää kuin {2}. Muuta oston asetuksia salliaksesi ylilaskutus. +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Aseta suodatin perustuu Tuote tai Varasto DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),"Pakkauksen nettopaino, summa lasketaan automaattisesti tuotteiden nettopainoista" DocType: Sales Order,To Deliver and Bill,toimitukseen ja laskutukseen DocType: Student Group,Instructors,Ohjaajina DocType: GL Entry,Credit Amount in Account Currency,Luoton määrä Account Valuutta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} tulee lähettää +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} tulee lähettää DocType: Authorization Control,Authorization Control,Valtuutus Ohjaus apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rivi # {0}: Hylätyt Warehouse on pakollinen vastaan hylätään Tuote {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Maksu +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Maksu apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Varasto {0} ei liity mihinkään tilin, mainitse tilin varastoon kirjaa tai asettaa oletus inventaario huomioon yrityksen {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Hallitse tilauksia DocType: Production Order Operation,Actual Time and Cost,todellinen aika ja hinta @@ -1788,12 +1789,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Kokooma DocType: Quotation Item,Actual Qty,kiinteä yksikkömäärä DocType: Sales Invoice Item,References,Viitteet DocType: Quality Inspection Reading,Reading 10,Lukema 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","luetteloi tavarat tai palvelut, joita ostat tai myyt, tarkista ensin tuoteryhmä, yksikkö ja muut ominaisuudet kun aloitat" +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","luetteloi tavarat tai palvelut, joita ostat tai myyt, tarkista ensin tuoteryhmä, yksikkö ja muut ominaisuudet kun aloitat" DocType: Hub Settings,Hub Node,hubi sidos apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Olet syöttänyt kohteen joka on jo olemassa. Korjaa ja yritä uudelleen. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,kolleega +DocType: Company,Sales Target,Myyntitavoite DocType: Asset Movement,Asset Movement,Asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,uusi koriin +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,uusi koriin apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Nimike {0} ei ole sarjoitettu tuote DocType: SMS Center,Create Receiver List,tee vastaanottajalista DocType: Vehicle,Wheels,Pyörät @@ -1834,13 +1836,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Toimitusjohtaja Proj DocType: Supplier,Supplier of Goods or Services.,Tavara- tai palvelutoimittaja DocType: Budget,Fiscal Year,Tilikausi DocType: Vehicle Log,Fuel Price,polttoaineen hinta +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Aseta numeerinen sarja osallistumiselle Setup> Numerosarjan kautta DocType: Budget,Budget,budjetti apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Käyttö- omaisuuserän oltava ei-varastotuote. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Talousarvio ei voi luovuttaa vastaan {0}, koska se ei ole tuottoa tai kulua tili" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,saavutettu DocType: Student Admission,Application Form Route,Hakulomake Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Alue / Asiakas -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,"esim, 5" +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,"esim, 5" apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Jätä tyyppi {0} ei voi varata, koska se jättää ilman palkkaa" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},rivi {0}: kohdennettavan arvomäärän {1} on oltava pienempi tai yhtä suuri kuin odottava arvomäärä {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"sanat näkyvät, kun tallennat myyntilaskun" @@ -1849,11 +1852,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Nimikkeelle {0} ei määritetty sarjanumeroita, täppää tuote työkalu" DocType: Maintenance Visit,Maintenance Time,"huolto, aika" ,Amount to Deliver,toimitettava arvomäärä -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,tavara tai palvelu +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,tavara tai palvelu apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Term alkamispäivä ei voi olla aikaisempi kuin vuosi alkamispäivä Lukuvuoden johon termiä liittyy (Lukuvuosi {}). Korjaa päivämäärät ja yritä uudelleen. DocType: Guardian,Guardian Interests,Guardian Harrastukset DocType: Naming Series,Current Value,nykyinen arvo -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Useita verovuoden olemassa päivämäärän {0}. Määritä yritys verovuonna +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Useita verovuoden olemassa päivämäärän {0}. Määritä yritys verovuonna apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,tehnyt {0} DocType: Delivery Note Item,Against Sales Order,myyntitilauksen kohdistus ,Serial No Status,Sarjanumero tila @@ -1866,7 +1869,7 @@ DocType: Pricing Rule,Selling,Myynti apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Määrä {0} {1} vähennetään vastaan {2} DocType: Employee,Salary Information,Palkkatietoja DocType: Sales Person,Name and Employee ID,Nimi ja Työntekijän ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,eräpäivä voi olla ennen lähetyspäivää +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,eräpäivä voi olla ennen lähetyspäivää DocType: Website Item Group,Website Item Group,Tuoteryhmän verkkosivu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,tullit ja verot apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Anna Viiteajankohta @@ -1921,9 +1924,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Aseta jolloin se liittyy työntekijöiden {0} DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Määrä (via Time Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Toistuvien asiakkuuksien liikevaihto -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) tulee olla rooli 'kulujen hyväksyjä' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pari -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Valitse BOM ja Määrä Tuotannon +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) tulee olla rooli 'kulujen hyväksyjä' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Pari +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Valitse BOM ja Määrä Tuotannon DocType: Asset,Depreciation Schedule,Poistot aikataulu apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,-myyjään osoitteista ja yhteystiedoista DocType: Bank Reconciliation Detail,Against Account,tili kohdistus @@ -1933,7 +1936,7 @@ DocType: Item,Has Batch No,on erä nro apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Vuotuinen laskutus: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Tavarat ja palvelut Tax (GST Intia) DocType: Delivery Note,Excise Page Number,poisto sivunumero -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Päivästä ja Päivään on pakollinen" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Company, Päivästä ja Päivään on pakollinen" DocType: Asset,Purchase Date,Ostopäivä DocType: Employee,Personal Details,Henkilökohtaiset lisätiedot apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ole hyvä ja aseta yrityksen {0} poistojen kustannuspaikka. @@ -1942,9 +1945,9 @@ DocType: Task,Actual End Date (via Time Sheet),Todellinen Lopetuspäivä (via ke apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Määrä {0} {1} vastaan {2} {3} ,Quotation Trends,"Tarjous, trendit" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},tuotteen {0} tuoteryhmää ei ole mainittu kohdassa tuote työkalu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,tilin debet tulee olla saatava tili +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,tilin debet tulee olla saatava tili DocType: Shipping Rule Condition,Shipping Amount,Toimituskustannus arvomäärä -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Lisää Asiakkaat +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Lisää Asiakkaat apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Odottaa arvomäärä DocType: Purchase Invoice Item,Conversion Factor,muuntokerroin DocType: Purchase Order,Delivered,toimitettu @@ -1966,7 +1969,6 @@ DocType: Production Order,Use Multi-Level BOM,Käytä sisäkkäistä materiaalil DocType: Bank Reconciliation,Include Reconciled Entries,sisällytä täsmätyt kirjaukset DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Vanhemman Course (Jätä tyhjäksi, jos tämä ei ole osa emoyhtiön Course)" DocType: Leave Control Panel,Leave blank if considered for all employee types,tyhjä mikäli se pidetään vaihtoehtona kaikissa työntekijä tyypeissä -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue DocType: Landed Cost Voucher,Distribute Charges Based On,toimitusmaksut perustuen apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Tuntilomakkeet DocType: HR Settings,HR Settings,Henkilöstöhallinnan määritykset @@ -1974,7 +1976,7 @@ DocType: Salary Slip,net pay info,nettopalkka info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,"kuluvaatimus odottaa hyväksyntää, vain kulujen hyväksyjä voi päivittää tilan" DocType: Email Digest,New Expenses,uusi kulut DocType: Purchase Invoice,Additional Discount Amount,lisäalennus -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rivi # {0}: Määrä on 1, kun kohde on kiinteän omaisuuden. Käytä erillistä rivi useita kpl." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rivi # {0}: Määrä on 1, kun kohde on kiinteän omaisuuden. Käytä erillistä rivi useita kpl." DocType: Leave Block List Allow,Leave Block List Allow,Salli apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,lyhenne ei voi olla tyhjä tai välilyönti apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Ryhmä Non-ryhmän @@ -1982,7 +1984,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,urheilu DocType: Loan Type,Loan Name,laina Name apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Kiinteä summa yhteensä DocType: Student Siblings,Student Siblings,Student Sisarukset -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Yksikkö +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Yksikkö apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Ilmoitathan Company ,Customer Acquisition and Loyalty,asiakashankinta ja suhteet DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Hylkyvarasto @@ -2000,12 +2002,12 @@ DocType: Workstation,Wages per hour,Tuntipalkat apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Erän varastotase {0} muuttuu negatiiviseksi {1} tuotteelle {2} varastossa {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Seuraavat Materiaali pyynnöt on esitetty automaattisesti perustuu lähetyksen uudelleen jotta taso DocType: Email Digest,Pending Sales Orders,Odottaa Myyntitilaukset -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Tili {0} ei kelpaa. Tilin valuutan on oltava {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Tili {0} ei kelpaa. Tilin valuutan on oltava {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Mittayksikön muuntokerroin vaaditaan rivillä {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi myyntitilaus, myyntilasku tai Päiväkirjakirjaus" DocType: Salary Component,Deduction,vähennys -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rivi {0}: From Time ja Kellonaikatilaan on pakollista. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Rivi {0}: From Time ja Kellonaikatilaan on pakollista. DocType: Stock Reconciliation Item,Amount Difference,määrä ero apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Nimikkeen '{0}' hinta lisätty hinnastolle '{1}' apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Syötä työntekijätunnu tälle myyjälle @@ -2015,11 +2017,11 @@ DocType: Project,Gross Margin,bruttokate apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Syötä ensin tuotantotuote apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Laskennallinen Tiliote tasapaino apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,käyttäjä poistettu käytöstä -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Tarjous +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Tarjous DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Vähennys yhteensä ,Production Analytics,tuotanto Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,kustannukset päivitetty +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,kustannukset päivitetty DocType: Employee,Date of Birth,syntymäpäivä apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Nimike {0} on palautettu DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**tilikausi** sisältää kaikki sen kuluessa kirjatut kirjanpito- ym. taloudenhallinnan tapahtumat @@ -2064,18 +2066,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Valitse yritys... DocType: Leave Control Panel,Leave blank if considered for all departments,tyhjä mikäli se pidetään vaihtoehtona kaikilla osastoilla apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","työsopimuksen tyypit (jatkuva, sopimus, sisäinen jne)" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} on pakollinen tuotteelle {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} on pakollinen tuotteelle {1} DocType: Process Payroll,Fortnightly,joka toinen viikko DocType: Currency Exchange,From Currency,valuutasta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Kustannukset New Purchase -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Myyntitilaus vaaditaan tuotteelle {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Myyntitilaus vaaditaan tuotteelle {0} DocType: Purchase Invoice Item,Rate (Company Currency),hinta (yrityksen valuutassa) DocType: Student Guardian,Others,Muut DocType: Payment Entry,Unallocated Amount,Kohdistamattomat Määrä apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Nimikettä ei löydy. Valitse jokin muu arvo {0}. DocType: POS Profile,Taxes and Charges,Verot ja maksut DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","tavara tai palvelu joka ostetaan, myydään tai varastoidaan" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Tuotemerkki apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Ei enää päivityksiä apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"ei voi valita maksun tyyppiä, kuten 'edellisen rivin arvomäärä' tai 'edellinen rivi yhteensä' ensimmäiseksi riviksi" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Lapsi Tuote ei pitäisi olla tuote Bundle. Poista toiminto `{0}` ja säästä @@ -2101,7 +2104,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Lasku yhteensä apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"On oltava oletus saapuva sähköposti tili käytössä, jotta tämä toimisi. Ole hyvä setup oletus saapuva sähköposti tili (POP / IMAP) ja yritä uudelleen." apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Saatava tili -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Rivi # {0}: Asset {1} on jo {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Rivi # {0}: Asset {1} on jo {2} DocType: Quotation Item,Stock Balance,Varastotase apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Myyntitilauksesta maksuun apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,toimitusjohtaja @@ -2126,10 +2129,11 @@ DocType: C-Form,Received Date,Saivat Date DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",mikäli olet tehnyt perusmallipohjan myyntiveroille ja maksumallin valitse se ja jatka alla olevalla painikella DocType: BOM Scrap Item,Basic Amount (Company Currency),Basic Summa (Company valuutta) DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Hinnat ei näytetä, jos hinnasto ei ole asetettu" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Ilmoitathan maa tälle toimitus säännön tai tarkistaa Postikuluja DocType: Stock Entry,Total Incoming Value,"Kokonaisarvo, saapuva" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Veloituksen tarvitaan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Veloituksen tarvitaan apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Kellokortit auttaa seurata aikaa, kustannuksia ja laskutusta aktiviteetti tehdä tiimisi" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Ostohinta List DocType: Offer Letter Term,Offer Term,Tarjouksen voimassaolo @@ -2148,11 +2152,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Tuote DocType: Timesheet Detail,To Time,Aikaan DocType: Authorization Rule,Approving Role (above authorized value),Hyväksymisestä Rooli (edellä valtuutettu arvo) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,kredit tilin tulee olla maksutili -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM-rekursio: {0} ei voi olla {2}:n osa tai päinvastoin +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM-rekursio: {0} ei voi olla {2}:n osa tai päinvastoin DocType: Production Order Operation,Completed Qty,valmiit yksikkömäärä apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, vain debet tili voidaan kohdistaa kredit kirjaukseen" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Hinnasto {0} on poistettu käytöstä -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rivi {0}: Valmis Määrä voi olla enintään {1} toimimaan {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rivi {0}: Valmis Määrä voi olla enintään {1} toimimaan {2} DocType: Manufacturing Settings,Allow Overtime,Salli Ylityöt apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serialized Kohta {0} ei voida päivittää käyttämällä Stock sovinnon käytä varastojen lisäyksenä DocType: Training Event Employee,Training Event Employee,Koulutustapahtuma Työntekijä @@ -2170,10 +2174,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,ulkoinen apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Käyttäjät ja käyttöoikeudet DocType: Vehicle Log,VLOG.,Vlogi. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Tuotanto Tilaukset Luotu: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Tuotanto Tilaukset Luotu: {0} DocType: Branch,Branch,Sivutoimiala DocType: Guardian,Mobile Number,Puhelinnumero apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tulostus ja brändäys +DocType: Company,Total Monthly Sales,Kuukausittainen myynti yhteensä DocType: Bin,Actual Quantity,kiinteä yksikkömäärä DocType: Shipping Rule,example: Next Day Shipping,esimerkiksi: seuraavan päivän toimitus apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Sarjanumeroa {0} ei löydy @@ -2203,7 +2208,7 @@ DocType: Payment Request,Make Sales Invoice,tee myyntilasku apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Ohjelmistot apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Seuraava Ota Date ei voi olla menneisyydessä DocType: Company,For Reference Only.,vain viitteeksi -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Valitse Erä +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Valitse Erä apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},virheellinen {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-jälkikä- DocType: Sales Invoice Advance,Advance Amount,ennakko @@ -2216,7 +2221,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ei Item kanssa Barcode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,asianumero ei voi olla 0 DocType: Item,Show a slideshow at the top of the page,Näytä diaesitys sivun yläreunassa -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,BOMs apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,varastoi DocType: Serial No,Delivery Time,toimitusaika apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,vanhentuminen perustuu @@ -2230,16 +2235,16 @@ DocType: Rename Tool,Rename Tool,Nimeä työkalu apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Päivitä kustannukset DocType: Item Reorder,Item Reorder,Tuotteen täydennystilaus apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Näytä Palkka Slip -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,materiaalisiirto +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,materiaalisiirto DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","määritä toiminnot, käyttökustannukset ja anna toiminnoille oma uniikki numero" apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tämä asiakirja on yli rajan {0} {1} alkion {4}. Teetkö toisen {3} vasten samalla {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Ole hyvä ja aseta toistuvuustieto vasta lomakkeen tallentamisen jälkeen. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Valitse muutoksen suuruuden tili +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Ole hyvä ja aseta toistuvuustieto vasta lomakkeen tallentamisen jälkeen. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Valitse muutoksen suuruuden tili DocType: Purchase Invoice,Price List Currency,"Hinnasto, valuutta" DocType: Naming Series,User must always select,Käyttäjän tulee aina valita DocType: Stock Settings,Allow Negative Stock,salli negatiivinen varastoarvo DocType: Installation Note,Installation Note,asennus huomautus -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,lisää veroja +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,lisää veroja DocType: Topic,Topic,Aihe apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Rahoituksen rahavirta DocType: Budget Account,Budget Account,Talousarviotili @@ -2253,7 +2258,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,jälj apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Rahoituksen lähde (vieras pääoma) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Määrä rivillä {0} ({1}) tulee olla sama kuin valmistettu määrä {2} DocType: Appraisal,Employee,työntekijä -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Valitse Batch +DocType: Company,Sales Monthly History,Myynti Kuukausittainen historia +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Valitse Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} on kokonaan laskutettu DocType: Training Event,End Time,ajan loppu apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktiivinen Palkkarakenne {0} löytyi työntekijöiden {1} annetulle päivämäärät @@ -2261,15 +2267,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Maksu vähennykset tai tappio apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,"perussopimusehdot, myynti tai osto" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,tositteen ryhmä apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Sales Pipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Aseta oletus tilin palkanosa {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Aseta oletus tilin palkanosa {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,pyydetylle DocType: Rename Tool,File to Rename,Uudelleen nimettävä tiedosto apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Valitse BOM varten Tuote rivillä {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Tilin {0} ei vastaa yhtiön {1} -tilassa Account: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Määriteltyä BOM:ia {0} ei löydy tuotteelle {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,huoltoaikataulu {0} on peruttava ennen myyntitilauksen perumista +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,huoltoaikataulu {0} on peruttava ennen myyntitilauksen perumista DocType: Notification Control,Expense Claim Approved,kulukorvaus hyväksytty -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Aseta numeerinen sarja osallistumiselle Setup> Numerosarjan kautta apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Palkka Slip työntekijöiden {0} on jo luotu tällä kaudella apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Lääkealan apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ostettujen tuotteiden kustannukset @@ -2286,7 +2291,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM nro valmiille t DocType: Upload Attendance,Attendance To Date,osallistuminen päivään DocType: Warranty Claim,Raised By,Pyynnön tekijä DocType: Payment Gateway Account,Payment Account,Maksutili -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Ilmoitathan Yritys jatkaa +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Ilmoitathan Yritys jatkaa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Nettomuutos Myyntireskontra apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,korvaava on pois DocType: Offer Letter,Accepted,hyväksytyt @@ -2295,12 +2300,12 @@ DocType: SG Creation Tool Course,Student Group Name,Opiskelijan Group Name apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Haluatko varmasti poistaa kaikki tämän yrityksen tapahtumat, päätyedostosi säilyy silti entisellään, tätä toimintoa ei voi peruuttaa" DocType: Room,Room Number,Huoneen numero apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Virheellinen viittaus {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei voi olla suurempi arvo kuin suunniteltu tuotantomäärä ({2}) tuotannon tilauksessa {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei voi olla suurempi arvo kuin suunniteltu tuotantomäärä ({2}) tuotannon tilauksessa {3} DocType: Shipping Rule,Shipping Rule Label,Toimitussäännön nimike apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Käyttäjäfoorumi -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Raaka-aineet ei voi olla tyhjiä -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Ei voinut päivittää hyllyssä, lasku sisältää pudota merenkulku erä." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Nopea Päiväkirjakirjaus +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Raaka-aineet ei voi olla tyhjiä +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Ei voinut päivittää hyllyssä, lasku sisältää pudota merenkulku erä." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Nopea Päiväkirjakirjaus apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"hintaa ei voi muuttaa, jos BOM liitetty johonkin tuotteeseen" DocType: Employee,Previous Work Experience,Edellinen Työkokemus DocType: Stock Entry,For Quantity,yksikkömäärään @@ -2357,7 +2362,7 @@ DocType: SMS Log,No of Requested SMS,Pyydetyn SMS-viestin numero apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Jätä Ilman Pay ei vastaa hyväksyttyä Leave Application kirjaa DocType: Campaign,Campaign-.####,kampanja -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Seuraavat vaiheet -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Ole hyvä ja toimittaa erityisiin kohtiin on paras mahdollinen hinnat +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Ole hyvä ja toimittaa erityisiin kohtiin on paras mahdollinen hinnat DocType: Selling Settings,Auto close Opportunity after 15 days,Auto lähellä Mahdollisuus 15 päivän jälkeen apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,end Year apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lyijy% @@ -2394,7 +2399,7 @@ DocType: Homepage,Homepage,kotisivu DocType: Purchase Receipt Item,Recd Quantity,RECD Määrä apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Records Luotu - {0} DocType: Asset Category Account,Asset Category Account,Asset Luokka Account -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},ei voi valmistaa suurempaa määrää tuotteita {0} kuin myyntitilauksen määrä {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},ei voi valmistaa suurempaa määrää tuotteita {0} kuin myyntitilauksen määrä {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,varaston kirjaus {0} ei ole lähetetty DocType: Payment Reconciliation,Bank / Cash Account,Pankki-tai Kassatili apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Seuraava Ota By voi olla sama kuin Lead Sähköpostiosoite @@ -2427,7 +2432,7 @@ DocType: Salary Structure,Total Earning,Ansiot yhteensä DocType: Purchase Receipt,Time at which materials were received,Vaihtomateriaalien vastaanottoaika DocType: Stock Ledger Entry,Outgoing Rate,lähtevä taso apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisaation sivutoimialamalline -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,tai +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,tai DocType: Sales Order,Billing Status,Laskutus tila apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Raportoi asia apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Hyödykekulut @@ -2435,7 +2440,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rivi # {0}: Päiväkirjakirjaus {1} ei ole huomioon {2} tai jo sovitettu toista voucher DocType: Buying Settings,Default Buying Price List,"oletus hinnasto, osto" DocType: Process Payroll,Salary Slip Based on Timesheet,Palkka tuntilomakkeen mukaan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Yksikään työntekijä ei edellä valitut kriteerit TAI palkkakuitin jo luotu +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Yksikään työntekijä ei edellä valitut kriteerit TAI palkkakuitin jo luotu DocType: Notification Control,Sales Order Message,"Myyntitilaus, viesti" apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Aseta oletusarvot kuten yritys, valuutta, kuluvan tilikausi jne" DocType: Payment Entry,Payment Type,Maksun tyyppi @@ -2459,7 +2464,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kuitti asiakirja on esitettävä DocType: Purchase Invoice Item,Received Qty,Saapunut yksikkömäärä DocType: Stock Entry Detail,Serial No / Batch,Sarjanumero / erä -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Ei makseta ja ei toimiteta +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Ei makseta ja ei toimiteta DocType: Product Bundle,Parent Item,Pääkohde DocType: Account,Account Type,Tilin tyyppi DocType: Delivery Note,DN-RET-,DN-jälkikä- @@ -2489,8 +2494,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Yhteensä osuutensa apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Aseta oletus varaston osuus investointikertymämenetelmän DocType: Item Reorder,Material Request Type,materiaalipyynnön tyyppi -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Päiväkirjakirjaus palkkojen välillä {0} ja {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStoragen on täynnä, ei tallentanut" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Päiväkirjakirjaus palkkojen välillä {0} ja {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStoragen on täynnä, ei tallentanut" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Rivi {0}: UOM Muuntokerroin on pakollinen apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Viite DocType: Budget,Cost Center,kustannuspaikka @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,tulov apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","mikäli 'hinnalle' on tehty hinnoittelusääntö se korvaa hinnaston, hinnoittelusääntö on lopullinen hinta joten lisäalennusta ei voi antaa, näin myyntitilaus, ostotilaus ym tapahtumaissa tuote sijoittuu paremmin 'arvo' kenttään 'hinnaston arvo' kenttään" apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Seuraa vihjeitä toimialan mukaan DocType: Item Supplier,Item Supplier,tuote toimittaja -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Syötä tuotekoodi saadaksesi eränumeron +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Syötä tuotekoodi saadaksesi eränumeron apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Syötä arvot tarjouksesta {0} tarjoukseen {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,kaikki osoitteet DocType: Company,Stock Settings,varastoasetukset @@ -2535,7 +2540,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,todellinen yksikkömä apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ei palkkakuitin välillä havaittu {0} ja {1} ,Pending SO Items For Purchase Request,"Ostettavat pyyntö, odottavat myyntitilaukset" apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Opiskelijavalinta -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} on poistettu käytöstä +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} on poistettu käytöstä DocType: Supplier,Billing Currency,Laskutus Valuutta DocType: Sales Invoice,SINV-RET-,SINV-jälkikä- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,erittäin suuri @@ -2565,7 +2570,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,sovellus status DocType: Fees,Fees,Maksut DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,määritä valuutan muunnostaso vaihtaaksesi valuutan toiseen -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Tarjous {0} on peruttu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Tarjous {0} on peruttu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,odottava arvomäärä yhteensä DocType: Sales Partner,Targets,Tavoitteet DocType: Price List,Price List Master,Hinnasto valvonta @@ -2582,7 +2587,7 @@ DocType: POS Profile,Ignore Pricing Rule,ohita hinnoittelu sääntö DocType: Employee Education,Graduate,valmistunut DocType: Leave Block List,Block Days,estopäivää DocType: Journal Entry,Excise Entry,aksiisikirjaus -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Varoitus: Myyntitilaus {0} on jo olemassa vastaan Asiakkaan Ostotilaus {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Varoitus: Myyntitilaus {0} on jo olemassa vastaan Asiakkaan Ostotilaus {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2608,7 +2613,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),mik ,Salary Register,Palkka Register DocType: Warehouse,Parent Warehouse,Päävarasto DocType: C-Form Invoice Detail,Net Total,netto yhteensä -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Oletuksena BOM ei löytynyt Tuote {0} ja Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Oletuksena BOM ei löytynyt Tuote {0} ja Project {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Määritä eri laina tyypit DocType: Bin,FCFS Rate,FCFS taso DocType: Payment Reconciliation Invoice,Outstanding Amount,odottava arvomäärä @@ -2645,7 +2650,7 @@ DocType: Salary Detail,Condition and Formula Help,Ehto ja Formula Ohje apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,hallitse aluepuuta DocType: Journal Entry Account,Sales Invoice,Myyntilasku DocType: Journal Entry Account,Party Balance,Osatase -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Valitse käytä alennusta +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Valitse käytä alennusta DocType: Company,Default Receivable Account,oletus saatava tili DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,tee pankkikirjaus maksetusta kokonaispalkasta edellä valituin kriteerein DocType: Stock Entry,Material Transfer for Manufacture,materiaalisiirto tuotantoon @@ -2659,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Asiakkaan osoite DocType: Employee Loan,Loan Details,Loan tiedot DocType: Company,Default Inventory Account,Oletus Inventory Tili -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rivi {0}: Valmis Määrä on oltava suurempi kuin nolla. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Rivi {0}: Valmis Määrä on oltava suurempi kuin nolla. DocType: Purchase Invoice,Apply Additional Discount On,käytä lisäalennusta DocType: Account,Root Type,kantatyyppi DocType: Item,FIFO,FIFO @@ -2676,7 +2681,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Laatutarkistus apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,erittäin pieni DocType: Company,Standard Template,Standard Template DocType: Training Event,Theory,Teoria -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Varoitus: Pyydetty materiaalin määrä alittaa vähimmäistilausmäärän +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Varoitus: Pyydetty materiaalin määrä alittaa vähimmäistilausmäärän apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,tili {0} on jäädytetty DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"juridinen hlö / tytäryhtiö, jolla on erillinen tilikartta kuuluu organisaatioon" DocType: Payment Request,Mute Email,Mute Sähköposti @@ -2700,7 +2705,7 @@ DocType: Training Event,Scheduled,Aikataulutettu apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Tarjouspyyntö. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Valitse tuote joka ""varastotuote"", ""numero"" ja ""myyntituote"" valinnat täpätty kohtaan ""kyllä"", tuotteella ole muuta tavarakokonaisuutta" DocType: Student Log,Academic,akateeminen -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Yhteensä etukäteen ({0}) vastaan Order {1} ei voi olla suurempi kuin Grand Total ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Yhteensä etukäteen ({0}) vastaan Order {1} ei voi olla suurempi kuin Grand Total ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Valitse toimitusten kk jaksotus tehdäksesi kausiluonteiset toimitusttavoitteet DocType: Purchase Invoice Item,Valuation Rate,Arvostustaso DocType: Stock Reconciliation,SR/,SR / @@ -2764,6 +2769,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,pankkipääte DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,syötä kampanjan nimi jos kirjauksen lähde on kampanja apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Newspaper Publishers apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Valitse tilikausi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Odotettu toimituspäivä on myynnin tilauspäivän jälkeen apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Täydennystilaustaso DocType: Company,Chart Of Accounts Template,Tilikartta Template DocType: Attendance,Attendance Date,"osallistuminen, päivä" @@ -2795,7 +2801,7 @@ DocType: Pricing Rule,Discount Percentage,alennusprosentti DocType: Payment Reconciliation Invoice,Invoice Number,laskun numero DocType: Shopping Cart Settings,Orders,Tilaukset DocType: Employee Leave Approver,Leave Approver,Vapaiden hyväksyjä -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Valitse erä +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Valitse erä DocType: Assessment Group,Assessment Group Name,Assessment Group Name DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiaali Siirretty valmistus DocType: Expense Claim,"A user with ""Expense Approver"" role","käyttäjä jolla on ""kulujen hyväksyjä"" rooli" @@ -2831,7 +2837,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,seuraavan kuukauden viimeinen päivä DocType: Support Settings,Auto close Issue after 7 days,Auto lähellä Issue 7 päivän jälkeen apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Vapaita ei voida käyttää ennen {0}, koska käytettävissä olevat vapaat on jo siirretty eteenpäin jaksolle {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),huom: viitepäivä huomioiden asiakkaan luottoraja ylittyy {0} päivää +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),huom: viitepäivä huomioiden asiakkaan luottoraja ylittyy {0} päivää apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Hakija DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Kertyneiden poistojen tili @@ -2842,7 +2848,7 @@ DocType: Item,Reorder level based on Warehouse,Varastoon perustuva täydennystil DocType: Activity Cost,Billing Rate,Laskutus taso ,Qty to Deliver,Toimitettava yksikkömäärä ,Stock Analytics,Varastoanalytiikka -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Toimintaa ei voi jättää tyhjäksi +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Toimintaa ei voi jättää tyhjäksi DocType: Maintenance Visit Purpose,Against Document Detail No,asiakirjan yksityiskohta nro kohdistus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Osapuoli tyyppi on pakollinen DocType: Quality Inspection,Outgoing,Lähtevä @@ -2883,15 +2889,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,saatava varaston yksikkömäärä apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,laskutettu DocType: Asset,Double Declining Balance,Double jäännösarvopoisto -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Suljettu järjestys ei voi peruuttaa. Unclose peruuttaa. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Suljettu järjestys ei voi peruuttaa. Unclose peruuttaa. DocType: Student Guardian,Father,Isä -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Päivitä varasto' ei voida valita käyttöomaisuuden myynteihin +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Päivitä varasto' ei voida valita käyttöomaisuuden myynteihin DocType: Bank Reconciliation,Bank Reconciliation,pankin täsmäytys DocType: Attendance,On Leave,lomalla apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,hae päivitykset apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Tili {2} ei kuulu yhtiön {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,materiaalipyyntö {0} on peruttu tai keskeytetty -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Lisää muutama esimerkkitietue +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Lisää muutama esimerkkitietue apps/erpnext/erpnext/config/hr.py +301,Leave Management,Vapaiden hallinta apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,tilin ryhmä DocType: Sales Order,Fully Delivered,täysin toimitettu @@ -2900,12 +2906,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","erotilin tulee olla vastaavat/vastattavat tili huomioiden, että varaston täsmäytys vaatii aloituskirjauksen" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Maksettu summa ei voi olla suurempi kuin lainan määrä {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Ostotilauksen numero vaaditaan tuotteelle {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Tuotantotilaus ei luonut +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Tuotantotilaus ei luonut apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',Aloituspäivän tulee olla ennen päättymispäivää apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Ei voida muuttaa asemaa opiskelija {0} liittyy opiskelijavalinta {1} DocType: Asset,Fully Depreciated,täydet poistot ,Stock Projected Qty,ennustettu varaston yksikkömäärä -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},asiakas {0} ei kuulu projektiin {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},asiakas {0} ei kuulu projektiin {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Merkitty Läsnäolo HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Lainaukset ovat ehdotuksia, tarjouksia olet lähettänyt asiakkaille" DocType: Sales Order,Customer's Purchase Order,Asiakkaan Ostotilaus @@ -2915,7 +2921,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Aseta määrä Poistot varatut apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Arvo tai yksikkömäärä apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Tilaukset ei voida nostaa varten: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minuutti +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minuutti DocType: Purchase Invoice,Purchase Taxes and Charges,Oston verot ja maksut ,Qty to Receive,Vastaanotettava yksikkömäärä DocType: Leave Block List,Leave Block List Allowed,Sallitut @@ -2928,7 +2934,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,kaikki toimittajatyypit DocType: Global Defaults,Disable In Words,Poista In Sanat apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"tuotekoodi vaaditaan, sillä tuotetta ei numeroida automaattisesti" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Tarjous {0} ei ole tyyppiä {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Tarjous {0} ei ole tyyppiä {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,"huoltoaikataulu, tuote" DocType: Sales Order,% Delivered,% toimitettu DocType: Production Order,PRO-,PRO- @@ -2951,7 +2957,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Myyjä sähköposti DocType: Project,Total Purchase Cost (via Purchase Invoice),hankintakustannusten kokonaismäärä (ostolaskuista) DocType: Training Event,Start Time,aloitusaika -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Valitse yksikkömäärä +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Valitse yksikkömäärä DocType: Customs Tariff Number,Customs Tariff Number,Tullitariffinumero apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,hyväksyvä rooli ei voi olla sama kuin käytetyssä säännössä oleva apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Peruuta tämän sähköpostilistan koostetilaus @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,täysin laskutettu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,käsirahat -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Toimitus varasto tarvitaan varastonimike {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Toimitus varasto tarvitaan varastonimike {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),"Pakkauksen bruttopaino, yleensä tuotteen nettopaino + pakkausmateriaalin paino (tulostukseen)" apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Ohjelmoida DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Roolin omaavat käyttäjät voivat jäädyttää tilejä, sekä luoda ja muokata kirjanpidon kirjauksia jäädytettyillä tileillä" @@ -2984,7 +2990,7 @@ DocType: Student Group,Group Based On,Ryhmät pohjautuvat DocType: Journal Entry,Bill Date,Bill Date apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Palvelu Tuote, tyyppi, taajuus ja kustannuksella määrä tarvitaan" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",vaikka useita hinnoittelusääntöjä on olemassa korkeimmalla prioriteetilla seuraavia sisäisiä prioriteettejä noudatetaan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Haluatko varmasti lähettää kaikki palkkakuitin välillä {0} ja {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Haluatko varmasti lähettää kaikki palkkakuitin välillä {0} ja {1} DocType: Cheque Print Template,Cheque Height,Shekki Korkeus DocType: Supplier,Supplier Details,toimittajan lisätiedot DocType: Expense Claim,Approval Status,hyväksynnän tila @@ -3006,7 +3012,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,vihjeestä tarjous apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ei voi muuta osoittaa. DocType: Lead,From Customer,asiakkaasta apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,pyynnöt -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,erissä +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,erissä DocType: Project,Total Costing Amount (via Time Logs),Kustannuslaskenta arvomäärä yhteensä (aikaloki) DocType: Purchase Order Item Supplied,Stock UOM,varasto UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Ostotilausta {0} ei ole lähetetty @@ -3037,7 +3043,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,"ostolasku, palautukse DocType: Item,Warranty Period (in days),Takuuaika (päivinä) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Suhde Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Liiketoiminnan nettorahavirta -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,"esim, alv" +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,"esim, alv" apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Nimike 4 DocType: Student Admission,Admission End Date,Pääsymaksu Päättymispäivä apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Alihankinta @@ -3045,7 +3051,7 @@ DocType: Journal Entry Account,Journal Entry Account,päiväkirjakirjaus tili apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group DocType: Shopping Cart Settings,Quotation Series,"Tarjous, sarjat" apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Samanniminen nimike on jo olemassa ({0}), vaihda nimikeryhmän nimeä tai nimeä nimike uudelleen" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Valitse asiakas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Valitse asiakas DocType: C-Form,I,minä DocType: Company,Asset Depreciation Cost Center,Poistojen kustannuspaikka DocType: Sales Order Item,Sales Order Date,"Myyntitilaus, päivä" @@ -3056,6 +3062,7 @@ DocType: Stock Settings,Limit Percent,raja Prosenttia ,Payment Period Based On Invoice Date,Maksuaikaa perustuu laskun päiväykseen apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},valuuttakurssi puuttuu {0} DocType: Assessment Plan,Examiner,tarkastaja +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Naming-sarja {0} asetukseksi Setup> Settings> Naming Series DocType: Student,Siblings,Sisarukset DocType: Journal Entry,Stock Entry,varaston kirjaus DocType: Payment Entry,Payment References,Maksu viitteet @@ -3080,7 +3087,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Missä valmistus tapahtuu DocType: Asset Movement,Source Warehouse,Lähde varasto DocType: Installation Note,Installation Date,asennuspäivä -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Rivi # {0}: Asset {1} ei kuulu yhtiön {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Rivi # {0}: Asset {1} ei kuulu yhtiön {2} DocType: Employee,Confirmation Date,Työsopimuksen vahvistamispäivä DocType: C-Form,Total Invoiced Amount,Kokonaislaskutus arvomäärä apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,min yksikkömäärä ei voi olla suurempi kuin max yksikkömäärä @@ -3153,7 +3160,7 @@ DocType: Company,Default Letter Head,oletus kirjeen otsikko DocType: Purchase Order,Get Items from Open Material Requests,Hae nimikkeet avoimista materiaalipyynnöistä DocType: Item,Standard Selling Rate,Perusmyyntihinta DocType: Account,Rate at which this tax is applied,taso jolla tätä veroa sovelletaan -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Täydennystilauksen yksikkömäärä +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Täydennystilauksen yksikkömäärä apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Avoimet työpaikat DocType: Company,Stock Adjustment Account,Varastonsäätötili apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Poisto @@ -3167,7 +3174,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Toimittaja toimittaa Asiakkaalle apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) on loppunut apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Seuraava Päivämäärä on oltava suurempi kuin julkaisupäivämäärä -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},erä- / viitepäivä ei voi olla {0} jälkeen +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},erä- / viitepäivä ei voi olla {0} jälkeen apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,tietojen tuonti ja vienti apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Ei opiskelijat Todettu apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Laskun julkaisupäivä @@ -3187,12 +3194,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Tämä perustuu läsnäolo tämän Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Ei opiskelijat apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Lisätä kohteita tai avata koko lomakkeen -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Anna "Expected Delivery Date" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,lähete {0} tulee perua ennen myyntilauksen perumista +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,lähete {0} tulee perua ennen myyntilauksen perumista apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Maksettu arvomäärä + poistotilin summa ei voi olla suurempi kuin kokonaissumma apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ei sallittu eränumero tuotteelle {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Huom: jäännöstyypille {0} ei ole tarpeeksi vapaata jäännöstasetta -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Virheellinen GSTIN tai Enter NA Rekisteröimätön +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Virheellinen GSTIN tai Enter NA Rekisteröimätön DocType: Training Event,Seminar,seminaari DocType: Program Enrollment Fee,Program Enrollment Fee,Ohjelma Ilmoittautuminen Fee DocType: Item,Supplier Items,toimittajan tuotteet @@ -3210,7 +3216,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Varaston vanheneminen apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Opiskelija {0} on olemassa vastaan opiskelijahakijaksi {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Tuntilomake -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' on poistettu käytöstä +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' on poistettu käytöstä apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Aseta avoimeksi DocType: Cheque Print Template,Scanned Cheque,Skannattu Shekki DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,"Lähetä sähköpostia automaattisesti yhteyshenkilöille kun tapahtuman ""lähetys"" tehdään" @@ -3256,7 +3262,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,valuuttakurssi DocType: Purchase Invoice Item,Rate,Hinta apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,harjoitella -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Osoite Nimi +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Osoite Nimi DocType: Stock Entry,From BOM,BOM:sta DocType: Assessment Code,Assessment Code,arviointi koodi apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,perustiedot @@ -3269,20 +3275,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Palkkarakenne DocType: Account,Bank,pankki apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,lentoyhtiö -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,materiaali aihe +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,materiaali aihe DocType: Material Request Item,For Warehouse,Varastoon DocType: Employee,Offer Date,Työsopimusehdotuksen päivämäärä apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Lainaukset -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Olet offline-tilassa. Et voi ladata kunnes olet verkon. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Olet offline-tilassa. Et voi ladata kunnes olet verkon. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Ei opiskelijaryhmille luotu. DocType: Purchase Invoice Item,Serial No,Sarjanumero apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Kuukauden lyhennyksen määrä ei voi olla suurempi kuin Lainamäärä apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Syötä ylläpidon lisätiedot ensin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rivi # {0}: Odotettu toimituspäivä ei voi olla ennen ostotilauspäivää DocType: Purchase Invoice,Print Language,käytettävä tulosteiden kieli DocType: Salary Slip,Total Working Hours,Kokonaistyöaika DocType: Stock Entry,Including items for sub assemblies,mukaanlukien alikokoonpanon tuotteet -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Anna-arvon on oltava positiivinen -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Tuotemerkki +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Anna-arvon on oltava positiivinen apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Kaikki alueet DocType: Purchase Invoice,Items,tuotteet apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Opiskelijan on jo ilmoittautunut. @@ -3304,7 +3310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Oletus mittayksikkö Variant "{0}" on oltava sama kuin malli "{1}" DocType: Shipping Rule,Calculate Based On,"laske, perusteet" DocType: Delivery Note Item,From Warehouse,Varastosta -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Kohteita ei Bill materiaalien valmistus +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Kohteita ei Bill materiaalien valmistus DocType: Assessment Plan,Supervisor Name,ohjaaja Name DocType: Program Enrollment Course,Program Enrollment Course,Ohjelma Ilmoittautuminen kurssi DocType: Purchase Taxes and Charges,Valuation and Total,Arvo ja Summa @@ -3319,32 +3325,33 @@ DocType: Training Event Employee,Attended,Kävi apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Päivää edellisestä tilauksesta' on oltava suurempi tai yhtäsuuri kuin nolla DocType: Process Payroll,Payroll Frequency,Payroll Frequency DocType: Asset,Amended From,muutettu mistä -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Raaka-aine +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Raaka-aine DocType: Leave Application,Follow via Email,Seuraa sähköpostitse apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Laitteet ja koneisto DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Veron arvomäärä alennuksen jälkeen DocType: Daily Work Summary Settings,Daily Work Summary Settings,Päivittäinen työ Yhteenveto Asetukset -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuutta hinnaston {0} ei ole samanlainen valittuun valuutta {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuutta hinnaston {0} ei ole samanlainen valittuun valuutta {1} DocType: Payment Entry,Internal Transfer,sisäinen siirto apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,"tällä tilillä on alatili, et voi poistaa tätä tiliä" apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,tavoite yksikkömäärä tai tavoite arvomäärä vaaditaan apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},tuotteelle {0} ei ole olemassa oletus BOM:ia -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Valitse julkaisupäivä ensimmäinen +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Valitse julkaisupäivä ensimmäinen apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Aukiolopäivä pitäisi olla ennen Tarjouksentekijä DocType: Leave Control Panel,Carry Forward,siirrä apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,olemassaolevien tapahtumien kustannuspaikkaa ei voi muuttaa tilikirjaksi DocType: Department,Days for which Holidays are blocked for this department.,päivät jolloin lomat on estetty tälle osastolle ,Produced,Valmistettu -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Luotu palkkakuitit +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Luotu palkkakuitit DocType: Item,Item Code for Suppliers,toimittajan tuotekoodi DocType: Issue,Raised By (Email),Pyynnön tekijä (sähköposti) DocType: Training Event,Trainer Name,Trainer Name DocType: Mode of Payment,General,pää apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,viime Viestintä apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',vähennystä ei voi tehdä jos kategoria on 'arvo' tai 'arvo ja summa' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","luettelo verotapahtumista, kuten (alv, tulli, ym, ne tulee olla uniikkeja nimiä) ja vakioarvoin, tämä luo perusmallipohjan, jota muokata tai lisätä tarpeen mukaan myöhemmin" +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","luettelo verotapahtumista, kuten (alv, tulli, ym, ne tulee olla uniikkeja nimiä) ja vakioarvoin, tämä luo perusmallipohjan, jota muokata tai lisätä tarpeen mukaan myöhemmin" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Sarjanumero edelyttää sarjoitettua tuotetta {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Maksut Laskut +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Rivi # {0}: Anna toimituspäivämäärä kohteen {1} DocType: Journal Entry,Bank Entry,pankkikirjaus DocType: Authorization Rule,Applicable To (Designation),sovellettavissa (nimi) ,Profitability Analysis,Kannattavuusanalyysi @@ -3360,17 +3367,18 @@ DocType: Quality Inspection,Item Serial No,tuote sarjanumero apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Luo Työntekijä Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Nykyarvo yhteensä apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,tilinpäätöksen -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,tunti +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,tunti apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"uusi sarjanumero voi olla varastossa, sarjanumero muodoruu varaston kirjauksella tai ostokuitilla" DocType: Lead,Lead Type,vihjeen tyyppi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Sinulla ei ole lupa hyväksyä lehdet Block Päivämäärät -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Kaikki nämä asiat on jo laskutettu +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Kaikki nämä asiat on jo laskutettu +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Kuukausittainen myyntiketju apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},hyväksyjä on {0} DocType: Item,Default Material Request Type,Oletus Materiaali Pyyntötyyppi apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Tuntematon DocType: Shipping Rule,Shipping Rule Conditions,Toimitussääntöehdot DocType: BOM Replace Tool,The new BOM after replacement,Uusi materiaaliluettelo korvauksen jälkeen -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Myyntipiste +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Myyntipiste DocType: Payment Entry,Received Amount,Vastaanotetut Määrä DocType: GST Settings,GSTIN Email Sent On,GSTIN Sähköposti Lähetetyt Käytössä DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop Guardian @@ -3385,8 +3393,8 @@ DocType: C-Form,Invoices,laskut DocType: Batch,Source Document Name,Lähde Asiakirjan nimi DocType: Job Opening,Job Title,Työtehtävä apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Luo Käyttäjät -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gramma -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Määrä Valmistus on oltava suurempi kuin 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gramma +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Määrä Valmistus on oltava suurempi kuin 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Käyntiraportti huoltopyynnöille DocType: Stock Entry,Update Rate and Availability,Päivitysnopeus ja saatavuus DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Vastaanoton tai toimituksen prosenttiosuus on liian suuri suhteessa tilausmäärään, esim: mikäli 100 yksikköä on tilattu sallittu ylitys on 10% niin sallittu määrä on 110 yksikköä" @@ -3398,7 +3406,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Peruuta Ostolasku {0} ensimmäinen apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Sähköpostiosoite täytyy olla yksilöllinen, on jo olemassa {0}" DocType: Serial No,AMC Expiry Date,AMC Viimeinen käyttöpäivä -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,kuitti +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,kuitti ,Sales Register,Myyntirekisteri DocType: Daily Work Summary Settings Company,Send Emails At,Lähetä sähköposteja DocType: Quotation,Quotation Lost Reason,"Tarjous hävitty, syy" @@ -3411,14 +3419,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Ei Asiakkaat apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Rahavirtalaskelma apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lainamäärä voi ylittää suurin lainamäärä on {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,lisenssi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Poista lasku {0} C-kaaviosta {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Poista lasku {0} C-kaaviosta {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Valitse jatka eteenpäin mikäli haluat sisällyttää edellisen tilikauden taseen tälle tilikaudelle DocType: GL Entry,Against Voucher Type,tositteen tyyppi kohdistus DocType: Item,Attributes,tuntomerkkejä apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Syötä poistotili apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Viimeinen tilaus päivämäärä apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Tili {0} ei kuulu yritykselle {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Sarjanumeroita peräkkäin {0} ei vastaa lähetysluettelon +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Sarjanumeroita peräkkäin {0} ei vastaa lähetysluettelon DocType: Student,Guardian Details,Guardian Tietoja DocType: C-Form,C-Form,C-muoto apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Läsnäolo useita työntekijöitä @@ -3450,16 +3458,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,To DocType: Tax Rule,Sales,Myynti DocType: Stock Entry Detail,Basic Amount,Perusmäärät DocType: Training Event,Exam,Koe -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Varasto vaaditaan varastotuotteelle {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Varasto vaaditaan varastotuotteelle {0} DocType: Leave Allocation,Unused leaves,Käyttämättömät lehdet -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Laskutus valtion apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,siirto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ei liittynyt PartyAccount {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Nouda BOM räjäytys (mukaan lukien alikokoonpanot) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Nouda BOM räjäytys (mukaan lukien alikokoonpanot) DocType: Authorization Rule,Applicable To (Employee),sovellettavissa (työntekijä) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,eräpäivä vaaditaan apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Puuston Taito {0} ei voi olla 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue DocType: Journal Entry,Pay To / Recd From,Pay To / RECD Mistä DocType: Naming Series,Setup Series,Sarjojen määritys DocType: Payment Reconciliation,To Invoice Date,Laskun päivämäärä @@ -3486,7 +3495,7 @@ DocType: Journal Entry,Write Off Based On,Poisto perustuu apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Luo liidi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Tulosta ja Paperi DocType: Stock Settings,Show Barcode Field,Näytä Viivakoodi Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Lähetä toimittaja Sähköpostit +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Lähetä toimittaja Sähköpostit apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Palkka jo käsitellä välisenä aikana {0} ja {1}, Jätä hakuaika voi olla välillä tällä aikavälillä." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,sarjanumeron asennustietue DocType: Guardian Interest,Guardian Interest,Guardian Interest @@ -3499,7 +3508,7 @@ DocType: Offer Letter,Awaiting Response,Odottaa vastausta apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Yläpuolella apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Virheellinen määrite {0} {1} DocType: Supplier,Mention if non-standard payable account,Mainitse jos standardista maksetaan tilille -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Sama viesti on tullut useita kertoja. {lista} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Sama viesti on tullut useita kertoja. {lista} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Valitse arvioinnin muu ryhmä kuin "Kaikki arviointi Ryhmien DocType: Salary Slip,Earning & Deduction,ansio & vähennys apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"valinnainen, asetusta käytetään suodatettaessa eri tapahtumia" @@ -3518,7 +3527,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kustannukset Scrapped Asset apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: kustannuspaikka on pakollinen tuotteelle {2} DocType: Vehicle,Policy No,Policy Ei -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Hae nimikkeet tuotenipusta +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Hae nimikkeet tuotenipusta DocType: Asset,Straight Line,Suora viiva DocType: Project User,Project User,Projektikäyttäjä apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Jakaa @@ -3530,6 +3539,7 @@ DocType: Sales Team,Contact No.,yhteystiedot nro DocType: Bank Reconciliation,Payment Entries,Maksu merkinnät DocType: Production Order,Scrap Warehouse,romu Varasto DocType: Production Order,Check if material transfer entry is not required,"Tarkista, onko materiaali siirto merkintää ei tarvita" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Aseta työntekijän nimeämisjärjestelmä henkilöresursseihin> HR-asetukset DocType: Program Enrollment Tool,Get Students From,Get opiskelijaa DocType: Hub Settings,Seller Country,Myyjä maa apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Julkaise kohteet Website @@ -3547,19 +3557,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,määritä toimituskustannus arvomäärälaskennan ehdot DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,rooli voi jäädyttää- sekä muokata jäädytettyjä kirjauksia apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"kustannuspaikasta ei voi siirtää tilikirjaan, sillä kustannuspaikalla on alasidoksia" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Opening Arvo +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Opening Arvo DocType: Salary Detail,Formula,Kaava apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Sarja # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,provisio myynti DocType: Offer Letter Term,Value / Description,Arvo / Kuvaus -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rivi # {0}: Asset {1} ei voida antaa, se on jo {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rivi # {0}: Asset {1} ei voida antaa, se on jo {2}" DocType: Tax Rule,Billing Country,Laskutusmaa DocType: Purchase Order Item,Expected Delivery Date,odotettu toimituspäivä apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,debet ja kredit eivät täsmää {0} # {1}. ero on {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,edustuskulut apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Tee Material Request apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open Kohta {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Myyntilasku {0} tulee peruuttaa ennen myyntitilauksen perumista +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Myyntilasku {0} tulee peruuttaa ennen myyntitilauksen perumista apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ikä DocType: Sales Invoice Timesheet,Billing Amount,laskutuksen arvomäärä apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,virheellinen yksikkömäärä on määritetty tuotteelle {0} se tulee olla suurempi kuin 0 @@ -3582,7 +3592,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Uusi asiakas Liikevaihto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,matkakulut DocType: Maintenance Visit,Breakdown,hajoitus -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Tili: {0} kanssa valuutta: {1} ei voi valita +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Tili: {0} kanssa valuutta: {1} ei voi valita DocType: Bank Reconciliation Detail,Cheque Date,takaus/shekki päivä apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},tili {0}: emotili {1} ei kuulu yritykselle: {2} DocType: Program Enrollment Tool,Student Applicants,Student Hakijat @@ -3602,11 +3612,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Suunni DocType: Material Request,Issued,liitetty apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Student Activity DocType: Project,Total Billing Amount (via Time Logs),Laskutuksen kokomaisarvomäärä (aikaloki) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Myymme tätä tuotetta +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Myymme tätä tuotetta apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,toimittaja tunnus DocType: Payment Request,Payment Gateway Details,Payment Gateway Tietoja -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Määrä olisi oltava suurempi kuin 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Otostiedoille +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Määrä olisi oltava suurempi kuin 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Otostiedoille DocType: Journal Entry,Cash Entry,kassakirjaus apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child solmut voidaan ainoastaan perustettu "ryhmä" tyyppi solmuja DocType: Leave Application,Half Day Date,Half Day Date @@ -3615,17 +3625,18 @@ DocType: Sales Partner,Contact Desc,"yhteystiedot, kuvailu" apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Vapaatyypit, kuten vapaa-aika, sairastuminen, jne." DocType: Email Digest,Send regular summary reports via Email.,Lähetä yhteenvetoraportteja säännöllisesti sähköpostitse DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Aseta oletus tilin Matkakorvauslomakkeet tyyppi {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Aseta oletus tilin Matkakorvauslomakkeet tyyppi {0} DocType: Assessment Result,Student Name,Opiskelijan nimi DocType: Brand,Item Manager,Tuotehallinta apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll Maksettava DocType: Buying Settings,Default Supplier Type,oletus toimittajatyyppi DocType: Production Order,Total Operating Cost,käyttökustannukset yhteensä -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,huom: tuote {0} kirjattu useampia kertoja +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,huom: tuote {0} kirjattu useampia kertoja apps/erpnext/erpnext/config/selling.py +41,All Contacts.,kaikki yhteystiedot +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Aseta kohde apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,yrityksen lyhenne apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Käyttäjä {0} ei ole olemassa -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Raaka-aine ei voi olla päätuote +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Raaka-aine ei voi olla päätuote DocType: Item Attribute Value,Abbreviation,Lyhenne apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Maksu Entry jo olemassa apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ei authroized koska {0} ylittää rajat @@ -3643,7 +3654,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,rooli saa muokata jä ,Territory Target Variance Item Group-Wise,"Aluetavoite vaihtelu, tuoteryhmä työkalu" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,kaikki asiakasryhmät apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,kertyneet Kuukauden -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} on pakollinen, voi olla ettei valuutanvaihto tietuetta ei tehty {1}:stä {2}:n." +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} on pakollinen, voi olla ettei valuutanvaihto tietuetta ei tehty {1}:stä {2}:n." apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Vero malli on pakollinen. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,tili {0}: emotili {1} ei ole olemassa DocType: Purchase Invoice Item,Price List Rate (Company Currency),Hinta (yrityksen valuutassa) @@ -3654,7 +3665,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Prosenttiosuus apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sihteeri DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Jos poistaa käytöstä, "In Sanat" kentässä ei näy missään kauppa" DocType: Serial No,Distinct unit of an Item,tuotteen erillisyksikkö -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Aseta Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Aseta Company DocType: Pricing Rule,Buying,Ostaminen DocType: HR Settings,Employee Records to be created by,työntekijä tietue on tehtävä DocType: POS Profile,Apply Discount On,Levitä alennus @@ -3665,7 +3676,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,"tuote työkalu, verotiedot" apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute lyhenne ,Item-wise Price List Rate,Tuotekohtainen hinta hinnastossa -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Toimituskykytiedustelu +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Toimituskykytiedustelu DocType: Quotation,In Words will be visible once you save the Quotation.,"sanat näkyvät, kun tallennat tarjouksen" apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Määrä ({0}) ei voi olla osa rivillä {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Kerää maksut @@ -3688,7 +3699,7 @@ Updated via 'Time Log'","""aikaloki"" päivitys minuuteissa" DocType: Customer,From Lead,Liidistä apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,tuotantoon luovutetut tilaukset apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Valitse tilikausi ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS profiili vaatii POS kirjauksen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS profiili vaatii POS kirjauksen DocType: Program Enrollment Tool,Enroll Students,Ilmoittaudu Opiskelijat DocType: Hub Settings,Name Token,Name Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,perusmyynti @@ -3706,7 +3717,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,"varastoarvo, ero" apps/erpnext/erpnext/config/learn.py +234,Human Resource,henkilöstöresurssi DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Maksun täsmäytys toiseen maksuun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,"Vero, vastaavat" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Tuotanto tilaa on {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Tuotanto tilaa on {0} DocType: BOM Item,BOM No,BOM nro DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,päiväkirjakirjauksella {0} ei ole tiliä {1} tai on täsmätty toiseen tositteeseen @@ -3720,7 +3731,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Lataa o apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,"odottaa, pankkipääte" DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,"Tuoteryhmä työkalu, aseta tavoitteet tälle myyjälle" DocType: Stock Settings,Freeze Stocks Older Than [Days],jäädytä yli [päivää] vanhat varastot -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rivi # {0}: Asset on pakollinen käyttöomaisuushankintoihin osto / myynti +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rivi # {0}: Asset on pakollinen käyttöomaisuushankintoihin osto / myynti apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","yllämainituilla ehdoilla löytyy kaksi tai useampia hinnoittelusääntöjä ja prioriteettia tarvitaan, prioriteettinumero luku 0-20:n välillä, oletusarvona se on nolla (tyhjä), mitä korkeampi luku sitä suurempi prioriteetti" apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Tilikautta: {0} ei ole olemassa DocType: Currency Exchange,To Currency,Valuuttakursseihin @@ -3728,7 +3739,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,kuluvaatimus tyypit apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Myynnin hinnan kohteen {0} on pienempi kuin sen {1}. Myynnin määrä tulisi olla vähintään {2} DocType: Item,Taxes,Verot -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Maksettu ja ei toimitettu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Maksettu ja ei toimitettu DocType: Project,Default Cost Center,oletus kustannuspaikka DocType: Bank Guarantee,End Date,päättymispäivä apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Varastotapahtumat @@ -3745,7 +3756,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Päivittäinen työ Yhteenveto Asetukset Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Nimike {0} ohitetaan sillä se ei ole varastotuote DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,lähetä tuotannon tilaus eteenpäin +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,lähetä tuotannon tilaus eteenpäin apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",Kaikki sovellettavat hinnoittelusäännöt tulee poistaa käytöstä ettei hinnoittelusääntöjä käytetä tähän tapahtumaan DocType: Assessment Group,Parent Assessment Group,Parent Assessment Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Työpaikat @@ -3753,10 +3764,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Työpaikat DocType: Employee,Held On,järjesteltiin apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Tuotanto tuote ,Employee Information,Työntekijöiden tiedot -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),aste (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),aste (%) DocType: Stock Entry Detail,Additional Cost,Muita Kustannukset apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",ei voi suodattaa tositenumero pohjalta mikäli tosite on ryhmässä -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Tee toimituskykytiedustelu +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Tee toimituskykytiedustelu DocType: Quality Inspection,Incoming,saapuva DocType: BOM,Materials Required (Exploded),materiaalitarve (räjäytys) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",lisää toisia käyttäjiä organisaatiosi @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Tiliä {0} voi päivittää vain varastotapahtumien kautta DocType: Student Group Creation Tool,Get Courses,Get Kurssit DocType: GL Entry,Party,Osapuoli -DocType: Sales Order,Delivery Date,toimituspäivä +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,toimituspäivä DocType: Opportunity,Opportunity Date,mahdollisuuden päivämäärä DocType: Purchase Receipt,Return Against Purchase Receipt,palautus kohdistettuna ostokuittin DocType: Request for Quotation Item,Request for Quotation Item,tarjouspyynnön tuote @@ -3786,7 +3797,7 @@ DocType: Task,Actual Time (in Hours),todellinen aika (tunneissa) DocType: Employee,History In Company,yrityksen historia apps/erpnext/erpnext/config/learn.py +107,Newsletters,Uutiskirjeet DocType: Stock Ledger Entry,Stock Ledger Entry,Varastokirjanpidon tilikirjaus -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Sama viesti on tullut useita kertoja +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Sama viesti on tullut useita kertoja DocType: Department,Leave Block List,Estoluettelo DocType: Sales Invoice,Tax ID,Tax ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,"tuotteella {0} ei ole määritettyä sarjanumeroa, sarake on tyhjä" @@ -3804,25 +3815,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,musta DocType: BOM Explosion Item,BOM Explosion Item,BOM-tuotesisältö DocType: Account,Auditor,Tilintarkastaja -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} nimikettä valmistettu +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} nimikettä valmistettu DocType: Cheque Print Template,Distance from top edge,Etäisyys yläreunasta apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Hinnasto {0} on poistettu käytöstä tai sitä ei ole DocType: Purchase Invoice,Return,paluu DocType: Production Order Operation,Production Order Operation,Tuotannon tilauksen toimenpiteet DocType: Pricing Rule,Disable,poista käytöstä -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Tila maksu on suoritettava maksu +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Tila maksu on suoritettava maksu DocType: Project Task,Pending Review,Odottaa näkymä apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ei ilmoittautunut Erä {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ei voida romuttaa, koska se on jo {1}" DocType: Task,Total Expense Claim (via Expense Claim),Kuluvaatimus yhteensä (kuluvaatimuksesta) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rivi {0}: valuutta BOM # {1} pitäisi olla yhtä suuri kuin valittu valuutta {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rivi {0}: valuutta BOM # {1} pitäisi olla yhtä suuri kuin valittu valuutta {2} DocType: Journal Entry Account,Exchange Rate,Valuuttakurssi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Myyntitilausta {0} ei ole lähetetty +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Myyntitilausta {0} ei ole lähetetty DocType: Homepage,Tag Line,Iskulause DocType: Fee Component,Fee Component,Fee Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Kaluston hallinta -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Lisää kohteita +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Lisää kohteita DocType: Cheque Print Template,Regular,säännöllinen apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Yhteensä weightage Kaikkien Arviointikriteerit on oltava 100% DocType: BOM,Last Purchase Rate,Viimeisin ostohinta @@ -3843,12 +3854,12 @@ DocType: Employee,Reports to,raportoi DocType: SMS Settings,Enter url parameter for receiver nos,syötä url parametrin vastaanottonro DocType: Payment Entry,Paid Amount,Maksettu arvomäärä DocType: Assessment Plan,Supervisor,Valvoja -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online ,Available Stock for Packing Items,pakattavat tuotteet saatavissa varastosta DocType: Item Variant,Item Variant,tuotemalli DocType: Assessment Result Tool,Assessment Result Tool,Assessment Tulos Tool DocType: BOM Scrap Item,BOM Scrap Item,BOM romu Kohta -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Toimitettu tilauksia ei voi poistaa +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Toimitettu tilauksia ei voi poistaa apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Tilin tase on jo dedet, syötetyn arvon tulee olla 'tasapainossa' eli 'krebit'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Määrähallinta apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Kohta {0} on poistettu käytöstä @@ -3879,7 +3890,7 @@ DocType: Item Group,Default Expense Account,oletus kulutili apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Opiskelijan Sähköposti ID DocType: Employee,Notice (days),Ilmoitus (päivää) DocType: Tax Rule,Sales Tax Template,Sales Tax Malline -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Valitse kohteita tallentaa laskun +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Valitse kohteita tallentaa laskun DocType: Employee,Encashment Date,perintä päivä DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Varastonsäätö @@ -3929,10 +3940,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,lähety apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max alennus sallittua item: {0} on {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Substanssi kuin DocType: Account,Receivable,Saatava -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rivi # {0}: Ei saa muuttaa Toimittaja kuten ostotilaus on jo olemassa +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rivi # {0}: Ei saa muuttaa Toimittaja kuten ostotilaus on jo olemassa DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,roolilla jolla voi lähettää tapamtumia pääsee luottoraja asetuksiin -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Valitse tuotteet Valmistus -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master data synkronointia, se saattaa kestää jonkin aikaa" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Valitse tuotteet Valmistus +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master data synkronointia, se saattaa kestää jonkin aikaa" DocType: Item,Material Issue,materiaali aihe DocType: Hub Settings,Seller Description,Myyjän kuvaus DocType: Employee Education,Qualification,Pätevyys @@ -3953,11 +3964,10 @@ DocType: BOM,Rate Of Materials Based On,materiaaliarvostelu perustuen apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,tuki Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Poista kaikki DocType: POS Profile,Terms and Conditions,Ehdot ja säännöt -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Aseta työntekijän nimeämisjärjestelmä henkilöresursseihin> HR-asetukset apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Päivä tulee olla tällä tilikaudella, oletettu lopetuspäivä = {0}" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","tässä voit ylläpitää terveystietoja, pituus, paino, allergiat, lääkkeet jne" DocType: Leave Block List,Applies to Company,koskee yritystä -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"ei voi peruuttaa, sillä lähetetty varaston tosite {0} on jo olemassa" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"ei voi peruuttaa, sillä lähetetty varaston tosite {0} on jo olemassa" DocType: Employee Loan,Disbursement Date,maksupäivä DocType: Vehicle,Vehicle,ajoneuvo DocType: Purchase Invoice,In Words,sanat @@ -3995,7 +4005,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,yleiset asetukset DocType: Assessment Result Detail,Assessment Result Detail,Arviointi Tulos Detail DocType: Employee Education,Employee Education,työntekijä koulutus apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Monista kohde ryhmä löysi erään ryhmätaulukkoon -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Sitä tarvitaan hakemaan Osa Tiedot. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Sitä tarvitaan hakemaan Osa Tiedot. DocType: Salary Slip,Net Pay,Nettomaksu DocType: Account,Account,tili apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Sarjanumero {0} on jo saapunut @@ -4003,7 +4013,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,ajoneuvo Log DocType: Purchase Invoice,Recurring Id,Toistuva Id DocType: Customer,Sales Team Details,Myyntitiimin lisätiedot -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,poista pysyvästi? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,poista pysyvästi? DocType: Expense Claim,Total Claimed Amount,Vaatimukset arvomäärä yhteensä apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Myynnin potentiaalisia tilaisuuksia apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Virheellinen {0} @@ -4015,7 +4025,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup School ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base Muuta Summa (Company valuutta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,ei kirjanpidon kirjauksia seuraaviin varastoihin -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Tallenna asiakirja ensin +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Tallenna asiakirja ensin DocType: Account,Chargeable,veloitettava DocType: Company,Change Abbreviation,muuta lyhennettä DocType: Expense Claim Detail,Expense Date,"kulu, päivä" @@ -4029,7 +4039,6 @@ DocType: BOM,Manufacturing User,Valmistus Käyttäjä DocType: Purchase Invoice,Raw Materials Supplied,Raaka-aineet toimitettu DocType: Purchase Invoice,Recurring Print Format,Toistuvat tulostusmuodot DocType: C-Form,Series,Numerosarja -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,odotettu toimituspäivä ei voi olla ennen ostotilauksen päivää DocType: Appraisal,Appraisal Template,Arvioinnin mallipohjat DocType: Item Group,Item Classification,tuote luokittelu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Liiketoiminnan kehityspäällikkö @@ -4068,12 +4077,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Valitse Me apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Koulutustapahtumat / Tulokset apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Kertyneet poistot kuin DocType: Sales Invoice,C-Form Applicable,C-muotoa sovelletaan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Toiminta-aika on oltava suurempi kuin 0 Toiminta {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Toiminta-aika on oltava suurempi kuin 0 Toiminta {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Varasto on pakollinen DocType: Supplier,Address and Contacts,Osoite ja yhteystiedot DocType: UOM Conversion Detail,UOM Conversion Detail,Mittayksikön muunnon lisätiedot DocType: Program,Program Abbreviation,Ohjelma lyhenne -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Tuotannon tilausta ei voi kohdistaa tuotteen mallipohjaan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Tuotannon tilausta ei voi kohdistaa tuotteen mallipohjaan apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,maksut on päivitetty ostokuitilla kondistettuna jokaiseen tuotteeseen DocType: Warranty Claim,Resolved By,ratkaissut DocType: Bank Guarantee,Start Date,aloituspäivä @@ -4108,6 +4117,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Training Palaute apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Tuotannon tilaus {0} on lähetettävä apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Ole hyvä ja valitse alkamispäivä ja päättymispäivä Kohta {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Aseta myyntitavoite, jonka haluat saavuttaa." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurssi on pakollinen rivi {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Päivään ei voi olla ennen aloituspäivää DocType: Supplier Quotation Item,Prevdoc DocType,Edellinen tietuetyyppi @@ -4125,7 +4135,7 @@ DocType: Account,Income,tulo DocType: Industry Type,Industry Type,teollisuus tyyppi apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Jokin meni pieleen! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Varoitus: Hakemus vapaasta sisältää päiviä joita ei ole sallittu -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Myyntilasku {0} on lähetetty +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Myyntilasku {0} on lähetetty DocType: Assessment Result Detail,Score,Pisteet apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Verovuoden {0} ei ole olemassa apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,katselmus päivä @@ -4155,7 +4165,7 @@ DocType: Naming Series,Help HTML,"HTML, ohje" DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool DocType: Item,Variant Based On,Variant perustuvat apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},nimetty painoarvo yhteensä tulee olla 100% nyt se on {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,omat toimittajat +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,omat toimittajat apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,ei voi asettaa hävityksi sillä myyntitilaus on tehty DocType: Request for Quotation Item,Supplier Part No,Toimittaja osanumero apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Ei voi vähentää, kun kategoria on "arvostus" tai "Vaulation ja Total"" @@ -4165,14 +4175,14 @@ DocType: Item,Has Serial No,on sarjanumero DocType: Employee,Date of Issue,aiheen päivä apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: valitse {0} on {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kuten kohti ostaminen Asetukset, jos hankinta Reciept Pakollinen == KYLLÄ, sitten luoda Ostolasku, käyttäjän täytyy luoda Ostokuitti ensin kohteen {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Rivi # {0}: Aseta toimittaja kohteen {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rivi {0}: Tuntia arvon on oltava suurempi kuin nolla. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Rivi # {0}: Aseta toimittaja kohteen {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Rivi {0}: Tuntia arvon on oltava suurempi kuin nolla. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Sivsuton kuvaa {0} kohteelle {1} ei löydy DocType: Issue,Content Type,sisällön tyyppi apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,tietokone DocType: Item,List this Item in multiple groups on the website.,Listaa tästä Kohta useisiin ryhmiin verkkosivuilla. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Tarkista usean valuutan mahdollisuuden sallia tilejä muu valuutta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,tuote: {0} ei ole järjestelmässä +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,tuote: {0} ei ole järjestelmässä apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,sinulla ei ole oikeutta asettaa jäätymis arva DocType: Payment Reconciliation,Get Unreconciled Entries,hae täsmäämättömät kirjaukset DocType: Payment Reconciliation,From Invoice Date,Alkaen Laskun päiväys @@ -4198,7 +4208,7 @@ DocType: Stock Entry,Default Source Warehouse,oletus lähde varasto DocType: Item,Customer Code,asiakkaan koodi apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Syntymäpäivämuistutus {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,päivää edellisestä tilauksesta -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debit tilin on oltava tase tili +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debit tilin on oltava tase tili DocType: Buying Settings,Naming Series,Nimeä sarjat DocType: Leave Block List,Leave Block List Name,nimi apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Vakuutus Aloituspäivä pitäisi olla alle Insurance Päättymispäivä @@ -4215,7 +4225,7 @@ DocType: Vehicle Log,Odometer,Matkamittari DocType: Sales Order Item,Ordered Qty,tilattu yksikkömäärä apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Nimike {0} on poistettu käytöstä DocType: Stock Settings,Stock Frozen Upto,varasto jäädytetty asti -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Osaluettelo ei sisällä yhtäkään varastonimikettä +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,Osaluettelo ei sisällä yhtäkään varastonimikettä apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Ajanjakso mistä ja mihin päivämäärään ovat pakollisia toistuville {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Tehtävä DocType: Vehicle Log,Refuelling Details,Tankkaaminen tiedot @@ -4225,7 +4235,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Viimeisin osto korko ei löytynyt DocType: Purchase Invoice,Write Off Amount (Company Currency),Kirjoita Off Määrä (Yrityksen valuutta) DocType: Sales Invoice Timesheet,Billing Hours,Laskutus tuntia -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Oletus BOM varten {0} ei löytynyt +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Oletus BOM varten {0} ei löytynyt apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Rivi # {0}: Aseta täydennystilauksen yksikkömäärä apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Kosketa kohteita lisätä ne tästä DocType: Fees,Program Enrollment,Ohjelma Ilmoittautuminen @@ -4257,6 +4267,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,vanhentumisen skaala 2 DocType: SG Creation Tool Course,Max Strength,max Strength apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM korvattu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Valitse kohteet toimituspäivän perusteella ,Sales Analytics,Myyntianalytiikka apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Käytettävissä {0} ,Prospects Engaged But Not Converted,Näkymät Kihloissa Mutta ei muunneta @@ -4303,7 +4314,7 @@ DocType: Authorization Rule,Customerwise Discount,asiakaskohtainen alennus apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Tehtävien tuntilomake. DocType: Purchase Invoice,Against Expense Account,kulutilin kohdistus DocType: Production Order,Production Order,Tuotannon tilaus -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,asennus huomautus {0} on jo lähetetty +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,asennus huomautus {0} on jo lähetetty DocType: Bank Reconciliation,Get Payment Entries,Get Payment Merkinnät DocType: Quotation Item,Against Docname,asiakirjan nimi kohdistus DocType: SMS Center,All Employee (Active),kaikki työntekijät (aktiiviset) @@ -4312,7 +4323,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Raaka-ainekustannukset DocType: Item Reorder,Re-Order Level,Täydennystilaustaso DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"syötä tuotteet ja suunniteltu yksikkömäärä, joille haluat lisätä tuotantotilauksia tai joista haluat ladata raaka-aine analyysin" -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,gantt kaavio +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,gantt kaavio apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Osa-aikainen DocType: Employee,Applicable Holiday List,sovellettava lomalista DocType: Employee,Cheque,takaus/shekki @@ -4368,11 +4379,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Varattu Määrä for Production DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Jätä valitsematta jos et halua pohtia erän samalla tietenkin toimiviin ryhmiin. DocType: Asset,Frequency of Depreciation (Months),Taajuus Poistot (kuukautta) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Luottotili +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Luottotili DocType: Landed Cost Item,Landed Cost Item,"Kohdistetut kustannukset, tuote" apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Näytä nolla-arvot DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Tuotemääräarvio valmistuksen- / uudelleenpakkauksen jälkeen annetuista raaka-aineen määristä -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Asennus yksinkertainen sivusto organisaatiolleni +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Asennus yksinkertainen sivusto organisaatiolleni DocType: Payment Reconciliation,Receivable / Payable Account,Saatava / maksettava tili DocType: Delivery Note Item,Against Sales Order Item,Myyntitilauksen kohdistus / nimike apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Ilmoitathan Taito Vastinetta määrite {0} @@ -4434,22 +4445,22 @@ DocType: Student,Nationality,kansalaisuus ,Items To Be Requested,tuotteet joita on pyydettävä DocType: Purchase Order,Get Last Purchase Rate,käytä viimeisimmän edellisen oston hintoja DocType: Company,Company Info,yrityksen tiedot -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Valitse tai lisätä uuden asiakkaan -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kustannuspaikkaa vaaditaan varata kulukorvauslasku +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Valitse tai lisätä uuden asiakkaan +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Kustannuspaikkaa vaaditaan varata kulukorvauslasku apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),sovellus varat (vastaavat) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Tämä perustuu työntekijän läsnäoloihin -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Luottotililtä +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Luottotililtä DocType: Fiscal Year,Year Start Date,Vuoden aloituspäivä DocType: Attendance,Employee Name,työntekijän nimi DocType: Sales Invoice,Rounded Total (Company Currency),pyöristys yhteensä (yrityksen valuutta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ei voi kääntää ryhmiin sillä tilin tyyppi on valittu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,"{0} {1} on muutettu, päivitä" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,"{0} {1} on muutettu, päivitä" DocType: Leave Block List,Stop users from making Leave Applications on following days.,estä käyttäjiä tekemästä poistumissovelluksia seuraavina päivinä apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Osto Määrä apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Toimittaja noteeraus {0} luotu apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Loppu vuosi voi olla ennen Aloitusvuosi apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,työntekijä etuudet -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Pakattujen määrä tulee olla kuin tuotteen {0} määrä rivillä {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Pakattujen määrä tulee olla kuin tuotteen {0} määrä rivillä {1} DocType: Production Order,Manufactured Qty,valmistettu yksikkömäärä DocType: Purchase Receipt Item,Accepted Quantity,hyväksytyt määrä apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Aseta oletus Holiday List Työntekijä {0} tai Company {1} @@ -4460,11 +4471,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"rivi nro {0}: arvomäärä ei voi olla suurempi kuin odottava kuluvaatimus {1}, odottavien arvomäärä on {2}" DocType: Maintenance Schedule,Schedule,Aikataulu DocType: Account,Parent Account,Päätili -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,saatavissa +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,saatavissa DocType: Quality Inspection Reading,Reading 3,Lukema 3 ,Hub,hubi DocType: GL Entry,Voucher Type,Tositetyyppi -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Hinnastoa ei löydy tai se on poistettu käytöstä +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Hinnastoa ei löydy tai se on poistettu käytöstä DocType: Employee Loan Application,Approved,hyväksytty DocType: Pricing Rule,Price,Hinta apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"työntekijä vapautettu {0} tulee asettaa ""vasemmalla""" @@ -4533,7 +4544,7 @@ DocType: SMS Settings,Static Parameters,staattinen parametri DocType: Assessment Plan,Room,Huone DocType: Purchase Order,Advance Paid,ennakkoon maksettu DocType: Item,Item Tax,Tuotteen vero -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiaalin Toimittaja +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiaalin Toimittaja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Valmistevero Lasku apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Kynnys {0}% esiintyy useammin kuin kerran DocType: Expense Claim,Employees Email Id,työntekijän sähköpostiosoite @@ -4573,7 +4584,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Malli DocType: Production Order,Actual Operating Cost,todelliset toimintakustannukset DocType: Payment Entry,Cheque/Reference No,Sekki / viitenumero -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,kantaa ei voi muokata DocType: Item,Units of Measure,Mittayksiköt DocType: Manufacturing Settings,Allow Production on Holidays,salli tuotanto lomapäivinä @@ -4606,12 +4616,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,kredit päivää apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Tee Student Erä DocType: Leave Type,Is Carry Forward,siirretääkö -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,hae tuotteita BOM:sta +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,hae tuotteita BOM:sta apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,"virtausaika, päivää" -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rivi # {0}: julkaisupäivä on oltava sama kuin ostopäivästä {1} asset {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rivi # {0}: julkaisupäivä on oltava sama kuin ostopäivästä {1} asset {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Valitse tämä jos opiskelija oleskelee instituutin Hostel. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Syötä Myyntitilaukset edellä olevasta taulukosta -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Not Submitted palkkakuitit +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Not Submitted palkkakuitit ,Stock Summary,Stock Yhteenveto apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Luovuttaa omaisuuttaan yhdestä varastosta another DocType: Vehicle,Petrol,Bensiini diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 499f2a2b907..39363a88cd9 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Revendeur DocType: Employee,Rented,Loué DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Applicable pour l'Utilisateur -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Un Ordre de Fabrication Arrêté ne peut pas être annulé, remettez le d'abord en marche pour l'annuler" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Un Ordre de Fabrication Arrêté ne peut pas être annulé, remettez le d'abord en marche pour l'annuler" DocType: Vehicle Service,Mileage,Kilométrage apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Voulez-vous vraiment mettre cet actif au rebut ? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Sélectionner le Fournisseur par Défaut @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Facturé apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Taux de Change doit être le même que {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Nom du Client DocType: Vehicle,Natural Gas,Gaz Naturel -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Compte Bancaire ne peut pas être nommé {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Compte Bancaire ne peut pas être nommé {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Titres (ou groupes) sur lequel les entrées comptables sont faites et les soldes sont maintenus. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Solde pour {0} ne peut pas être inférieur à zéro ({1}) DocType: Manufacturing Settings,Default 10 mins,10 minutes Par Défaut @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Nom du Type de Congé apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Afficher ouverte apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Mise à jour des Séries Réussie apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Règlement -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accumulation des Journaux d'Écritures Soumis +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accumulation des Journaux d'Écritures Soumis DocType: Pricing Rule,Apply On,Appliquer Sur DocType: Item Price,Multiple Item prices.,Plusieurs Prix d'Articles. ,Purchase Order Items To Be Received,Articles à Recevoir du Bon de Commande @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Compte du Mode de Paiem apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Afficher les Variantes DocType: Academic Term,Academic Term,Terme Académique apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Matériel -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Quantité +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Quantité apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Le tableau de comptes ne peut être vide. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Prêts (Passif) DocType: Employee Education,Year of Passing,Année de Passage @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Soins de Santé apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Retard de paiement (jours) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Frais de Service -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Numéro de Série: {0} est déjà référencé dans la Facture de Vente: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Facture +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Numéro de Série: {0} est déjà référencé dans la Facture de Vente: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Facture DocType: Maintenance Schedule Item,Periodicity,Périodicité apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Exercice Fiscal {0} est nécessaire -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Date de Livraison Prévue est antérieure à la Date de la Commande Client apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Défense DocType: Salary Component,Abbr,Abré DocType: Appraisal Goal,Score (0-5),Score (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ligne # {0} : DocType: Timesheet,Total Costing Amount,Montant Total des Coûts DocType: Delivery Note,Vehicle No,N° du Véhicule -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Veuillez sélectionner une Liste de Prix +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Veuillez sélectionner une Liste de Prix apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Ligne #{0} : Document de paiement nécessaire pour compléter la transaction DocType: Production Order Operation,Work In Progress,Travaux En Cours apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Veuillez sélectionner une date @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} dans aucun Exercice actif. DocType: Packed Item,Parent Detail docname,Nom de Document du Détail Parent apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Référence: {0}, Code de l'article: {1} et Client: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Journal apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Ouverture d'un Emploi. DocType: Item Attribute,Increment,Incrément @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Marié apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Non autorisé pour {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Obtenir les articles de -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock ne peut pas être mis à jour pour le Bon de Livraison {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock ne peut pas être mis à jour pour le Bon de Livraison {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produit {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Aucun article référencé DocType: Payment Reconciliation,Reconcile,Réconcilier @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Fonds apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,La Date de l’Amortissement Suivant ne peut pas être avant la Date d’Achat DocType: SMS Center,All Sales Person,Tous les Commerciaux DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**Répartition Mensuelle** vous aide à diviser le Budget / la Cible sur plusieurs mois si vous avez de la saisonnalité dans votre entreprise. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Pas d'objets trouvés +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Pas d'objets trouvés apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Grille des Salaires Manquante DocType: Lead,Person Name,Nom de la Personne DocType: Sales Invoice Item,Sales Invoice Item,Article de la Facture de Vente @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",'Est un Actif Immobilisé’ doit être coché car il existe une entrée d’Actif pour cet article DocType: Vehicle Service,Brake Oil,Liquide de Frein DocType: Tax Rule,Tax Type,Type de Taxe -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Montant imposable +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Montant Taxable apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Vous n'êtes pas autorisé à ajouter ou faire une mise à jour des écritures avant le {0} DocType: BOM,Item Image (if not slideshow),Image de l'Article (si ce n'est diaporama) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Un Client existe avec le même nom DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif Horaire / 60) * Temps Réel d’Opération -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Sélectionner LDM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Sélectionner LDM DocType: SMS Log,SMS Log,Journal des SMS apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Coût des Articles Livrés apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Le jour de vacances {0} n’est pas compris entre la Date Initiale et la Date Finale @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Écoles DocType: School Settings,Validate Batch for Students in Student Group,Valider le Lot pour les Étudiants en Groupe Étudiant apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Aucun congé trouvé pour l’employé {0} pour {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Veuillez d’abord entrer une Société -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Veuillez d’abord sélectionner une Société +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Veuillez d’abord sélectionner une Société DocType: Employee Education,Under Graduate,Non Diplômé apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Cible Sur DocType: BOM,Total Cost,Coût Total DocType: Journal Entry Account,Employee Loan,Prêt Employé -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Journal d'Activité : -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,L'article {0} n'existe pas dans le système ou a expiré +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Journal d'Activité : +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,L'article {0} n'existe pas dans le système ou a expiré apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Immobilier apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Relevé de Compte apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Médicaments @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Montant Réclamé apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Groupe de clients en double trouvé dans le tableau des groupes de clients apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Fournisseur / Type de Fournisseur DocType: Naming Series,Prefix,Préfixe -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Veuillez configurer Naming Series pour {0} via Setup> Paramètres> Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consommable +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consommable DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Journal d'Importation DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Récupérer les Demandes de Matériel de Type Production sur la base des critères ci-dessus DocType: Training Result Employee,Grade,Note DocType: Sales Invoice Item,Delivered By Supplier,Livré par le Fournisseur DocType: SMS Center,All Contact,Tout Contact -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Ordre de Production déjà créé pour tous les articles avec LDM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Ordre de Production déjà créé pour tous les articles avec LDM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salaire Annuel DocType: Daily Work Summary,Daily Work Summary,Récapitulatif Quotidien de Travail DocType: Period Closing Voucher,Closing Fiscal Year,Clôture de l'Exercice -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} est gelée +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} est gelée apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Veuillez sélectionner une Société Existante pour créer un Plan de Compte apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Charges de Stock apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Sélectionner l'Entrepôt Cible @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},La Qté Acceptée + Rejetée doit être égale à la quantité Reçue pour l'Article {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Fournir les Matières Premières pour l'Achat -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Au moins un mode de paiement est nécessaire pour une facture de PDV +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Au moins un mode de paiement est nécessaire pour une facture de PDV DocType: Products Settings,Show Products as a List,Afficher les Produits en Liste DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Téléchargez le modèle, remplissez les données appropriées et joignez le fichier modifié. Toutes les dates et combinaisons d’employés pour la période choisie seront inclus dans le modèle, avec les registres des présences existants" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,L'article {0} n’est pas actif ou sa fin de vie a été atteinte -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Exemple : Mathématiques de Base -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pour inclure la taxe de la ligne {0} dans le prix de l'Article, les taxes des lignes {1} doivent également être incluses" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Exemple : Mathématiques de Base +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pour inclure la taxe de la ligne {0} dans le prix de l'Article, les taxes des lignes {1} doivent également être incluses" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Réglages pour le Module RH DocType: SMS Center,SMS Center,Centre des SMS DocType: Sales Invoice,Change Amount,Changer le Montant @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Date d'installation ne peut pas être avant la date de livraison pour l'Article {0} DocType: Pricing Rule,Discount on Price List Rate (%),Remise sur la Liste des Prix (%) DocType: Offer Letter,Select Terms and Conditions,Sélectionner les Termes et Conditions -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Valeur Sortante +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Valeur Sortante DocType: Production Planning Tool,Sales Orders,Commandes Clients DocType: Purchase Taxes and Charges,Valuation,Valorisation ,Purchase Order Trends,Tendances des Bons de Commande @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Est Écriture Ouverte DocType: Customer Group,Mention if non-standard receivable account applicable,Mentionner si le compte débiteur applicable n'est pas standard DocType: Course Schedule,Instructor Name,Nom de l'Instructeur -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Pour l’Entrepôt est requis avant de Soumettre +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Pour l’Entrepôt est requis avant de Soumettre apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Reçu Le DocType: Sales Partner,Reseller,Revendeur DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Si cochée, comprendra des articles hors stock dans les Demandes de Matériel." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Pour l'Article de la Facture de Vente ,Production Orders in Progress,Ordres de Production en Cours apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Trésorerie Nette des Financements -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","Le Stockage Local est plein, l’enregistrement n’a pas fonctionné" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","Le Stockage Local est plein, l’enregistrement n’a pas fonctionné" DocType: Lead,Address & Contact,Adresse & Contact DocType: Leave Allocation,Add unused leaves from previous allocations,Ajouter les congés inutilisés des précédentes allocations apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Récurrent Suivant {0} sera créé le {1} DocType: Sales Partner,Partner website,Site Partenaire apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Ajouter un Article -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nom du Contact +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nom du Contact DocType: Course Assessment Criteria,Course Assessment Criteria,Critères d'Évaluation du Cours DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Crée la fiche de paie pour les critères mentionnés ci-dessus. DocType: POS Customer Group,POS Customer Group,Groupe Clients PDV @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Ligne {0} : Veuillez vérifier 'Est Avance' sur le compte {1} si c'est une avance. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},L'entrepôt {0} n'appartient pas à la société {1} DocType: Email Digest,Profit & Loss,Profits & Pertes -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Montant Total des Coûts (via Feuille de Temps) DocType: Item Website Specification,Item Website Specification,Spécification de l'Article sur le Site Web apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Laisser Verrouillé @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,N° de la Facture de Vente DocType: Material Request Item,Min Order Qty,Qté de Commande Min DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Cours sur l'Outil de Création de Groupe d'Étudiants DocType: Lead,Do Not Contact,Ne Pas Contacter -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Personnes qui enseignent dans votre organisation +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Personnes qui enseignent dans votre organisation DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,L'identifiant unique pour le suivi de toutes les factures récurrentes. Il est généré lors de la soumission. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Developeur Logiciel DocType: Item,Minimum Order Qty,Qté de Commande Minimum @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Publier dans le Hub DocType: Student Admission,Student Admission,Admission des Étudiants ,Terretory,Territoire apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Article {0} est annulé -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Demande de Matériel +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Demande de Matériel DocType: Bank Reconciliation,Update Clearance Date,Mettre à Jour la Date de Compensation DocType: Item,Purchase Details,Détails de l'Achat apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Article {0} introuvable dans la table 'Matières Premières Fournies' dans la Commande d'Achat {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Gestionnaire de Flotte apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Ligne #{0} : {1} ne peut pas être négatif pour l’article {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Mauvais Mot De Passe DocType: Item,Variant Of,Variante De -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Qté Terminée ne peut pas être supérieure à ""Quantité de Fabrication""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Qté Terminée ne peut pas être supérieure à ""Quantité de Fabrication""" DocType: Period Closing Voucher,Closing Account Head,Responsable du Compte Clôturé DocType: Employee,External Work History,Historique de Travail Externe apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Erreur de Référence Circulaire @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Distance du bord gauche apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unités de [{1}] (#Formulaire/Article/{1}) trouvées dans [{2}] (#Formulaire/Entrepôt/{2}) DocType: Lead,Industry,Industrie DocType: Employee,Job Profile,Profil de l'Emploi +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Ceci est basé sur des transactions contre cette société. Voir le calendrier ci-dessous pour plus de détails DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notifier par Email lors de la création automatique de la Demande de Matériel DocType: Journal Entry,Multi Currency,Multi-Devise DocType: Payment Reconciliation Invoice,Invoice Type,Type de Facture -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Bon de Livraison +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Bon de Livraison apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configuration des Impôts apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Coût des Immobilisations Vendus apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,L’Écriture de Paiement a été modifié après que vous l’ayez récupérée. Veuillez la récupérer à nouveau. @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Veuillez entrer une valeur pour 'Répéter le jour du mois' DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Taux auquel la Devise Client est convertie en devise client de base DocType: Course Scheduling Tool,Course Scheduling Tool,Outil de Planification des Cours -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ligne #{0} : La Facture d'Achat ne peut être faite pour un actif existant {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ligne #{0} : La Facture d'Achat ne peut être faite pour un actif existant {1} DocType: Item Tax,Tax Rate,Taux d'Imposition apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} déjà alloué pour l’Employé {1} pour la période {2} à {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Sélectionner l'Article +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Sélectionner l'Article apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,La Facture d’Achat {0} est déjà soumise apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Ligne # {0} : Le N° de Lot doit être le même que {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convertir en non-groupe @@ -444,7 +443,7 @@ DocType: Employee,Widowed,Veuf DocType: Request for Quotation,Request for Quotation,Appel d'Offre DocType: Salary Slip Timesheet,Working Hours,Heures de Travail DocType: Naming Series,Change the starting / current sequence number of an existing series.,Changer le numéro initial/actuel d'une série existante. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Créer un nouveau Client +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Créer un nouveau Client apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si plusieurs Règles de Prix continuent de prévaloir, les utilisateurs sont invités à définir manuellement la priorité pour résoudre les conflits." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Créer des Commandes d'Achat ,Purchase Register,Registre des Achats @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Nom de l'Examinateur DocType: Purchase Invoice Item,Quantity and Rate,Quantité et Taux DocType: Delivery Note,% Installed,% Installé -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Les Salles de Classe / Laboratoires etc. où des conférences peuvent être programmées. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Les Salles de Classe / Laboratoires etc. où des conférences peuvent être programmées. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Veuillez d’abord entrer le nom de l'entreprise DocType: Purchase Invoice,Supplier Name,Nom du Fournisseur apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lire le manuel d’ERPNext @@ -486,7 +485,7 @@ DocType: Lead,Channel Partner,Partenaire de Canal DocType: Account,Old Parent,Grand Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Champ Obligatoire - Année Académique DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personnaliser le texte d'introduction qui fera partie de cet Email. Chaque transaction a une introduction séparée. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Veuillez définir le compte créditeur par défaut pour la société {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Veuillez définir le compte créditeur par défaut pour la société {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Paramètres globaux pour tous les processus de fabrication. DocType: Accounts Settings,Accounts Frozen Upto,Comptes Gelés Jusqu'au DocType: SMS Log,Sent On,Envoyé le @@ -525,14 +524,14 @@ DocType: Journal Entry,Accounts Payable,Comptes Créditeurs apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Les LDMs sélectionnées ne sont pas pour le même article DocType: Pricing Rule,Valid Upto,Valide Jusqu'au DocType: Training Event,Workshop,Atelier -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Listez quelques-uns de vos clients. Ils peuvent être des entreprise ou des individus. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Listez quelques-uns de vos clients. Ils peuvent être des entreprise ou des individus. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Pièces Suffisantes pour Construire apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Revenu Direct apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Impossible de filtrer sur le Compte , si les lignes sont regroupées par Compte" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Agent Administratif apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Veuillez sélectionner un Cours DocType: Timesheet Detail,Hrs,Hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Veuillez sélectionner une Société +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Veuillez sélectionner une Société DocType: Stock Entry Detail,Difference Account,Compte d’Écart DocType: Purchase Invoice,Supplier GSTIN,GSTIN du Fournisseur apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Impossible de fermer une tâche si tâche dépendante {0} n'est pas fermée. @@ -548,7 +547,7 @@ DocType: Sales Invoice,Offline POS Name,Nom du PDV Hors-ligne` apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Veuillez définir une note pour le Seuil 0% DocType: Sales Order,To Deliver,À Livrer DocType: Purchase Invoice Item,Item,Article -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,N° de série de l'article ne peut pas être une fraction +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,N° de série de l'article ne peut pas être une fraction DocType: Journal Entry,Difference (Dr - Cr),Écart (Dr - Cr ) DocType: Account,Profit and Loss,Pertes et Profits apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gestion de la Sous-traitance @@ -574,7 +573,7 @@ DocType: Serial No,Warranty Period (Days),Période de Garantie (Jours) DocType: Installation Note Item,Installation Note Item,Article Remarque d'Installation DocType: Production Plan Item,Pending Qty,Qté en Attente DocType: Budget,Ignore,Ignorer -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} n'est pas actif +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} n'est pas actif apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS envoyé aux numéros suivants : {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Configurez les dimensions du chèque pour l'impression DocType: Salary Slip,Salary Slip Timesheet,Feuille de Temps de la Fiche de Paie @@ -608,7 +607,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Allouer apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +787,Sales Return,Retour de Ventes apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Remarque : Le total des congés alloués {0} ne doit pas être inférieur aux congés déjà approuvés {1} pour la période -,Total Stock Summary,Résumé de l'inventaire total +,Total Stock Summary,Récapitulatif de l'Inventaire Total DocType: Announcement,Posted By,Posté par DocType: Item,Delivered by Supplier (Drop Ship),Livré par le Fournisseur (Expédition Directe) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Base de données de clients potentiels. @@ -638,7 +637,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Données de Base DocType: Assessment Plan,Maximum Assessment Score,Score d'évaluation maximale apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Mettre à jour les Dates de Transation Bancaire apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Suivi du Temps -DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICAT POUR LE TRANSPORTEUR +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATA POUR LE TRANSPORTEUR DocType: Fiscal Year Company,Fiscal Year Company,Société de l’Exercice Fiscal DocType: Packing Slip Item,DN Detail,Détail du Bon de Livraison DocType: Training Event,Conference,Conférence @@ -678,8 +677,8 @@ DocType: Installation Note,IN-,DANS- DocType: Production Order Operation,In minutes,En Minutes DocType: Issue,Resolution Date,Date de Résolution DocType: Student Batch Name,Batch Name,Nom du Lot -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Feuille de Temps créée : -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Veuillez définir un compte de Caisse ou de Banque par défaut pour le Mode de Paiement {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Feuille de Temps créée : +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Veuillez définir un compte de Caisse ou de Banque par défaut pour le Mode de Paiement {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Inscrire DocType: GST Settings,GST Settings,Paramètres GST DocType: Selling Settings,Customer Naming By,Client Nommé par @@ -699,7 +698,7 @@ DocType: Activity Cost,Projects User,Utilisateur/Intervenant Projets apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Consommé apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0} : {1} introuvable dans la table de Détails de la Facture DocType: Company,Round Off Cost Center,Centre de Coûts d’Arrondi -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,La Visite d'Entretien {0} doit être annulée avant d'annuler cette Commande Client +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,La Visite d'Entretien {0} doit être annulée avant d'annuler cette Commande Client DocType: Item,Material Transfer,Transfert de Matériel apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Ouverture (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Horodatage de Publication doit être après {0} @@ -708,7 +707,7 @@ DocType: Employee Loan,Total Interest Payable,Total des Intérêts à Payer DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Taxes et Frais du Coût au Débarquement DocType: Production Order Operation,Actual Start Time,Heure de Début Réelle DocType: BOM Operation,Operation Time,Heure de l'Opération -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Terminer +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Terminer apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Base DocType: Timesheet,Total Billed Hours,Total des Heures Facturées DocType: Journal Entry,Write Off Amount,Montant de la Reprise @@ -733,7 +732,7 @@ DocType: Vehicle,Odometer Value (Last),Valeur Compteur Kilométrique (Dernier) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,L’Écriture de Paiement est déjà créée DocType: Purchase Receipt Item Supplied,Current Stock,Stock Actuel -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Ligne #{0} : L’Actif {1} n’est pas lié à l'Article {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Ligne #{0} : L’Actif {1} n’est pas lié à l'Article {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Aperçu Fiche de Salaire apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Le compte {0} a été entré plusieurs fois DocType: Account,Expenses Included In Valuation,Frais Inclus dans la Valorisation @@ -757,7 +756,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aérospati DocType: Journal Entry,Credit Card Entry,Écriture de Carte de Crédit apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Société et Comptes apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Marchandises reçues des Fournisseurs. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,En Valeur +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,En Valeur DocType: Lead,Campaign Name,Nom de la Campagne DocType: Selling Settings,Close Opportunity After Days,Fermer Opportunité Après Jours ,Reserved,Réservé @@ -782,17 +781,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Énergie DocType: Opportunity,Opportunity From,Opportunité De apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Fiche de paie mensuelle. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ligne {0}: {1} Nombre de série requis pour l'élément {2}. Vous avez fourni {3}. DocType: BOM,Website Specifications,Spécifications du Site Web apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0} : Du {0} de type {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Ligne {0} : Le Facteur de Conversion est obligatoire DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Plusieurs Règles de Prix existent avec les mêmes critères, veuillez résoudre les conflits en attribuant des priorités. Règles de Prix : {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Désactivation ou annulation de la LDM impossible car elle est liée avec d'autres LDMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Désactivation ou annulation de la LDM impossible car elle est liée avec d'autres LDMs DocType: Opportunity,Maintenance,Entretien DocType: Item Attribute Value,Item Attribute Value,Valeur de l'Attribut de l'Article apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campagnes de vente. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Créer une Feuille de Temps +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Créer une Feuille de Temps DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -846,7 +846,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configuration du Compte Email apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Veuillez d’abord entrer l'Article DocType: Account,Liability,Responsabilité -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Le Montant Approuvé ne peut pas être supérieur au Montant Réclamé à la ligne {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Le Montant Approuvé ne peut pas être supérieur au Montant Réclamé à la ligne {0}. DocType: Company,Default Cost of Goods Sold Account,Compte de Coûts des Marchandises Vendues par Défaut apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Liste des Prix non sélectionnée DocType: Employee,Family Background,Antécédents Familiaux @@ -857,10 +857,10 @@ DocType: Company,Default Bank Account,Compte Bancaire par Défaut apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Pour filtrer en fonction du Parti, sélectionnez d’abord le Type de Parti" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Mettre à Jour le Stock' ne peut pas être coché car les articles ne sont pas livrés par {0} DocType: Vehicle,Acquisition Date,Date d'Aquisition -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,N° +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,N° DocType: Item,Items with higher weightage will be shown higher,Articles avec poids supérieur seront affichés en haut DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Détail de la Réconciliation Bancaire -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Ligne #{0} : L’Article {1} doit être soumis +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Ligne #{0} : L’Article {1} doit être soumis apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Aucun employé trouvé DocType: Supplier Quotation,Stopped,Arrêté DocType: Item,If subcontracted to a vendor,Si sous-traité à un fournisseur @@ -876,7 +876,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Montant Minimum de Factur apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1} : Le Centre de Coûts {2} ne fait pas partie de la Société {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1} : Compte {2} ne peut pas être un Groupe apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Ligne d'Article {idx}: {doctype} {docname} n'existe pas dans la table '{doctype}' ci-dessus -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,La Feuille de Temps {0} est déjà terminée ou annulée +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,La Feuille de Temps {0} est déjà terminée ou annulée apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Aucune tâche DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Le jour du mois où la facture automatique sera générée. e.g. 05, 28, etc." DocType: Asset,Opening Accumulated Depreciation,Amortissement Cumulé d'Ouverture @@ -935,7 +935,7 @@ DocType: SMS Log,Requested Numbers,Numéros Demandés DocType: Production Planning Tool,Only Obtain Raw Materials,Obtenir seulement des Matières Premières apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Évaluation des Performances. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Activation de 'Utiliser pour Panier', comme le Panier est activé et qu'il devrait y avoir au moins une Règle de Taxes pour le Panier" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","L’Écriture de Paiement {0} est liée à la Commande {1}, vérifiez si elle doit être récupérée comme une avance dans cette facture." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","L’Écriture de Paiement {0} est liée à la Commande {1}, vérifiez si elle doit être récupérée comme une avance dans cette facture." DocType: Sales Invoice Item,Stock Details,Détails du Stock apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valeur du Projet apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-de-Vente @@ -958,15 +958,15 @@ DocType: Naming Series,Update Series,Mettre à Jour les Séries DocType: Supplier Quotation,Is Subcontracted,Est sous-traité DocType: Item Attribute,Item Attribute Values,Valeurs de l'Attribut de l'Article DocType: Examination Result,Examination Result,Résultat d'Examen -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Reçu d’Achat +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Reçu d’Achat ,Received Items To Be Billed,Articles Reçus à Facturer -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Fiche de Paie Soumises +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Fiche de Paie Soumises apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Données de base des Taux de Change apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Doctype de la Référence doit être parmi {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Impossible de trouver le Créneau Horaires dans les {0} prochains jours pour l'Opération {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Impossible de trouver le Créneau Horaires dans les {0} prochains jours pour l'Opération {1} DocType: Production Order,Plan material for sub-assemblies,Plan de matériaux pour les sous-ensembles apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partenaires Commerciaux et Régions -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,LDM {0} doit être active +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,LDM {0} doit être active DocType: Journal Entry,Depreciation Entry,Ecriture d’Amortissement apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Veuillez d’abord sélectionner le type de document apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annuler les Visites Matérielles {0} avant d'annuler cette Visite de Maintenance @@ -976,7 +976,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Montant Total apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publication Internet DocType: Production Planning Tool,Production Orders,Ordres de Production -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Valeur du Solde +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Valeur du Solde apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Liste de Prix de Vente apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publier pour synchroniser les éléments DocType: Bank Reconciliation,Account Currency,Compte Devise @@ -1001,12 +1001,12 @@ DocType: Employee,Exit Interview Details,Entretient de Départ DocType: Item,Is Purchase Item,Est Article d'Achat DocType: Asset,Purchase Invoice,Facture d’Achat DocType: Stock Ledger Entry,Voucher Detail No,Détail de la Référence N° -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nouvelle Facture de Vente +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nouvelle Facture de Vente DocType: Stock Entry,Total Outgoing Value,Valeur Sortante Totale apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Date d'Ouverture et Date de Clôture devraient être dans le même Exercice DocType: Lead,Request for Information,Demande de Renseignements ,LeaderBoard,Classement -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Synchroniser les Factures hors-ligne +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synchroniser les Factures hors-ligne DocType: Payment Request,Paid,Payé DocType: Program Fee,Program Fee,Frais du Programme DocType: Salary Slip,Total in words,Total En Toutes Lettres @@ -1014,7 +1014,7 @@ DocType: Material Request Item,Lead Time Date,Date du Délai DocType: Guardian,Guardian Name,Nom du Tuteur DocType: Cheque Print Template,Has Print Format,A un Format d'Impression DocType: Employee Loan,Sanctioned,Sanctionné -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,est obligatoire. Peut-être que le Taux de Change n'est pas créé pour +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,est obligatoire. Peut-être que le Taux de Change n'est pas créé pour apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Ligne # {0} : Veuillez Indiquer le N° de série pour l'article {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pour les articles ""Ensembles de Produits"", l’Entrepôt, le N° de Série et le N° de Lot proviendront de la table ""Liste de Colisage"". Si l’Entrepôt et le N° de Lot sont les mêmes pour tous les produits colisés d’un même article 'Produit Groupé', ces valeurs peuvent être entrées dans la table principale de l’article et elles seront copiées dans la table ""Liste de Colisage""." DocType: Job Opening,Publish on website,Publier sur le site web @@ -1027,7 +1027,7 @@ DocType: Cheque Print Template,Date Settings,Paramètres de Date apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variance ,Company Name,Nom de la Société DocType: SMS Center,Total Message(s),Total des Messages -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Sélectionner l'Article à Transferer +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Sélectionner l'Article à Transferer DocType: Purchase Invoice,Additional Discount Percentage,Pourcentage de réduction supplémentaire apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Afficher la liste de toutes les vidéos d'aide DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Sélectionner le compte principal de la banque où le chèque a été déposé. @@ -1041,7 +1041,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Coût des Matières Premières (Devise Société) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Tous les éléments ont déjà été transférés pour cet Ordre de Fabrication. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ligne # {0}: Le Taux ne peut pas être supérieur au taux utilisé dans {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Mètre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Mètre DocType: Workstation,Electricity Cost,Coût de l'Électricité DocType: HR Settings,Don't send Employee Birthday Reminders,Ne pas envoyer de rappel pour le Jour d'Anniversaire des Employés DocType: Item,Inspection Criteria,Critères d'Inspection @@ -1055,7 +1055,7 @@ DocType: SMS Center,All Lead (Open),Toutes les pistes (Ouvertes) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ligne {0} : Qté non disponible pour {4} dans l'entrepôt {1} au moment de la comptabilisation de l’écriture ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Obtenir Acomptes Payés DocType: Item,Automatically Create New Batch,Créer un Nouveau Lot Automatiquement -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Faire +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Faire DocType: Student Admission,Admission Start Date,Date de Début de l'Admission DocType: Journal Entry,Total Amount in Words,Montant Total En Toutes Lettres apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Il y a eu une erreur. Une raison probable pourrait être que vous n'avez pas enregistré le formulaire. Veuillez contacter support@erpnext.com si le problème persiste. @@ -1063,7 +1063,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mon Panier apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Type de Commande doit être l'un des {0} DocType: Lead,Next Contact Date,Date du Prochain Contact apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Quantité d'Ouverture -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Veuillez entrez un Compte pour le Montant de Change +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Veuillez entrez un Compte pour le Montant de Change DocType: Student Batch Name,Student Batch Name,Nom du Lot d'Étudiants DocType: Holiday List,Holiday List Name,Nom de la Liste de Vacances DocType: Repayment Schedule,Balance Loan Amount,Solde du Montant du Prêt @@ -1071,7 +1071,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Options du Stock DocType: Journal Entry Account,Expense Claim,Note de Frais apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Voulez-vous vraiment restaurer cet actif mis au rebut ? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Qté pour {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Qté pour {0} DocType: Leave Application,Leave Application,Demande de Congés apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Outil de Répartition des Congés DocType: Leave Block List,Leave Block List Dates,Dates de la Liste de Blocage des Congés @@ -1121,7 +1121,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Contre DocType: Item,Default Selling Cost Center,Centre de Coût Vendeur par Défaut DocType: Sales Partner,Implementation Partner,Partenaire d'Implémentation -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Code Postal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Code Postal apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Commande Client {0} est {1} DocType: Opportunity,Contact Info,Information du Contact apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Faire des Écritures de Stock @@ -1139,13 +1139,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},À { apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Âge Moyen DocType: School Settings,Attendance Freeze Date,Date du Gel des Présences DocType: Opportunity,Your sales person who will contact the customer in future,Votre commercial qui prendra contact avec le client ultérieurement -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Listez quelques-uns de vos fournisseurs. Ils peuvent être des entreprises ou des individus. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Listez quelques-uns de vos fournisseurs. Ils peuvent être des entreprises ou des individus. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Voir Tous Les Produits apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Âge Minimum du Prospect (Jours) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Toutes les LDM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Toutes les LDM DocType: Company,Default Currency,Devise par Défaut DocType: Expense Claim,From Employee,De l'Employé -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Attention : Le système ne vérifie pas la surfacturation car le montant pour l'Article {0} dans {1} est nul +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Attention : Le système ne vérifie pas la surfacturation car le montant pour l'Article {0} dans {1} est nul DocType: Journal Entry,Make Difference Entry,Créer l'Écriture par Différence DocType: Upload Attendance,Attendance From Date,Présence Depuis DocType: Appraisal Template Goal,Key Performance Area,Domaine Essentiel de Performance @@ -1162,7 +1162,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Numéro d'immatriculation de la Société pour votre référence. Numéros de taxes, etc." DocType: Sales Partner,Distributor,Distributeur DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Règles de Livraison du Panier -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,L'Ordre de Production {0} doit être annulé avant d’annuler cette Commande Client +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,L'Ordre de Production {0} doit être annulé avant d’annuler cette Commande Client apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Veuillez définir ‘Appliquer Réduction Supplémentaire Sur ‘ ,Ordered Items To Be Billed,Articles Commandés À Facturer apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,La Plage Initiale doit être inférieure à la Plage Finale @@ -1171,10 +1171,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Déductions DocType: Leave Allocation,LAL/,LAL/ apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Année de Début -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Les 2 premiers chiffres du GSTIN doivent correspondre au numéro de l'État {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Les 2 premiers chiffres du GSTIN doivent correspondre au numéro de l'État {0} DocType: Purchase Invoice,Start date of current invoice's period,Date de début de la période de facturation en cours DocType: Salary Slip,Leave Without Pay,Congé Sans Solde -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Erreur de Planification de Capacité +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Erreur de Planification de Capacité ,Trial Balance for Party,Balance Auxiliaire DocType: Lead,Consultant,Consultant DocType: Salary Slip,Earnings,Bénéfices @@ -1190,7 +1190,7 @@ DocType: Cheque Print Template,Payer Settings,Paramètres du Payeur DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ce sera ajoutée au Code de la Variante de l'Article. Par exemple, si votre abréviation est «SM», et le code de l'article est ""T-SHIRT"", le code de l'article de la variante sera ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Salaire Net (en lettres) sera visible une fois que vous aurez enregistré la Fiche de Paie. DocType: Purchase Invoice,Is Return,Est un Retour -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Retour / Note de Débit +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Retour / Note de Débit DocType: Price List Country,Price List Country,Pays de la Liste des Prix DocType: Item,UOMs,UDMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} numéro de série valide pour l'objet {1} @@ -1203,7 +1203,7 @@ DocType: Employee Loan,Partially Disbursed,Partiellement Décaissé apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Base de données fournisseurs. DocType: Account,Balance Sheet,Bilan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Centre de Coûts Pour Article ayant un Code Article ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Le Mode de Paiement n’est pas configuré. Veuillez vérifier si le compte a été réglé sur Mode de Paiement ou sur Profil de Point de Vente. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Le Mode de Paiement n’est pas configuré. Veuillez vérifier si le compte a été réglé sur Mode de Paiement ou sur Profil de Point de Vente. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Votre commercial recevra un rappel à cette date pour contacter le client apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Le même article ne peut pas être entré plusieurs fois. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","D'autres comptes individuels peuvent être créés dans les groupes, mais les écritures ne peuvent être faites que sur les comptes individuels" @@ -1231,7 +1231,7 @@ DocType: Employee Loan Application,Repayment Info,Infos de Remboursement apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Entrées' ne peuvent pas être vides apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Ligne {0} en double avec le même {1} ,Trial Balance,Balance Générale -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Exercice Fiscal {0} introuvable +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Exercice Fiscal {0} introuvable apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Configuration des Employés DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Veuillez d’abord sélectionner un préfixe @@ -1246,11 +1246,11 @@ DocType: Grading Scale,Intervals,Intervalles apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Au plus tôt apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Un Groupe d'Article existe avec le même nom, veuillez changer le nom de l'article ou renommer le groupe d'article" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,N° de Mobile de l'Étudiant -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Reste du Monde +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Reste du Monde apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'Article {0} ne peut être en Lot ,Budget Variance Report,Rapport d’Écarts de Budget DocType: Salary Slip,Gross Pay,Salaire Brut -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Ligne {0} : Le Type d'Activité est obligatoire. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Ligne {0} : Le Type d'Activité est obligatoire. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendes Payés apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Livre des Comptes DocType: Stock Reconciliation,Difference Amount,Écart de Montant @@ -1272,18 +1272,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Solde des Congés de l'Employé apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Solde pour le compte {0} doit toujours être {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Taux de Valorisation requis pour l’Article de la ligne {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Exemple: Master en Sciences Informatiques +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Exemple: Master en Sciences Informatiques DocType: Purchase Invoice,Rejected Warehouse,Entrepôt Rejeté DocType: GL Entry,Against Voucher,Pour le Bon DocType: Item,Default Buying Cost Center,Centre de Coûts d'Achat par Défaut apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Pour tirer le meilleur parti d’ERPNext, nous vous recommandons de prendre un peu de temps et de regarder ces vidéos d'aide." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,à +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,à DocType: Supplier Quotation Item,Lead Time in days,Délai en Jours apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Résumé des Comptes Créditeurs -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Paiement du salaire de {0} à {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Paiement du salaire de {0} à {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Vous n'êtes pas autorisé à modifier le compte gelé {0} DocType: Journal Entry,Get Outstanding Invoices,Obtenir les Factures Impayées -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Commande Client {0} invalide +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Commande Client {0} invalide apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Les Bons de Commande vous aider à planifier et à assurer le suivi de vos achats apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Désolé, les sociétés ne peuvent pas être fusionnées" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1305,8 +1305,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Dépenses Indirectes apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Ligne {0} : Qté obligatoire apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Agriculture -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Données de Base -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Vos Produits ou Services +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Données de Base +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Vos Produits ou Services DocType: Mode of Payment,Mode of Payment,Mode de Paiement apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,L'Image du Site Web doit être un fichier public ou l'URL d'un site web DocType: Student Applicant,AP,AP @@ -1325,18 +1325,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Taux de la Taxe sur l'Article DocType: Student Group Student,Group Roll Number,Numéro de Groupe apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Pour {0}, seuls les comptes de crédit peuvent être liés avec une autre écriture de débit" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Le total des poids des tâches doit être égal à 1. Veuillez ajuster les poids de toutes les tâches du Projet en conséquence -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Bon de Livraison {0} n'est pas soumis +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Bon de Livraison {0} n'est pas soumis apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,L'article {0} doit être un Article Sous-traité apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capitaux Immobilisés apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","La Règle de Tarification est d'abord sélectionnée sur la base du champ ‘Appliquer Sur’, qui peut être un Article, un Groupe d'Articles ou une Marque." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Veuillez définir le code d'article en premier +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Veuillez définir le Code d'Article en premier DocType: Hub Settings,Seller Website,Site du Vendeur DocType: Item,ITEM-,ARTICLE- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Pourcentage total attribué à l'équipe commerciale devrait être de 100 DocType: Appraisal Goal,Goal,Objectif DocType: Sales Invoice Item,Edit Description,Modifier la description ,Team Updates,Mises à Jour de l’Équipe -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Pour Fournisseur +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Pour Fournisseur DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Définir le Type de Compte aide à sélectionner ce Compte dans les transactions. DocType: Purchase Invoice,Grand Total (Company Currency),Total TTC (Devise de la Société) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Créer Format d'Impression @@ -1350,12 +1350,12 @@ DocType: Item,Website Item Groups,Groupes d'Articles du Site Web DocType: Purchase Invoice,Total (Company Currency),Total (Devise Société) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Numéro de série {0} est entré plus d'une fois DocType: Depreciation Schedule,Journal Entry,Écriture de Journal -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} articles en cours +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} articles en cours DocType: Workstation,Workstation Name,Nom du Bureau DocType: Grading Scale Interval,Grade Code,Code de la Note DocType: POS Item Group,POS Item Group,Groupe d'Articles PDV apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Compte Rendu par Email : -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},LDM {0} n’appartient pas à l'article {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},LDM {0} n’appartient pas à l'article {1} DocType: Sales Partner,Target Distribution,Distribution Cible 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 @@ -1412,7 +1412,7 @@ DocType: Quotation,Shopping Cart,Panier apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Moy Quotidienne Sortante DocType: POS Profile,Campaign,Campagne DocType: Supplier,Name and Type,Nom et Type -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Le Statut d'Approbation doit être 'Approuvé' ou 'Rejeté' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Le Statut d'Approbation doit être 'Approuvé' ou 'Rejeté' DocType: Purchase Invoice,Contact Person,Personne à Contacter apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Date de Début Prévue' ne peut pas être postérieure à 'Date de Fin Prévue' DocType: Course Scheduling Tool,Course End Date,Date de Fin du Cours @@ -1424,8 +1424,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Email Préféré apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Variation Nette des Actifs Immobilisés DocType: Leave Control Panel,Leave blank if considered for all designations,Laisser vide pour toutes les désignations -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge de type ' réel ' à la ligne {0} ne peut pas être inclus dans le prix de l'article -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max : {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge de type ' réel ' à la ligne {0} ne peut pas être inclus dans le prix de l'article +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max : {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,A partir du (Date et Heure) DocType: Email Digest,For Company,Pour la Société apps/erpnext/erpnext/config/support.py +17,Communication log.,Journal des communications. @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.",Profil de l’E DocType: Journal Entry Account,Account Balance,Solde du Compte apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Règle de Taxation pour les transactions. DocType: Rename Tool,Type of document to rename.,Type de document à renommer. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Nous achetons cet Article +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Nous achetons cet Article apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1} : Un Client est requis pour le Compte Débiteur {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total des Taxes et Frais (Devise Société) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Afficher le solde du compte de résulat des exercices non cloturés @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,Lectures DocType: Stock Entry,Total Additional Costs,Total des Coûts Additionnels DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Coût de Mise au Rebut des Matériaux (Devise Société) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sous-Ensembles +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sous-Ensembles DocType: Asset,Asset Name,Nom de l'Actif DocType: Project,Task Weight,Poids de la Tâche DocType: Shipping Rule Condition,To Value,Valeur Finale @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantes de l'Article DocType: Company,Services,Services DocType: HR Settings,Email Salary Slip to Employee,Envoyer la Fiche de Paie à l'Employé par Mail DocType: Cost Center,Parent Cost Center,Centre de Coûts Parent -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Sélectionner le Fournisseur Possible +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Sélectionner le Fournisseur Possible DocType: Sales Invoice,Source,Source apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Afficher fermé DocType: Leave Type,Is Leave Without Pay,Est un Congé Sans Solde @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,Appliquer Réduction DocType: GST HSN Code,GST HSN Code,Code GST HSN DocType: Employee External Work History,Total Experience,Expérience Totale apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Ouvrir les Projets -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Bordereau(x) de Colis annulé(s) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Bordereau(x) de Colis annulé(s) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Flux de Trésorerie des Investissements DocType: Program Course,Program Course,Cours du Programme apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Frais de Fret et d'Expédition @@ -1536,7 +1536,7 @@ DocType: Purchase Order Item Supplied,BOM Detail No,N° de Détail LDM DocType: Landed Cost Voucher,Additional Charges,Frais Supplémentaires DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Montant de la Remise Supplémentaire (Devise de la Société) apps/erpnext/erpnext/accounts/doctype/account/account.js +21,Please create new account from Chart of Accounts.,Veuillez créer un nouveau compte au sein du Plan Comptable. -,Support Hour Distribution,Répartition des heures de soutien +,Support Hour Distribution,Répartition des Heures de Support DocType: Maintenance Visit,Maintenance Visit,Visite d'Entretien DocType: Student,Leaving Certificate Number,Numéro de Certificat DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Qté de lot disponible à l'Entrepôt @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Inscriptions au Programme DocType: Sales Invoice Item,Brand Name,Nom de la Marque DocType: Purchase Receipt,Transporter Details,Détails du Transporteur -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Un Entrepôt par défaut est nécessaire pour l’Article sélectionné -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Boîte -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Fournisseur Potentiel +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Un Entrepôt par défaut est nécessaire pour l’Article sélectionné +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Boîte +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Fournisseur Potentiel DocType: Budget,Monthly Distribution,Répartition Mensuelle apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,La Liste de Destinataires est vide. Veuillez créer une Liste de Destinataires DocType: Production Plan Sales Order,Production Plan Sales Order,Commande Client du Plan de Production @@ -1593,7 +1593,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Notes de frai apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Les étudiants sont au cœur du système, ajouter tous vos étudiants" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Ligne #{0} : Date de compensation {1} ne peut pas être antérieure à la Date du Chèque {2} DocType: Company,Default Holiday List,Liste de Vacances par Défaut -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Passif du Stock DocType: Purchase Invoice,Supplier Warehouse,Entrepôt Fournisseur DocType: Opportunity,Contact Mobile No,N° de Portable du Contact @@ -1609,18 +1609,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Les Congés de type {0} ne peuvent pas être plus long que {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Essayez de planifer des opérations X jours à l'avance. DocType: HR Settings,Stop Birthday Reminders,Arrêter les Rappels d'Anniversaire -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Veuillez définir le Compte Créditeur de Paie par Défaut pour la Société {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Veuillez définir le Compte Créditeur de Paie par Défaut pour la Société {0} DocType: SMS Center,Receiver List,Liste de Destinataires -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Rechercher Article +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Rechercher Article apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Montant Consommé apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Variation Nette de Trésorerie DocType: Assessment Plan,Grading Scale,Échelle de Notation apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unité de Mesure {0} a été saisie plus d'une fois dans la Table de Facteur de Conversion -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Déjà terminé +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Déjà terminé apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock Existant apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Demande de Paiement existe déjà {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Coût des Marchandises Vendues -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Quantité ne doit pas être plus de {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Quantité ne doit pas être plus de {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,L’Exercice Financier Précédent n’est pas fermé apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Âge (Jours) DocType: Quotation Item,Quotation Item,Article du Devis @@ -1634,6 +1634,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Document de Référence apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} est annulé ou arrêté DocType: Accounts Settings,Credit Controller,Controlleur du Crédit +DocType: Sales Order,Final Delivery Date,Date de livraison finale DocType: Delivery Note,Vehicle Dispatch Date,Date d'Envoi du Véhicule DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Le Reçu d’Achat {0} n'est pas soumis @@ -1722,9 +1723,9 @@ DocType: Employee,Date Of Retirement,Date de Départ à la Retraite DocType: Upload Attendance,Get Template,Obtenir Modèle DocType: Material Request,Transferred,Transféré DocType: Vehicle,Doors,Portes -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Installation d'ERPNext Terminée! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Installation d'ERPNext Terminée! DocType: Course Assessment Criteria,Weightage,Poids -DocType: Sales Invoice,Tax Breakup,Répartition des impôts +DocType: Purchase Invoice,Tax Breakup,Répartition des Taxes DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1} : Un Centre de Coûts est requis pour le compte ""Pertes et Profits"" {2}.Veuillez mettre en place un centre de coûts par défaut pour la Société." apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Un Groupe de Clients existe avec le même nom, veuillez changer le nom du Client ou renommer le Groupe de Clients" @@ -1737,14 +1738,14 @@ DocType: Announcement,Instructor,Instructeur DocType: Employee,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si cet article a des variantes, alors il ne peut pas être sélectionné dans les commandes clients, etc." DocType: Lead,Next Contact By,Contact Suivant Par -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Quantité requise pour l'Article {0} à la ligne {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Quantité requise pour l'Article {0} à la ligne {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},L'entrepôt {0} ne peut pas être supprimé car il existe une quantité pour l'Article {1} DocType: Quotation,Order Type,Type de Commande DocType: Purchase Invoice,Notification Email Address,Adresse Email de Notification ,Item-wise Sales Register,Registre des Ventes par Article DocType: Asset,Gross Purchase Amount,Montant d'Achat Brut DocType: Asset,Depreciation Method,Méthode d'Amortissement -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Hors Ligne +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Hors Ligne DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Cette Taxe est-elle incluse dans le Taux de Base ? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Cible Totale DocType: Job Applicant,Applicant for a Job,Candidat à un Emploi @@ -1765,7 +1766,7 @@ DocType: Employee,Leave Encashed?,Laisser Encaissé ? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Le champ Opportunité De est obligatoire DocType: Email Digest,Annual Expenses,Dépenses Annuelles DocType: Item,Variants,Variantes -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Faire un Bon de Commande +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Faire un Bon de Commande DocType: SMS Center,Send To,Envoyer À apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Il n'y a pas assez de solde de congés pour les Congés de Type {0} DocType: Payment Reconciliation Payment,Allocated amount,Montant alloué @@ -1773,7 +1774,7 @@ DocType: Sales Team,Contribution to Net Total,Contribution au Total Net DocType: Sales Invoice Item,Customer's Item Code,Code de l'Article du Client DocType: Stock Reconciliation,Stock Reconciliation,Réconciliation du Stock DocType: Territory,Territory Name,Nom de la Région -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,L'entrepôt des Travaux en Cours est nécessaire avant de Soumettre +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,L'entrepôt des Travaux en Cours est nécessaire avant de Soumettre apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Candidat à un Emploi. DocType: Purchase Order Item,Warehouse and Reference,Entrepôt et Référence DocType: Supplier,Statutory info and other general information about your Supplier,Informations légales et autres informations générales au sujet de votre Fournisseur @@ -1784,16 +1785,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Évaluation apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Dupliquer N° de Série pour l'Article {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Une condition pour une Règle de Livraison apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Veuillez entrer -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Surfacturation supérieure à {2} impossible pour l'Article {0} à la ligne {1}. Pour permettre la surfacturation, veuillez le définir dans les Réglages d'Achat" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Veuillez définir un filtre basé sur l'Article ou l'Entrepôt +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Surfacturation supérieure à {2} impossible pour l'Article {0} à la ligne {1}. Pour permettre la surfacturation, veuillez le définir dans les Réglages d'Achat" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Veuillez définir un filtre basé sur l'Article ou l'Entrepôt DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Le poids net de ce paquet. (Calculé automatiquement comme la somme du poids net des articles) DocType: Sales Order,To Deliver and Bill,À Livrer et Facturer DocType: Student Group,Instructors,Instructeurs DocType: GL Entry,Credit Amount in Account Currency,Montant du Crédit dans la Devise du Compte -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,LDM {0} doit être soumise +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,LDM {0} doit être soumise DocType: Authorization Control,Authorization Control,Contrôle d'Autorisation apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ligne #{0} : Entrepôt de Rejet est obligatoire pour l’Article rejeté {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Paiement +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Paiement apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","L'Entrepôt {0} n'est lié à aucun compte, veuillez mentionner ce compte dans la fiche de l'Entrepôt ou définir un compte d'Entrepôt par défaut dans la Société {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gérer vos commandes DocType: Production Order Operation,Actual Time and Cost,Temps et Coût Réels @@ -1809,12 +1810,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Grouper DocType: Quotation Item,Actual Qty,Quantité Réelle DocType: Sales Invoice Item,References,Références DocType: Quality Inspection Reading,Reading 10,Lecture 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Liste des produits ou services que vous achetez ou vendez. Assurez-vous de vérifier le groupe d'articles, l'unité de mesure et les autres propriétés lorsque vous démarrez." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Liste des produits ou services que vous achetez ou vendez. Assurez-vous de vérifier le groupe d'articles, l'unité de mesure et les autres propriétés lorsque vous démarrez." DocType: Hub Settings,Hub Node,Noeud du Hub apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Vous avez entré un doublon. Veuillez rectifier et essayer à nouveau. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associé +DocType: Company,Sales Target,Objectif de ventes DocType: Asset Movement,Asset Movement,Mouvement d'Actif -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Nouveau Panier +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Nouveau Panier apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,L'article {0} n'est pas un Article avec un numéro de serie DocType: SMS Center,Create Receiver List,Créer une Liste de Réception DocType: Vehicle,Wheels,Roues @@ -1855,13 +1857,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Gestion de Projets DocType: Supplier,Supplier of Goods or Services.,Fournisseur de Biens ou Services. DocType: Budget,Fiscal Year,Exercice Fiscal DocType: Vehicle Log,Fuel Price,Prix du Carburant +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Veuillez configurer la série de numérotation pour la présence via Configuration> Série de numérotation DocType: Budget,Budget,Budget apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Un Article Immobilisé doit être un élément non stocké. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget ne peut pas être affecté pour {0}, car ce n’est pas un compte de produits ou de charges" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Atteint DocType: Student Admission,Application Form Route,Chemin du Formulaire de Candidature apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Région / Client -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,e.g. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,e.g. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Le Type de Congé {0} ne peut pas être alloué, car c’est un congé sans solde" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Ligne {0} : Le montant alloué {1} doit être inférieur ou égal au montant restant sur la Facture {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En Toutes Lettres. Sera visible une fois que vous enregistrerez la Facture. @@ -1870,11 +1873,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,L'article {0} n'est pas configuré pour les Numéros de Série. Vérifiez la fiche de l'Article DocType: Maintenance Visit,Maintenance Time,Temps d'Entretien ,Amount to Deliver,Nombre à Livrer -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Un Produit ou Service +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Un Produit ou Service apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,La Date de Début de Terme ne peut pas être antérieure à la Date de Début de l'Année Académique à laquelle le terme est lié (Année Académique {}). Veuillez corriger les dates et essayer à nouveau. DocType: Guardian,Guardian Interests,Part du Tuteur DocType: Naming Series,Current Value,Valeur actuelle -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Plusieurs Exercices existent pour la date {0}. Veuillez définir la société dans l'Exercice +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Plusieurs Exercices existent pour la date {0}. Veuillez définir la société dans l'Exercice apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} créé DocType: Delivery Note Item,Against Sales Order,Pour la Commande Client ,Serial No Status,Statut du N° de Série @@ -1888,7 +1891,7 @@ DocType: Pricing Rule,Selling,Vente apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Montant {0} {1} déduit de {2} DocType: Employee,Salary Information,Information sur le Salaire DocType: Sales Person,Name and Employee ID,Nom et ID de l’Employé -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,La Date d'Échéance ne peut être antérieure à la Date de Comptabilisation +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,La Date d'Échéance ne peut être antérieure à la Date de Comptabilisation DocType: Website Item Group,Website Item Group,Groupe d'Articles du Site Web apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Droits de Douane et Taxes apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Veuillez entrer la date de Référence @@ -1943,9 +1946,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Veuillez définir la Date d'Embauche pour l'employé {0} DocType: Task,Total Billing Amount (via Time Sheet),Montant Total de Facturation (via Feuille de Temps) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Répéter Revenu Clientèle -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) doit avoir le rôle ""Approbateur de Frais""" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Paire -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Sélectionner la LDM et la Qté pour la Production +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) doit avoir le rôle ""Approbateur de Frais""" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Paire +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Sélectionner la LDM et la Qté pour la Production DocType: Asset,Depreciation Schedule,Calendrier d'Amortissement apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresses et Contacts des Partenaires de Vente DocType: Bank Reconciliation Detail,Against Account,Pour le Compte @@ -1955,7 +1958,7 @@ DocType: Item,Has Batch No,A un Numéro de Lot apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Facturation Annuelle : {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Taxe sur les Biens et Services (GST India) DocType: Delivery Note,Excise Page Number,Numéro de Page d'Accise -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Société, Date Début et Date Fin sont obligatoires" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Société, Date Début et Date Fin sont obligatoires" DocType: Asset,Purchase Date,Date d'Achat DocType: Employee,Personal Details,Données Personnelles apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Veuillez définir 'Centre de Coûts des Amortissements d’Actifs’ de la Société {0} @@ -1964,9 +1967,9 @@ DocType: Task,Actual End Date (via Time Sheet),Date de Fin Réelle (via la Feuil apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Montant {0} {1} pour {2} {3} ,Quotation Trends,Tendances des Devis apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Le Groupe d'Articles n'est pas mentionné dans la fiche de l'article pour l'article {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Le compte de débit doit être un compte Débiteur +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Le compte de débit doit être un compte Débiteur DocType: Shipping Rule Condition,Shipping Amount,Montant de la Livraison -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Ajouter des Clients +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Ajouter des Clients apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Montant en Attente DocType: Purchase Invoice Item,Conversion Factor,Facteur de Conversion DocType: Purchase Order,Delivered,Livré @@ -1983,12 +1986,11 @@ DocType: Journal Entry,Accounts Receivable,Comptes Débiteurs ,Supplier-Wise Sales Analytics,Analyse des Ventes par Fournisseur apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Entrez Montant Payé DocType: Salary Structure,Select employees for current Salary Structure,Sélectionner les Employés pour la Grille de Salaire actuelle -DocType: Sales Invoice,Company Address Name,Nom de l'adresse de la société +DocType: Sales Invoice,Company Address Name,Nom de l'Adresse de la Société DocType: Production Order,Use Multi-Level BOM,Utiliser LDM à Plusieurs Niveaux DocType: Bank Reconciliation,Include Reconciled Entries,Inclure les Écritures Réconciliées DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Cours Parent (Laisser vide, si cela ne fait pas partie du Cours Parent)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Laisser vide pour tous les types d'employés -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Groupe Client> Territoire DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuer les Charges sur la Base de apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Feuilles de Temps DocType: HR Settings,HR Settings,Paramètres RH @@ -1996,7 +1998,7 @@ DocType: Salary Slip,net pay info,Info de salaire net apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,La Note de Frais est en attente d'approbation. Seul l'Approbateur des Frais peut mettre à jour le statut. DocType: Email Digest,New Expenses,Nouveaux Frais DocType: Purchase Invoice,Additional Discount Amount,Montant de la Remise Supplémentaire -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ligne #{0} : Qté doit égale à 1, car l’Article est un actif immobilisé. Veuillez utiliser une ligne distincte pour une qté multiple." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ligne #{0} : Qté doit égale à 1, car l’Article est un actif immobilisé. Veuillez utiliser une ligne distincte pour une qté multiple." DocType: Leave Block List Allow,Leave Block List Allow,Autoriser la Liste de Blocage des Congés apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abré. ne peut être vide ou contenir un espace apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Groupe vers Non-Groupe @@ -2004,7 +2006,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sportif DocType: Loan Type,Loan Name,Nom du Prêt apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Réel DocType: Student Siblings,Student Siblings,Frères et Sœurs de l'Étudiants -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Unité +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Unité apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Veuillez spécifier la Société ,Customer Acquisition and Loyalty,Acquisition et Fidélisation des Clients DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,L'entrepôt où vous conservez le stock d'objets refusés @@ -2022,12 +2024,12 @@ DocType: Workstation,Wages per hour,Salaires par heure apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Solde du stock dans le Lot {0} deviendra négatif {1} pour l'Article {2} à l'Entrepôt {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Les Demandes de Matériel suivantes ont été créées automatiquement sur la base du niveau de réapprovisionnement de l’Article DocType: Email Digest,Pending Sales Orders,Commandes Client en Attente -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Le compte {0} est invalide. La Devise du Compte doit être {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Le compte {0} est invalide. La Devise du Compte doit être {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Facteur de conversion de l'UDM est obligatoire dans la ligne {0} DocType: Production Plan Item,material_request_item,article_demande_de_materiel apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ligne #{0} : Le Type de Document de Référence doit être une Commande Client, une Facture de Vente ou une Écriture de Journal" DocType: Salary Component,Deduction,Déduction -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Ligne {0} : Heure de Début et Heure de Fin obligatoires. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Ligne {0} : Heure de Début et Heure de Fin obligatoires. DocType: Stock Reconciliation Item,Amount Difference,Différence de Montant apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Prix de l'Article ajouté pour {0} dans la Liste de Prix {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Veuillez entrer l’ID Employé de ce commercial @@ -2037,11 +2039,11 @@ DocType: Project,Gross Margin,Marge Brute apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Veuillez d’abord entrer l'Article en Production apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Solde Calculé du Relevé Bancaire apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Utilisateur Désactivé -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Devis +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Devis DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Déduction Totale ,Production Analytics,Analyse de la Production -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Coût Mise à Jour +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Coût Mise à Jour DocType: Employee,Date of Birth,Date de Naissance apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,L'article {0} a déjà été retourné DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Exercice** représente un Exercice Financier. Toutes les écritures comptables et autres transactions majeures sont suivis en **Exercice**. @@ -2086,18 +2088,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Sélectionner la Société ... DocType: Leave Control Panel,Leave blank if considered for all departments,Laisser vide pour tous les départements apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Type d’emploi (CDI, CDD, Stagiaire, etc.)" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} est obligatoire pour l’Article {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} est obligatoire pour l’Article {1} DocType: Process Payroll,Fortnightly,Bimensuel DocType: Currency Exchange,From Currency,De la Devise apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Coût du Nouvel Achat -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Commande Client requise pour l'Article {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Commande Client requise pour l'Article {0} DocType: Purchase Invoice Item,Rate (Company Currency),Prix (Devise Société) DocType: Student Guardian,Others,Autres DocType: Payment Entry,Unallocated Amount,Montant Non Alloué apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Impossible de trouver un article similaire. Veuillez sélectionner une autre valeur pour {0}. DocType: POS Profile,Taxes and Charges,Taxes et Frais DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un Produit ou un Service qui est acheté, vendu ou conservé en stock." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Code d'article> Groupe d'articles> Marque apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Pas de mise à jour supplémentaire apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Impossible de sélectionner le type de charge comme étant «Le Montant de la Ligne Précédente» ou «Montant Total de la Ligne Précédente» pour la première ligne apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Le sous-article ne doit pas être un ensemble de produit. S'il vous plaît retirer l'article `{0}` et sauver @@ -2123,7 +2126,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Montant Total de Facturation apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Il doit y avoir un compte Email entrant par défaut activé pour que cela fonctionne. Veuillez configurer un compte Email entrant par défaut (POP / IMAP) et essayer à nouveau. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Compte Débiteur -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Ligne #{0} : L’Actif {1} est déjà {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Ligne #{0} : L’Actif {1} est déjà {2} DocType: Quotation Item,Stock Balance,Solde du Stock apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,De la Commande Client au Paiement apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,PDG @@ -2148,10 +2151,11 @@ DocType: C-Form,Received Date,Date de Réception DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Si vous avez créé un modèle standard dans Modèle de Taxes et Frais de Vente, sélectionnez-en un et cliquez sur le bouton ci-dessous." DocType: BOM Scrap Item,Basic Amount (Company Currency),Montant de Base (Devise de la Société) DocType: Student,Guardians,Tuteurs +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fournisseur> Type de fournisseur DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Les Prix ne seront pas affichés si la Liste de Prix n'est pas définie apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Veuillez spécifier un pays pour cette Règle de Livraison ou cocher Livraison Internationale DocType: Stock Entry,Total Incoming Value,Valeur Entrante Totale -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Compte de Débit Requis +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Compte de Débit Requis apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Les Feuilles de Temps aident au suivi du temps, coût et facturation des activités effectuées par votre équipe" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Liste des Prix d'Achat DocType: Offer Letter Term,Offer Term,Terme de la Proposition @@ -2170,11 +2174,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Reche DocType: Timesheet Detail,To Time,Horaire de Fin DocType: Authorization Rule,Approving Role (above authorized value),Rôle Approbateur (valeurs autorisées ci-dessus) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Le compte À Créditer doit être un compte Créditeur -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Répétition LDM : {0} ne peut pas être parent ou enfant de {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},Répétition LDM : {0} ne peut pas être parent ou enfant de {2} DocType: Production Order Operation,Completed Qty,Quantité Terminée apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Pour {0}, seuls les comptes de débit peuvent être liés avec une autre écriture de crédit" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,La Liste de Prix {0} est désactivée -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Ligne {0} : Qté Complétée ne peut pas être supérieure à {1} pour l’opération {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Ligne {0} : Qté Complétée ne peut pas être supérieure à {1} pour l’opération {2} DocType: Manufacturing Settings,Allow Overtime,Autoriser les Heures Supplémentaires apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","L'Article Sérialisé {0} ne peut pas être mis à jour en utilisant la réconciliation des stocks, veuillez utiliser l'entrée de stock" DocType: Training Event Employee,Training Event Employee,Évènement de Formation – Employé @@ -2192,10 +2196,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Externe apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Utilisateurs et Autorisations DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Ordres de Production Créés: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Ordres de Production Créés: {0} DocType: Branch,Branch,Branche DocType: Guardian,Mobile Number,Numéro de Mobile apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Impression et Marque +DocType: Company,Total Monthly Sales,Total des ventes mensuelles DocType: Bin,Actual Quantity,Quantité Réelle DocType: Shipping Rule,example: Next Day Shipping,Exemple : Livraison le Jour Suivant apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,N° de Série {0} introuvable @@ -2203,7 +2208,7 @@ DocType: Program Enrollment,Student Batch,Lot d'Étudiants apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Créer un Étudiant apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Vous avez été invité à collaborer sur le projet : {0} DocType: Leave Block List Date,Block Date,Bloquer la Date -apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Postuler +apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Choisir apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Qté Réelle {0} / Quantité en Attente {1} DocType: Sales Order,Not Delivered,Non Livré ,Bank Clearance Summary,Bilan des Compensations Bancaires @@ -2225,7 +2230,7 @@ DocType: Payment Request,Make Sales Invoice,Faire des Factures de Vente apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,La Date de Prochain Contact ne peut pas être dans le passé DocType: Company,For Reference Only.,Pour Référence Seulement. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Sélectionnez le N° de Lot +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Sélectionnez le N° de Lot apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Invalide {0} : {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Montant de l'Avance @@ -2238,7 +2243,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Aucun Article avec le Code Barre {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Cas N° ne peut pas être 0 DocType: Item,Show a slideshow at the top of the page,Afficher un diaporama en haut de la page -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Listes de Matériaux +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Listes de Matériaux apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Magasins DocType: Serial No,Delivery Time,Heure de la Livraison apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Basé Sur le Vieillissement @@ -2252,16 +2257,16 @@ DocType: Rename Tool,Rename Tool,Outil de Renommage apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Mettre à jour le Coût DocType: Item Reorder,Item Reorder,Réorganiser les Articles apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Afficher la Fiche de Salaire -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transfert de Matériel +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transfert de Matériel DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Spécifier les opérations, le coût d'exploitation et donner un N° d'Opération unique à vos opérations." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ce document excède la limite de {0} {1} pour l’article {4}. Faites-vous un autre {3} contre le même {2} ? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Veuillez définir la récurrence après avoir sauvegardé -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Sélectionner le compte de change +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Veuillez définir la récurrence après avoir sauvegardé +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Sélectionner le compte de change DocType: Purchase Invoice,Price List Currency,Devise de la Liste de Prix DocType: Naming Series,User must always select,L'utilisateur doit toujours sélectionner DocType: Stock Settings,Allow Negative Stock,Autoriser un Stock Négatif DocType: Installation Note,Installation Note,Note d'Installation -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Ajouter des Taxes +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Ajouter des Taxes DocType: Topic,Topic,Sujet apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Flux de Trésorerie du Financement DocType: Budget Account,Budget Account,Compte de Budget @@ -2275,7 +2280,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traç apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Source des Fonds (Passif) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantité à la ligne {0} ({1}) doit être égale a la quantité fabriquée {2} DocType: Appraisal,Employee,Employé -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Sélectionnez le Lot +DocType: Company,Sales Monthly History,Historique mensuel des ventes +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Sélectionnez le Lot apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} est entièrement facturé DocType: Training Event,End Time,Heure de Fin apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Grille de Salaire active {0} trouvée pour l'employé {1} pour les dates données @@ -2283,15 +2289,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Déductions sur le Paiement ou apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Termes contractuels standards pour Ventes ou Achats apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Groupe par Bon apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline de Ventes -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Veuillez définir le compte par défaut dans la Composante Salariale {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Veuillez définir le compte par défaut dans la Composante Salariale {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Requis Pour DocType: Rename Tool,File to Rename,Fichier à Renommer apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Veuillez sélectionnez une LDM pour l’Article à la Ligne {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Le Compte {0} ne correspond pas à la Société {1} dans le Mode de Compte : {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},La LDM {0} spécifiée n'existe pas pour l'Article {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,L'Échéancier d'Entretien {0} doit être annulé avant d'annuler cette Commande Client +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,L'Échéancier d'Entretien {0} doit être annulé avant d'annuler cette Commande Client DocType: Notification Control,Expense Claim Approved,Note de Frais Approuvée -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Veuillez configurer la série de numérotation pour la présence via Configuration> Série de numérotation apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Fiche de Paie de l'employé {0} déjà créée pour cette période apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutique apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Coût des Articles Achetés @@ -2308,7 +2313,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,N° d’Article Pro DocType: Upload Attendance,Attendance To Date,Présence Jusqu'à DocType: Warranty Claim,Raised By,Créé par DocType: Payment Gateway Account,Payment Account,Compte de Paiement -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Veuillez spécifier la Société pour continuer +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Veuillez spécifier la Société pour continuer apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Variation Nette des Comptes Débiteurs apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Congé Compensatoire DocType: Offer Letter,Accepted,Accepté @@ -2317,12 +2322,12 @@ DocType: SG Creation Tool Course,Student Group Name,Nom du Groupe d'Étudiants apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Veuillez vous assurer que vous voulez vraiment supprimer tous les transactions de cette société. Vos données de base resteront intactes. Cette action ne peut être annulée. DocType: Room,Room Number,Numéro de la Chambre apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Référence invalide {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne peut pas être supérieur à la quantité prévue ({2}) dans l’Ordre de Production {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne peut pas être supérieur à la quantité prévue ({2}) dans l’Ordre de Production {3} DocType: Shipping Rule,Shipping Rule Label,Étiquette de la Règle de Livraison apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum de l'Utilisateur -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Matières Premières ne peuvent pas être vides. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Impossible de mettre à jour de stock, facture contient un élément en livraison directe." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Écriture Rapide dans le Journal +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Matières Premières ne peuvent pas être vides. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Impossible de mettre à jour de stock, facture contient un élément en livraison directe." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Écriture Rapide dans le Journal apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Vous ne pouvez pas modifier le taux si la LDM est mentionnée pour un article DocType: Employee,Previous Work Experience,Expérience de Travail Antérieure DocType: Stock Entry,For Quantity,Pour la Quantité @@ -2379,7 +2384,7 @@ DocType: SMS Log,No of Requested SMS,Nb de SMS Demandés apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Congé sans solde ne correspond pas aux Feuilles de Demandes de Congé Approuvées DocType: Campaign,Campaign-.####,Campagne-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Prochaines Étapes -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Veuillez fournir les articles spécifiés aux meilleurs tarifs possibles +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Veuillez fournir les articles spécifiés aux meilleurs tarifs possibles DocType: Selling Settings,Auto close Opportunity after 15 days,Fermer automatiquement les Opportunités après 15 jours apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Année de Fin apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Devis / Prospects % @@ -2436,7 +2441,7 @@ DocType: Homepage,Homepage,Page d'Accueil DocType: Purchase Receipt Item,Recd Quantity,Quantité Reçue apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Archive d'Honoraires Créée - {0} DocType: Asset Category Account,Asset Category Account,Compte de Catégorie d'Actif -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Impossible de produire plus d'Article {0} que la quantité {1} du Bon de Commande +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Impossible de produire plus d'Article {0} que la quantité {1} du Bon de Commande apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Écriture de Stock {0} n'est pas soumise DocType: Payment Reconciliation,Bank / Cash Account,Compte Bancaire / de Caisse apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Prochain Contact Par ne peut être identique à l’Adresse Email du Prospect @@ -2469,7 +2474,7 @@ DocType: Salary Structure,Total Earning,Total Revenus DocType: Purchase Receipt,Time at which materials were received,Heure à laquelle les matériaux ont été reçus DocType: Stock Ledger Entry,Outgoing Rate,Taux Sortant apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisation principale des branches. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ou +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ou DocType: Sales Order,Billing Status,Statut de la Facturation apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Signaler un Problème apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Frais de Services Publics @@ -2477,7 +2482,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Ligne #{0} : L’Écriture de Journal {1} n'a pas le compte {2} ou est déjà réconciliée avec une autre référence DocType: Buying Settings,Default Buying Price List,Liste des Prix d'Achat par Défaut DocType: Process Payroll,Salary Slip Based on Timesheet,Fiche de Paie basée sur la Feuille de Temps -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Aucun employé pour les critères sélectionnés ci-dessus ou pour les fiches de paie déjà créées +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Aucun employé pour les critères sélectionnés ci-dessus ou pour les fiches de paie déjà créées DocType: Notification Control,Sales Order Message,Message de la Commande Client apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Définir les Valeurs par Défaut comme : Societé, Devise, Exercice Actuel, etc..." DocType: Payment Entry,Payment Type,Type de Paiement @@ -2501,7 +2506,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Le reçu doit être soumis DocType: Purchase Invoice Item,Received Qty,Qté Reçue DocType: Stock Entry Detail,Serial No / Batch,N° de Série / Lot -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Non Payé et Non Livré +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Non Payé et Non Livré DocType: Product Bundle,Parent Item,Article Parent DocType: Account,Account Type,Type de Compte DocType: Delivery Note,DN-RET-,DN-RET- @@ -2531,8 +2536,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Montant Total Alloué apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Configurer le compte d'inventaire par défaut pour l'inventaire perpétuel DocType: Item Reorder,Material Request Type,Type de Demande de Matériel -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accumulation des Journaux d'Écritures pour les salaires de {0} à {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","Le Stockage Local est plein, sauvegarde impossible" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accumulation des Journaux d'Écritures pour les salaires de {0} à {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Le Stockage Local est plein, sauvegarde impossible" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Ligne {0} : Facteur de Conversion LDM est obligatoire apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Réf DocType: Budget,Cost Center,Centre de Coûts @@ -2550,7 +2555,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Impô apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Si la Règle de Prix sélectionnée est faite pour 'Prix', elle écrasera la Liste de Prix. La prix de la Règle de Prix est le prix définitif, donc aucune réduction supplémentaire ne devrait être appliquée. Ainsi, dans les transactions comme des Commandes Clients, Bon de Commande, etc., elle sera récupérée dans le champ 'Taux', plutôt que champ 'Taux de la Liste de Prix'." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Suivre les Prospects par Type d'Industrie DocType: Item Supplier,Item Supplier,Fournisseur de l'Article -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Veuillez entrer le Code d'Article pour obtenir n° de lot +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Veuillez entrer le Code d'Article pour obtenir n° de lot apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Veuillez sélectionner une valeur pour {0} devis à {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Toutes les Adresses. DocType: Company,Stock Settings,Réglages de Stock @@ -2577,7 +2582,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qté Réelle Après Tra apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Aucune fiche de paie trouvée entre {0} et {1} ,Pending SO Items For Purchase Request,Articles de Commande Client en Attente Pour la Demande d'Achat apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admissions des Étudiants -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} est désactivé +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} est désactivé DocType: Supplier,Billing Currency,Devise de Facturation DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large @@ -2607,7 +2612,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,État de la Demande DocType: Fees,Fees,Honoraires DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Spécifier le Taux de Change pour convertir une monnaie en une autre -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Devis {0} est annulée +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Devis {0} est annulée apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Encours Total DocType: Sales Partner,Targets,Cibles DocType: Price List,Price List Master,Données de Base des Listes de Prix @@ -2624,7 +2629,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorez Règle de Prix DocType: Employee Education,Graduate,Diplômé DocType: Leave Block List,Block Days,Bloquer les Jours DocType: Journal Entry,Excise Entry,Écriture d'Accise -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Attention : La Commande Client {0} existe déjà pour le Bon de Commande du Client {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Attention : La Commande Client {0} existe déjà pour le Bon de Commande du Client {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2662,14 +2667,14 @@ DocType: Packing Slip,If more than one package of the same type (for print),Si p ,Salary Register,Registre du Salaire DocType: Warehouse,Parent Warehouse,Entrepôt Parent DocType: C-Form Invoice Detail,Net Total,Total Net -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},La nomenclature par défaut n'a pas été trouvée pour l'élément {0} et le projet {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Définir différents types de prêts DocType: Bin,FCFS Rate,Montant PAPS DocType: Payment Reconciliation Invoice,Outstanding Amount,Montant dû apps/erpnext/erpnext/templates/generators/bom.html +71,Time(in mins),Temps (en min) DocType: Project Task,Working,Travail en cours DocType: Stock Ledger Entry,Stock Queue (FIFO),File d'Attente du Stock (FIFO) -apps/erpnext/erpnext/public/js/setup_wizard.js +107,Financial Year,Année financière +apps/erpnext/erpnext/public/js/setup_wizard.js +107,Financial Year,Exercice Financier apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +39,{0} does not belong to Company {1},{0} n'appartient pas à la Société {1} apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +119,Cost as on,Coût à partir de DocType: Account,Round Off,Arrondi @@ -2699,7 +2704,7 @@ DocType: Salary Detail,Condition and Formula Help,Aide Condition et Formule apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Gérer l’Arborescence des Régions. DocType: Journal Entry Account,Sales Invoice,Facture de Vente DocType: Journal Entry Account,Party Balance,Solde de la Partie -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Veuillez sélectionnez Appliquer Remise Sur +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Veuillez sélectionnez Appliquer Remise Sur DocType: Company,Default Receivable Account,Compte Client par Défaut DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Créer une Écriture Bancaire pour le salaire total payé avec les critères sélectionnés ci-dessus DocType: Stock Entry,Material Transfer for Manufacture,Transfert de Matériel pour la Fabrication @@ -2713,7 +2718,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Adresse du Client DocType: Employee Loan,Loan Details,Détails du Prêt DocType: Company,Default Inventory Account,Compte d'Inventaire par Défaut -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Ligne {0} : Qté Complétée doit être supérieure à zéro. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Ligne {0} : Qté Complétée doit être supérieure à zéro. DocType: Purchase Invoice,Apply Additional Discount On,Appliquer une Remise Supplémentaire Sur DocType: Account,Root Type,Type de Racine DocType: Item,FIFO,"FIFO (Premier entré, Premier sorti)" @@ -2730,7 +2735,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Inspection de la Qualité apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Très Petit DocType: Company,Standard Template,Modèle Standard DocType: Training Event,Theory,Théorie -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Attention : La Quantité de Matériel Commandé est inférieure à la Qté Minimum de Commande +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Attention : La Quantité de Matériel Commandé est inférieure à la Qté Minimum de Commande apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Le compte {0} est gelé DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entité Juridique / Filiale avec un Plan de Comptes différent appartenant à l'Organisation. DocType: Payment Request,Mute Email,Email Silencieux @@ -2754,7 +2759,7 @@ DocType: Training Event,Scheduled,Prévu apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Appel d'Offre apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Veuillez sélectionner un Article où ""Est un Article Stocké"" est ""Non"" et ""Est un Article à Vendre"" est ""Oui"" et il n'y a pas d'autre Groupe de Produits" DocType: Student Log,Academic,Académique -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avance totale ({0}) pour la Commande {1} ne peut pas être supérieure au Total Général ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avance totale ({0}) pour la Commande {1} ne peut pas être supérieure au Total Général ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Sélectionner une Répartition Mensuelle afin de repartir uniformément les objectifs sur le mois. DocType: Purchase Invoice Item,Valuation Rate,Taux de Valorisation DocType: Stock Reconciliation,SR/,SR/ @@ -2818,6 +2823,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Nb DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Entrez le nom de la campagne si la source de l'enquête est une campagne apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Éditeurs de Journaux apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Sélectionner l'Exercice +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,La date de livraison prévue devrait être après la date de commande de vente apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Niveau de Réapprovisionnement DocType: Company,Chart Of Accounts Template,Modèle de Plan Comptable DocType: Attendance,Attendance Date,Date de Présence @@ -2842,14 +2848,14 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An acade apps/erpnext/erpnext/stock/doctype/item/item.py +461,"As there are existing transactions against item {0}, you can not change the value of {1}","Comme il existe des transactions avec l'article {0}, vous ne pouvez pas changer la valeur de {1}" DocType: UOM,Must be Whole Number,Doit être un Nombre Entier DocType: Leave Control Panel,New Leaves Allocated (In Days),Nouvelle Allocation de Congés (en jours) -DocType: Sales Invoice,Invoice Copy,Copie de facture +DocType: Sales Invoice,Invoice Copy,Copie de Facture apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,N° de Série {0} n’existe pas DocType: Sales Invoice Item,Customer Warehouse (Optional),Entrepôt des Clients (Facultatif) DocType: Pricing Rule,Discount Percentage,Remise en Pourcentage DocType: Payment Reconciliation Invoice,Invoice Number,Numéro de Facture DocType: Shopping Cart Settings,Orders,Commandes DocType: Employee Leave Approver,Leave Approver,Approbateur de Congés -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Veuillez sélectionner un lot +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Veuillez sélectionner un lot DocType: Assessment Group,Assessment Group Name,Nom du Groupe d'Évaluation DocType: Manufacturing Settings,Material Transferred for Manufacture,Matériel Transféré pour la Fabrication DocType: Expense Claim,"A user with ""Expense Approver"" role","Un utilisateur avec le rôle ""Approbateur des Frais""" @@ -2885,18 +2891,18 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Dernier Jour du Mois Suivant DocType: Support Settings,Auto close Issue after 7 days,Fermer automatique les Questions après 7 jours apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Congé ne peut être alloué avant le {0}, car le solde de congés a déjà été reporté dans la feuille d'allocation de congés futurs {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Remarque : Date de Référence / d’Échéance dépasse le nombre de jours de crédit client autorisé de {0} jour(s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Remarque : Date de Référence / d’Échéance dépasse le nombre de jours de crédit client autorisé de {0} jour(s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Candidature Étudiante -DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL POUR RECIPIENT +DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL POUR LE DESTINATAIRE DocType: Asset Category Account,Accumulated Depreciation Account,Compte d'Amortissement Cumulé DocType: Stock Settings,Freeze Stock Entries,Geler les Entrées de Stocks -DocType: Program Enrollment,Boarding Student,Étudiant en embarquement +DocType: Program Enrollment,Boarding Student,Enregistrement Étudiant DocType: Asset,Expected Value After Useful Life,Valeur Attendue Après Utilisation Complète DocType: Item,Reorder level based on Warehouse,Niveau de réapprovisionnement basé sur l’Entrepôt DocType: Activity Cost,Billing Rate,Taux de Facturation ,Qty to Deliver,Quantité à Livrer ,Stock Analytics,Analyse du Stock -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Les opérations ne peuvent pas être laissées vides +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Les opérations ne peuvent pas être laissées vides DocType: Maintenance Visit Purpose,Against Document Detail No,Pour le Détail du Document N° apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Type de Partie est Obligatoire DocType: Quality Inspection,Outgoing,Sortant @@ -2937,15 +2943,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Qté Disponible à l'Entrepôt apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Montant Facturé DocType: Asset,Double Declining Balance,Double Solde Dégressif -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Les commandes fermées ne peuvent être annulées. Réouvrir pour annuler. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Les commandes fermées ne peuvent être annulées. Réouvrir pour annuler. DocType: Student Guardian,Father,Père -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Mettre à Jour Le Stock’ ne peut pas être coché pour la vente d'actifs immobilisés +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Mettre à Jour Le Stock’ ne peut pas être coché pour la vente d'actifs immobilisés DocType: Bank Reconciliation,Bank Reconciliation,Réconciliation Bancaire DocType: Attendance,On Leave,En Congé apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obtenir les Mises à jour apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1} : Compte {2} ne fait pas partie de la Société {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Demande de Matériel {0} est annulé ou arrêté -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Ajouter quelque exemple d'entrées +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Ajouter quelque exemple d'entrées apps/erpnext/erpnext/config/hr.py +301,Leave Management,Gestion des Congés apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grouper par Compte DocType: Sales Order,Fully Delivered,Entièrement Livré @@ -2954,12 +2960,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Le Compte d’Écart doit être un compte de type Actif / Passif, puisque cette Réconciliation de Stock est une écriture d'à-nouveau" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Le Montant Remboursé ne peut pas être supérieur au Montant du Prêt {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Numéro de Bon de Commande requis pour l'Article {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Ordre de Production non créé +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Ordre de Production non créé apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',La ‘Date de Début’ doit être antérieure à la ‘Date de Fin’ apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Impossible de changer le statut car l'étudiant {0} est lié à la candidature de l'étudiant {1} DocType: Asset,Fully Depreciated,Complètement Déprécié ,Stock Projected Qty,Qté de Stock Projeté -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Le Client {0} ne fait pas parti du projet {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Le Client {0} ne fait pas parti du projet {1} DocType: Employee Attendance Tool,Marked Attendance HTML,HTML des Présences Validées apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Les devis sont des propositions, offres que vous avez envoyées à vos clients" DocType: Sales Order,Customer's Purchase Order,N° de Bon de Commande du Client @@ -2969,7 +2975,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Veuillez définir le Nombre d’Amortissements Comptabilisés apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valeur ou Qté apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Les Ordres de Production ne peuvent pas être créés pour: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minute +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minute DocType: Purchase Invoice,Purchase Taxes and Charges,Taxes et Frais d’Achats ,Qty to Receive,Quantité à Recevoir DocType: Leave Block List,Leave Block List Allowed,Liste de Blocage des Congés Autorisée @@ -2982,7 +2988,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Tous les Types de Fournisseurs DocType: Global Defaults,Disable In Words,"Désactiver ""En Lettres""" apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Le code de l'Article est obligatoire car l'Article n'est pas numéroté automatiquement -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Le devis {0} n'est pas du type {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Le devis {0} n'est pas du type {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Article de Calendrier d'Entretien DocType: Sales Order,% Delivered,% Livré DocType: Production Order,PRO-,PRO- @@ -3005,7 +3011,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Email du Vendeur DocType: Project,Total Purchase Cost (via Purchase Invoice),Coût d'Achat Total (via Facture d'Achat) DocType: Training Event,Start Time,Heure de Début -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Sélectionner Quantité +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Sélectionner Quantité DocType: Customs Tariff Number,Customs Tariff Number,Tarifs Personnalisés apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Le Rôle Approbateur ne peut pas être identique au rôle dont la règle est Applicable apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Se Désinscire de ce Compte Rendu par Email @@ -3029,7 +3035,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,Détail PR DocType: Sales Order,Fully Billed,Entièrement Facturé apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Liquidités -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Entrepôt de Livraison requis pour article du stock {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Entrepôt de Livraison requis pour article du stock {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Le poids brut du colis. Habituellement poids net + poids du matériau d'emballage. (Pour l'impression) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Programme DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Les utilisateurs ayant ce rôle sont autorisés à définir les comptes gelés et à créer / modifier des écritures comptables sur des comptes gelés @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Groupe basé sur DocType: Journal Entry,Bill Date,Date de la Facture apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Poste de Service, le Type, la fréquence et le montant des frais sont exigés" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Même s'il existe plusieurs Règles de Tarification avec une plus haute priorité, les priorités internes suivantes sont appliquées :" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Voulez-vous vraiment Soumettre toutes les Fiches de Paie de {0} à {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Voulez-vous vraiment Soumettre toutes les Fiches de Paie de {0} à {1} DocType: Cheque Print Template,Cheque Height,Hauteur du Chèque DocType: Supplier,Supplier Details,Détails du Fournisseur DocType: Expense Claim,Approval Status,Statut d'Approbation @@ -3060,12 +3066,12 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Du Prospect au Devis apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Rien de plus à montrer. DocType: Lead,From Customer,Du Client apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Appels -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Lots +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Lots DocType: Project,Total Costing Amount (via Time Logs),Montant Total des Coûts (via Journaux de Temps) DocType: Purchase Order Item Supplied,Stock UOM,UDM du Stock apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Le Bon de Commande {0} n’est pas soumis DocType: Customs Tariff Number,Tariff Number,Tarif -DocType: Production Order Item,Available Qty at WIP Warehouse,Qté disponible à WIP Warehouse +DocType: Production Order Item,Available Qty at WIP Warehouse,Qté disponible à l'Entrepôt de Travaux en Cours apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projeté apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},N° de Série {0} ne fait pas partie de l’Entrepôt {1} apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Remarque : Le système ne vérifiera pas les sur-livraisons et les sur-réservations pour l’Article {0} car la quantité ou le montant est égal à 0 @@ -3091,7 +3097,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Retour contre Facture DocType: Item,Warranty Period (in days),Période de Garantie (en jours) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relation avec Tuteur1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Trésorerie Nette des Opérations -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,e.g. TVA +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,e.g. TVA apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Article 4 DocType: Student Admission,Admission End Date,Date de Fin de l'Admission apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sous-traitant @@ -3099,7 +3105,7 @@ DocType: Journal Entry Account,Journal Entry Account,Compte d’Écriture de Jou apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Groupe Étudiant DocType: Shopping Cart Settings,Quotation Series,Séries de Devis apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Un article existe avec le même nom ({0}), veuillez changer le nom du groupe d'article ou renommer l'article" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Veuillez sélectionner un client +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Veuillez sélectionner un client DocType: C-Form,I,I DocType: Company,Asset Depreciation Cost Center,Centre de Coûts de l'Amortissement d'Actifs DocType: Sales Order Item,Sales Order Date,Date de la Commande Client @@ -3110,6 +3116,7 @@ DocType: Stock Settings,Limit Percent,Pourcentage Limite ,Payment Period Based On Invoice Date,Période de Paiement basée sur la Date de la Facture apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Taux de Change Manquant pour {0} DocType: Assessment Plan,Examiner,Examinateur +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Veuillez configurer Naming Series pour {0} via Setup> Paramètres> Naming Series DocType: Student,Siblings,Frères et Sœurs DocType: Journal Entry,Stock Entry,Écriture de Stock DocType: Payment Entry,Payment References,Références de Paiement @@ -3134,7 +3141,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Là où les opérations de fabrication sont réalisées. DocType: Asset Movement,Source Warehouse,Entrepôt Source DocType: Installation Note,Installation Date,Date d'Installation -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Ligne #{0} : L’Actif {1} n’appartient pas à la société {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Ligne #{0} : L’Actif {1} n’appartient pas à la société {2} DocType: Employee,Confirmation Date,Date de Confirmation DocType: C-Form,Total Invoiced Amount,Montant Total Facturé apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Qté Min ne peut pas être supérieure à Qté Max @@ -3166,7 +3173,7 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Article Fourn apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nom de la Société ne peut pas être Company apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,En-Têtes pour les modèles d'impression. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titres pour les modèles d'impression e.g. Facture Proforma. -DocType: Program Enrollment,Walking,En marchant +DocType: Program Enrollment,Walking,En Marchant DocType: Student Guardian,Student Guardian,Tuteur d'Étudiant apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +201,Valuation type charges can not marked as Inclusive,Frais de type valorisation ne peuvent pas être marqués comme inclus DocType: POS Profile,Update Stock,Mettre à Jour le Stock @@ -3207,7 +3214,7 @@ DocType: Company,Default Letter Head,En-Tête de Courrier par Défaut DocType: Purchase Order,Get Items from Open Material Requests,Obtenir des Articles de Demandes Matérielles Ouvertes DocType: Item,Standard Selling Rate,Prix de Vente Standard DocType: Account,Rate at which this tax is applied,Taux auquel cette taxe est appliquée -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Qté de Réapprovisionnement +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Qté de Réapprovisionnement apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Offres d'Emploi Actuelles DocType: Company,Stock Adjustment Account,Compte d'Ajustement du Stock apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Reprise @@ -3221,7 +3228,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Fournisseur livre au Client apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (#Formulaire/Article/{0}) est en rupture de stock apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,La Date Suivante doit être supérieure à Date de Comptabilisation -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Date d’échéance / de référence ne peut pas être après le {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Date d’échéance / de référence ne peut pas être après le {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Importer et Exporter des Données apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Aucun étudiant Trouvé apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Date d’Envois de la Facture @@ -3241,12 +3248,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Basé sur la présence de cet Étudiant apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Aucun étudiant dans apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Ajouter plus d'articles ou ouvrir le formulaire complet -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Veuillez entrer ‘Date de Livraison Prévue’ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Bons de Livraison {0} doivent être annulés avant d’annuler cette Commande Client +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Bons de Livraison {0} doivent être annulés avant d’annuler cette Commande Client apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Le Montant Payé + Montant Repris ne peut pas être supérieur au Total Général apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} n'est pas un Numéro de Lot valide pour l’Article {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Remarque : Le solde de congé est insuffisant pour le Type de Congé {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN invalide ou Entrez NA si vous n'êtes pas Enregistré +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN invalide ou Entrez NA si vous n'êtes pas Enregistré DocType: Training Event,Seminar,Séminaire DocType: Program Enrollment Fee,Program Enrollment Fee,Frais d'Inscription au Programme DocType: Item,Supplier Items,Articles Fournisseur @@ -3264,7 +3270,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Viellissement du Stock apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Étudiant {0} existe pour la candidature d'un étudiant {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Feuille de Temps -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' est désactivé(e) +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' est désactivé(e) apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Définir comme Ouvert DocType: Cheque Print Template,Scanned Cheque,Chèque Numérisé DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Envoyer des emails automatiques aux Contacts sur les Transactions soumises. @@ -3310,7 +3316,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Taux de Change de la Liste de Prix DocType: Purchase Invoice Item,Rate,Taux apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Interne -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Nom de l'Adresse +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Nom de l'Adresse DocType: Stock Entry,From BOM,De LDM DocType: Assessment Code,Assessment Code,Code de l'Évaluation apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,de Base @@ -3323,20 +3329,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Grille des Salaires DocType: Account,Bank,Banque apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Compagnie Aérienne -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Problème Matériel +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Problème Matériel DocType: Material Request Item,For Warehouse,Pour l’Entrepôt DocType: Employee,Offer Date,Date de la Proposition apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Devis -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Vous êtes en mode hors connexion. Vous ne serez pas en mesure de recharger jusqu'à ce que vous ayez du réseau. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Vous êtes en mode hors connexion. Vous ne serez pas en mesure de recharger jusqu'à ce que vous ayez du réseau. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Aucun Groupe d'Étudiants créé. DocType: Purchase Invoice Item,Serial No,N° de Série apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Montant du Remboursement Mensuel ne peut pas être supérieur au Montant du Prêt apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Veuillez d’abord entrer les Détails de Maintenance +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Ligne # {0}: la date de livraison prévue ne peut pas être avant la date de commande DocType: Purchase Invoice,Print Language,Langue d’Impression DocType: Salary Slip,Total Working Hours,Total des Heures Travaillées DocType: Stock Entry,Including items for sub assemblies,Incluant les articles pour des sous-ensembles -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,La valeur entrée doit être positive -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Code d'article> Groupe d'articles> Marque +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,La valeur entrée doit être positive apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Tous les Territoires DocType: Purchase Invoice,Items,Articles apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,L'étudiant est déjà inscrit. @@ -3358,7 +3364,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',L’Unité de mesure par défaut pour la variante '{0}' doit être la même que dans le Modèle '{1}' DocType: Shipping Rule,Calculate Based On,Calculer en fonction de DocType: Delivery Note Item,From Warehouse,De l'Entrepôt -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Aucun Article avec une Liste de Matériel à Fabriquer +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Aucun Article avec une Liste de Matériel à Fabriquer DocType: Assessment Plan,Supervisor Name,Nom du Superviseur DocType: Program Enrollment Course,Program Enrollment Course,Cours d'Inscription au Programme DocType: Purchase Taxes and Charges,Valuation and Total,Valorisation et Total @@ -3373,32 +3379,33 @@ DocType: Training Event Employee,Attended,Présent apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Jours Depuis La Dernière Commande' doit être supérieur ou égal à zéro DocType: Process Payroll,Payroll Frequency,Fréquence de la Paie DocType: Asset,Amended From,Modifié Depuis -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Matières Premières +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Matières Premières DocType: Leave Application,Follow via Email,Suivre par E-mail apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Usines et Machines DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Montant de la Taxe après Remise DocType: Daily Work Summary Settings,Daily Work Summary Settings,Paramètres du Récapitulatif Quotidien -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},La devise de la liste de prix {0} ne ressemble pas à la devise sélectionnée {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},La devise de la liste de prix {0} ne ressemble pas à la devise sélectionnée {1} DocType: Payment Entry,Internal Transfer,Transfert Interne apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Un compte enfant existe pour ce compte. Vous ne pouvez pas supprimer ce compte. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Soit la qté cible soit le montant cible est obligatoire apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Aucune LDM par défaut n’existe pour l'article {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Veuillez d’abord sélectionner la Date de Comptabilisation +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Veuillez d’abord sélectionner la Date de Comptabilisation apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Date d'Ouverture devrait être antérieure à la Date de Clôture DocType: Leave Control Panel,Carry Forward,Reporter apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Un Centre de Coûts avec des transactions existantes ne peut pas être converti en grand livre DocType: Department,Days for which Holidays are blocked for this department.,Jours pour lesquels les Vacances sont bloquées pour ce département. ,Produced,Produit -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Créer une Fiche de Paie +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Créer une Fiche de Paie DocType: Item,Item Code for Suppliers,Code de l'Article pour les Fournisseurs DocType: Issue,Raised By (Email),Créé par (Email) DocType: Training Event,Trainer Name,Nom du Formateur DocType: Mode of Payment,General,Général apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Dernière Communication apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Déduction impossible lorsque la catégorie est pour 'Évaluation' ou 'Vaulation et Total' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Inscrivez vos titres d'impôts (par exemple, TVA, douanes, etc., ils doivent avoir des noms uniques) et leurs taux standards. Cela va créer un modèle standard, que vous pouvez modifier et compléter plus tard." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Inscrivez vos titres d'impôts (par exemple, TVA, douanes, etc., ils doivent avoir des noms uniques) et leurs taux standards. Cela va créer un modèle standard, que vous pouvez modifier et compléter plus tard." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},N° de Séries Requis pour Article Sérialisé {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Rapprocher les Paiements avec les Factures +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Ligne # {0}: Entrez la date de livraison contre l'élément {1} DocType: Journal Entry,Bank Entry,Écriture Bancaire DocType: Authorization Rule,Applicable To (Designation),Applicable À (Désignation) ,Profitability Analysis,Analyse de Profitabilité @@ -3414,17 +3421,18 @@ DocType: Quality Inspection,Item Serial No,No de Série de l'Article apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Créer les Dossiers des Employés apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total des Présents apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,États Financiers -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Heure +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Heure apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Les Nouveaux N° de Série ne peuvent avoir d'entrepot. L'Entrepôt doit être établi par Écriture de Stock ou Reçus d'Achat DocType: Lead,Lead Type,Type de Prospect apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Vous n'êtes pas autorisé à approuver les congés sur les Dates Bloquées -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Tous ces articles ont déjà été facturés +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Tous ces articles ont déjà été facturés +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Objectif de vente mensuel apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Peut être approuvé par {0} DocType: Item,Default Material Request Type,Type de Requête de Matériaux par Défaut apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Inconnu DocType: Shipping Rule,Shipping Rule Conditions,Conditions de la Règle de Livraison DocType: BOM Replace Tool,The new BOM after replacement,La nouvelle LDM après remplacement -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point de Vente +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Point de Vente DocType: Payment Entry,Received Amount,Montant Reçu DocType: GST Settings,GSTIN Email Sent On,Email GSTIN Envoyé Le DocType: Program Enrollment,Pick/Drop by Guardian,Déposé/Récupéré par le Tuteur @@ -3439,8 +3447,8 @@ DocType: C-Form,Invoices,Factures DocType: Batch,Source Document Name,Nom du Document Source DocType: Job Opening,Job Title,Titre de l'Emploi apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Créer des Utilisateurs -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gramme -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Quantité à Fabriquer doit être supérieur à 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gramme +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Quantité à Fabriquer doit être supérieur à 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Rapport de visite pour appel de maintenance DocType: Stock Entry,Update Rate and Availability,Mettre à Jour le Prix et la Disponibilité DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Pourcentage que vous êtes autorisé à recevoir ou à livrer en plus de la quantité commandée. Par exemple : Si vous avez commandé 100 unités et que votre allocation est de 10% alors que vous êtes autorisé à recevoir 110 unités. @@ -3452,7 +3460,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Veuillez d’abord annuler la Facture d'Achat {0} apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Adresse Email doit être unique, existe déjà pour {0}" DocType: Serial No,AMC Expiry Date,Date d'Expiration CMA -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Reçu +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Reçu ,Sales Register,Registre des Ventes DocType: Daily Work Summary Settings Company,Send Emails At,Envoyer Emails À DocType: Quotation,Quotation Lost Reason,Raison de la Perte du Devis @@ -3465,14 +3473,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Pas encore de apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,États des Flux de Trésorerie apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Le Montant du prêt ne peut pas dépasser le Montant Maximal du Prêt de {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licence -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Veuillez retirez cette Facture {0} du C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Veuillez retirez cette Facture {0} du C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Veuillez sélectionnez Report si vous souhaitez également inclure le solde des congés de l'exercice précédent à cet exercice DocType: GL Entry,Against Voucher Type,Pour le Type de Bon DocType: Item,Attributes,Attributs apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Veuillez entrer un Compte de Reprise apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Date de la Dernière Commande apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Le compte {0} n'appartient pas à la société {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Les Numéros de Série dans la ligne {0} ne correspondent pas au Bon de Livraison +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Les Numéros de Série dans la ligne {0} ne correspondent pas au Bon de Livraison DocType: Student,Guardian Details,Détails du Tuteur DocType: C-Form,C-Form,Formulaire-C apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Valider la Présence de plusieurs employés @@ -3504,16 +3512,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ty DocType: Tax Rule,Sales,Ventes DocType: Stock Entry Detail,Basic Amount,Montant de Base DocType: Training Event,Exam,Examen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},L’entrepôt est obligatoire pour l'article du stock {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},L’entrepôt est obligatoire pour l'article du stock {0} DocType: Leave Allocation,Unused leaves,Congés non utilisés -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,État de la Facturation apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transférer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} n'est pas associé(e) à un compte auxiliaire {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Récupérer la LDM éclatée (y compris les sous-ensembles) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Récupérer la LDM éclatée (y compris les sous-ensembles) DocType: Authorization Rule,Applicable To (Employee),Applicable À (Employé) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,La Date d’Échéance est obligatoire apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Incrément pour l'Attribut {0} ne peut pas être 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Groupe Client> Territoire DocType: Journal Entry,Pay To / Recd From,Payé À / Reçu De DocType: Naming Series,Setup Series,Configuration des Séries DocType: Payment Reconciliation,To Invoice Date,Date de Facture Finale @@ -3540,7 +3549,7 @@ DocType: Journal Entry,Write Off Based On,Reprise Basée Sur apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Faire un Prospect apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Impression et Papeterie DocType: Stock Settings,Show Barcode Field,Afficher Champ Code Barre -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Envoyer des Emails au Fournisseur +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Envoyer des Emails au Fournisseur apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaire déjà traité pour la période entre {0} et {1}, La période de demande de congé ne peut pas être entre cette plage de dates." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,N° de Série pour un dossier d'installation DocType: Guardian Interest,Guardian Interest,Part du Tuteur @@ -3553,7 +3562,7 @@ DocType: Offer Letter,Awaiting Response,Attente de Réponse apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Au-dessus apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Attribut invalide {0} {1} DocType: Supplier,Mention if non-standard payable account,Veuillez mentionner s'il s'agit d'un compte créditeur non standard -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Le même article a été entré plusieurs fois. {list} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Le même article a été entré plusieurs fois. {list} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Sélectionnez un groupe d'évaluation autre que «Tous les Groupes d'Évaluation» DocType: Salary Slip,Earning & Deduction,Revenus et Déduction apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Facultatif. Ce paramètre sera utilisé pour filtrer différentes transactions. @@ -3572,7 +3581,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Coût des Immobilisations Mises au Rebut apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centre de Coûts est obligatoire pour l’Article {2} DocType: Vehicle,Policy No,Politique N° -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Obtenir les Articles du Produit Groupé +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Obtenir les Articles du Produit Groupé DocType: Asset,Straight Line,Ligne Droite DocType: Project User,Project User,Utilisateur du Projet apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Fractionner @@ -3584,6 +3593,7 @@ DocType: Sales Team,Contact No.,N° du Contact DocType: Bank Reconciliation,Payment Entries,Écritures de Paiement DocType: Production Order,Scrap Warehouse,Entrepôt de Rebut DocType: Production Order,Check if material transfer entry is not required,Vérifiez si une un transfert de matériel n'est pas requis +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de nommage des employés dans Ressources humaines> Paramètres RH DocType: Program Enrollment Tool,Get Students From,Obtenir les Étudiants De DocType: Hub Settings,Seller Country,Pays du Vendeur apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publier les Articles sur le Site Web @@ -3601,19 +3611,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Spécifier les conditions pour calculer le montant de la livraison DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rôle Autorisé à Geler des Comptes & à Éditer des Écritures Gelées apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valeur d'Ouverture +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Valeur d'Ouverture DocType: Salary Detail,Formula,Formule apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Série # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Commission sur les Ventes DocType: Offer Letter Term,Value / Description,Valeur / Description -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ligne #{0} : L’Actif {1} ne peut pas être soumis, il est déjà {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ligne #{0} : L’Actif {1} ne peut pas être soumis, il est déjà {2}" DocType: Tax Rule,Billing Country,Pays de Facturation DocType: Purchase Order Item,Expected Delivery Date,Date de Livraison Prévue apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Débit et Crédit non égaux pour {0} # {1}. La différence est de {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Frais de Représentation apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Faire une Demande de Matériel apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Ouvrir l'Article {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Facture de Vente {0} doit être annulée avant l'annulation de cette Commande Client +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Facture de Vente {0} doit être annulée avant l'annulation de cette Commande Client apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Âge DocType: Sales Invoice Timesheet,Billing Amount,Montant de Facturation apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantité spécifiée invalide pour l'élément {0}. Quantité doit être supérieur à 0. @@ -3636,7 +3646,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nouveaux Revenus de Clientèle apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Frais de Déplacement DocType: Maintenance Visit,Breakdown,Panne -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Compte : {0} avec la devise : {1} ne peut pas être sélectionné +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Compte : {0} avec la devise : {1} ne peut pas être sélectionné DocType: Bank Reconciliation Detail,Cheque Date,Date du Chèque apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: Le Compte parent {1} n'appartient pas à l'entreprise: {2} DocType: Program Enrollment Tool,Student Applicants,Candidatures Étudiantes @@ -3654,13 +3664,13 @@ DocType: Production Order Item,Transferred Qty,Quantité Transférée apps/erpnext/erpnext/config/learn.py +11,Navigating,Naviguer apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planification DocType: Material Request,Issued,Publié -apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Activité étudiante +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Activité Étudiante DocType: Project,Total Billing Amount (via Time Logs),Montant Total de Facturation (via Journaux de Temps) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Nous vendons cet Article +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Nous vendons cet Article apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ID du Fournisseur DocType: Payment Request,Payment Gateway Details,Détails de la Passerelle de Paiement -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Quantité doit être supérieure à 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Exemples de données +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Quantité doit être supérieure à 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Exemples de Données DocType: Journal Entry,Cash Entry,Écriture de Caisse apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Les noeuds enfants peuvent être créés uniquement dans les nœuds de type 'Groupe' DocType: Leave Application,Half Day Date,Date de Demi-Journée @@ -3669,17 +3679,18 @@ DocType: Sales Partner,Contact Desc,Desc. du Contact apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Type de congé comme courant, maladie, etc." DocType: Email Digest,Send regular summary reports via Email.,Envoyer régulièrement des rapports de synthèse par Email. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Veuillez définir le compte par défaut dans le Type de Note de Frais {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Veuillez définir le compte par défaut dans le Type de Note de Frais {0} DocType: Assessment Result,Student Name,Nom de l'Étudiant DocType: Brand,Item Manager,Gestionnaire d'Article apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Paie à Payer DocType: Buying Settings,Default Supplier Type,Type de Fournisseur par Défaut DocType: Production Order,Total Operating Cost,Coût d'Exploitation Total -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Remarque : Article {0} saisi plusieurs fois +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Remarque : Article {0} saisi plusieurs fois apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tous les Contacts. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Définissez votre cible apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abréviation de la Société apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Utilisateur {0} n'existe pas -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Les matières premières ne peuvent être identiques à l’Article principal +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Les matières premières ne peuvent être identiques à l’Article principal DocType: Item Attribute Value,Abbreviation,Abréviation apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,L’Écriture de Paiement existe déjà apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Non autorisé car {0} dépasse les limites @@ -3697,7 +3708,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Rôle Autorisé à mod ,Territory Target Variance Item Group-Wise,Variance de l’Objectif par Région et par Groupe d’Article apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Tous les Groupes Client apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Cumul Mensuel -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} est obligatoire. Peut-être qu’un enregistrement de Taux de Change n'est pas créé pour {1} et {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} est obligatoire. Peut-être qu’un enregistrement de Taux de Change n'est pas créé pour {1} et {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Un Modèle de Taxe est obligatoire. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Compte {0}: Le Compte parent {1} n'existe pas DocType: Purchase Invoice Item,Price List Rate (Company Currency),Taux de la Liste de Prix (Devise Société) @@ -3708,7 +3719,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Allocation en Pou apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secrétaire DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Si coché, le champ 'En Lettre' ne sera visible dans aucune transaction" DocType: Serial No,Distinct unit of an Item,Unité distincte d'un Article -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Veuillez sélectionner une Société +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Veuillez sélectionner une Société DocType: Pricing Rule,Buying,Achat DocType: HR Settings,Employee Records to be created by,Dossiers de l'Employés ont été créées par DocType: POS Profile,Apply Discount On,Appliquer Réduction Sur @@ -3719,7 +3730,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Détail des Taxes par Article apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Abréviation de l'Institut ,Item-wise Price List Rate,Taux de la Liste des Prix par Article -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Devis Fournisseur +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Devis Fournisseur DocType: Quotation,In Words will be visible once you save the Quotation.,En Toutes Lettres. Sera visible une fois que vous enregistrerez le Devis. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},La quantité ({0}) ne peut pas être une fraction dans la ligne {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Collecter les Frais @@ -3742,7 +3753,7 @@ Updated via 'Time Log'",en Minutes Mises à Jour via le 'Journal des Temps' DocType: Customer,From Lead,Du Prospect apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Commandes validées pour la production. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Sélectionner Exercice ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,Profil PDV nécessaire pour faire une écriture de PDV +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,Profil PDV nécessaire pour faire une écriture de PDV DocType: Program Enrollment Tool,Enroll Students,Inscrire des Étudiants DocType: Hub Settings,Name Token,Nom du Jeton apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Vente Standard @@ -3760,7 +3771,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Différence de Valeur du Sock apps/erpnext/erpnext/config/learn.py +234,Human Resource,Ressource Humaine DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Paiement de Réconciliation des Paiements apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Actifs d'Impôts -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},L'ordre de production a été {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},L'Ordre de Production a été {0} DocType: BOM Item,BOM No,N° LDM DocType: Instructor,INS/,INS/ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,L’Écriture de Journal {0} n'a pas le compte {1} ou est déjà réconciliée avec une autre pièce justificative @@ -3774,7 +3785,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Charger apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Montant en suspens DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Définir des objectifs par Groupe d'Articles pour ce Commercial DocType: Stock Settings,Freeze Stocks Older Than [Days],Geler les Articles plus Anciens que [Jours] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ligne #{0} : L’Actif est obligatoire pour les achats / ventes d’actifs immobilisés +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ligne #{0} : L’Actif est obligatoire pour les achats / ventes d’actifs immobilisés apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si deux Règles de Prix ou plus sont trouvées sur la base des conditions ci-dessus, une Priorité est appliquée. La Priorité est un nombre compris entre 0 et 20 avec une valeur par défaut de zéro (vide). Les nombres les plus élévés sont prioritaires s'il y a plusieurs Règles de Prix avec mêmes conditions." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Exercice Fiscal: {0} n'existe pas DocType: Currency Exchange,To Currency,Devise Finale @@ -3782,7 +3793,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Types de Notes de Frais. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Le prix de vente pour l'élément {0} est inférieur à son {1}. Le prix de vente devrait être au moins {2} DocType: Item,Taxes,Taxes -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Payé et Non Livré +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Payé et Non Livré DocType: Project,Default Cost Center,Centre de Coûts par Défaut DocType: Bank Guarantee,End Date,Date de Fin apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transactions du Stock @@ -3799,7 +3810,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Paramètres du Récapitulatif Quotidien de la Société apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,L'article {0} est ignoré puisqu'il n'est pas en stock DocType: Appraisal,APRSL,EVAL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Soumettre cet Ordre de Fabrication pour un traitement ultérieur. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Soumettre cet Ordre de Fabrication pour un traitement ultérieur. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Pour ne pas appliquer la Règle de Tarification dans une transaction particulière, toutes les Règles de Tarification applicables doivent être désactivées." DocType: Assessment Group,Parent Assessment Group,Groupe d’Évaluation Parent apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Emplois @@ -3807,14 +3818,14 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Emplois DocType: Employee,Held On,Tenu le apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Article de Production ,Employee Information,Renseignements sur l'Employé -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Taux (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Taux (%) DocType: Stock Entry Detail,Additional Cost,Frais Supplémentaire apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"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" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Créer un Devis Fournisseur +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Créer un Devis Fournisseur DocType: Quality Inspection,Incoming,Entrant DocType: BOM,Materials Required (Exploded),Matériel Requis (Éclaté) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Ajouter des utilisateurs à votre organisation, autre que vous-même" -apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Veuillez définir le filtre de la société vide si Group By est 'Company' +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Veuillez laisser le filtre de la Société vide si Group By est 'Société' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,La Date de Publication ne peut pas être une date future apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Ligne # {0} : N° de série {1} ne correspond pas à {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Congé Occasionnel @@ -3826,7 +3837,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Compte : {0} peut uniquement être mis à jour via les Mouvements de Stock DocType: Student Group Creation Tool,Get Courses,Obtenir les Cours DocType: GL Entry,Party,Partie -DocType: Sales Order,Delivery Date,Date de Livraison +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Date de Livraison DocType: Opportunity,Opportunity Date,Date d'Opportunité DocType: Purchase Receipt,Return Against Purchase Receipt,Retour contre Reçu d'Achat DocType: Request for Quotation Item,Request for Quotation Item,Article de l'Appel d'Offre @@ -3840,7 +3851,7 @@ DocType: Task,Actual Time (in Hours),Temps Réel (en Heures) DocType: Employee,History In Company,Ancienneté dans la Société apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletters DocType: Stock Ledger Entry,Stock Ledger Entry,Écriture du Livre d'Inventaire -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Le même article a été saisi plusieurs fois +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Le même article a été saisi plusieurs fois DocType: Department,Leave Block List,Liste de Blocage des Congés DocType: Sales Invoice,Tax ID,Numéro d'Identification Fiscale apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,L'article {0} n'est pas configuré pour un Numéros de Série. La colonne doit être vide @@ -3858,25 +3869,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Noir DocType: BOM Explosion Item,BOM Explosion Item,Article Eclaté LDM DocType: Account,Auditor,Auditeur -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} articles produits +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} articles produits DocType: Cheque Print Template,Distance from top edge,Distance du bord supérieur apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Liste des Prix {0} est désactivée ou n'existe pas DocType: Purchase Invoice,Return,Retour DocType: Production Order Operation,Production Order Operation,Opération d’Ordre de Production DocType: Pricing Rule,Disable,Désactiver -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Mode de paiement est requis pour effectuer un paiement +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Mode de paiement est requis pour effectuer un paiement DocType: Project Task,Pending Review,Revue en Attente apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} n'est pas inscrit dans le Lot {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","L'actif {0} ne peut pas être mis au rebut, car il est déjà {1}" DocType: Task,Total Expense Claim (via Expense Claim),Total des Notes de Frais (via Note de Frais) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marquer Absent -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ligne {0} : La devise de la LDM #{1} doit être égale à la devise sélectionnée {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ligne {0} : La devise de la LDM #{1} doit être égale à la devise sélectionnée {2} DocType: Journal Entry Account,Exchange Rate,Taux de Change -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Commande Client {0} n'a pas été transmise +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Commande Client {0} n'a pas été transmise DocType: Homepage,Tag Line,Ligne de Tag DocType: Fee Component,Fee Component,Composant d'Honoraires apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Gestion de Flotte -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Ajouter des articles de +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Ajouter des articles de DocType: Cheque Print Template,Regular,Ordinaire apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Le total des pondérations de tous les Critères d'Évaluation doit être égal à 100% DocType: BOM,Last Purchase Rate,Dernier Prix d'Achat @@ -3897,12 +3908,12 @@ DocType: Employee,Reports to,Rapports À DocType: SMS Settings,Enter url parameter for receiver nos,Entrez le paramètre url pour le nombre de destinataires DocType: Payment Entry,Paid Amount,Montant Payé DocType: Assessment Plan,Supervisor,Superviseur -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,En Ligne +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,En Ligne ,Available Stock for Packing Items,Stock Disponible pour les Articles d'Emballage DocType: Item Variant,Item Variant,Variante de l'Article DocType: Assessment Result Tool,Assessment Result Tool,Outil de Résultat d'Évaluation DocType: BOM Scrap Item,BOM Scrap Item,Article Mis au Rebut LDM -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Commandes Soumises ne peuvent pas être supprimés +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Commandes Soumises ne peuvent pas être supprimés apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Le solde du compte est déjà débiteur, vous n'êtes pas autorisé à définir 'Solde Doit Être' comme 'Créditeur'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestion de la Qualité apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,L'article {0} a été désactivé @@ -3933,7 +3944,7 @@ DocType: Item Group,Default Expense Account,Compte de Charges par Défaut apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ID Email de l'Étudiant DocType: Employee,Notice (days),Préavis (jours) DocType: Tax Rule,Sales Tax Template,Modèle de la Taxe de Vente -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Sélectionner les articles pour sauvegarder la facture +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Sélectionner les articles pour sauvegarder la facture DocType: Employee,Encashment Date,Date de l'Encaissement DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Ajustement du Stock @@ -3963,7 +3974,7 @@ DocType: Guardian,Guardian Of ,Tuteur De DocType: Grading Scale Interval,Threshold,Seuil DocType: BOM Replace Tool,Current BOM,LDM Actuelle apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Ajouter un Numéro de série -DocType: Production Order Item,Available Qty at Source Warehouse,Quantité disponible à l'entrepôt source +DocType: Production Order Item,Available Qty at Source Warehouse,Qté Disponible à l'Entrepôt Source apps/erpnext/erpnext/config/support.py +22,Warranty,Garantie DocType: Purchase Invoice,Debit Note Issued,Notes de Débit Émises DocType: Production Order,Warehouses,Entrepôts @@ -3982,10 +3993,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Envoi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Réduction max autorisée pour l'article : {0} est de {1} % apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Valeur Nette des Actifs au DocType: Account,Receivable,Créance -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ligne #{0} : Changement de Fournisseur non autorisé car un Bon de Commande existe déjà +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ligne #{0} : Changement de Fournisseur non autorisé car un Bon de Commande existe déjà DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rôle qui est autorisé à soumettre des transactions qui dépassent les limites de crédit fixées. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Sélectionner les Articles à Fabriquer -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Données de base en cours de synchronisation, cela peut prendre un certain temps" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Sélectionner les Articles à Fabriquer +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Données de base en cours de synchronisation, cela peut prendre un certain temps" DocType: Item,Material Issue,Sortie de Matériel DocType: Hub Settings,Seller Description,Description du Vendeur DocType: Employee Education,Qualification,Qualification @@ -4006,11 +4017,10 @@ DocType: BOM,Rate Of Materials Based On,Prix des Matériaux Basé sur apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analyse du Support apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Décocher tout DocType: POS Profile,Terms and Conditions,Termes et Conditions -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de nommage des employés dans Ressources humaines> Paramètres RH apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},La Date Finale doit être dans l'exercice. En supposant Date Finale = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ici vous pouvez conserver la hauteur, le poids, les allergies, les préoccupations médicales etc." DocType: Leave Block List,Applies to Company,S'applique à la Société -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Impossible d'annuler car l'Écriture de Stock soumise {0} existe +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Impossible d'annuler car l'Écriture de Stock soumise {0} existe DocType: Employee Loan,Disbursement Date,Date de Décaissement DocType: Vehicle,Vehicle,Véhicule DocType: Purchase Invoice,In Words,En Toutes Lettres @@ -4048,7 +4058,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Paramètres Globaux DocType: Assessment Result Detail,Assessment Result Detail,Détails des Résultats d'Évaluation DocType: Employee Education,Employee Education,Formation de l'Employé apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Groupe d’articles en double trouvé dans la table des groupes d'articles -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Nécessaire pour aller chercher les Détails de l'Article. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Nécessaire pour aller chercher les Détails de l'Article. DocType: Salary Slip,Net Pay,Salaire Net DocType: Account,Account,Compte apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,N° de Série {0} a déjà été reçu @@ -4056,7 +4066,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Journal du Véhicule DocType: Purchase Invoice,Recurring Id,Id Récurrent DocType: Customer,Sales Team Details,Détails de l'Équipe des Ventes -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Supprimer définitivement ? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Supprimer définitivement ? DocType: Expense Claim,Total Claimed Amount,Montant Total Réclamé apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Opportunités potentielles de vente. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalide {0} @@ -4068,7 +4078,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Configurez votre École dans ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Montant de Base à Rendre (Devise de la Société) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Pas d’écritures comptables pour les entrepôts suivants -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Enregistrez le document d'abord. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Enregistrez le document d'abord. DocType: Account,Chargeable,Facturable DocType: Company,Change Abbreviation,Changer l'Abréviation DocType: Expense Claim Detail,Expense Date,Date de Frais @@ -4082,7 +4092,6 @@ DocType: BOM,Manufacturing User,Chargé de Fabrication DocType: Purchase Invoice,Raw Materials Supplied,Matières Premières Fournies DocType: Purchase Invoice,Recurring Print Format,Format d'Impression Récurrent DocType: C-Form,Series,Séries -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Date de Livraison Prévue ne peut pas être avant la Date de Commande DocType: Appraisal,Appraisal Template,Modèle d'évaluation DocType: Item Group,Item Classification,Classification de l'Article apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Directeur Commercial @@ -4121,12 +4130,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Sélection apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Événements de Formation/Résultats apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Amortissement Cumulé depuis DocType: Sales Invoice,C-Form Applicable,Formulaire-C Applicable -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Temps de l'Opération doit être supérieur à 0 pour l'Opération {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Temps de l'Opération doit être supérieur à 0 pour l'Opération {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,L'entrepôt est obligatoire DocType: Supplier,Address and Contacts,Adresse et Contacts DocType: UOM Conversion Detail,UOM Conversion Detail,Détails de Conversion de l'UDM DocType: Program,Program Abbreviation,Abréviation du Programme -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Ordre de Production ne peut être créé avec un Modèle d’Article +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Ordre de Production ne peut être créé avec un Modèle d’Article apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Les frais sont mis à jour dans le Reçu d'Achat pour chaque article DocType: Warranty Claim,Resolved By,Résolu Par DocType: Bank Guarantee,Start Date,Date de Début @@ -4161,6 +4170,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Retour d'Expérience sur la Formation apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,L'Ordre de Production {0} doit être soumis apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Veuillez sélectionner la Date de Début et Date de Fin pour l'Article {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Définissez une cible de vente que vous souhaitez atteindre. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Cours est obligatoire à la ligne {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,La date de fin ne peut être antérieure à la date de début DocType: Supplier Quotation Item,Prevdoc DocType,DocPréc DocType @@ -4178,7 +4188,7 @@ DocType: Account,Income,Revenus DocType: Industry Type,Industry Type,Secteur d'Activité apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Quelque chose a mal tourné ! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Attention : la demande de congé contient les dates bloquées suivantes -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,La Facture Vente {0} a déjà été transmise +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,La Facture Vente {0} a déjà été transmise DocType: Assessment Result Detail,Score,Score apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Exercice Fiscal {0} n'existe pas apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Date d'Achèvement @@ -4189,7 +4199,7 @@ DocType: Announcement,Student,Étudiant apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Base d'unité d'organisation (département). apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Veuillez entrer des N° de mobiles valides apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Veuillez entrer le message avant d'envoyer -DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICAT POUR LE FOURNISSEUR +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICATA POUR LE FOURNISSEUR DocType: Email Digest,Pending Quotations,Devis en Attente apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Profil de Point-De-Vente apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Veuillez Mettre à Jour les Réglages de SMS @@ -4208,7 +4218,7 @@ DocType: Naming Series,Help HTML,Aide HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Outil de Création de Groupe d'Étudiants DocType: Item,Variant Based On,Variante Basée Sur apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Le total des pondérations attribuées devrait être de 100 %. Il est {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Vos Fournisseurs +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Vos Fournisseurs apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Impossible de définir comme perdu alors qu'un Bon de Commande a été créé. DocType: Request for Quotation Item,Supplier Part No,N° de Pièce du Fournisseur apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Vous ne pouvez pas déduire lorsqu'une catégorie est pour 'Évaluation' ou 'Évaluation et Total' @@ -4218,14 +4228,14 @@ DocType: Item,Has Serial No,A un N° de Série DocType: Employee,Date of Issue,Date d'Émission apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0} : Du {0} pour {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","D'après les Paramètres d'Achat, si Reçu d'Achat Requis == 'OUI', alors l'utilisateur doit d'abord créer un Reçu d'Achat pour l'article {0} pour pouvoir créer une Facture d'Achat" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Ligne #{0} : Définir Fournisseur pour l’article {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Ligne {0} : La valeur des heures doit être supérieure à zéro. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Ligne #{0} : Définir Fournisseur pour l’article {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Ligne {0} : La valeur des heures doit être supérieure à zéro. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Image pour le Site Web {0} attachée à l'Article {1} ne peut pas être trouvée DocType: Issue,Content Type,Type de Contenu apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Ordinateur DocType: Item,List this Item in multiple groups on the website.,Liste cet article dans plusieurs groupes sur le site. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Veuillez vérifier l'option Multi-Devises pour permettre les comptes avec une autre devise -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Article : {0} n'existe pas dans le système +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Article : {0} n'existe pas dans le système apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Vous n'êtes pas autorisé à définir des valeurs gelées DocType: Payment Reconciliation,Get Unreconciled Entries,Obtenir les Écritures non Réconcilliées DocType: Payment Reconciliation,From Invoice Date,De la Date de la Facture @@ -4251,7 +4261,7 @@ DocType: Stock Entry,Default Source Warehouse,Entrepôt Source par Défaut DocType: Item,Customer Code,Code Client apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Rappel d'Anniversaire pour {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Jours Depuis la Dernière Commande -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Le compte de débit doit être un compte de Bilan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Le compte de débit doit être un compte de Bilan DocType: Buying Settings,Naming Series,Nom de la Série DocType: Leave Block List,Leave Block List Name,Nom de la Liste de Blocage des Congés apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Date de Début d'Assurance devrait être antérieure à la Date de Fin d'Assurance @@ -4268,7 +4278,7 @@ DocType: Vehicle Log,Odometer,Odomètre DocType: Sales Order Item,Ordered Qty,Qté Commandée apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Article {0} est désactivé DocType: Stock Settings,Stock Frozen Upto,Stock Gelé Jusqu'au -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,LDM ne contient aucun article en stock +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,LDM ne contient aucun article en stock apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Les Dates de Période Initiale et de Période Finale sont obligatoires pour {0} récurrent(e) apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Activité du projet / tâche. DocType: Vehicle Log,Refuelling Details,Détails de Ravitaillement @@ -4278,7 +4288,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Dernier montant d'achat introuvable DocType: Purchase Invoice,Write Off Amount (Company Currency),Montant de la Reprise (Devise Société) DocType: Sales Invoice Timesheet,Billing Hours,Heures Facturées -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,LDM par défaut {0} introuvable +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,LDM par défaut {0} introuvable apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Ligne #{0} : Veuillez définir la quantité de réapprovisionnement apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Choisissez des articles pour les ajouter ici DocType: Fees,Program Enrollment,Inscription au Programme @@ -4310,6 +4320,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Balance Agée 2 DocType: SG Creation Tool Course,Max Strength,Force Max apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,LDM Remplacée +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Sélectionnez les éléments en fonction de la date de livraison ,Sales Analytics,Analyse des Ventes apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Disponible {0} ,Prospects Engaged But Not Converted,Prospects Contactés mais non Convertis @@ -4356,7 +4367,7 @@ DocType: Authorization Rule,Customerwise Discount,Remise en fonction du Client apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Feuille de Temps pour les tâches. DocType: Purchase Invoice,Against Expense Account,Pour le Compte de Charges DocType: Production Order,Production Order,Ordre de Production -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Note d'Installation {0} à déjà été sousmise +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Note d'Installation {0} à déjà été sousmise DocType: Bank Reconciliation,Get Payment Entries,Obtenir les Écritures de Paiement DocType: Quotation Item,Against Docname,Pour le docName DocType: SMS Center,All Employee (Active),Tous les Employés (Actifs) @@ -4365,7 +4376,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Coût de Matière Première DocType: Item Reorder,Re-Order Level,Niveau de Réapprovisionnement DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Entrez les articles et qté planifiée pour lesquels vous voulez augmenter les ordres de fabrication ou télécharger des donées brutes pour les analyser. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagramme de Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Diagramme de Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Temps-Partiel DocType: Employee,Applicable Holiday List,Liste de Vacances Valable DocType: Employee,Cheque,Chèque @@ -4421,11 +4432,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Qté Réservée pour la Production DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Laisser désactivé si vous ne souhaitez pas considérer les lots en faisant des groupes basés sur les cours. DocType: Asset,Frequency of Depreciation (Months),Fréquence des Amortissements (Mois) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Compte Créditeur +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Compte Créditeur DocType: Landed Cost Item,Landed Cost Item,Coût de l'Article au Débarquement apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Afficher les valeurs nulles DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantité de produit obtenue après fabrication / reconditionnement des quantités données de matières premières -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Installation d'un site web simple pour mon organisation +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Installation d'un site web simple pour mon organisation DocType: Payment Reconciliation,Receivable / Payable Account,Compte Débiteur / Créditeur DocType: Delivery Note Item,Against Sales Order Item,Pour l'Article de la Commande Client apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Veuillez spécifier une Valeur d’Attribut pour l'attribut {0} @@ -4487,22 +4498,22 @@ DocType: Student,Nationality,Nationalité ,Items To Be Requested,Articles À Demander DocType: Purchase Order,Get Last Purchase Rate,Obtenir le Dernier Tarif d'Achat DocType: Company,Company Info,Informations sur la Société -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Sélectionner ou ajoutez nouveau client -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Un centre de coût est requis pour comptabiliser une note de frais +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Sélectionner ou ajoutez nouveau client +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Un centre de coût est requis pour comptabiliser une note de frais apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Emplois des Ressources (Actifs) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Basé sur la présence de cet Employé -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Compte de Débit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Compte de Débit DocType: Fiscal Year,Year Start Date,Date de Début de l'Exercice DocType: Attendance,Employee Name,Nom de l'Employé DocType: Sales Invoice,Rounded Total (Company Currency),Total Arrondi (Devise Société) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Conversion impossible en Groupe car le Type de Compte est sélectionné. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} a été modifié. Veuillez actualiser. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} a été modifié. Veuillez actualiser. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Empêcher les utilisateurs de faire des Demandes de Congé les jours suivants. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Montant de l'Achat apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Devis Fournisseur {0} créé apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,L'Année de Fin ne peut pas être avant l'Année de Début apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Avantages de l'Employé -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},La quantité emballée doit être égale à la quantité pour l'Article {0} à la ligne {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},La quantité emballée doit être égale à la quantité pour l'Article {0} à la ligne {1} DocType: Production Order,Manufactured Qty,Qté Fabriquée DocType: Purchase Receipt Item,Accepted Quantity,Quantité Acceptée apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Veuillez définir une Liste de Vacances par défaut pour l'Employé {0} ou la Société {1} @@ -4513,11 +4524,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Ligne N° {0}: Le montant ne peut être supérieur au Montant en Attente pour le Remboursement de Frais {1}. Le Montant en Attente est de {2} DocType: Maintenance Schedule,Schedule,Calendrier DocType: Account,Parent Account,Compte Parent -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,disponible +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,disponible DocType: Quality Inspection Reading,Reading 3,Reading 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Type de Référence -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Liste de Prix introuvable ou desactivée +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Liste de Prix introuvable ou desactivée DocType: Employee Loan Application,Approved,Approuvé DocType: Pricing Rule,Price,Prix apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Employé dégagé de {0} doit être défini comme 'Gauche' @@ -4586,7 +4597,7 @@ DocType: SMS Settings,Static Parameters,Paramètres Statiques DocType: Assessment Plan,Room,Chambre DocType: Purchase Order,Advance Paid,Avance Payée DocType: Item,Item Tax,Taxe sur l'Article -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Du Matériel au Fournisseur +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Du Matériel au Fournisseur apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Facture d'Accise apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Le seuil {0}% apparaît plus d'une fois DocType: Expense Claim,Employees Email Id,Identifiants Email des employés @@ -4613,7 +4624,7 @@ DocType: Item Group,General Settings,Paramètres Généraux apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23,From Currency and To Currency cannot be same,La Devise de Base et la Devise de Cotation ne peuvent pas identiques DocType: Stock Entry,Repack,Ré-emballer apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Vous devez sauvegarder le formulaire avant de continuer -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +96,Please select the Company first,Veuillez sélectionner la société en premier +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +96,Please select the Company first,Veuillez sélectionner la Société en premier DocType: Item Attribute,Numeric Values,Valeurs Numériques apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Joindre le Logo apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Niveaux du Stocks @@ -4626,7 +4637,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Modèle DocType: Production Order,Actual Operating Cost,Coût d'Exploitation Réel DocType: Payment Entry,Cheque/Reference No,Chèque/N° de Référence -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fournisseur> Type de fournisseur apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,La Racine ne peut pas être modifiée. DocType: Item,Units of Measure,Unités de Mesure DocType: Manufacturing Settings,Allow Production on Holidays,Autoriser la Fabrication pendant les Vacances @@ -4659,12 +4669,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Jours de Crédit apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Créer un Lot d'Étudiant DocType: Leave Type,Is Carry Forward,Est un Report -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Obtenir les Articles depuis LDM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Obtenir les Articles depuis LDM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Jours de Délai -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ligne #{0} : La Date de Comptabilisation doit être la même que la date d'achat {1} de l’actif {2} -DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Vérifiez si l'étudiant réside à l'auberge de l'institut. +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ligne #{0} : La Date de Comptabilisation doit être la même que la date d'achat {1} de l’actif {2} +DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Vérifiez si l'Étudiant réside à la Résidence de l'Institut. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Veuillez entrer des Commandes Clients dans le tableau ci-dessus -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Fiches de Paie Non Soumises +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Fiches de Paie Non Soumises ,Stock Summary,Résumé du Stock apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transfert d'un actif d'un entrepôt à un autre DocType: Vehicle,Petrol,Essence diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv index a667129490e..410294b8437 100644 --- a/erpnext/translations/gu.csv +++ b/erpnext/translations/gu.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,વિક્રેતા DocType: Employee,Rented,ભાડાનાં DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,વપરાશકર્તા માટે લાગુ પડે છે -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","અટકાવાયેલ ઉત્પાદન ઓર્ડર રદ કરી શકાતી નથી, રદ કરવા તે પ્રથમ Unstop" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","અટકાવાયેલ ઉત્પાદન ઓર્ડર રદ કરી શકાતી નથી, રદ કરવા તે પ્રથમ Unstop" DocType: Vehicle Service,Mileage,માઇલેજ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,શું તમે ખરેખર આ એસેટ સ્ક્રેપ કરવા માંગો છો? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,પસંદ કરો મૂળભૂત પુરવઠોકર્તા @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% ગણાવી apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),વિનિમય દર તરીકે જ હોવી જોઈએ {0} {1} ({2}) DocType: Sales Invoice,Customer Name,ગ્રાહક નું નામ DocType: Vehicle,Natural Gas,કુદરતી વાયુ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},બેન્ક એકાઉન્ટ તરીકે નામ આપવામાં આવ્યું ન કરી શકાય {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},બેન્ક એકાઉન્ટ તરીકે નામ આપવામાં આવ્યું ન કરી શકાય {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ચેતવણી (અથવા જૂથો) જે સામે હિસાબી પ્રવેશ કરવામાં આવે છે અને બેલેન્સ જાળવવામાં આવે છે. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ઉત્કૃષ્ટ {0} કરી શકાય નહીં શૂન્ય કરતાં ઓછી ({1}) DocType: Manufacturing Settings,Default 10 mins,10 મિનિટ મૂળભૂત @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,પ્રકાર છોડો નામ apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ઓપન બતાવો apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,સિરીઝ સફળતાપૂર્વક અપડેટ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,ચેકઆઉટ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural જર્નલ પ્રવેશ સબમિટ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural જર્નલ પ્રવેશ સબમિટ DocType: Pricing Rule,Apply On,પર લાગુ પડે છે DocType: Item Price,Multiple Item prices.,મલ્ટીપલ વસ્તુ ભાવ. ,Purchase Order Items To Be Received,ખરીદી ક્રમમાં વસ્તુઓ પ્રાપ્ત કરવા @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,ચુકવણી એ apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,બતાવો ચલો DocType: Academic Term,Academic Term,શૈક્ષણિક ટર્મ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,સામગ્રી -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,જથ્થો +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,જથ્થો apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,એકાઉન્ટ્સ ટેબલ ખાલી ન હોઈ શકે. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),લોન્સ (જવાબદારીઓ) DocType: Employee Education,Year of Passing,પસાર વર્ષ @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,સ્વાસ્થ્ય કાળજી apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ચુકવણી વિલંબ (દિવસ) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,સેવા ખર્ચ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},શૃંખલા ક્રમાંક: {0} પહેલાથી સેલ્સ ઇન્વોઇસ સંદર્ભ થયેલ છે: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,ભરતિયું +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},શૃંખલા ક્રમાંક: {0} પહેલાથી સેલ્સ ઇન્વોઇસ સંદર્ભ થયેલ છે: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,ભરતિયું DocType: Maintenance Schedule Item,Periodicity,સમયગાળાના apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ફિસ્કલ વર્ષ {0} જરૂરી છે -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,અપેક્ષિત વિતરણ તારીખ પહેલાં સેલ્સ ઓર્ડર તારીખ હોઈ છે apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,સંરક્ષણ DocType: Salary Component,Abbr,સંક્ષિપ્ત DocType: Appraisal Goal,Score (0-5),સ્કોર (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ROW # {0}: DocType: Timesheet,Total Costing Amount,કુલ પડતર રકમ DocType: Delivery Note,Vehicle No,વાહન કોઈ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,ભાવ યાદી પસંદ કરો +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,ભાવ યાદી પસંદ કરો apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,રો # {0}: ચુકવણી દસ્તાવેજ trasaction પૂર્ણ કરવા માટે જરૂરી છે DocType: Production Order Operation,Work In Progress,પ્રગતિમાં કામ apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,કૃપા કરીને તારીખ પસંદ @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} કોઈપણ સક્રિય નાણાકીય વર્ષમાં નથી. DocType: Packed Item,Parent Detail docname,પિતૃ વિગતવાર docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","સંદર્ભ: {0}, આઇટમ કોડ: {1} અને ગ્રાહક: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,કિલો ગ્રામ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,કિલો ગ્રામ DocType: Student Log,Log,પ્રવેશ કરો apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,નોકરી માટે ખોલીને. DocType: Item Attribute,Increment,વૃદ્ધિ @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,પરણિત apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},માટે પરવાનગી નથી {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,વસ્તુઓ મેળવો -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},સ્ટોક બોલ પર કોઈ નોંધ સામે અપડેટ કરી શકાતું નથી {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},સ્ટોક બોલ પર કોઈ નોંધ સામે અપડેટ કરી શકાતું નથી {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ઉત્પાદન {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,કોઈ આઇટમ સૂચિબદ્ધ નથી DocType: Payment Reconciliation,Reconcile,સમાધાન @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,પ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,આગળ અવમૂલ્યન તારીખ પહેલાં ખરીદી તારીખ ન હોઈ શકે DocType: SMS Center,All Sales Person,બધા વેચાણ વ્યક્તિ DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** માસિક વિતરણ ** જો તમે તમારા બિઝનેસ મોસમ હોય તો તમે મહિના સમગ્ર બજેટ / લક્ષ્યાંક વિતરિત કરે છે. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,વસ્તુઓ મળી +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,વસ્તુઓ મળી apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,પગાર માળખું ખૂટે DocType: Lead,Person Name,વ્યક્તિ નામ DocType: Sales Invoice Item,Sales Invoice Item,સેલ્સ ભરતિયું વસ્તુ @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",", અનચેક કરી શકાતી નથી કારણ કે એસેટ રેકોર્ડ વસ્તુ સામે અસ્તિત્વમાં "સ્થિર એસેટ છે"" DocType: Vehicle Service,Brake Oil,બ્રેક ઓઈલ DocType: Tax Rule,Tax Type,ટેક્સ પ્રકાર -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,કરપાત્ર રકમ +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,કરપાત્ર રકમ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},જો તમે પહેલાં પ્રવેશો ઉમેરવા અથવા અપડેટ કરવા માટે અધિકૃત નથી {0} DocType: BOM,Item Image (if not slideshow),આઇટમ છબી (જોક્સ ન હોય તો) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ગ્રાહક જ નામ સાથે હાજર DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(કલાક દર / 60) * વાસ્તવિક કામગીરી સમય -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,BOM પસંદ કરો +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,BOM પસંદ કરો DocType: SMS Log,SMS Log,એસએમએસ લોગ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,વિતરિત વસ્તુઓ કિંમત apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,પર {0} રજા વચ્ચે તારીખ થી અને તારીખ નથી @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,શાળાઓ DocType: School Settings,Validate Batch for Students in Student Group,વિદ્યાર્થી જૂથમાં વિદ્યાર્થીઓ માટે બેચ માન્ય apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},કોઈ રજા રેકોર્ડ કર્મચારી મળી {0} માટે {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,પ્રથમ કંપની દાખલ કરો -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,પ્રથમ કંપની પસંદ કરો +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,પ્રથમ કંપની પસંદ કરો DocType: Employee Education,Under Graduate,ગ્રેજ્યુએટ હેઠળ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,લક્ષ્યાંક પર DocType: BOM,Total Cost,કુલ ખર્ચ DocType: Journal Entry Account,Employee Loan,કર્મચારીનું લોન -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,પ્રવૃત્તિ લોગ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} વસ્તુ સિસ્ટમમાં અસ્તિત્વમાં નથી અથવા નિવૃત્ત થઈ ગયેલ છે +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,પ્રવૃત્તિ લોગ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,{0} વસ્તુ સિસ્ટમમાં અસ્તિત્વમાં નથી અથવા નિવૃત્ત થઈ ગયેલ છે apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,રિયલ એસ્ટેટ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,એકાઉન્ટ સ્ટેટમેન્ટ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ફાર્માસ્યુટિકલ્સ @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,દાવો રકમ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,નકલી ગ્રાહક જૂથ cutomer જૂથ ટેબલ મળી apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,પુરવઠોકર્તા પ્રકાર / પુરવઠોકર્તા DocType: Naming Series,Prefix,પૂર્વગ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} સેટઅપ> સેટિંગ્સ> નામકરણની શ્રેણી માટે નામકરણ શ્રેણી સેટ કરો -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,ઉપભોજ્ય +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,ઉપભોજ્ય DocType: Employee,B-,બી DocType: Upload Attendance,Import Log,આયાત લોગ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,પુલ ઉપર માપદંડ પર આધારિત પ્રકાર ઉત્પાદન સામગ્રી વિનંતી DocType: Training Result Employee,Grade,ગ્રેડ DocType: Sales Invoice Item,Delivered By Supplier,સપ્લાયર દ્વારા વિતરિત DocType: SMS Center,All Contact,તમામ સંપર્ક -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,ઉત્પાદન ઓર્ડર પહેલેથી BOM સાથે તમામ વસ્તુઓ બનાવવામાં +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,ઉત્પાદન ઓર્ડર પહેલેથી BOM સાથે તમામ વસ્તુઓ બનાવવામાં apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,વાર્ષિક પગાર DocType: Daily Work Summary,Daily Work Summary,દૈનિક કામ સારાંશ DocType: Period Closing Voucher,Closing Fiscal Year,ફિસ્કલ વર્ષ બંધ -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} સ્થિર છે +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} સ્થિર છે apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,કૃપા કરીને એકાઉન્ટ્સ ઓફ ચાર્ટ બનાવવા માટે હાલના કંપની પસંદ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,સ્ટોક ખર્ચ apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,પસંદ લક્ષ્યાંક વેરહાઉસ @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty નકારેલું સ્વીકારાયું + વસ્તુ માટે પ્રાપ્ત જથ્થો માટે સમાન હોવો જોઈએ {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,પુરવઠા કાચો માલ ખરીદી માટે -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,ચુકવણી ઓછામાં ઓછો એક મોડ POS ભરતિયું માટે જરૂરી છે. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,ચુકવણી ઓછામાં ઓછો એક મોડ POS ભરતિયું માટે જરૂરી છે. DocType: Products Settings,Show Products as a List,શો ઉત્પાદનો યાદી તરીકે DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",", નમૂનો ડાઉનલોડ યોગ્ય માહિતી ભરો અને ફેરફાર ફાઇલ સાથે જોડે છે. પસંદ કરેલ સમયગાળામાં તમામ તારીખો અને કર્મચારી સંયોજન હાલની એટેન્ડન્સ રેકર્ડઝ સાથે, નમૂનો આવશે" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} વસ્તુ સક્રિય નથી અથવા જીવનનો અંત સુધી પહોંચી ગઇ હશે -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,ઉદાહરણ: મૂળભૂત ગણિત -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","આઇટમ રેટ પંક્તિ {0} કર સમાવેશ કરવા માટે, પંક્તિઓ કર {1} પણ સમાવેશ કરવો જ જોઈએ" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,ઉદાહરણ: મૂળભૂત ગણિત +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","આઇટમ રેટ પંક્તિ {0} કર સમાવેશ કરવા માટે, પંક્તિઓ કર {1} પણ સમાવેશ કરવો જ જોઈએ" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,એચઆર મોડ્યુલ માટે સેટિંગ્સ DocType: SMS Center,SMS Center,એસએમએસ કેન્દ્ર DocType: Sales Invoice,Change Amount,જથ્થો બદલી @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},સ્થાપન તારીખ વસ્તુ માટે બોલ તારીખ પહેલાં ન હોઈ શકે {0} DocType: Pricing Rule,Discount on Price List Rate (%),ભાવ યાદી દર પર ડિસ્કાઉન્ટ (%) DocType: Offer Letter,Select Terms and Conditions,પસંદ કરો નિયમો અને શરતો -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,મૂલ્ય +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,મૂલ્ય DocType: Production Planning Tool,Sales Orders,વેચાણ ઓર્ડર DocType: Purchase Taxes and Charges,Valuation,મૂલ્યાંકન ,Purchase Order Trends,ઓર્ડર પ્રવાહો ખરીદી @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,એન્ટ્રી ખુલી છે DocType: Customer Group,Mention if non-standard receivable account applicable,ઉલ્લેખ બિન પ્રમાણભૂત મળવાપાત્ર એકાઉન્ટ લાગુ પડતું હોય તો DocType: Course Schedule,Instructor Name,પ્રશિક્ષક નામ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,વેરહાઉસ માટે જમા પહેલાં જરૂરી છે +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,વેરહાઉસ માટે જમા પહેલાં જરૂરી છે apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,પર પ્રાપ્ત DocType: Sales Partner,Reseller,પુનર્વિક્રેતા DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","જો ચકાસાયેલ હોય, સામગ્રી વિનંતીઓ નોન-સ્ટોક વસ્તુઓ સમાવેશ થાય છે." @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,સેલ્સ ભરતિયું વસ્તુ સામે ,Production Orders in Progress,પ્રગતિ ઉત્પાદન ઓર્ડર્સ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,નાણાકીય થી ચોખ્ખી રોકડ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage સંપૂર્ણ છે, સાચવી ન હતી" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage સંપૂર્ણ છે, સાચવી ન હતી" DocType: Lead,Address & Contact,સરનામું અને સંપર્ક DocType: Leave Allocation,Add unused leaves from previous allocations,અગાઉના ફાળવણી માંથી નહિં વપરાયેલ પાંદડા ઉમેરો apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},આગળ રીકરીંગ {0} પર બનાવવામાં આવશે {1} DocType: Sales Partner,Partner website,જીવનસાથી વેબસાઇટ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,આઇટમ ઉમેરો -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,સંપર્ક નામ +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,સંપર્ક નામ DocType: Course Assessment Criteria,Course Assessment Criteria,કોર્સ આકારણી માપદંડ DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ઉપર ઉલ્લેખ કર્યો માપદંડ માટે પગાર સ્લીપ બનાવે છે. DocType: POS Customer Group,POS Customer Group,POS ગ્રાહક જૂથ @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,રો {0}: કૃપા કરીને તપાસો એકાઉન્ટ સામે 'અગાઉથી છે' {1} આ એક અગાઉથી પ્રવેશ હોય તો. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},{0} વેરહાઉસ કંપની ને અનુલક્ષતું નથી {1} DocType: Email Digest,Profit & Loss,નફો અને નુકસાન -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),કુલ પડતર રકમ (સમયનો શીટ મારફતે) DocType: Item Website Specification,Item Website Specification,વસ્તુ વેબસાઇટ સ્પષ્ટીકરણ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,છોડો અવરોધિત @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,સેલ્સ ભરતિયું ક DocType: Material Request Item,Min Order Qty,મીન ઓર્ડર Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,વિદ્યાર્થી જૂથ બનાવવાનું સાધન DocType: Lead,Do Not Contact,સંપર્ક કરો -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,જે લોકો તમારી સંસ્થા ખાતે શીખવે +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,જે લોકો તમારી સંસ્થા ખાતે શીખવે DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,બધા રિકરિંગ ઇન્વૉઇસેસ ટ્રેકિંગ માટે અનન્ય આઈડી. તેને સબમિટ પર પેદા થયેલ છે. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,સોફ્ટવેર ડેવલોપર DocType: Item,Minimum Order Qty,ન્યુનત્તમ ઓર્ડર Qty @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,હબ પ્રકાશિત DocType: Student Admission,Student Admission,વિદ્યાર્થી પ્રવેશ ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} વસ્તુ રદ કરવામાં આવે છે -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,સામગ્રી વિનંતી +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,સામગ્રી વિનંતી DocType: Bank Reconciliation,Update Clearance Date,સુધારા ક્લિયરન્સ તારીખ DocType: Item,Purchase Details,ખરીદી વિગતો apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ખરીદી માટે 'કાચો માલ પાડેલ' ટેબલ મળી નથી વસ્તુ {0} {1} @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,ફ્લીટ વ્યવસ્થાપક apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},રો # {0}: {1} આઇટમ માટે નકારાત્મક ન હોઈ શકે {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,ખોટો પાસવર્ડ DocType: Item,Variant Of,ચલ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',કરતાં 'Qty ઉત્પાદન' પૂર્ણ Qty વધારે ન હોઈ શકે +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',કરતાં 'Qty ઉત્પાદન' પૂર્ણ Qty વધારે ન હોઈ શકે DocType: Period Closing Voucher,Closing Account Head,એકાઉન્ટ વડા બંધ DocType: Employee,External Work History,બાહ્ય કામ ઇતિહાસ apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,ગોળ સંદર્ભ ભૂલ @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,ડાબી ધાર apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] એકમો (# ફોર્મ / વસ્તુ / {1}) [{2}] માં જોવા મળે છે (# ફોર્મ / વેરહાઉસ / {2}) DocType: Lead,Industry,ઉદ્યોગ DocType: Employee,Job Profile,જોબ પ્રોફાઇલ +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,આ કંપની સામેના વ્યવહારો પર આધારિત છે. વિગતો માટે નીચેની ટાઇમલાઇન જુઓ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,આપોઆપ સામગ્રી વિનંતી બનાવટ પર ઇમેઇલ દ્વારા સૂચિત DocType: Journal Entry,Multi Currency,મલ્ટી કરન્સી DocType: Payment Reconciliation Invoice,Invoice Type,ભરતિયું પ્રકાર -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,ડિલીવરી નોંધ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,ડિલીવરી નોંધ apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,કર સુયોજિત કરી રહ્યા છે apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,વેચાઈ એસેટ કિંમત apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,તમે તેને ખેંચી ચુકવણી પછી એન્ટ્રી સુધારાઈ ગયેલ છે. તેને ફરીથી ખેંચી કરો. @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,દાખલ ક્ષેત્ર કિંમત 'ડે મહિનો પર પુનરાવર્તન' કરો DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"ગ્રાહક કરન્સી ગ્રાહક આધાર ચલણ ફેરવાય છે, જે અંતે દર" DocType: Course Scheduling Tool,Course Scheduling Tool,કોર્સ સુનિશ્ચિત સાધન -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},રો # {0} ખરીદી ભરતિયું હાલની એસેટ સામે નથી કરી શકાય છે {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},રો # {0} ખરીદી ભરતિયું હાલની એસેટ સામે નથી કરી શકાય છે {1} DocType: Item Tax,Tax Rate,ટેક્સ રેટ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} પહેલાથી જ કર્મચારી માટે ફાળવવામાં {1} માટે સમય {2} માટે {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,પસંદ કરો વસ્તુ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,પસંદ કરો વસ્તુ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ભરતિયું {0} પહેલાથી જ રજૂ કરવામાં આવે છે ખરીદી apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ROW # {0}: બેચ કોઈ તરીકે જ હોવી જોઈએ {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,બિન-ગ્રુપ માટે કન્વર્ટ @@ -443,7 +442,7 @@ DocType: Employee,Widowed,વિધવા DocType: Request for Quotation,Request for Quotation,અવતરણ માટે વિનંતી DocType: Salary Slip Timesheet,Working Hours,કામ નાં કલાકો DocType: Naming Series,Change the starting / current sequence number of an existing series.,હાલની શ્રેણી શરૂ / વર્તમાન ક્રમ નંબર બદલો. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,નવી ગ્રાહક બનાવવા +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,નવી ગ્રાહક બનાવવા apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","બહુવિધ કિંમતના નિયમોમાં જીતવું ચાલુ હોય, વપરાશકર્તાઓ તકરાર ઉકેલવા માટે જાતે અગ્રતા સુયોજિત કરવા માટે કહેવામાં આવે છે." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ખરીદી ઓર્ડર બનાવો ,Purchase Register,ખરીદી રજીસ્ટર @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,એક્ઝામિનર નામ DocType: Purchase Invoice Item,Quantity and Rate,જથ્થો અને દર DocType: Delivery Note,% Installed,% ઇન્સ્ટોલ -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,વર્ગખંડો / લેબોરેટરીઝ વગેરે જ્યાં પ્રવચનો સુનિશ્ચિત કરી શકાય છે. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,વર્ગખંડો / લેબોરેટરીઝ વગેરે જ્યાં પ્રવચનો સુનિશ્ચિત કરી શકાય છે. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,પ્રથમ કંપની નામ દાખલ કરો DocType: Purchase Invoice,Supplier Name,પુરવઠોકર્તા નામ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,આ ERPNext માર્ગદર્શિકા વાંચવા @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,ચેનલ ભાગીદાર DocType: Account,Old Parent,ઓલ્ડ પિતૃ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,ફરજિયાત ફીલ્ડ - શૈક્ષણિક વર્ષ DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,કે ઇમેઇલ એક ભાગ તરીકે જાય છે કે પ્રારંભિક લખાણ કસ્ટમાઇઝ કરો. દરેક વ્યવહાર અલગ પ્રારંભિક લખાણ છે. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},કંપની માટે મૂળભૂત ચૂકવવાપાત્ર એકાઉન્ટ સેટ કરો {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},કંપની માટે મૂળભૂત ચૂકવવાપાત્ર એકાઉન્ટ સેટ કરો {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,બધા ઉત્પાદન પ્રક્રિયા માટે વૈશ્વિક સુયોજનો. DocType: Accounts Settings,Accounts Frozen Upto,ફ્રોઝન સુધી એકાઉન્ટ્સ DocType: SMS Log,Sent On,પર મોકલવામાં @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,ચુકવવાપાત્ર ખા apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,પસંદ BOMs જ વસ્તુ માટે નથી DocType: Pricing Rule,Valid Upto,માન્ય સુધી DocType: Training Event,Workshop,વર્કશોપ -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,તમારા ગ્રાહકો થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,તમારા ગ્રાહકો થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,પૂરતી ભાગો બિલ્ડ કરવા માટે apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,સીધી આવક apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","એકાઉન્ટ દ્વારા જૂથ, તો એકાઉન્ટ પર આધારિત ફિલ્ટર કરી શકો છો" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,વહીવટી અધિકારીશ્રી apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,કૃપા કરીને અભ્યાસક્રમનો પસંદ DocType: Timesheet Detail,Hrs,કલાકે -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,કંપની પસંદ કરો +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,કંપની પસંદ કરો DocType: Stock Entry Detail,Difference Account,તફાવત એકાઉન્ટ DocType: Purchase Invoice,Supplier GSTIN,પુરવઠોકર્તા GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,તેના આશ્રિત કાર્ય {0} બંધ નથી નજીક કાર્ય નથી કરી શકો છો. @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,ઑફલાઇન POS નામ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,કૃપા કરીને માટે થ્રેશોલ્ડ 0% ગ્રેડ વ્યાખ્યાયિત DocType: Sales Order,To Deliver,વિતરિત કરવા માટે DocType: Purchase Invoice Item,Item,વસ્તુ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,સીરીયલ કોઈ આઇટમ એક અપૂર્ણાંક ન હોઈ શકે +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,સીરીયલ કોઈ આઇટમ એક અપૂર્ણાંક ન હોઈ શકે DocType: Journal Entry,Difference (Dr - Cr),તફાવત (ડૉ - સીઆર) DocType: Account,Profit and Loss,નફો અને નુકસાનનું apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,મેનેજિંગ Subcontracting @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),વોરંટી સમયગાળ DocType: Installation Note Item,Installation Note Item,સ્થાપન નોંધ વસ્તુ DocType: Production Plan Item,Pending Qty,બાકી Qty DocType: Budget,Ignore,અવગણો -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} સક્રિય નથી +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} સક્રિય નથી apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},એસએમએસ નીચેના નંબરો પર મોકલવામાં: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,સેટઅપ ચેક પ્રિન્ટીંગ માટે પરિમાણો DocType: Salary Slip,Salary Slip Timesheet,પગાર કાપલી Timesheet @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,છે- DocType: Production Order Operation,In minutes,મિનિટ DocType: Issue,Resolution Date,ઠરાવ તારીખ DocType: Student Batch Name,Batch Name,બેચ નામ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet બનાવવામાં: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},ચૂકવણીની પદ્ધતિ મૂળભૂત કેશ અથવા બેન્ક એકાઉન્ટ સેટ કરો {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet બનાવવામાં: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},ચૂકવણીની પદ્ધતિ મૂળભૂત કેશ અથવા બેન્ક એકાઉન્ટ સેટ કરો {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,નોંધણી DocType: GST Settings,GST Settings,જીએસટી સેટિંગ્સ DocType: Selling Settings,Customer Naming By,કરીને ગ્રાહક નામકરણ @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,પ્રોજેક્ટ્સ વપર apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,કમ્પોનન્ટ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} ભરતિયું વિગતો ટેબલ મળી નથી DocType: Company,Round Off Cost Center,ખર્ચ કેન્દ્રને બોલ ધરપકડ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,જાળવણી મુલાકાત લો {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,જાળવણી મુલાકાત લો {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ DocType: Item,Material Transfer,માલ પરિવહન apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ખુલી (DR) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},પોસ્ટ ટાઇમસ્ટેમ્પ પછી જ હોવી જોઈએ {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,ચૂકવવાપાત્ર DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ઉતારેલ માલની કિંમત કર અને ખર્ચ DocType: Production Order Operation,Actual Start Time,વાસ્તવિક પ્રારંભ સમય DocType: BOM Operation,Operation Time,ઓપરેશન સમય -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,સમાપ્ત +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,સમાપ્ત apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,પાયો DocType: Timesheet,Total Billed Hours,કુલ ગણાવી કલાક DocType: Journal Entry,Write Off Amount,રકમ માંડવાળ @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),ઑડોમીટર ભાવ (છે apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,માર્કેટિંગ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ચુકવણી એન્ટ્રી પહેલાથી જ બનાવવામાં આવે છે DocType: Purchase Receipt Item Supplied,Current Stock,વર્તમાન સ્ટોક -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},રો # {0}: એસેટ {1} વસ્તુ કડી નથી {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},રો # {0}: એસેટ {1} વસ્તુ કડી નથી {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,પૂર્વદર્શન પગાર કાપલી apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,એકાઉન્ટ {0} ઘણી વખત દાખલ કરવામાં આવી છે DocType: Account,Expenses Included In Valuation,ખર્ચ વેલ્યુએશનમાં સમાવાયેલ @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,એરો DocType: Journal Entry,Credit Card Entry,ક્રેડિટ કાર્ડ એન્ટ્રી apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,કંપની અને એકાઉન્ટ્સ apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,ગૂડ્ઝ સપ્લાયરો પાસેથી પ્રાપ્ત થઈ છે. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,ભાવ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,ભાવ DocType: Lead,Campaign Name,ઝુંબેશ નામ DocType: Selling Settings,Close Opportunity After Days,બંધ તકો દિવસો પછી ,Reserved,અનામત @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,એનર્જી DocType: Opportunity,Opportunity From,પ્રતિ તક apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,માસિક પગાર નિવેદન. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,પંક્તિ {0}: {1} વસ્તુ {2} માટે આવશ્યક ક્રમાંક ક્રમાંક. તમે {3} પ્રદાન કરેલ છે DocType: BOM,Website Specifications,વેબસાઇટ તરફથી apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: પ્રતિ {0} પ્રકારની {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,રો {0}: રૂપાંતર ફેક્ટર ફરજિયાત છે DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","મલ્ટીપલ ભાવ નિયમો જ માપદંડ સાથે અસ્તિત્વ ધરાવે છે, અગ્રતા સોંપણી દ્વારા તકરાર ઉકેલવા કરો. ભાવ નિયમો: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"નિષ્ક્રિય અથવા તે અન્ય BOMs સાથે કડી થયેલ છે, કારણ કે BOM રદ કરી શકાતી નથી" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,"નિષ્ક્રિય અથવા તે અન્ય BOMs સાથે કડી થયેલ છે, કારણ કે BOM રદ કરી શકાતી નથી" DocType: Opportunity,Maintenance,જાળવણી DocType: Item Attribute Value,Item Attribute Value,વસ્તુ કિંમત એટ્રીબ્યુટ apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,વેચાણ ઝુંબેશ. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Timesheet બનાવો +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Timesheet બનાવો DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ઇમેઇલ એકાઉન્ટ સુયોજિત કરી રહ્યા છે apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,પ્રથમ વસ્તુ દાખલ કરો DocType: Account,Liability,જવાબદારી -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,મંજુર રકમ રો દાવો રકમ કરતાં વધારે ન હોઈ શકે {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,મંજુર રકમ રો દાવો રકમ કરતાં વધારે ન હોઈ શકે {0}. DocType: Company,Default Cost of Goods Sold Account,ચીજવસ્તુઓનું વેચાણ એકાઉન્ટ મૂળભૂત કિંમત apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,ભાવ યાદી પસંદ નહી DocType: Employee,Family Background,કૌટુંબિક પૃષ્ઠભૂમિ @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,મૂળભૂત બેન્ક એક apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","પાર્ટી પર આધારિત ફિલ્ટર કરવા માટે, પસંદ પાર્ટી પ્રથમ પ્રકાર" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},વસ્તુઓ મારફતે પહોંચાડાય નથી કારણ કે 'સુધારા સ્ટોક' તપાસી શકાતું નથી {0} DocType: Vehicle,Acquisition Date,સંપાદન તારીખ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,અમે +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,અમે DocType: Item,Items with higher weightage will be shown higher,ઉચ્ચ ભારાંક સાથે વસ્તુઓ વધારે બતાવવામાં આવશે DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,બેન્ક રિકંસીલેશન વિગતવાર -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,રો # {0}: એસેટ {1} સબમિટ હોવું જ જોઈએ +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,રો # {0}: એસેટ {1} સબમિટ હોવું જ જોઈએ apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,કોઈ કર્મચારી મળી DocType: Supplier Quotation,Stopped,બંધ DocType: Item,If subcontracted to a vendor,એક વિક્રેતા subcontracted તો @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,ન્યુનત્ત apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: આ કિંમત કેન્દ્ર {2} કંપની ને અનુલક્ષતું નથી {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: એકાઉન્ટ {2} એક જૂથ હોઈ શકે છે apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,વસ્તુ રો {IDX}: {Doctype} {DOCNAME} ઉપર અસ્તિત્વમાં નથી '{Doctype}' ટેબલ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} પહેલેથી જ પૂર્ણ અથવા રદ થયેલ છે +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} પહેલેથી જ પૂર્ણ અથવા રદ થયેલ છે apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,કોઈ કાર્યો DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ઓટો ભરતિયું 05, 28 વગેરે દા.ત. પેદા થશે કે જેના પર મહિનાનો દિવસ" DocType: Asset,Opening Accumulated Depreciation,ખુલવાનો સંચિત અવમૂલ્યન @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,વિનંતી નંબર્સ DocType: Production Planning Tool,Only Obtain Raw Materials,માત્ર મેળવો કાચો માલ apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,કામગીરી મૂલ્યાંકન. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","સક્રિય, 'શોપિંગ કાર્ટ માટે ઉપયોગ' શોપિંગ કાર્ટ તરીકે સક્રિય છે અને શોપિંગ કાર્ટ માટે ઓછામાં ઓછી એક કર નિયમ ત્યાં પ્રયત્ન કરીશું" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ચુકવણી એન્ટ્રી {0} ઓર્ડર {1}, ચેક, તો તે આ બિલ અગાઉથી તરીકે ખેંચાય જોઇએ સામે કડી થયેલ છે." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ચુકવણી એન્ટ્રી {0} ઓર્ડર {1}, ચેક, તો તે આ બિલ અગાઉથી તરીકે ખેંચાય જોઇએ સામે કડી થયેલ છે." DocType: Sales Invoice Item,Stock Details,સ્ટોક વિગતો apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,પ્રોજેક્ટ ભાવ apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,પોઇન્ટ ઓફ સેલ @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,સુધારા સિરીઝ DocType: Supplier Quotation,Is Subcontracted,Subcontracted છે DocType: Item Attribute,Item Attribute Values,વસ્તુ એટ્રીબ્યુટ મૂલ્યો DocType: Examination Result,Examination Result,પરીક્ષા પરિણામ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,ખરીદી રસીદ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,ખરીદી રસીદ ,Received Items To Be Billed,પ્રાપ્ત વસ્તુઓ બિલ કરવા -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,સબમિટ પગાર સ્લિપ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,સબમિટ પગાર સ્લિપ apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,ચલણ વિનિમય દર માસ્ટર. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},સંદર્ભ Doctype એક હોવો જ જોઈએ {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ઓપરેશન માટે આગામી {0} દિવસોમાં સમય સ્લોટ શોધવામાં અસમર્થ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ઓપરેશન માટે આગામી {0} દિવસોમાં સમય સ્લોટ શોધવામાં અસમર્થ {1} DocType: Production Order,Plan material for sub-assemblies,પેટા-સ્થળોના માટે યોજના સામગ્રી apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,સેલ્સ પાર્ટનર્સ અને પ્રદેશ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} સક્રિય હોવા જ જોઈએ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} સક્રિય હોવા જ જોઈએ DocType: Journal Entry,Depreciation Entry,અવમૂલ્યન એન્ટ્રી apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,પ્રથમ દસ્તાવેજ પ્રકાર પસંદ કરો apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,આ જાળવણી મુલાકાત લો રદ રદ સામગ્રી મુલાકાત {0} @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,કુલ રકમ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ઈન્ટરનેટ પબ્લિશિંગ DocType: Production Planning Tool,Production Orders,ઉત્પાદન ઓર્ડર્સ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,બેલેન્સ ભાવ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,બેલેન્સ ભાવ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,સેલ્સ ભાવ યાદી apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,વસ્તુઓ સુમેળ કરવા પ્રકાશિત DocType: Bank Reconciliation,Account Currency,એકાઉન્ટ કરન્સી @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,બહાર નીકળો મુલ DocType: Item,Is Purchase Item,ખરીદી વસ્તુ છે DocType: Asset,Purchase Invoice,ખરીદી ભરતિયું DocType: Stock Ledger Entry,Voucher Detail No,વાઉચર વિગતવાર કોઈ -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,ન્યૂ વેચાણ ભરતિયું +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,ન્યૂ વેચાણ ભરતિયું DocType: Stock Entry,Total Outgoing Value,કુલ આઉટગોઇંગ ભાવ apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,તારીખ અને છેલ્લી તારીખ ખોલીને એકસરખું જ રાજવૃત્તીય વર્ષ અંદર હોવો જોઈએ DocType: Lead,Request for Information,માહિતી માટે વિનંતી ,LeaderBoard,લીડરબોર્ડ -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,સમન્વય ઑફલાઇન ઇનવૉઇસેસ +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,સમન્વય ઑફલાઇન ઇનવૉઇસેસ DocType: Payment Request,Paid,ચૂકવેલ DocType: Program Fee,Program Fee,કાર્યક્રમ ફી DocType: Salary Slip,Total in words,શબ્દોમાં કુલ @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,લીડ સમય તારી DocType: Guardian,Guardian Name,ગાર્ડિયન નામ DocType: Cheque Print Template,Has Print Format,પ્રિન્ટ ફોર્મેટ છે DocType: Employee Loan,Sanctioned,મંજૂર -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,ફરજિયાત છે. કદાચ ચલણ એક્સચેન્જ રેકોર્ડ માટે બનાવવામાં નથી +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,ફરજિયાત છે. કદાચ ચલણ એક્સચેન્જ રેકોર્ડ માટે બનાવવામાં નથી apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ROW # {0}: વસ્તુ માટે કોઈ સીરીયલ સ્પષ્ટ કરો {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ઉત્પાદન બંડલ' વસ્તુઓ, વેરહાઉસ, સીરીયલ કોઈ અને બેચ માટે કોઈ 'પેકિંગ યાદી' ટેબલ પરથી ગણવામાં આવશે. વેરહાઉસ અને બેચ કોઈ કોઈ 'ઉત્પાદન બંડલ' આઇટમ માટે બધા પેકિંગ વસ્તુઓ માટે જ છે, તો તે કિંમતો મુખ્ય વસ્તુ ટેબલ દાખલ કરી શકાય, મૂલ્યો મેજની યાદી પેકિંગ 'નકલ થશે." DocType: Job Opening,Publish on website,વેબસાઇટ પર પ્રકાશિત @@ -1006,7 +1006,7 @@ DocType: Cheque Print Template,Date Settings,તારીખ સેટિંગ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ફેરફાર ,Company Name,કંપની નું નામ DocType: SMS Center,Total Message(s),કુલ સંદેશ (ઓ) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,ટ્રાન્સફર માટે પસંદ વસ્તુ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,ટ્રાન્સફર માટે પસંદ વસ્તુ DocType: Purchase Invoice,Additional Discount Percentage,વધારાના ડિસ્કાઉન્ટ ટકાવારી apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,તમામ મદદ વિડિઓઝ યાદી જુઓ DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ચેક જમા કરવામાં આવી હતી જ્યાં બેન્ક ઓફ પસંદ એકાઉન્ટ વડા. @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),કાચો સામગ્રી ખર્ચ (કંપની ચલણ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,બધી વસ્તુઓ પહેલેથી જ આ ઉત્પાદન ઓર્ડર માટે તબદીલ કરવામાં આવી છે. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},રો # {0}: દર ઉપયોગમાં દર કરતાં વધારે ન હોઈ શકે {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,મીટર +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,મીટર DocType: Workstation,Electricity Cost,વીજળી ખર્ચ DocType: HR Settings,Don't send Employee Birthday Reminders,કર્મચારીનું જન્મદિવસ રિમાઇન્ડર્સ મોકલશો નહીં DocType: Item,Inspection Criteria,નિરીક્ષણ માપદંડ @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),બધા સીસું (ઓપન) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),રો {0}: Qty માટે ઉપલબ્ધ નથી {4} વેરહાઉસ {1} પ્રવેશ સમયે પોસ્ટ પર ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,એડવાન્સિસ ચૂકવેલ મેળવો DocType: Item,Automatically Create New Batch,ન્યૂ બેચ આપમેળે બનાવો -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,બનાવો +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,બનાવો DocType: Student Admission,Admission Start Date,પ્રવેશ પ્રારંભ તારીખ DocType: Journal Entry,Total Amount in Words,શબ્દો કુલ રકમ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,એક ભૂલ આવી હતી. એક સંભવિત કારણ શું તમે ફોર્મ સાચવવામાં ન હોય કે હોઈ શકે છે. જો સમસ્યા યથાવત રહે તો support@erpnext.com સંપર્ક કરો. @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,મારા કાર apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ઓર્ડર પ્રકાર એક હોવા જ જોઈએ {0} DocType: Lead,Next Contact Date,આગામી સંપર્ક તારીખ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty ખુલવાનો -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,જથ્થો બદલી માટે એકાઉન્ટ દાખલ કરો +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,જથ્થો બદલી માટે એકાઉન્ટ દાખલ કરો DocType: Student Batch Name,Student Batch Name,વિદ્યાર્થી બેચ નામ DocType: Holiday List,Holiday List Name,રજા યાદી નામ DocType: Repayment Schedule,Balance Loan Amount,બેલેન્સ લોન રકમ @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,સ્ટોક ઓપ્શન્સ DocType: Journal Entry Account,Expense Claim,ખર્ચ દાવો apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,શું તમે ખરેખર આ પડયો એસેટ પુનઃસ્થાપિત કરવા માંગો છો? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},માટે Qty {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},માટે Qty {0} DocType: Leave Application,Leave Application,રજા અરજી apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,ફાળવણી સાધન મૂકો DocType: Leave Block List,Leave Block List Dates,બ્લોક યાદી તારીખો છોડો @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,સામે DocType: Item,Default Selling Cost Center,મૂળભૂત વેચાણ ખર્ચ કેન્દ્ર DocType: Sales Partner,Implementation Partner,અમલીકરણ જીવનસાથી -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,પિન કોડ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,પિન કોડ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},વેચાણ ઓર્ડર {0} છે {1} DocType: Opportunity,Contact Info,સંપર્ક માહિતી apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,સ્ટોક પ્રવેશો બનાવે @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},મ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,સરેરાશ ઉંમર DocType: School Settings,Attendance Freeze Date,એટેન્ડન્સ ફ્રીઝ તારીખ DocType: Opportunity,Your sales person who will contact the customer in future,ભવિષ્યમાં ગ્રાહક સંપર્ક કરશે જે તમારા વેચાણ વ્યક્તિ -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,તમારા સપ્લાયર્સ થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,તમારા સપ્લાયર્સ થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,બધા ઉત્પાદનો જોવા apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),ન્યુનત્તમ લીડ યુગ (દિવસો) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,બધા BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,બધા BOMs DocType: Company,Default Currency,મૂળભૂત ચલણ DocType: Expense Claim,From Employee,કર્મચારી -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ચેતવણી: સિસ્ટમ વસ્તુ માટે રકમ કારણ overbilling તપાસ કરશે નહીં {0} માં {1} શૂન્ય છે +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ચેતવણી: સિસ્ટમ વસ્તુ માટે રકમ કારણ overbilling તપાસ કરશે નહીં {0} માં {1} શૂન્ય છે DocType: Journal Entry,Make Difference Entry,તફાવત પ્રવેશ કરો DocType: Upload Attendance,Attendance From Date,તારીખ થી એટેન્ડન્સ DocType: Appraisal Template Goal,Key Performance Area,કી બોનસ વિસ્તાર @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,તમારા સંદર્ભ માટે કંપની નોંધણી નંબરો. ટેક્સ નંબરો વગેરે DocType: Sales Partner,Distributor,ડિસ્ટ્રીબ્યુટર DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,શોપિંગ કાર્ટ શીપીંગ નિયમ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,ઉત્પાદન ઓર્ડર {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,ઉત્પાદન ઓર્ડર {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',સુયોજિત 'પર વધારાની ડિસ્કાઉન્ટ લાગુ' કરો ,Ordered Items To Be Billed,આદેશ આપ્યો વસ્તુઓ બિલ કરવા apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,રેન્જ ઓછી હોઈ શકે છે કરતાં શ્રેણી @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,કપાત DocType: Leave Allocation,LAL/,લાલ / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,પ્રારંભ વર્ષ -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN પ્રથમ 2 અંકો રાજ્ય નંબર સાથે મેળ ખાતી હોવી જોઈએ {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN પ્રથમ 2 અંકો રાજ્ય નંબર સાથે મેળ ખાતી હોવી જોઈએ {0} DocType: Purchase Invoice,Start date of current invoice's period,વર્તમાન ભરતિયું માતાનો સમયગાળા તારીખ શરૂ DocType: Salary Slip,Leave Without Pay,પગાર વિના છોડો -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ક્ષમતા આયોજન ભૂલ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,ક્ષમતા આયોજન ભૂલ ,Trial Balance for Party,પાર્ટી માટે ટ્રાયલ બેલેન્સ DocType: Lead,Consultant,સલાહકાર DocType: Salary Slip,Earnings,કમાણી @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,ચુકવણીકાર સે DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","આ ચલ વસ્તુ કોડ ઉમેરાવું કરવામાં આવશે. તમારા સંક્ષેપ "શૌન" છે, અને ઉદાહરણ તરીકે, જો આઇટમ કોડ "ટી શર્ટ", "ટી-શર્ટ શૌન" હશે ચલ આઇટમ કોડ છે" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,તમે પગાર કાપલી સેવ વાર (શબ્દોમાં) નેટ પે દૃશ્યમાન થશે. DocType: Purchase Invoice,Is Return,વળતર છે -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,રીટર્ન / ડેબિટ નોટ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,રીટર્ન / ડેબિટ નોટ DocType: Price List Country,Price List Country,ભાવ યાદી દેશ DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} વસ્તુ માટે માન્ય સીરીયલ અમે {1} @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,આંશિક વિતરિત apps/erpnext/erpnext/config/buying.py +38,Supplier database.,પુરવઠોકર્તા ડેટાબેઝ. DocType: Account,Balance Sheet,સરવૈયા apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ','આઇટમ કોડ સાથે આઇટમ માટે કેન્દ્ર ખર્ચ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ચુકવણી સ્થિતિ રૂપરેખાંકિત થયેલ નથી. કૃપા કરીને તપાસો, કે શું એકાઉન્ટ ચૂકવણી સ્થિતિ પર અથવા POS પ્રોફાઇલ પર સેટ કરવામાં આવ્યો છે." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ચુકવણી સ્થિતિ રૂપરેખાંકિત થયેલ નથી. કૃપા કરીને તપાસો, કે શું એકાઉન્ટ ચૂકવણી સ્થિતિ પર અથવા POS પ્રોફાઇલ પર સેટ કરવામાં આવ્યો છે." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,તમારા વેચાણ વ્યક્તિ ગ્રાહક સંપર્ક કરવા માટે આ તારીખ પર એક રીમાઇન્ડર મળશે apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,એ જ વસ્તુ ઘણી વખત દાખલ કરી શકાતી નથી. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","વધુ એકાઉન્ટ્સ જૂથો હેઠળ કરી શકાય છે, પરંતુ પ્રવેશો બિન-જૂથો સામે કરી શકાય છે" @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,ચુકવણી માહ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'એન્ટ્રીઝ' ખાલી ન હોઈ શકે apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},સાથે નકલી પંક્તિ {0} જ {1} ,Trial Balance,ટ્રાયલ બેલેન્સ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,ફિસ્કલ વર્ષ {0} મળી નથી +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,ફિસ્કલ વર્ષ {0} મળી નથી apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,કર્મચારીઓ સુયોજિત કરી રહ્યા છે DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,પ્રથમ ઉપસર્ગ પસંદ કરો @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,અંતરાલો apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,જુનું apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","એક વસ્તુ ગ્રુપ જ નામ સાથે હાજર, આઇટમ નામ બદલવા અથવા વસ્તુ જૂથ નામ બદલી કૃપા કરીને" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,વિદ્યાર્થી મોબાઇલ નંબર -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,બાકીનું વિશ્વ +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,બાકીનું વિશ્વ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,આ આઇટમ {0} બેચ હોઈ શકે નહિં ,Budget Variance Report,બજેટ ફેરફાર રિપોર્ટ DocType: Salary Slip,Gross Pay,કુલ પે -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,રો {0}: પ્રવૃત્તિ પ્રકાર ફરજિયાત છે. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,રો {0}: પ્રવૃત્તિ પ્રકાર ફરજિયાત છે. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ડિવિડન્ડ ચૂકવેલ apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,હિસાબી ખાતાવહી DocType: Stock Reconciliation,Difference Amount,તફાવત રકમ @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,કર્મચારી રજા બેલેન્સ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},એકાઉન્ટ માટે બેલેન્સ {0} હંમેશા હોવી જ જોઈએ {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},મૂલ્યાંકન દર પંક્તિ માં વસ્તુ માટે જરૂરી {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ઉદાહરણ: કોમ્પ્યુટર સાયન્સમાં માસ્ટર્સ +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,ઉદાહરણ: કોમ્પ્યુટર સાયન્સમાં માસ્ટર્સ DocType: Purchase Invoice,Rejected Warehouse,નકારેલું વેરહાઉસ DocType: GL Entry,Against Voucher,વાઉચર સામે DocType: Item,Default Buying Cost Center,ડિફૉલ્ટ ખરીદી ખર્ચ કેન્દ્રને apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext બહાર શ્રેષ્ઠ વિચાર, અમે તમને થોડો સમય લાગી અને આ સહાય વિડિઓઝ જોઈ ભલામણ કરીએ છીએ." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,માટે +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,માટે DocType: Supplier Quotation Item,Lead Time in days,દિવસોમાં લીડ સમય apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,એકાઉન્ટ્સ ચૂકવવાપાત્ર સારાંશ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},માટે {0} થી પગાર ચુકવણી {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},માટે {0} થી પગાર ચુકવણી {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},સ્થિર એકાઉન્ટ સંપાદિત કરો કરવા માટે અધિકૃત ન {0} DocType: Journal Entry,Get Outstanding Invoices,બાકી ઇન્વૉઇસેસ મેળવો -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,વેચાણ ઓર્ડર {0} માન્ય નથી +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,વેચાણ ઓર્ડર {0} માન્ય નથી apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,ખરીદી ઓર્ડર કરવાની યોજના ઘડી મદદ અને તમારી ખરીદી પર અનુસરો apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","માફ કરશો, કંપનીઓ મર્જ કરી શકાતા નથી" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,પરોક્ષ ખર્ચ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,રો {0}: Qty ફરજિયાત છે apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,કૃષિ -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,સમન્વય માસ્ટર ડેટા -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,તમારી ઉત્પાદનો અથવા સેવાઓ +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,સમન્વય માસ્ટર ડેટા +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,તમારી ઉત્પાદનો અથવા સેવાઓ DocType: Mode of Payment,Mode of Payment,ચૂકવણીની પદ્ધતિ apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,વેબસાઇટ છબી જાહેર ફાઈલ અથવા વેબસાઇટ URL હોવો જોઈએ DocType: Student Applicant,AP,એપી @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,વસ્તુ ટેક્સ ર DocType: Student Group Student,Group Roll Number,ગ્રુપ રોલ નંબર apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, માત્ર ક્રેડિટ ખાતાઓ અન્ય ડેબિટ પ્રવેશ સામે લિંક કરી શકો છો" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,બધા કાર્ય વજન કુલ પ્રયત્ન કરીશું 1. મુજબ બધા પ્રોજેક્ટ કાર્યો વજન સંતુલિત કૃપા કરીને -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,ડ લવર નોંધ {0} અપર્ણ ન કરાય +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,ડ લવર નોંધ {0} અપર્ણ ન કરાય apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,વસ્તુ {0} એ પેટા કોન્ટ્રાક્ટ વસ્તુ જ હોવી જોઈએ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,કેપિટલ સાધનો apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","પ્રાઇસીંગ નિયમ પ્રથમ પર આધારિત પસંદ થયેલ વસ્તુ, આઇટમ ગ્રુપ અથવા બ્રાન્ડ બની શકે છે, જે ક્ષેત્ર 'પર લાગુ પડે છે." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,આઇટમ કોડને પહેલા સેટ કરો +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,આઇટમ કોડને પહેલા સેટ કરો DocType: Hub Settings,Seller Website,વિક્રેતા વેબસાઇટ DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,વેચાણ ટીમ માટે કુલ ફાળવેલ ટકાવારી 100 પ્રયત્ન કરીશું DocType: Appraisal Goal,Goal,ગોલ DocType: Sales Invoice Item,Edit Description,સંપાદિત કરો વર્ણન ,Team Updates,ટીમ સુધારાઓ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,સપ્લાયર માટે +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,સપ્લાયર માટે DocType: Account,Setting Account Type helps in selecting this Account in transactions.,એકાઉન્ટ પ્રકાર સેટિંગ વ્યવહારો આ એકાઉન્ટ પસંદ કરે છે. DocType: Purchase Invoice,Grand Total (Company Currency),કુલ સરવાળો (કંપની ચલણ) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,પ્રિન્ટ ફોર્મેટ બનાવો @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,વેબસાઇટ વસ્તુ જૂ DocType: Purchase Invoice,Total (Company Currency),કુલ (કંપની ચલણ) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,{0} સીરીયલ નંબર એક કરતા વધુ વખત દાખલ DocType: Depreciation Schedule,Journal Entry,જર્નલ પ્રવેશ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} પ્રગતિ વસ્તુઓ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} પ્રગતિ વસ્તુઓ DocType: Workstation,Workstation Name,વર્કસ્ટેશન નામ DocType: Grading Scale Interval,Grade Code,ગ્રેડ કોડ DocType: POS Item Group,POS Item Group,POS વસ્તુ ગ્રુપ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ડાયજેસ્ટ ઇમેઇલ: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} વસ્તુ ને અનુલક્ષતું નથી {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} વસ્તુ ને અનુલક્ષતું નથી {1} DocType: Sales Partner,Target Distribution,લક્ષ્ય વિતરણની DocType: Salary Slip,Bank Account No.,બેન્ક એકાઉન્ટ નંબર DocType: Naming Series,This is the number of the last created transaction with this prefix,આ ઉપસર્ગ સાથે છેલ્લા બનાવવામાં વ્યવહાર સંખ્યા છે @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,શોપિંગ કાર્ટ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,સરેરાશ દૈનિક આઉટગોઇંગ DocType: POS Profile,Campaign,ઝુંબેશ DocType: Supplier,Name and Type,નામ અને પ્રકાર -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',મંજૂરી પરિસ્થિતિ 'માન્ય' અથવા 'નકારેલું' હોવું જ જોઈએ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',મંજૂરી પરિસ્થિતિ 'માન્ય' અથવા 'નકારેલું' હોવું જ જોઈએ DocType: Purchase Invoice,Contact Person,સંપર્ક વ્યક્તિ apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','અપેક્ષા પ્રારંભ તારીખ' કરતાં વધારે 'અપેક્ષિત ઓવરને તારીખ' ન હોઈ શકે DocType: Course Scheduling Tool,Course End Date,કોર્સ સમાપ્તિ તારીખ @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,prefered ઇમેઇલ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,સ્થિર એસેટ કુલ ફેરફાર DocType: Leave Control Panel,Leave blank if considered for all designations,બધા ડેઝીગ્નેશન્સ માટે વિચારણા તો ખાલી છોડી દો -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,પ્રકાર 'વાસ્તવિક' પંક્તિ માં ચાર્જ {0} આઇટમ રેટ સમાવેશ કરવામાં નથી કરી શકો છો -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},મહત્તમ: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,પ્રકાર 'વાસ્તવિક' પંક્તિ માં ચાર્જ {0} આઇટમ રેટ સમાવેશ કરવામાં નથી કરી શકો છો +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},મહત્તમ: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,તારીખ સમય પ્રતિ DocType: Email Digest,For Company,કંપની માટે apps/erpnext/erpnext/config/support.py +17,Communication log.,કોમ્યુનિકેશન લોગ. @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","જોબ પ DocType: Journal Entry Account,Account Balance,એકાઉન્ટ બેલેન્સ apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,વ્યવહારો માટે કરવેરા નિયમ. DocType: Rename Tool,Type of document to rename.,દસ્તાવેજ પ્રકાર નામ. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,અમે આ આઇટમ ખરીદી +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,અમે આ આઇટમ ખરીદી apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ગ્રાહક પ્રાપ્ત એકાઉન્ટ સામે જરૂરી છે {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),કુલ કર અને ખર્ચ (કંપની ચલણ) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,unclosed નાણાકીય વર્ષના પી એન્ડ એલ બેલેન્સ બતાવો @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,વાંચનો DocType: Stock Entry,Total Additional Costs,કુલ વધારાના ખર્ચ DocType: Course Schedule,SH,એસ.એચ DocType: BOM,Scrap Material Cost(Company Currency),સ્ક્રેપ સામગ્રી ખર્ચ (કંપની ચલણ) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,પેટા એસેમ્બલીઝ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,પેટા એસેમ્બલીઝ DocType: Asset,Asset Name,એસેટ નામ DocType: Project,Task Weight,ટાસ્ક વજન DocType: Shipping Rule Condition,To Value,કિંમત @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,વસ્તુ ચલ DocType: Company,Services,સેવાઓ DocType: HR Settings,Email Salary Slip to Employee,કર્મચારીનું ઇમેઇલ પગાર કાપલી DocType: Cost Center,Parent Cost Center,પિતૃ ખર્ચ કેન્દ્રને -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,શક્ય પુરવઠોકર્તા પસંદ કરો +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,શક્ય પુરવઠોકર્તા પસંદ કરો DocType: Sales Invoice,Source,સોર્સ apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,બતાવો બંધ DocType: Leave Type,Is Leave Without Pay,પગાર વિના છોડી દો @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,ડિસ્કાઉન્ટ લાગુ DocType: GST HSN Code,GST HSN Code,જીએસટી HSN કોડ DocType: Employee External Work History,Total Experience,કુલ અનુભવ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ઓપન પ્રોજેક્ટ્સ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,રદ પેકિંગ કાપલી (ઓ) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,રદ પેકિંગ કાપલી (ઓ) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,રોકાણ કેશ ફ્લો DocType: Program Course,Program Course,કાર્યક્રમ કોર્સ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,નૂર અને ફોરવર્ડિંગ સમાયોજિત @@ -1538,9 +1538,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,કાર્યક્રમ પ્રવેશ DocType: Sales Invoice Item,Brand Name,બ્રાન્ડ નામ DocType: Purchase Receipt,Transporter Details,ટ્રાન્સપોર્ટર વિગતો -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,મૂળભૂત વેરહાઉસ પસંદ આઇટમ માટે જરૂરી છે -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,બોક્સ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,શક્ય પુરવઠોકર્તા +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,મૂળભૂત વેરહાઉસ પસંદ આઇટમ માટે જરૂરી છે +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,બોક્સ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,શક્ય પુરવઠોકર્તા DocType: Budget,Monthly Distribution,માસિક વિતરણ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,રીસીવર સૂચિ ખાલી છે. રીસીવર યાદી બનાવવા કરો DocType: Production Plan Sales Order,Production Plan Sales Order,ઉત્પાદન યોજના વેચાણ ઓર્ડર @@ -1572,7 +1572,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,કંપન apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","વિદ્યાર્થી સિસ્ટમ હૃદય હોય છે, તમારા બધા વિદ્યાર્થીઓ ઉમેરી" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},રો # {0}: ક્લિયરન્સ તારીખ {1} પહેલાં ચેક તારીખ ન હોઈ શકે {2} DocType: Company,Default Holiday List,રજા યાદી મૂળભૂત -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},રો {0}: પ્રતિ સમય અને સમય {1} સાથે ઓવરલેપિંગ છે {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},રો {0}: પ્રતિ સમય અને સમય {1} સાથે ઓવરલેપિંગ છે {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,સ્ટોક જવાબદારીઓ DocType: Purchase Invoice,Supplier Warehouse,પુરવઠોકર્તા વેરહાઉસ DocType: Opportunity,Contact Mobile No,સંપર્ક મોબાઈલ નં @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},પ્રકાર રજા {0} કરતાં લાંબા સમય સુધી ન હોઈ શકે {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,અગાઉથી X દિવસ માટે કામગીરી આયોજન કરવાનો પ્રયાસ કરો. DocType: HR Settings,Stop Birthday Reminders,સ્ટોપ જન્મદિવસ રિમાઇન્ડર્સ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},કંપની મૂળભૂત પગારપત્રક ચૂકવવાપાત્ર એકાઉન્ટ સેટ કૃપા કરીને {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},કંપની મૂળભૂત પગારપત્રક ચૂકવવાપાત્ર એકાઉન્ટ સેટ કૃપા કરીને {0} DocType: SMS Center,Receiver List,રીસીવર યાદી -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,શોધ વસ્તુ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,શોધ વસ્તુ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,કમ્પોનન્ટ રકમ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,કેશ કુલ ફેરફાર DocType: Assessment Plan,Grading Scale,ગ્રેડીંગ સ્કેલ apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,મેઝર {0} એકમ રૂપાંતર ફેક્ટર ટેબલ એક કરતા વધુ વખત દાખલ કરવામાં આવી છે -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,પહેલેથી જ પૂર્ણ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,પહેલેથી જ પૂર્ણ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,સ્ટોક હેન્ડ માં apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ચુકવણી વિનંતી પહેલેથી હાજર જ છે {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,બહાર પાડેલી વસ્તુઓ કિંમત -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},જથ્થો કરતાં વધુ ન હોવું જોઈએ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},જથ્થો કરતાં વધુ ન હોવું જોઈએ {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,અગાઉના નાણાકીય વર્ષમાં બંધ છે apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),ઉંમર (દિવસ) DocType: Quotation Item,Quotation Item,અવતરણ વસ્તુ @@ -1613,6 +1613,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,સંદર્ભ દસ્તાવેજ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} રદ અથવા બંધ છે DocType: Accounts Settings,Credit Controller,ક્રેડિટ કંટ્રોલર +DocType: Sales Order,Final Delivery Date,અંતિમ ડિલિવરી તારીખ DocType: Delivery Note,Vehicle Dispatch Date,વાહન રવાનગી તારીખ DocType: Purchase Invoice Item,HSN/SAC,HSN / એસએસી apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ખરીદી રસીદ {0} અપર્ણ ન કરાય @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,નિવૃત્તિ તારીખ DocType: Upload Attendance,Get Template,નમૂના મેળવવા DocType: Material Request,Transferred,પર સ્થાનાંતરિત કરવામાં આવી DocType: Vehicle,Doors,દરવાજા -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext સેટઅપ પૂર્ણ કરો! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext સેટઅપ પૂર્ણ કરો! DocType: Course Assessment Criteria,Weightage,ભારાંકન -DocType: Sales Invoice,Tax Breakup,ટેક્સ બ્રેકઅપ +DocType: Purchase Invoice,Tax Breakup,ટેક્સ બ્રેકઅપ DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: આ કિંમત કેન્દ્ર 'નફો અને નુકસાનનું' એકાઉન્ટ માટે જરૂરી છે {2}. કૃપા કરીને કંપની માટે મૂળભૂત કિંમત કેન્દ્ર સુયોજિત કરો. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,એક ગ્રાહક જૂથ જ નામ સાથે હાજર ગ્રાહક નામ બદલી અથવા ગ્રાહક જૂથ નામ બદલી કૃપા કરીને @@ -1716,14 +1717,14 @@ DocType: Announcement,Instructor,પ્રશિક્ષક DocType: Employee,AB+,એબી + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","આ આઇટમ ચલો છે, તો પછી તે વેચાણ ઓર્ડર વગેરે પસંદ કરી શકાતી નથી" DocType: Lead,Next Contact By,આગામી સંપર્ક -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},પંક્તિ માં વસ્તુ {0} માટે જરૂરી જથ્થો {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},પંક્તિ માં વસ્તુ {0} માટે જરૂરી જથ્થો {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},જથ્થો વસ્તુ માટે અસ્તિત્વમાં તરીકે વેરહાઉસ {0} કાઢી શકાતી નથી {1} DocType: Quotation,Order Type,ઓર્ડર પ્રકાર DocType: Purchase Invoice,Notification Email Address,સૂચના ઇમેઇલ સરનામું ,Item-wise Sales Register,વસ્તુ મુજબના સેલ્સ રજિસ્ટર DocType: Asset,Gross Purchase Amount,કુલ ખરીદી જથ્થો DocType: Asset,Depreciation Method,અવમૂલ્યન પદ્ધતિ -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ઑફલાઇન +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ઑફલાઇન DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,મૂળભૂત દર માં સમાવેલ આ કર છે? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,કુલ લક્ષ્યાંકના DocType: Job Applicant,Applicant for a Job,નોકરી માટે અરજી @@ -1744,7 +1745,7 @@ DocType: Employee,Leave Encashed?,વટાવી છોડી? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ક્ષેત્રમાં પ્રતિ તક ફરજિયાત છે DocType: Email Digest,Annual Expenses,વાર્ષિક ખર્ચ DocType: Item,Variants,ચલો -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,ખરીદી ઓર્ડર બનાવો +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,ખરીદી ઓર્ડર બનાવો DocType: SMS Center,Send To,ને મોકલવું apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},છોડો પ્રકાર માટે પૂરતી રજા બેલેન્સ નથી {0} DocType: Payment Reconciliation Payment,Allocated amount,ફાળવેલ રકમ @@ -1752,7 +1753,7 @@ DocType: Sales Team,Contribution to Net Total,નેટ કુલ ફાળો DocType: Sales Invoice Item,Customer's Item Code,ગ્રાહક વસ્તુ કોડ DocType: Stock Reconciliation,Stock Reconciliation,સ્ટોક રિકંસીલેશન DocType: Territory,Territory Name,પ્રદેશ નામ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,વર્ક ઈન પ્રોગ્રેસ વેરહાઉસ સબમિટ પહેલાં જરૂરી છે +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,વર્ક ઈન પ્રોગ્રેસ વેરહાઉસ સબમિટ પહેલાં જરૂરી છે apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,નોકરી માટે અરજી. DocType: Purchase Order Item,Warehouse and Reference,વેરહાઉસ અને સંદર્ભ DocType: Supplier,Statutory info and other general information about your Supplier,તમારા સપ્લાયર વિશે વૈધાિનક માહિતી અને અન્ય સામાન્ય માહિતી @@ -1763,16 +1764,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,appraisals apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},સીરીયલ કોઈ વસ્તુ માટે દાખલ ડુપ્લિકેટ {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,એક શિપિંગ નિયમ માટે એક શરત apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,દાખલ કરો -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","સળંગ આઇટમ {0} માટે overbill શકાતું નથી {1} કરતાં વધુ {2}. ઓવર બિલિંગ પરવાનગી આપવા માટે, સેટિંગ્સ ખરીદવી સેટ કૃપા કરીને" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,આઇટમ અથવા વેરહાઉસ પર આધારિત ફિલ્ટર સેટ +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","સળંગ આઇટમ {0} માટે overbill શકાતું નથી {1} કરતાં વધુ {2}. ઓવર બિલિંગ પરવાનગી આપવા માટે, સેટિંગ્સ ખરીદવી સેટ કૃપા કરીને" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,આઇટમ અથવા વેરહાઉસ પર આધારિત ફિલ્ટર સેટ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),આ પેકેજની નેટ વજન. (વસ્તુઓ નેટ વજન રકમ તરીકે આપોઆપ ગણતરી) DocType: Sales Order,To Deliver and Bill,વિતરિત અને બિલ DocType: Student Group,Instructors,પ્રશિક્ષકો DocType: GL Entry,Credit Amount in Account Currency,એકાઉન્ટ કરન્સી ક્રેડિટ રકમ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} સબમિટ હોવું જ જોઈએ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} સબમિટ હોવું જ જોઈએ DocType: Authorization Control,Authorization Control,અધિકૃતિ નિયંત્રણ apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ROW # {0}: વેરહાઉસ નકારેલું ફગાવી વસ્તુ સામે ફરજિયાત છે {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,ચુકવણી +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,ચુકવણી apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","વેરહાઉસ {0} કોઈપણ એકાઉન્ટ સાથે સંકળાયેલ નથી, તો કૃપા કરીને કંપનીમાં વેરહાઉસ રેકોર્ડમાં એકાઉન્ટ અથવા સેટ મૂળભૂત યાદી એકાઉન્ટ ઉલ્લેખ {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,તમારા ઓર્ડર મેનેજ DocType: Production Order Operation,Actual Time and Cost,વાસ્તવિક સમય અને ખર્ચ @@ -1788,12 +1789,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,વે DocType: Quotation Item,Actual Qty,વાસ્તવિક Qty DocType: Sales Invoice Item,References,સંદર્ભો DocType: Quality Inspection Reading,Reading 10,10 વાંચન -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","તમે ખરીદી અથવા વેચાણ કે તમારા ઉત્પાદનો અથવા સેવાઓ યાદી. તમે શરૂ કરો છો ત્યારે માપ અને અન્ય ગુણધર્મો આઇટમ ગ્રુપ, એકમ ચકાસવા માટે ખાતરી કરો." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","તમે ખરીદી અથવા વેચાણ કે તમારા ઉત્પાદનો અથવા સેવાઓ યાદી. તમે શરૂ કરો છો ત્યારે માપ અને અન્ય ગુણધર્મો આઇટમ ગ્રુપ, એકમ ચકાસવા માટે ખાતરી કરો." DocType: Hub Settings,Hub Node,હબ નોડ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,તમે નકલી વસ્તુઓ દાખલ કર્યો છે. સુધારવું અને ફરીથી પ્રયાસ કરો. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,એસોસિયેટ +DocType: Company,Sales Target,સેલ્સ ટાર્ગેટ DocType: Asset Movement,Asset Movement,એસેટ ચળવળ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,ન્યૂ કાર્ટ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,ન્યૂ કાર્ટ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} વસ્તુ એક શ્રેણીબદ્ધ વસ્તુ નથી DocType: SMS Center,Create Receiver List,રીસીવર યાદી બનાવો DocType: Vehicle,Wheels,વ્હિલ્સ @@ -1834,13 +1836,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,પ્રોજે DocType: Supplier,Supplier of Goods or Services.,સામાન કે સેવાઓ સપ્લાયર. DocType: Budget,Fiscal Year,નાણાકીય વર્ષ DocType: Vehicle Log,Fuel Price,ફ્યુઅલ પ્રાઈસ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,સેટઅપ> ક્રમાંકની શ્રેણી દ્વારા હાજરી માટે શ્રેણી ક્રમાંક સેટ કરો DocType: Budget,Budget,બજેટ apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,સ્થિર એસેટ વસ્તુ નોન-સ્ટોક વસ્તુ હોવી જ જોઈએ. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",તે આવક અથવા ખર્ચ એકાઉન્ટ નથી તરીકે બજેટ સામે {0} અસાઇન કરી શકાતી નથી apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,પ્રાપ્ત DocType: Student Admission,Application Form Route,અરજી ફોર્મ રૂટ apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,પ્રદેશ / ગ્રાહક -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,દા.ત. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,દા.ત. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,છોડો પ્રકાર {0} ફાળવવામાં કરી શકાતી નથી કારણ કે તે પગાર વિના છોડી apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},રો {0}: સોંપાયેલ રકમ {1} કરતાં ઓછી હોઈ શકે છે અથવા બાકી રકમ ભરતિયું બરાબર જ જોઈએ {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,તમે વેચાણ ભરતિયું સેવ વાર શબ્દો દૃશ્યમાન થશે. @@ -1849,11 +1852,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} વસ્તુ સીરીયલ અમે માટે સુયોજિત નથી. વસ્તુ માસ્ટર તપાસો DocType: Maintenance Visit,Maintenance Time,જાળવણી સમય ,Amount to Deliver,જથ્થો પહોંચાડવા માટે -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,ઉત્પાદન અથવા સેવા +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,ઉત્પાદન અથવા સેવા apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ટર્મ પ્રારંભ તારીખ કરતાં શૈક્ષણિક વર્ષ શરૂ તારીખ શબ્દ સાથે કડી થયેલ છે અગાઉ ન હોઈ શકે (શૈક્ષણિક વર્ષ {}). તારીખો સુધારવા અને ફરીથી પ્રયાસ કરો. DocType: Guardian,Guardian Interests,ગાર્ડિયન રૂચિ DocType: Naming Series,Current Value,વર્તમાન કિંમત -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,મલ્ટીપલ નાણાકીય વર્ષ તારીખ {0} માટે અસ્તિત્વ ધરાવે છે. નાણાકીય વર્ષ કંપની સુયોજિત કરો +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,મલ્ટીપલ નાણાકીય વર્ષ તારીખ {0} માટે અસ્તિત્વ ધરાવે છે. નાણાકીય વર્ષ કંપની સુયોજિત કરો apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} બનાવવામાં DocType: Delivery Note Item,Against Sales Order,સેલ્સ આદેશ સામે ,Serial No Status,સીરીયલ કોઈ સ્થિતિ @@ -1866,7 +1869,7 @@ DocType: Pricing Rule,Selling,વેચાણ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},રકમ {0} {1} સામે બાદ {2} DocType: Employee,Salary Information,પગાર માહિતી DocType: Sales Person,Name and Employee ID,નામ અને કર્મચારી ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,કારણે તારીખ તારીખ પોસ્ટ કરતા પહેલા ન હોઈ શકે +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,કારણે તારીખ તારીખ પોસ્ટ કરતા પહેલા ન હોઈ શકે DocType: Website Item Group,Website Item Group,વેબસાઇટ વસ્તુ ગ્રુપ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,કર અને વેરામાંથી apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,સંદર્ભ તારીખ દાખલ કરો @@ -1921,9 +1924,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},કર્મચારી માટે જોડાયા તારીખ સેટ કરો {0} DocType: Task,Total Billing Amount (via Time Sheet),કુલ બિલિંગ રકમ (સમયનો શીટ મારફતે) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,પુનરાવર્તન ગ્રાહક આવક -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ભૂમિકા 'ખર્ચ તાજનો' હોવી જ જોઈએ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,જોડી -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,ઉત્પાદન માટે BOM અને ક્વાલિટી પસંદ કરો +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ભૂમિકા 'ખર્ચ તાજનો' હોવી જ જોઈએ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,જોડી +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,ઉત્પાદન માટે BOM અને ક્વાલિટી પસંદ કરો DocType: Asset,Depreciation Schedule,અવમૂલ્યન સૂચિ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,વેચાણ ભાગીદાર સરનામાં અને સંપર્કો DocType: Bank Reconciliation Detail,Against Account,એકાઉન્ટ સામે @@ -1933,7 +1936,7 @@ DocType: Item,Has Batch No,બેચ કોઈ છે apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},વાર્ષિક બિલિંગ: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ગુડ્ઝ એન્ડ સર્વિસ ટેક્સ (જીએસટી ઈન્ડિયા) DocType: Delivery Note,Excise Page Number,એક્સાઇઝ પાનાં ક્રમાંક -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","કંપની, તારીખ થી અને તારીખ ફરજિયાત છે" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","કંપની, તારીખ થી અને તારીખ ફરજિયાત છે" DocType: Asset,Purchase Date,ખરીદ તારીખ DocType: Employee,Personal Details,અંગત વિગતો apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},કંપની એસેટ અવમૂલ્યન કિંમત કેન્દ્ર 'સુયોજિત કરો {0} @@ -1942,9 +1945,9 @@ DocType: Task,Actual End Date (via Time Sheet),વાસ્તવિક ઓવ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},રકમ {0} {1} સામે {2} {3} ,Quotation Trends,અવતરણ પ્રવાહો apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},વસ્તુ ગ્રુપ આઇટમ માટે વસ્તુ માસ્ટર ઉલ્લેખ નથી {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,એકાઉન્ટ ડેબિટ એક પ્રાપ્ત એકાઉન્ટ હોવું જ જોઈએ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,એકાઉન્ટ ડેબિટ એક પ્રાપ્ત એકાઉન્ટ હોવું જ જોઈએ DocType: Shipping Rule Condition,Shipping Amount,શીપીંગ રકમ -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,ગ્રાહકો ઉમેરો +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,ગ્રાહકો ઉમેરો apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,બાકી રકમ DocType: Purchase Invoice Item,Conversion Factor,રૂપાંતર ફેક્ટર DocType: Purchase Order,Delivered,વિતરિત @@ -1966,7 +1969,6 @@ DocType: Production Order,Use Multi-Level BOM,મલ્ટી લેવલ BOM DocType: Bank Reconciliation,Include Reconciled Entries,અનુરૂપ પ્રવેશ સમાવેશ થાય છે DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","પિતૃ કોર્સ (ખાલી છોડો, જો આ પિતૃ કોર્સ ભાગ નથી)" DocType: Leave Control Panel,Leave blank if considered for all employee types,બધા કર્મચારી પ્રકારો માટે ગણવામાં તો ખાલી છોડી દો -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> પ્રદેશ DocType: Landed Cost Voucher,Distribute Charges Based On,વિતરિત ખર્ચ પર આધારિત apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,એચઆર સેટિંગ્સ @@ -1974,7 +1976,7 @@ DocType: Salary Slip,net pay info,નેટ પગાર માહિતી apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,ખર્ચ દાવો મંજૂરી બાકી છે. માત્ર ખર્ચ તાજનો સ્થિતિ અપડેટ કરી શકો છો. DocType: Email Digest,New Expenses,ન્યૂ ખર્ચ DocType: Purchase Invoice,Additional Discount Amount,વધારાના ડિસ્કાઉન્ટ રકમ -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","રો # {0}: Qty, 1 હોવું જ જોઈએ, કારણ કે આઇટમ એક સ્થિર એસેટ છે. બહુવિધ Qty માટે અલગ પંક્તિ ઉપયોગ કરો." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","રો # {0}: Qty, 1 હોવું જ જોઈએ, કારણ કે આઇટમ એક સ્થિર એસેટ છે. બહુવિધ Qty માટે અલગ પંક્તિ ઉપયોગ કરો." DocType: Leave Block List Allow,Leave Block List Allow,બ્લોક પરવાનગી સૂચિ છોડો apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,સંક્ષિપ્ત ખાલી અથવા જગ્યા ન હોઈ શકે apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,બિન-ગ્રુપ ગ્રુપ @@ -1982,7 +1984,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,રમતો DocType: Loan Type,Loan Name,લોન નામ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,વાસ્તવિક કુલ DocType: Student Siblings,Student Siblings,વિદ્યાર્થી બહેન -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,એકમ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,એકમ apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,કંપની સ્પષ્ટ કરો ,Customer Acquisition and Loyalty,ગ્રાહક સંપાદન અને વફાદારી DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,તમે નકારી વસ્તુઓ સ્ટોક જાળવણી કરવામાં આવે છે જ્યાં વેરહાઉસ @@ -2000,12 +2002,12 @@ DocType: Workstation,Wages per hour,કલાક દીઠ વેતન apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},બેચ સ્ટોક બેલેન્સ {0} બનશે નકારાત્મક {1} વેરહાઉસ ખાતે વસ્તુ {2} માટે {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,સામગ્રી અરજીઓ નીચેની આઇટમ ફરીથી ક્રમમાં સ્તર પર આધારિત આપોઆપ ઊભા કરવામાં આવ્યા છે DocType: Email Digest,Pending Sales Orders,વેચાણ ઓર્ડર બાકી -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},એકાઉન્ટ {0} અમાન્ય છે. એકાઉન્ટ કરન્સી હોવા જ જોઈએ {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},એકાઉન્ટ {0} અમાન્ય છે. એકાઉન્ટ કરન્સી હોવા જ જોઈએ {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM રૂપાંતર પરિબળ પંક્તિ જરૂરી છે {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકાર વેચાણ ઓર્ડર એક, સેલ્સ ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ" DocType: Salary Component,Deduction,કપાત -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,રો {0}: સમય અને સમય ફરજિયાત છે. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,રો {0}: સમય અને સમય ફરજિયાત છે. DocType: Stock Reconciliation Item,Amount Difference,રકમ તફાવત apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},વસ્તુ ભાવ માટે ઉમેરવામાં {0} ભાવ યાદીમાં {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,આ વેચાણ વ્યક્તિ કર્મચારી ID દાખલ કરો @@ -2015,11 +2017,11 @@ DocType: Project,Gross Margin,એકંદર માર્જીન apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,પ્રથમ પ્રોડક્શન વસ્તુ દાખલ કરો apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,ગણતરી બેન્ક નિવેદન બેલેન્સ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,અપંગ વપરાશકર્તા -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,અવતરણ +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,અવતરણ DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,કુલ કપાત ,Production Analytics,ઉત્પાદન ઍનલિટિક્સ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,કિંમત સુધારાશે +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,કિંમત સુધારાશે DocType: Employee,Date of Birth,જ્ન્મતારીખ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,વસ્તુ {0} પહેલાથી જ પરત કરવામાં આવી છે DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ફિસ્કલ વર્ષ ** એક નાણાકીય વર્ષ રજૂ કરે છે. બધા હિસાબી પ્રવેશો અને અન્ય મોટા પાયાના વ્યવહારો ** ** ફિસ્કલ યર સામે ટ્રેક છે. @@ -2064,18 +2066,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,કંપની પસંદ કરો ... DocType: Leave Control Panel,Leave blank if considered for all departments,તમામ વિભાગો માટે ગણવામાં તો ખાલી છોડી દો apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","રોજગાર પ્રકાર (કાયમી, કરાર, ઇન્ટર્ન વગેરે)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} વસ્તુ માટે ફરજિયાત છે {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} વસ્તુ માટે ફરજિયાત છે {1} DocType: Process Payroll,Fortnightly,પાક્ષિક DocType: Currency Exchange,From Currency,ચલણ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ઓછામાં ઓછા એક પંક્તિ ફાળવવામાં રકમ, ભરતિયું પ્રકાર અને ભરતિયું નંબર પસંદ કરો" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,નવી ખરીદી કિંમત -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},વસ્તુ માટે જરૂરી વેચાણની ઓર્ડર {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},વસ્તુ માટે જરૂરી વેચાણની ઓર્ડર {0} DocType: Purchase Invoice Item,Rate (Company Currency),દર (કંપની ચલણ) DocType: Student Guardian,Others,અન્ય DocType: Payment Entry,Unallocated Amount,ફાળવેલ રકમ apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,બંધબેસતા વસ્તુ શોધી શકાતો નથી. માટે {0} કેટલીક અન્ય કિંમત પસંદ કરો. DocType: POS Profile,Taxes and Charges,કર અને ખર્ચ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ઉત્પાદન અથવા ખરીદી વેચી અથવા સ્ટોક રાખવામાં આવે છે કે એક સેવા. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ ગ્રુપ> બ્રાન્ડ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,કોઈ વધુ અપડેટ્સ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,પ્રથમ પંક્તિ માટે 'અગાઉના પંક્તિ કુલ પર' 'અગાઉના પંક્તિ રકમ પર' તરીકે ચાર્જ પ્રકાર પસંદ કરો અથવા નથી કરી શકો છો apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,બાળ વસ્તુ એક ઉત્પાદન બંડલ ન હોવી જોઈએ. આઇટમ દૂર `{0} 'અને સેવ કરો @@ -2101,7 +2104,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,કુલ બિલિંગ રકમ apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ત્યાં મૂળભૂત આવતા ઇમેઇલ એકાઉન્ટ આ કામ કરવા માટે સક્ષમ હોવા જ જોઈએ. કૃપા કરીને સુયોજિત મૂળભૂત આવનારા ઇમેઇલ એકાઉન્ટ (POP / IMAP) અને ફરીથી પ્રયાસ કરો. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,પ્રાપ્ત એકાઉન્ટ -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},રો # {0}: એસેટ {1} પહેલેથી જ છે {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},રો # {0}: એસેટ {1} પહેલેથી જ છે {2} DocType: Quotation Item,Stock Balance,સ્ટોક બેલેન્સ apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ચુકવણી માટે વેચાણ ઓર્ડર apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,સીઇઓ @@ -2126,10 +2129,11 @@ DocType: C-Form,Received Date,પ્રાપ્ત તારીખ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","તમે વેચાણ કર અને ખર્ચ નમૂનો એક સ્ટાન્ડર્ડ ટેમ્પલેટ બનાવેલ હોય, તો એક પસંદ કરો અને નીચે બટન પર ક્લિક કરો." DocType: BOM Scrap Item,Basic Amount (Company Currency),મૂળભૂત રકમ (કંપની ચલણ) DocType: Student,Guardians,વાલીઓ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,પુરવઠોકર્તા> પુરવઠોકર્તા પ્રકાર DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,કિંમતો બતાવવામાં આવશે નહીં તો ભાવ સૂચિ સેટ નથી apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,આ શીપીંગ નિયમ માટે એક દેશ ઉલ્લેખ કરો અથવા વિશ્વભરમાં શીપીંગ તપાસો DocType: Stock Entry,Total Incoming Value,કુલ ઇનકમિંગ ભાવ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,ડેબિટ કરવા માટે જરૂરી છે +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,ડેબિટ કરવા માટે જરૂરી છે apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets મદદ તમારી ટીમ દ્વારા કરવામાં activites માટે સમય, ખર્ચ અને બિલિંગ ટ્રેક રાખવા" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ખરીદી ભાવ યાદી DocType: Offer Letter Term,Offer Term,ઓફર ગાળાના @@ -2148,11 +2152,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ઉ DocType: Timesheet Detail,To Time,સમય DocType: Authorization Rule,Approving Role (above authorized value),(અધિકૃત કિંમત ઉપર) ભૂમિકા એપ્રૂવિંગ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,એકાઉન્ટ ક્રેડિટ ચૂકવવાપાત્ર એકાઉન્ટ હોવું જ જોઈએ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM રિકર્ઝન: {0} ના માતાપિતા અથવા બાળકને ન હોઈ શકે {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM રિકર્ઝન: {0} ના માતાપિતા અથવા બાળકને ન હોઈ શકે {2} DocType: Production Order Operation,Completed Qty,પૂર્ણ Qty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, માત્ર ડેબિટ એકાઉન્ટ્સ બીજા ક્રેડિટ પ્રવેશ સામે લિંક કરી શકો છો" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,ભાવ યાદી {0} અક્ષમ છે -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},રો {0}: પૂર્ણ Qty કરતાં વધુ હોઈ શકે છે {1} કામગીરી માટે {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},રો {0}: પૂર્ણ Qty કરતાં વધુ હોઈ શકે છે {1} કામગીરી માટે {2} DocType: Manufacturing Settings,Allow Overtime,અતિકાલિક માટે પરવાનગી આપે છે apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",શ્રેણીબદ્ધ આઇટમ {0} સ્ટોક એન્ટ્રી સ્ટોક રિકંસીલેશન મદદથી ઉપયોગ કરો અપડેટ કરી શકાતી નથી DocType: Training Event Employee,Training Event Employee,તાલીમ ઘટના કર્મચારીનું @@ -2170,10 +2174,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,બાહ્ય apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,વપરાશકર્તાઓ અને પરવાનગીઓ DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},ઉત્પાદન ઓર્ડર્સ બનાવ્યું: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},ઉત્પાદન ઓર્ડર્સ બનાવ્યું: {0} DocType: Branch,Branch,શાખા DocType: Guardian,Mobile Number,મોબાઇલ નંબર apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,પ્રિન્ટર અને બ્રાંડિંગ +DocType: Company,Total Monthly Sales,કુલ માસિક વેચાણ DocType: Bin,Actual Quantity,ખરેખર જ થો DocType: Shipping Rule,example: Next Day Shipping,ઉદાહરણ: આગામી દિવસે શિપિંગ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,મળી નથી સીરીયલ કોઈ {0} @@ -2203,7 +2208,7 @@ DocType: Payment Request,Make Sales Invoice,સેલ્સ ભરતિયુ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,સોફ્ટવેર્સ apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,આગામી સંપર્ક તારીખ ભૂતકાળમાં ન હોઈ શકે DocType: Company,For Reference Only.,સંદર્ભ માટે માત્ર. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,બેચ પસંદ કોઈ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,બેચ પસંદ કોઈ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},અમાન્ય {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,એડવાન્સ રકમ @@ -2216,7 +2221,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},બારકોડ કોઈ વસ્તુ {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,કેસ નંબર 0 ન હોઈ શકે DocType: Item,Show a slideshow at the top of the page,પાનાંની ટોચ પર એક સ્લાઇડ શો બતાવવા -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,સ્ટોર્સ DocType: Serial No,Delivery Time,ડ લવર સમય apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,પર આધારિત એઇજીંગનો @@ -2230,16 +2235,16 @@ DocType: Rename Tool,Rename Tool,સાધન નામ બદલો apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,સુધારો કિંમત DocType: Item Reorder,Item Reorder,વસ્તુ પુનઃક્રમાંકિત કરો apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,પગાર બતાવો કાપલી -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,ટ્રાન્સફર સામગ્રી +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,ટ્રાન્સફર સામગ્રી DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","કામગીરી, સંચાલન ખર્ચ સ્પષ્ટ અને તમારી કામગીરી કરવા માટે કોઈ એક અનન્ય ઓપરેશન આપે છે." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,આ દસ્તાવેજ દ્વારા મર્યાદા વધારે છે {0} {1} આઇટમ માટે {4}. તમે બનાવે છે અન્ય {3} જ સામે {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,બચત પછી રિકરિંગ સુયોજિત કરો -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,પસંદ કરો ફેરફાર રકમ એકાઉન્ટ +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,બચત પછી રિકરિંગ સુયોજિત કરો +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,પસંદ કરો ફેરફાર રકમ એકાઉન્ટ DocType: Purchase Invoice,Price List Currency,ભાવ યાદી કરન્સી DocType: Naming Series,User must always select,વપરાશકર્તા હંમેશા પસંદ કરવી જ પડશે DocType: Stock Settings,Allow Negative Stock,નકારાત્મક સ્ટોક પરવાનગી આપે છે DocType: Installation Note,Installation Note,સ્થાપન નોંધ -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,કર ઉમેરો +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,કર ઉમેરો DocType: Topic,Topic,વિષય apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,નાણાકીય રોકડ પ્રવાહ DocType: Budget Account,Budget Account,બજેટ એકાઉન્ટ @@ -2253,7 +2258,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,trace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ફંડ ઓફ સોર્સ (જવાબદારીઓ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},પંક્તિ માં જથ્થો {0} ({1}) ઉત્પાદન જથ્થો તરીકે જ હોવી જોઈએ {2} DocType: Appraisal,Employee,કર્મચારીનું -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,બેચ પસંદ +DocType: Company,Sales Monthly History,સેલ્સ માસિક ઇતિહાસ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,બેચ પસંદ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} સંપૂર્ણપણે ગણાવી છે DocType: Training Event,End Time,અંત સમય apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,સક્રિય પગાર માળખું {0} આપવામાં તારીખો માટે કર્મચારી {1} મળી @@ -2261,15 +2267,14 @@ DocType: Payment Entry,Payment Deductions or Loss,ચુકવણી કપા apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,સેલ્સ અથવા ખરીદી માટે નિયમ કરાર શરતો. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,વાઉચર દ્વારા ગ્રુપ apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,સેલ્સ પાઇપલાઇન -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},પગાર પુન મૂળભૂત એકાઉન્ટ સુયોજિત કરો {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},પગાર પુન મૂળભૂત એકાઉન્ટ સુયોજિત કરો {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,જરૂરી પર DocType: Rename Tool,File to Rename,નામ ફાઇલ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},રો વસ્તુ BOM પસંદ કરો {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},એકાઉન્ટ {0} {1} એકાઉન્ટ મોડ માં કંપનીની મેચ થતો નથી: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},વસ્તુ માટે અસ્તિત્વમાં નથી સ્પષ્ટ BOM {0} {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,જાળવણી સુનિશ્ચિત {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,જાળવણી સુનિશ્ચિત {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ DocType: Notification Control,Expense Claim Approved,ખર્ચ દાવો મંજૂર -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,સેટઅપ> ક્રમાંકની શ્રેણી દ્વારા હાજરી માટે શ્રેણી ક્રમાંક સેટ કરો apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,કર્મચારી પગાર કાપલી {0} પહેલાથી જ આ સમયગાળા માટે બનાવવામાં apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ફાર્માસ્યુટિકલ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ખરીદી વસ્તુઓ કિંમત @@ -2286,7 +2291,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,એક ફિનિ DocType: Upload Attendance,Attendance To Date,તારીખ હાજરી DocType: Warranty Claim,Raised By,દ્વારા ઊભા DocType: Payment Gateway Account,Payment Account,ચુકવણી એકાઉન્ટ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,આગળ વધવા માટે કંપની સ્પષ્ટ કરો +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,આગળ વધવા માટે કંપની સ્પષ્ટ કરો apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,એકાઉન્ટ્સ પ્રાપ્ત નેટ બદલો apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,વળતર બંધ DocType: Offer Letter,Accepted,સ્વીકારાયું @@ -2295,12 +2300,12 @@ DocType: SG Creation Tool Course,Student Group Name,વિદ્યાર્થ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,શું તમે ખરેખર આ કંપની માટે તમામ વ્યવહારો કાઢી નાખવા માંગો છો તેની ખાતરી કરો. તે છે તમારા માસ્ટર ડેટા રહેશે. આ ક્રિયા પૂર્વવત્ કરી શકાતી નથી. DocType: Room,Room Number,રૂમ સંખ્યા apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},અમાન્ય સંદર્ભ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) આયોજિત quanitity કરતાં વધારે ન હોઈ શકે છે ({2}) ઉત્પાદન ઓર્ડર {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) આયોજિત quanitity કરતાં વધારે ન હોઈ શકે છે ({2}) ઉત્પાદન ઓર્ડર {3} DocType: Shipping Rule,Shipping Rule Label,શીપીંગ નિયમ લેબલ apps/erpnext/erpnext/public/js/conf.js +28,User Forum,વપરાશકર્તા ફોરમ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,કાચો માલ ખાલી ન હોઈ શકે. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","સ્ટોક અપડેટ કરી શકાયું નથી, ભરતિયું ડ્રોપ શીપીંગ વસ્તુ છે." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ઝડપી જર્નલ પ્રવેશ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,કાચો માલ ખાલી ન હોઈ શકે. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","સ્ટોક અપડેટ કરી શકાયું નથી, ભરતિયું ડ્રોપ શીપીંગ વસ્તુ છે." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,ઝડપી જર્નલ પ્રવેશ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,BOM કોઈપણ વસ્તુ agianst ઉલ્લેખ તો તમે દર બદલી શકતા નથી DocType: Employee,Previous Work Experience,પહેલાંના કામ અનુભવ DocType: Stock Entry,For Quantity,જથ્થો માટે @@ -2357,7 +2362,7 @@ DocType: SMS Log,No of Requested SMS,વિનંતી એસએમએસ ક apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,પગાર વિના છોડો મંજૂર છોડો અરજી રેકોર્ડ સાથે મેળ ખાતું નથી DocType: Campaign,Campaign-.####,અભિયાન -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,આગળ કરવાનાં પગલાંઓ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,શ્રેષ્ઠ શક્ય દરે સ્પષ્ટ વસ્તુઓ સપ્લાય કૃપા કરીને +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,શ્રેષ્ઠ શક્ય દરે સ્પષ્ટ વસ્તુઓ સપ્લાય કૃપા કરીને DocType: Selling Settings,Auto close Opportunity after 15 days,15 દિવસ પછી ઓટો બંધ તકો apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,સમાપ્તિ વર્ષ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / લીડ% @@ -2394,7 +2399,7 @@ DocType: Homepage,Homepage,મુખપૃષ્ઠ DocType: Purchase Receipt Item,Recd Quantity,Recd જથ્થો apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},ફી રેકોર્ડ્સ બનાવનાર - {0} DocType: Asset Category Account,Asset Category Account,એસેટ વર્ગ એકાઉન્ટ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},સેલ્સ ક્રમ સાથે જથ્થો કરતાં વધુ આઇટમ {0} પેદા કરી શકતા નથી {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},સેલ્સ ક્રમ સાથે જથ્થો કરતાં વધુ આઇટમ {0} પેદા કરી શકતા નથી {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,સ્ટોક એન્ટ્રી {0} અપર્ણ ન કરાય DocType: Payment Reconciliation,Bank / Cash Account,બેન્ક / રોકડ એકાઉન્ટ apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,આગામી સંપર્ક આગેવાની ઇમેઇલ સરનામું તરીકે જ ન હોઈ શકે @@ -2427,7 +2432,7 @@ DocType: Salary Structure,Total Earning,કુલ અર્નિંગ DocType: Purchase Receipt,Time at which materials were received,"સામગ્રી પ્રાપ્ત કરવામાં આવી હતી, જે અંતે સમય" DocType: Stock Ledger Entry,Outgoing Rate,આઉટગોઇંગ દર apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,સંસ્થા શાખા માસ્ટર. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,અથવા +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,અથવા DocType: Sales Order,Billing Status,બિલિંગ સ્થિતિ apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,સમસ્યાની જાણ કરો apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ઉપયોગિતા ખર્ચ @@ -2435,7 +2440,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,રો # {0}: જર્નલ પ્રવેશ {1} એકાઉન્ટ નથી {2} અથવા પહેલાથી જ બીજા વાઉચર સામે મેળ ખાતી DocType: Buying Settings,Default Buying Price List,ડિફૉલ્ટ ખરીદી ભાવ યાદી DocType: Process Payroll,Salary Slip Based on Timesheet,પગાર કાપલી Timesheet પર આધારિત -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ઉપર પસંદ માપદંડ અથવા પગાર સ્લીપ માટે કોઈ કર્મચારી પહેલેથી જ બનાવનાર +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,ઉપર પસંદ માપદંડ અથવા પગાર સ્લીપ માટે કોઈ કર્મચારી પહેલેથી જ બનાવનાર DocType: Notification Control,Sales Order Message,વેચાણ ઓર્ડર સંદેશ apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","વગેરે કંપની, કરન્સી, ચાલુ નાણાકીય વર્ષના, જેવા સેટ મૂળભૂત મૂલ્યો" DocType: Payment Entry,Payment Type,ચુકવણી પ્રકાર @@ -2459,7 +2464,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,રસીદ દસ્તાવેજ સબમિટ હોવું જ જોઈએ DocType: Purchase Invoice Item,Received Qty,પ્રાપ્ત Qty DocType: Stock Entry Detail,Serial No / Batch,સીરીયલ કોઈ / બેચ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,નથી ચૂકવણી અને બચાવી શક્યા +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,નથી ચૂકવણી અને બચાવી શક્યા DocType: Product Bundle,Parent Item,પિતૃ વસ્તુ DocType: Account,Account Type,એકાઉન્ટ પ્રકાર DocType: Delivery Note,DN-RET-,Dn-RET- @@ -2489,8 +2494,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,કુલ ફાળવેલ રકમ apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,શાશ્વત યાદી માટે ડિફોલ્ટ યાદી એકાઉન્ટ સેટ DocType: Item Reorder,Material Request Type,સામગ્રી વિનંતી પ્રકાર -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},થી {0} પગાર માટે Accural જર્નલ પ્રવેશ {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage સંપૂર્ણ છે, સાચવી નહોતી" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},થી {0} પગાર માટે Accural જર્નલ પ્રવેશ {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage સંપૂર્ણ છે, સાચવી નહોતી" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,રો {0}: UOM રૂપાંતર ફેક્ટર ફરજિયાત છે apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,સંદર્ભ DocType: Budget,Cost Center,ખર્ચ કેન્દ્રને @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,આ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","પસંદ પ્રાઇસીંગ નિયમ 'કિંમત' માટે કરવામાં આવે છે, તો તે ભાવ યાદી પર ફરીથી લખી નાંખશે. પ્રાઇસીંગ નિયમ ભાવ અંતિમ ભાવ છે, તેથી કોઇ વધુ ડિસ્કાઉન્ટ લાગુ પાડવામાં આવવી જોઈએ. તેથી, વગેરે સેલ્સ ઓર્ડર, ખરીદી ઓર્ડર જેવા વ્યવહારો, તે બદલે 'ભાવ યાદી દર' ક્ષેત્ર કરતાં 'રેટ ભૂલી નથી' ફીલ્ડમાં મેળવ્યાં કરવામાં આવશે." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ટ્રેક ઉદ્યોગ પ્રકાર દ્વારા દોરી જાય છે. DocType: Item Supplier,Item Supplier,વસ્તુ પુરવઠોકર્તા -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,બેચ કોઈ વિચાર વસ્તુ કોડ દાખલ કરો +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,બેચ કોઈ વિચાર વસ્તુ કોડ દાખલ કરો apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},{0} quotation_to માટે નીચેની પસંદ કરો {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,બધા સંબોધે છે. DocType: Company,Stock Settings,સ્ટોક સેટિંગ્સ @@ -2535,7 +2540,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,સોદા બાદ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},કોઈ પગાર સ્લિપ વચ્ચે મળી {0} અને {1} ,Pending SO Items For Purchase Request,ખરીદી વિનંતી તેથી વસ્તુઓ બાકી apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,વિદ્યાર્થી પ્રવેશ -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} અક્ષમ છે +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} અક્ષમ છે DocType: Supplier,Billing Currency,બિલિંગ કરન્સી DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,બહુ્ મોટુ @@ -2565,7 +2570,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,એપ્લિકેશન સ્થિતિ DocType: Fees,Fees,ફી DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,વિનિમય દર અન્ય એક ચલણ કન્વર્ટ કરવા માટે સ્પષ્ટ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,અવતરણ {0} રદ કરવામાં આવે છે +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,અવતરણ {0} રદ કરવામાં આવે છે apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,કુલ બાકી રકમ DocType: Sales Partner,Targets,લક્ષ્યાંક DocType: Price List,Price List Master,ભાવ યાદી માસ્ટર @@ -2582,7 +2587,7 @@ DocType: POS Profile,Ignore Pricing Rule,પ્રાઇસીંગ નિય DocType: Employee Education,Graduate,સ્નાતક DocType: Leave Block List,Block Days,બ્લોક દિવસો DocType: Journal Entry,Excise Entry,એક્સાઇઝ એન્ટ્રી -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ચેતવણી: વેચાણ ઓર્ડર {0} પહેલાથી જ ગ્રાહક ખરીદી ઓર્ડર સામે અસ્તિત્વમાં {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ચેતવણી: વેચાણ ઓર્ડર {0} પહેલાથી જ ગ્રાહક ખરીદી ઓર્ડર સામે અસ્તિત્વમાં {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2608,7 +2613,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),જ ,Salary Register,પગાર રજિસ્ટર DocType: Warehouse,Parent Warehouse,પિતૃ વેરહાઉસ DocType: C-Form Invoice Detail,Net Total,નેટ કુલ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},ડિફૉલ્ટ BOM આઇટમ માટે મળી નથી {0} અને પ્રોજેક્ટ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},ડિફૉલ્ટ BOM આઇટમ માટે મળી નથી {0} અને પ્રોજેક્ટ {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,વિવિધ લોન પ્રકારના વ્યાખ્યાયિત કરે છે DocType: Bin,FCFS Rate,FCFS દર DocType: Payment Reconciliation Invoice,Outstanding Amount,બાકી રકમ @@ -2645,7 +2650,7 @@ DocType: Salary Detail,Condition and Formula Help,સ્થિતિ અને apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,પ્રદેશ વૃક્ષ મેનેજ કરો. DocType: Journal Entry Account,Sales Invoice,સેલ્સ ભરતિયું DocType: Journal Entry Account,Party Balance,પાર્ટી બેલેન્સ -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,ડિસ્કાઉન્ટ પર લાગુ પડે છે પસંદ કરો +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,ડિસ્કાઉન્ટ પર લાગુ પડે છે પસંદ કરો DocType: Company,Default Receivable Account,મૂળભૂત પ્રાપ્ત એકાઉન્ટ DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,ઉપર પસંદ માપદંડ માટે ચૂકવણી કુલ પગાર માટે બેન્ક એન્ટ્રી બનાવો DocType: Stock Entry,Material Transfer for Manufacture,ઉત્પાદન માટે માલ પરિવહન @@ -2659,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,ગ્રાહક સરનામું DocType: Employee Loan,Loan Details,લોન વિગતો DocType: Company,Default Inventory Account,ડિફૉલ્ટ ઈન્વેન્ટરી એકાઉન્ટ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,રો {0}: પૂર્ણ Qty શૂન્ય કરતાં મોટી હોવી જ જોઈએ. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,રો {0}: પૂર્ણ Qty શૂન્ય કરતાં મોટી હોવી જ જોઈએ. DocType: Purchase Invoice,Apply Additional Discount On,વધારાના ડિસ્કાઉન્ટ પર લાગુ પડે છે DocType: Account,Root Type,Root લખવું DocType: Item,FIFO,FIFO @@ -2676,7 +2681,7 @@ DocType: Purchase Invoice Item,Quality Inspection,ગુણવત્તા ન apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,વિશેષ નાના DocType: Company,Standard Template,સ્ટાન્ડર્ડ ટેમ્પલેટ DocType: Training Event,Theory,થિયરી -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,ચેતવણી: Qty વિનંતી સામગ્રી ન્યુનત્તમ ઓર્ડર Qty કરતાં ઓછી છે +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,ચેતવણી: Qty વિનંતી સામગ્રી ન્યુનત્તમ ઓર્ડર Qty કરતાં ઓછી છે apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,એકાઉન્ટ {0} સ્થિર છે DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,સંસ્થા સાથે જોડાયેલા એકાઉન્ટ્સ એક અલગ ચાર્ટ સાથે કાનૂની એન્ટિટી / સબસિડીયરી. DocType: Payment Request,Mute Email,મ્યૂટ કરો ઇમેઇલ @@ -2700,7 +2705,7 @@ DocType: Training Event,Scheduled,અનુસૂચિત apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,અવતરણ માટે વિનંતી. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""ના" અને "વેચાણ વસ્તુ છે" "સ્ટોક વસ્તુ છે" છે, જ્યાં "હા" છે વસ્તુ પસંદ કરો અને કોઈ અન્ય ઉત્પાદન બંડલ છે, કૃપા કરીને" DocType: Student Log,Academic,શૈક્ષણિક -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),કુલ એડવાન્સ ({0}) ઓર્ડર સામે {1} ગ્રાન્ડ કુલ કરતાં વધારે ન હોઈ શકે છે ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),કુલ એડવાન્સ ({0}) ઓર્ડર સામે {1} ગ્રાન્ડ કુલ કરતાં વધારે ન હોઈ શકે છે ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,અસમાન મહિના સમગ્ર લક્ષ્યો વિતરિત કરવા માટે માસિક વિતરણ પસંદ કરો. DocType: Purchase Invoice Item,Valuation Rate,મૂલ્યાંકન દર DocType: Stock Reconciliation,SR/,SR / @@ -2764,6 +2769,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,એએમટી DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"તપાસ સ્ત્રોત અભિયાન છે, તો ઝુંબેશ નામ દાખલ કરો" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,અખબાર પ્રકાશકો apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,ફિસ્કલ વર્ષ પસંદ કરો +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,અપેક્ષિત ડિલિવરી તારીખ સેલ્સ ઑર્ડર તારીખ પછી હોવી જોઈએ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,પુનઃક્રમાંકિત કરો સ્તર DocType: Company,Chart Of Accounts Template,એકાઉન્ટ્સ ઢાંચો ચાર્ટ DocType: Attendance,Attendance Date,એટેન્ડન્સ તારીખ @@ -2795,7 +2801,7 @@ DocType: Pricing Rule,Discount Percentage,ડિસ્કાઉન્ટ ટક DocType: Payment Reconciliation Invoice,Invoice Number,બીલ નંબર DocType: Shopping Cart Settings,Orders,ઓર્ડર્સ DocType: Employee Leave Approver,Leave Approver,તાજનો છોડો -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,કૃપા કરીને એક બેચ પસંદ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,કૃપા કરીને એક બેચ પસંદ DocType: Assessment Group,Assessment Group Name,આકારણી ગ્રુપ નામ DocType: Manufacturing Settings,Material Transferred for Manufacture,સામગ્રી ઉત્પાદન માટે તબદીલ DocType: Expense Claim,"A user with ""Expense Approver"" role","ખર્ચ તાજનો" ભૂમિકા સાથે વપરાશકર્તા @@ -2831,7 +2837,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,આગામી મહિને છેલ્લો દિવસ DocType: Support Settings,Auto close Issue after 7 days,7 દિવસ પછી ઓટો બંધ અંક apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","પહેલાં ફાળવવામાં કરી શકાતી નથી મૂકો {0}, રજા બેલેન્સ પહેલેથી કેરી આગળ ભવિષ્યમાં રજા ફાળવણી રેકોર્ડ કરવામાં આવી છે {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),નોંધ: કારણે / સંદર્ભ તારીખ {0} દિવસ દ્વારા મંજૂરી ગ્રાહક ક્રેડિટ દિવસ કરતાં વધી જાય (ઓ) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),નોંધ: કારણે / સંદર્ભ તારીખ {0} દિવસ દ્વારા મંજૂરી ગ્રાહક ક્રેડિટ દિવસ કરતાં વધી જાય (ઓ) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,વિદ્યાર્થી અરજદાર DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,RECIPIENT માટે મૂળ DocType: Asset Category Account,Accumulated Depreciation Account,સંચિત અવમૂલ્યન એકાઉન્ટ @@ -2842,7 +2848,7 @@ DocType: Item,Reorder level based on Warehouse,વેરહાઉસ પર આ DocType: Activity Cost,Billing Rate,બિલિંગ રેટ ,Qty to Deliver,વિતરિત કરવા માટે Qty ,Stock Analytics,સ્ટોક ઍનલિટિક્સ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ઓપરેશન્સ ખાલી છોડી શકાશે નહીં +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,ઓપરેશન્સ ખાલી છોડી શકાશે નહીં DocType: Maintenance Visit Purpose,Against Document Detail No,દસ્તાવેજ વિગતવાર સામે કોઈ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,પાર્ટી પ્રકાર ફરજિયાત છે DocType: Quality Inspection,Outgoing,આઉટગોઇંગ @@ -2883,15 +2889,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,વેરહાઉસ ખાતે ઉપલબ્ધ Qty apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,ગણાવી રકમ DocType: Asset,Double Declining Balance,ડબલ કથળતું જતું બેલેન્સ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,બંધ કરવા માટે રદ ન કરી શકાય છે. રદ કરવા Unclose. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,બંધ કરવા માટે રદ ન કરી શકાય છે. રદ કરવા Unclose. DocType: Student Guardian,Father,પિતા -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'સુધારા સ્ટોક' સ્થિર એસેટ વેચાણ માટે તપાસી શકાતું નથી +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'સુધારા સ્ટોક' સ્થિર એસેટ વેચાણ માટે તપાસી શકાતું નથી DocType: Bank Reconciliation,Bank Reconciliation,બેન્ક રિકંસીલેશન DocType: Attendance,On Leave,રજા પર apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,સુધારાઓ મેળવો apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: એકાઉન્ટ {2} કંપની ને અનુલક્ષતું નથી {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,સામગ્રી વિનંતી {0} રદ અથવા બંધ છે -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,થોડા નમૂના રેકોર્ડ ઉમેરો +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,થોડા નમૂના રેકોર્ડ ઉમેરો apps/erpnext/erpnext/config/hr.py +301,Leave Management,મેનેજમેન્ટ છોડો apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,એકાઉન્ટ દ્વારા ગ્રુપ DocType: Sales Order,Fully Delivered,સંપૂર્ણપણે વિતરિત @@ -2900,12 +2906,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","આ સ્ટોક રિકંસીલેશન એક ખુલી પ્રવેશ છે, કારણ કે તફાવત એકાઉન્ટ, એક એસેટ / જવાબદારી પ્રકાર એકાઉન્ટ હોવું જ જોઈએ" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},વિતરિત રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},વસ્તુ માટે જરૂરી ઓર્ડર નંબર ખરીદી {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,ઉત્પાદન ઓર્ડર બનાવવામાં આવી ન +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,ઉત્પાદન ઓર્ડર બનાવવામાં આવી ન apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','તારીખ પ્રતિ' પછી 'તારીખ' હોવા જ જોઈએ apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},વિદ્યાર્થી તરીકે સ્થિતિ બદલી શકાતું નથી {0} વિદ્યાર્થી અરજી સાથે કડી થયેલ છે {1} DocType: Asset,Fully Depreciated,સંપૂર્ણપણે અવમૂલ્યન ,Stock Projected Qty,સ્ટોક Qty અંદાજિત -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},સંબંધ નથી {0} ગ્રાહક પ્રોજેક્ટ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},સંબંધ નથી {0} ગ્રાહક પ્રોજેક્ટ {1} DocType: Employee Attendance Tool,Marked Attendance HTML,નોંધપાત્ર હાજરી HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",સુવાકયો દરખાસ્તો બિડ તમે તમારા ગ્રાહકો માટે મોકલી છે DocType: Sales Order,Customer's Purchase Order,ગ્રાહક ખરીદી ઓર્ડર @@ -2915,7 +2921,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations સંખ્યા નક્કી સુયોજિત કરો apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ભાવ અથવા Qty apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,પ્રોડક્શન્સ ઓર્ડર્સ માટે ઊભા ન કરી શકો છો: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,મિનિટ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,મિનિટ DocType: Purchase Invoice,Purchase Taxes and Charges,કર અને ખર્ચ ખરીદી ,Qty to Receive,પ્રાપ્ત Qty DocType: Leave Block List,Leave Block List Allowed,બ્લોક યાદી મંજૂર છોડો @@ -2928,7 +2934,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,બધા પુરવઠોકર્તા પ્રકાર DocType: Global Defaults,Disable In Words,શબ્દો માં અક્ષમ apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,વસ્તુ આપોઆપ નંબર નથી કારણ કે વસ્તુ કોડ ફરજિયાત છે -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},અવતરણ {0} નથી પ્રકાર {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},અવતરણ {0} નથી પ્રકાર {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,જાળવણી સુનિશ્ચિત વસ્તુ DocType: Sales Order,% Delivered,% વિતરિત DocType: Production Order,PRO-,પ્રો- @@ -2951,7 +2957,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,વિક્રેતા ઇમેઇલ DocType: Project,Total Purchase Cost (via Purchase Invoice),કુલ ખરીદ કિંમત (ખરીદી ભરતિયું મારફતે) DocType: Training Event,Start Time,પ્રારંભ સમય -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,પસંદ કરો જથ્થો +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,પસંદ કરો જથ્થો DocType: Customs Tariff Number,Customs Tariff Number,કસ્ટમ્સ જકાત સંખ્યા apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ભૂમિકા એપ્રૂવિંગ નિયમ લાગુ પડે છે ભૂમિકા તરીકે જ ન હોઈ શકે apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,આ ઇમેઇલ ડાયજેસ્ટ માંથી અનસબ્સ્ક્રાઇબ @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR વિગતવાર DocType: Sales Order,Fully Billed,સંપૂર્ણપણે ગણાવી apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,હાથમાં રોકડ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},ડ લવર વેરહાઉસ સ્ટોક વસ્તુ માટે જરૂરી {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},ડ લવર વેરહાઉસ સ્ટોક વસ્તુ માટે જરૂરી {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),પેકેજ ગ્રોસ વજન. સામાન્ય રીતે નેટ વજન + પેકેજિંગ સામગ્રી વજન. (પ્રિન્ટ માટે) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,કાર્યક્રમ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,આ ભૂમિકા સાથેના વપરાશકર્તાઓ સ્થિર એકાઉન્ટ્સ સામે હિસાબી પ્રવેશો સ્થિર એકાઉન્ટ્સ સેટ અને બનાવવા / સુધારવા માટે માન્ય છે @@ -2984,7 +2990,7 @@ DocType: Student Group,Group Based On,જૂથ પર આધારિત DocType: Journal Entry,Bill Date,બિલ તારીખ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","સેવા વસ્તુ, પ્રકાર, આવર્તન અને ખર્ચ રકમ જરૂરી છે" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","સૌથી વધુ પ્રાધાન્ય સાથે બહુવિધ પ્રાઇસીંગ નિયમો હોય છે, પણ જો, તો પછી નીચેના આંતરિક પ્રાથમિકતાઓ લાગુ પડે છે:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},તમે ખરેખર {0} તમામ પગાર સ્લિપ રજુ કરવા માંગો છો {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},તમે ખરેખર {0} તમામ પગાર સ્લિપ રજુ કરવા માંગો છો {1} DocType: Cheque Print Template,Cheque Height,ચેક ઊંચાઈ DocType: Supplier,Supplier Details,પુરવઠોકર્તા વિગતો DocType: Expense Claim,Approval Status,મંજૂરી સ્થિતિ @@ -3006,7 +3012,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,અવતરણ મ apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,વધુ કંઇ બતાવવા માટે. DocType: Lead,From Customer,ગ્રાહક પાસેથી apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,કોલ્સ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,બૅચેસ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,બૅચેસ DocType: Project,Total Costing Amount (via Time Logs),કુલ પડતર રકમ (સમય લોગ મારફતે) DocType: Purchase Order Item Supplied,Stock UOM,સ્ટોક UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ઓર્ડર {0} અપર્ણ ન કરાય ખરીદી @@ -3037,7 +3043,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,સામે ખરી DocType: Item,Warranty Period (in days),(દિવસોમાં) વોરંટી સમયગાળા apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 સાથે સંબંધ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ઓપરેશન્સ થી ચોખ્ખી રોકડ -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,દા.ત. વેટ +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,દા.ત. વેટ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,આઇટમ 4 DocType: Student Admission,Admission End Date,પ્રવેશ સમાપ્તિ તારીખ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,પેટા કરાર @@ -3045,7 +3051,7 @@ DocType: Journal Entry Account,Journal Entry Account,જર્નલ પ્ર apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,વિદ્યાર્થી જૂથ DocType: Shopping Cart Settings,Quotation Series,અવતરણ સિરીઝ apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","એક વસ્તુ જ નામ સાથે હાજર ({0}), આઇટમ જૂથ નામ બદલવા અથવા વસ્તુ નામ બદલી કૃપા કરીને" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,કૃપા કરીને ગ્રાહક પસંદ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,કૃપા કરીને ગ્રાહક પસંદ DocType: C-Form,I,હું DocType: Company,Asset Depreciation Cost Center,એસેટ અવમૂલ્યન કિંમત કેન્દ્ર DocType: Sales Order Item,Sales Order Date,સેલ્સ ઓર્ડર તારીખ @@ -3056,6 +3062,7 @@ DocType: Stock Settings,Limit Percent,મર્યાદા ટકા ,Payment Period Based On Invoice Date,ભરતિયું તારીખ પર આધારિત ચુકવણી સમય apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},માટે ખૂટે કરન્સી વિનિમય દરો {0} DocType: Assessment Plan,Examiner,એક્ઝામિનર +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} સેટઅપ> સેટિંગ્સ> નામકરણની શ્રેણી માટે નામકરણ શ્રેણી સેટ કરો DocType: Student,Siblings,બહેન DocType: Journal Entry,Stock Entry,સ્ટોક એન્ટ્રી DocType: Payment Entry,Payment References,ચુકવણી સંદર્ભો @@ -3080,7 +3087,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ઉત્પાદન કામગીરી જ્યાં ધરવામાં આવે છે. DocType: Asset Movement,Source Warehouse,સોર્સ વેરહાઉસ DocType: Installation Note,Installation Date,સ્થાપન તારીખ -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},રો # {0}: એસેટ {1} કંપની ને અનુલક્ષતું નથી {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},રો # {0}: એસેટ {1} કંપની ને અનુલક્ષતું નથી {2} DocType: Employee,Confirmation Date,સમર્થન તારીખ DocType: C-Form,Total Invoiced Amount,કુલ ભરતિયું રકમ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,મીન Qty મેક્સ Qty કરતાં વધારે ન હોઈ શકે @@ -3153,7 +3160,7 @@ DocType: Company,Default Letter Head,પત્ર હેડ મૂળભૂત DocType: Purchase Order,Get Items from Open Material Requests,ઓપન સામગ્રી અરજીઓ માંથી વસ્તુઓ વિચાર DocType: Item,Standard Selling Rate,સ્ટાન્ડર્ડ વેચાણ દર DocType: Account,Rate at which this tax is applied,"આ કર લાગુ પડે છે, જે અંતે દર" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,પુનઃક્રમાંકિત કરો Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,પુનઃક્રમાંકિત કરો Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,વર્તમાન જોબ શરૂઆતનો DocType: Company,Stock Adjustment Account,સ્ટોક એડજસ્ટમેન્ટ એકાઉન્ટ apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,માંડવાળ @@ -3167,7 +3174,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,પુરવઠોકર્તા ગ્રાહક માટે પહોંચાડે છે apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ફોર્મ / વસ્તુ / {0}) સ્ટોક બહાર છે apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,આગામી તારીખ પોસ્ટ તારીખ કરતાં મોટી હોવી જ જોઈએ -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},કારણે / સંદર્ભ તારીખ પછી ન હોઈ શકે {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},કારણે / સંદર્ભ તારીખ પછી ન હોઈ શકે {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,માહિતી આયાત અને નિકાસ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,કોઈ વિદ્યાર્થીઓ મળ્યો apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ભરતિયું પોસ્ટ તારીખ @@ -3187,12 +3194,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,આ વિદ્યાર્થી હાજરી પર આધારિત છે apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,કોઈ વિદ્યાર્થી apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,વધુ વસ્તુઓ અથવા ઓપન સંપૂર્ણ ફોર્મ ઉમેરો -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','અપેક્ષા બોલ તારીખ' દાખલ કરો -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ડ લવર નોંધો {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ડ લવર નોંધો {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ચૂકવેલ રકમ રકમ ગ્રાન્ડ કુલ કરતાં વધારે ન હોઈ શકે માંડવાળ + apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} વસ્તુ માટે માન્ય બેચ નંબર નથી {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},નોંધ: છોડો પ્રકાર માટે પૂરતી રજા બેલેન્સ નથી {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,અમાન્ય GSTIN અથવા બિનનોંધાયેલ માટે NA દાખલ +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,અમાન્ય GSTIN અથવા બિનનોંધાયેલ માટે NA દાખલ DocType: Training Event,Seminar,સેમિનાર DocType: Program Enrollment Fee,Program Enrollment Fee,કાર્યક્રમ પ્રવેશ ફી DocType: Item,Supplier Items,પુરવઠોકર્તા વસ્તુઓ @@ -3210,7 +3216,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,સ્ટોક એઇજીંગનો apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},વિદ્યાર્થી {0} વિદ્યાર્થી અરજદાર સામે અસ્તિત્વમાં {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,સમય પત્રક -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' અક્ષમ છે +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' અક્ષમ છે apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ઓપન તરીકે સેટ કરો DocType: Cheque Print Template,Scanned Cheque,સ્કેન ચેક DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,સબમિટ વ્યવહારો પર સંપર્કો આપોઆપ ઇમેઇલ્સ મોકલો. @@ -3256,7 +3262,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,ભાવ યાદી એક્સચેન્જ રેટ DocType: Purchase Invoice Item,Rate,દર apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,ઇન્ટર્ન -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,એડ્રેસ નામ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,એડ્રેસ નામ DocType: Stock Entry,From BOM,BOM થી DocType: Assessment Code,Assessment Code,આકારણી કોડ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,મૂળભૂત @@ -3269,20 +3275,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,પગાર માળખું DocType: Account,Bank,બેન્ક apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,એરલાઇન -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,ઇશ્યૂ સામગ્રી +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,ઇશ્યૂ સામગ્રી DocType: Material Request Item,For Warehouse,વેરહાઉસ માટે DocType: Employee,Offer Date,ઓફર તારીખ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,સુવાકયો -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,તમે ઑફલાઇન મોડ છે. તમે જ્યાં સુધી તમે નેટવર્ક ફરીથી લોડ કરવા માટે સમર્થ હશે નહિં. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,તમે ઑફલાઇન મોડ છે. તમે જ્યાં સુધી તમે નેટવર્ક ફરીથી લોડ કરવા માટે સમર્થ હશે નહિં. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,કોઈ વિદ્યાર્થી જૂથો બનાવી છે. DocType: Purchase Invoice Item,Serial No,સીરીયલ કોઈ apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,માસિક ચુકવણી રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,પ્રથમ Maintaince વિગતો દાખલ કરો +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,પંક્તિ # {0}: અપેક્ષિત ડિલિવરી તારીખ ખરીદી ઑર્ડર તારીખ પહેલાં ન હોઈ શકે DocType: Purchase Invoice,Print Language,પ્રિંટ ભાષા DocType: Salary Slip,Total Working Hours,કુલ કામ કલાક DocType: Stock Entry,Including items for sub assemblies,પેટા વિધાનસભાઓ માટે વસ્તુઓ સહિત -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,દાખલ કિંમત હકારાત્મક હોવો જ જોઈએ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ ગ્રુપ> બ્રાન્ડ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,દાખલ કિંમત હકારાત્મક હોવો જ જોઈએ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,બધા પ્રદેશો DocType: Purchase Invoice,Items,વસ્તુઓ apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,વિદ્યાર્થી પહેલેથી પ્રવેશ છે. @@ -3304,7 +3310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',વેરિએન્ટ માટે માપવા એકમ મૂળભૂત '{0}' નમૂનો તરીકે જ હોવી જોઈએ '{1}' DocType: Shipping Rule,Calculate Based On,પર આધારિત ગણતરી DocType: Delivery Note Item,From Warehouse,વેરહાઉસ માંથી -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,માલ બિલ સાથે કોઈ વસ્તુઓ ઉત્પાદન +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,માલ બિલ સાથે કોઈ વસ્તુઓ ઉત્પાદન DocType: Assessment Plan,Supervisor Name,સુપરવાઇઝર નામ DocType: Program Enrollment Course,Program Enrollment Course,કાર્યક્રમ નોંધણી કોર્સ DocType: Purchase Taxes and Charges,Valuation and Total,મૂલ્યાંકન અને કુલ @@ -3319,32 +3325,33 @@ DocType: Training Event Employee,Attended,હાજરી આપી apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'છેલ્લું ઓર્ડર સુધીનાં દિવસો' શૂન્ય કરતાં વધારે અથવા સમાન હોવો જોઈએ DocType: Process Payroll,Payroll Frequency,પગારપત્રક આવર્તન DocType: Asset,Amended From,સુધારો -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,કાચો માલ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,કાચો માલ DocType: Leave Application,Follow via Email,ઈમેઈલ મારફતે અનુસરો apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,છોડ અને મશીનરી DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ડિસ્કાઉન્ટ રકમ બાદ કર જથ્થો DocType: Daily Work Summary Settings,Daily Work Summary Settings,દૈનિક કામ સારાંશ સેટિંગ્સ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},ભાવ યાદી {0} ચલણ પસંદ ચલણ સાથે સમાન નથી {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},ભાવ યાદી {0} ચલણ પસંદ ચલણ સાથે સમાન નથી {1} DocType: Payment Entry,Internal Transfer,આંતરિક ટ્રાન્સફર apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,બાળ એકાઉન્ટ આ એકાઉન્ટ માટે અસ્તિત્વમાં છે. તમે આ એકાઉન્ટ કાઢી શકતા નથી. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ક્યાં લક્ષ્ય Qty અથવા લક્ષ્ય રકમ ફરજિયાત છે apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},મૂળભૂત BOM વસ્તુ માટે અસ્તિત્વમાં {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,પ્રથમ પોસ્ટ તારીખ પસંદ કરો +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,પ્રથમ પોસ્ટ તારીખ પસંદ કરો apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,તારીખ ઓપનિંગ તારીખ બંધ કરતા પહેલા પ્રયત્ન કરીશું DocType: Leave Control Panel,Carry Forward,આગળ લઈ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,હાલની વ્યવહારો સાથે ખર્ચ કેન્દ્રને ખાતાવહી રૂપાંતરિત કરી શકતા નથી DocType: Department,Days for which Holidays are blocked for this department.,દિવસો કે જેના માટે રજાઓ આ વિભાગ માટે બ્લોક કરી દેવામાં આવે છે. ,Produced,ઉત્પાદન -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,બનાવ્યું પગાર સ્લિપ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,બનાવ્યું પગાર સ્લિપ DocType: Item,Item Code for Suppliers,સપ્લાયરો માટે વસ્તુ કોડ DocType: Issue,Raised By (Email),દ્વારા ઊભા (ઇમેઇલ) DocType: Training Event,Trainer Name,ટ્રેનર નામ DocType: Mode of Payment,General,જનરલ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,છેલ્લે કોમ્યુનિકેશન apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',શ્રેણી 'મૂલ્યાંકન' અથવા 'મૂલ્યાંકન અને કુલ' માટે છે જ્યારે કપાત કરી શકો છો -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","તમારી કર હેડ યાદી (દા.ત. વેટ, કસ્ટમ્સ વગેરે; તેઓ અનન્ય નામો હોવી જોઈએ) અને તેમના પ્રમાણભૂત દરો. આ તમને સંપાદિત કરો અને વધુ પાછળથી ઉમેરી શકો છો કે જે સ્ટાન્ડર્ડ ટેમ્પલેટ, બનાવશે." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","તમારી કર હેડ યાદી (દા.ત. વેટ, કસ્ટમ્સ વગેરે; તેઓ અનન્ય નામો હોવી જોઈએ) અને તેમના પ્રમાણભૂત દરો. આ તમને સંપાદિત કરો અને વધુ પાછળથી ઉમેરી શકો છો કે જે સ્ટાન્ડર્ડ ટેમ્પલેટ, બનાવશે." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},શ્રેણીબદ્ધ વસ્તુ માટે સીરીયલ અમે જરૂરી {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ઇન્વૉઇસેસ સાથે મેળ ચુકવણીઓ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},પંક્તિ # {0}: આઇટમ સામે ડિલિવરી તારીખ દાખલ કરો {1} DocType: Journal Entry,Bank Entry,બેન્ક એન્ટ્રી DocType: Authorization Rule,Applicable To (Designation),લાગુ કરો (હોદ્દો) ,Profitability Analysis,નફાકારકતા એનાલિસિસ @@ -3360,17 +3367,18 @@ DocType: Quality Inspection,Item Serial No,વસ્તુ સીરીયલ apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,કર્મચારીનું રેકોર્ડ બનાવવા apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,કુલ પ્રેઝન્ટ apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,હિસાબી નિવેદનો -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,કલાક +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,કલાક apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ન્યૂ સીરીયલ કોઈ વેરહાઉસ કરી શકે છે. વેરહાઉસ સ્ટોક એન્ટ્રી અથવા ખરીદી રસીદ દ્વારા સુયોજિત થયેલ હોવું જ જોઈએ DocType: Lead,Lead Type,લીડ પ્રકાર apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,તમે બ્લોક તારીખો પર પાંદડા મંજૂર કરવા માટે અધિકૃત નથી -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,આ તમામ વસ્તુઓ પહેલેથી જ તેનું ભરતિયું કરાય છે +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,આ તમામ વસ્તુઓ પહેલેથી જ તેનું ભરતિયું કરાય છે +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,માસિક વેચાણ લક્ષ્યાંક apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},દ્વારા મંજૂર કરી શકાય {0} DocType: Item,Default Material Request Type,મૂળભૂત સામગ્રી વિનંતી પ્રકાર apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,અજ્ઞાત DocType: Shipping Rule,Shipping Rule Conditions,શીપીંગ નિયમ શરતો DocType: BOM Replace Tool,The new BOM after replacement,રિપ્લેસમેન્ટ પછી નવા BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,વેચાણ પોઇન્ટ +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,વેચાણ પોઇન્ટ DocType: Payment Entry,Received Amount,મળેલી રકમ DocType: GST Settings,GSTIN Email Sent On,GSTIN ઇમેઇલ પર મોકલ્યું DocType: Program Enrollment,Pick/Drop by Guardian,ચૂંટો / પાલક દ્વારા ડ્રોપ @@ -3385,8 +3393,8 @@ DocType: C-Form,Invoices,ઇનવૉઇસેસ DocType: Batch,Source Document Name,સોર્સ દસ્તાવેજનું નામ DocType: Job Opening,Job Title,જોબ શીર્ષક apps/erpnext/erpnext/utilities/activation.py +97,Create Users,બનાવવા વપરાશકર્તાઓ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,ગ્રામ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,ઉત્પાદન જથ્થો 0 કરતાં મોટી હોવી જ જોઈએ. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,ગ્રામ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,ઉત્પાદન જથ્થો 0 કરતાં મોટી હોવી જ જોઈએ. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,જાળવણી કોલ માટે અહેવાલ મુલાકાત લો. DocType: Stock Entry,Update Rate and Availability,સુધારા દર અને ઉપલબ્ધતા DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ટકાવારી તમે પ્રાપ્ત અથવા આદેશ આપ્યો જથ્થો સામે વધુ પહોંચાડવા માટે માન્ય છે. ઉદાહરણ તરીકે: તમે 100 એકમો આદેશ આપ્યો હોય તો. અને તમારા ભથ્થું પછી તમે 110 એકમો મેળવવા માટે માન્ય છે 10% છે. @@ -3398,7 +3406,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,ખરીદી ભરતિયું {0} રદ કૃપા કરીને પ્રથમ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","ઇમેઇલ સરનામું અનન્ય હોવો જોઈએ, પહેલેથી જ અસ્તિત્વમાં છે {0}" DocType: Serial No,AMC Expiry Date,એએમસી સમાપ્તિ તારીખ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,રસીદ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,રસીદ ,Sales Register,સેલ્સ રજિસ્ટર DocType: Daily Work Summary Settings Company,Send Emails At,ઇમેઇલ્સ મોકલો ખાતે DocType: Quotation,Quotation Lost Reason,અવતરણ લોસ્ટ કારણ @@ -3411,14 +3419,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,હજુ સ apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,કેશ ફ્લો સ્ટેટમેન્ટ apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},લોન રકમ મહત્તમ લોન રકમ કરતાં વધી શકે છે {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,લાઈસન્સ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},સી-ફોર્મ આ બિલ {0} દૂર કરો {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},સી-ફોર્મ આ બિલ {0} દૂર કરો {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"તમે પણ અગાઉના નાણાકીય વર્ષમાં બેલેન્સ ચાલુ નાણાકીય વર્ષના નહીં સામેલ કરવા માંગો છો, તો આગળ લઈ પસંદ કરો" DocType: GL Entry,Against Voucher Type,વાઉચર પ્રકાર સામે DocType: Item,Attributes,લક્ષણો apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,એકાઉન્ટ માંડવાળ દાખલ કરો apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,છેલ્લે ઓર્ડર તારીખ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},એકાઉન્ટ {0} કરે કંપની માટે અનુસરે છે નથી {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,{0} પંક્તિમાં ક્રમાંકોમાં સાથે ડિલીવરી નોંધ મેચ થતો નથી +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,{0} પંક્તિમાં ક્રમાંકોમાં સાથે ડિલીવરી નોંધ મેચ થતો નથી DocType: Student,Guardian Details,ગાર્ડિયન વિગતો DocType: C-Form,C-Form,સી-ફોર્મ apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,બહુવિધ કર્મચારીઓ માટે માર્ક એટેન્ડન્સ @@ -3450,16 +3458,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,સેલ્સ DocType: Stock Entry Detail,Basic Amount,મૂળભૂત રકમ DocType: Training Event,Exam,પરીક્ષા -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},વેરહાઉસ સ્ટોક વસ્તુ માટે જરૂરી {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},વેરહાઉસ સ્ટોક વસ્તુ માટે જરૂરી {0} DocType: Leave Allocation,Unused leaves,નહિં વપરાયેલ પાંદડા -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,લાખોમાં +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,લાખોમાં DocType: Tax Rule,Billing State,બિલિંગ રાજ્ય apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ટ્રાન્સફર apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} પક્ષ એકાઉન્ટ સાથે સંકળાયેલ નથી {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(પેટા-સ્થળોના સહિત) ફેલાય છે BOM મેળવો +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(પેટા-સ્થળોના સહિત) ફેલાય છે BOM મેળવો DocType: Authorization Rule,Applicable To (Employee),લાગુ કરો (કર્મચારી) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,કારણે તારીખ ફરજિયાત છે apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,લક્ષણ માટે વૃદ્ધિ {0} 0 ન હોઈ શકે +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> પ્રદેશ DocType: Journal Entry,Pay To / Recd From,ના / Recd પગાર DocType: Naming Series,Setup Series,સેટઅપ સિરીઝ DocType: Payment Reconciliation,To Invoice Date,તારીખ ભરતિયું @@ -3486,7 +3495,7 @@ DocType: Journal Entry,Write Off Based On,પર આધારિત માંડ apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,લીડ બનાવો apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,પ્રિન્ટ અને સ્ટેશનરી DocType: Stock Settings,Show Barcode Field,બતાવો બારકોડ ક્ષેત્ર -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,પુરવઠોકર્તા ઇમેઇલ્સ મોકલો +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,પુરવઠોકર્તા ઇમેઇલ્સ મોકલો apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","પગાર પહેલેથી જ વચ્ચે {0} અને {1}, એપ્લિકેશન સમયગાળા છોડો આ તારીખ શ્રેણી વચ્ચે ન હોઈ શકે સમયગાળા માટે પ્રક્રિયા." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,સીરીયલ નંબર માટે સ્થાપન રેકોર્ડ DocType: Guardian Interest,Guardian Interest,ગાર્ડિયન વ્યાજ @@ -3499,7 +3508,7 @@ DocType: Offer Letter,Awaiting Response,પ્રતિભાવ પ્રતી apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ઉપર apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},અમાન્ય લક્ષણ {0} {1} DocType: Supplier,Mention if non-standard payable account,ઉલ્લેખ જો નોન-સ્ટાન્ડર્ડ ચૂકવવાપાત્ર એકાઉન્ટ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},એક જ આઇટમ્સનો અનેકવાર દાખલ કરવામાં આવી છે. {યાદી} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},એક જ આઇટમ્સનો અનેકવાર દાખલ કરવામાં આવી છે. {યાદી} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',કૃપા કરીને આકારણી 'તમામ એસેસમેન્ટ જૂથો' કરતાં અન્ય જૂથ પસંદ DocType: Salary Slip,Earning & Deduction,અર્નિંગ અને કપાત apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,વૈકલ્પિક. આ ગોઠવણી વિવિધ વ્યવહારો ફિલ્ટર કરવા માટે ઉપયોગ કરવામાં આવશે. @@ -3518,7 +3527,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,રદ એસેટ કિંમત apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ખર્ચ કેન્દ્રને વસ્તુ માટે ફરજિયાત છે {2} DocType: Vehicle,Policy No,નીતિ કોઈ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,ઉત્પાદન બંડલ થી વસ્તુઓ વિચાર +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,ઉત્પાદન બંડલ થી વસ્તુઓ વિચાર DocType: Asset,Straight Line,સીધી રેખા DocType: Project User,Project User,પ્રોજેક્ટ વપરાશકર્તા apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,સ્પ્લિટ @@ -3530,6 +3539,7 @@ DocType: Sales Team,Contact No.,સંપર્ક નંબર DocType: Bank Reconciliation,Payment Entries,ચુકવણી પ્રવેશો DocType: Production Order,Scrap Warehouse,સ્ક્રેપ વેરહાઉસ DocType: Production Order,Check if material transfer entry is not required,જો સામગ્રી ટ્રાન્સફર પ્રવેશ જરૂરી નથી તપાસો +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,હ્યુમન રિસોર્સ> એચઆર સેટિંગ્સમાં કર્મચારીનું નામકરણ પદ્ધતિ સેટ કરો DocType: Program Enrollment Tool,Get Students From,વિદ્યાર્થીઓ મેળવો DocType: Hub Settings,Seller Country,વિક્રેતા દેશ apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,વેબસાઇટ પર આઇટમ્સ પ્રકાશિત @@ -3547,19 +3557,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,ઉ DocType: Shipping Rule,Specify conditions to calculate shipping amount,શીપીંગ જથ્થો ગણતરી કરવા માટે શરતો સ્પષ્ટ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ભૂમિકા ફ્રોઝન એકાઉન્ટ્સ & સંપાદિત કરો ફ્રોઝન પ્રવેશો સેટ કરવાની મંજૂરી apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"તે બાળક ગાંઠો છે, કારણ કે ખાતાવહી ખર્ચ કેન્દ્ર કન્વર્ટ કરી શકતા નથી" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ખુલી ભાવ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,ખુલી ભાવ DocType: Salary Detail,Formula,ફોર્મ્યુલા apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,સીરીયલ # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,સેલ્સ પર કમિશન DocType: Offer Letter Term,Value / Description,ભાવ / વર્ણન -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","રો # {0}: એસેટ {1} સુપ્રત કરી શકાય નહીં, તે પહેલેથી જ છે {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","રો # {0}: એસેટ {1} સુપ્રત કરી શકાય નહીં, તે પહેલેથી જ છે {2}" DocType: Tax Rule,Billing Country,બિલિંગ દેશ DocType: Purchase Order Item,Expected Delivery Date,અપેક્ષિત બોલ તારીખ apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ડેબિટ અને ક્રેડિટ {0} # માટે સમાન નથી {1}. તફાવત છે {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,મનોરંજન ખર્ચ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,સામગ્રી વિનંતી કરવા apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ખોલો વસ્તુ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,આ વેચાણ ઓર્ડર રદ પહેલાં ભરતિયું {0} રદ થયેલ હોવું જ જોઈએ સેલ્સ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,આ વેચાણ ઓર્ડર રદ પહેલાં ભરતિયું {0} રદ થયેલ હોવું જ જોઈએ સેલ્સ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ઉંમર DocType: Sales Invoice Timesheet,Billing Amount,બિલિંગ રકમ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,આઇટમ માટે સ્પષ્ટ અમાન્ય જથ્થો {0}. જથ્થો 0 કરતાં મોટી હોવી જોઈએ. @@ -3582,7 +3592,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,નવા ગ્રાહક આવક apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,પ્રવાસ ખર્ચ DocType: Maintenance Visit,Breakdown,વિરામ -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ખાતું: {0} ચલણ સાથે: {1} પસંદ કરી શકાતી નથી +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,ખાતું: {0} ચલણ સાથે: {1} પસંદ કરી શકાતી નથી DocType: Bank Reconciliation Detail,Cheque Date,ચેક તારીખ apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} કંપની ને અનુલક્ષતું નથી: {2} DocType: Program Enrollment Tool,Student Applicants,વિદ્યાર્થી અરજદારો @@ -3602,11 +3612,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,આય DocType: Material Request,Issued,જારી apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,વિદ્યાર્થી પ્રવૃત્તિ DocType: Project,Total Billing Amount (via Time Logs),કુલ બિલિંગ રકમ (સમય લોગ મારફતે) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,અમે આ આઇટમ વેચાણ +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,અમે આ આઇટમ વેચાણ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,પુરવઠોકર્તા આઈડી DocType: Payment Request,Payment Gateway Details,પેમેન્ટ ગેટવે વિગતો -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,જથ્થો 0 કરતાં મોટી હોવી જોઈએ -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,નમૂના ડેટા +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,જથ્થો 0 કરતાં મોટી હોવી જોઈએ +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,નમૂના ડેટા DocType: Journal Entry,Cash Entry,કેશ એન્ટ્રી apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,બાળક ગાંઠો માત્ર 'ગ્રુપ' પ્રકાર ગાંઠો હેઠળ બનાવી શકાય છે DocType: Leave Application,Half Day Date,અડધા દિવસ તારીખ @@ -3615,17 +3625,18 @@ DocType: Sales Partner,Contact Desc,સંપર્ક DESC apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","કેઝ્યુઅલ જેવા પાંદડા પ્રકાર, માંદા વગેરે" DocType: Email Digest,Send regular summary reports via Email.,ઈમેઈલ મારફતે નિયમિત સારાંશ અહેવાલ મોકલો. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},ખર્ચ દાવો પ્રકાર મૂળભૂત એકાઉન્ટ સુયોજિત કરો {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},ખર્ચ દાવો પ્રકાર મૂળભૂત એકાઉન્ટ સુયોજિત કરો {0} DocType: Assessment Result,Student Name,વિદ્યાર્થી નામ DocType: Brand,Item Manager,વસ્તુ વ્યવસ્થાપક apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,પગારપત્રક ચૂકવવાપાત્ર DocType: Buying Settings,Default Supplier Type,મૂળભૂત પુરવઠોકર્તા પ્રકાર DocType: Production Order,Total Operating Cost,કુલ સંચાલન ખર્ચ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,નોંધ: વસ્તુ {0} ઘણી વખત દાખલ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,નોંધ: વસ્તુ {0} ઘણી વખત દાખલ apps/erpnext/erpnext/config/selling.py +41,All Contacts.,બધા સંપર્કો. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,તમારા લક્ષ્યાંક સેટ કરો apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,કંપની સંક્ષેપનો apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,વપરાશકર્તા {0} અસ્તિત્વમાં નથી -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,કાચો માલ મુખ્ય વસ્તુ તરીકે જ ન હોઈ શકે +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,કાચો માલ મુખ્ય વસ્તુ તરીકે જ ન હોઈ શકે DocType: Item Attribute Value,Abbreviation,સંક્ષેપનો apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ચુકવણી એન્ટ્રી પહેલેથી હાજર જ છે apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,"{0} મર્યાદા કરતાં વધી જાય છે, કારણ કે authroized નથી" @@ -3643,7 +3654,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,ભૂમિકા સ ,Territory Target Variance Item Group-Wise,પ્રદેશ લક્ષ્યાંક ફેરફાર વસ્તુ ગ્રુપ મુજબની apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,બધા ગ્રાહક જૂથો apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,સંચિત માસિક -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ફરજિયાત છે. કદાચ ચલણ એક્સચેન્જ રેકોર્ડ {1} {2} માટે બનાવેલ નથી. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ફરજિયાત છે. કદાચ ચલણ એક્સચેન્જ રેકોર્ડ {1} {2} માટે બનાવેલ નથી. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ટેક્સ ઢાંચો ફરજિયાત છે. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} અસ્તિત્વમાં નથી DocType: Purchase Invoice Item,Price List Rate (Company Currency),ભાવ યાદી દર (કંપની ચલણ) @@ -3654,7 +3665,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,ટકાવા apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,સચિવ DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","અક્ષમ કરો છો, તો આ ક્ષેત્ર શબ્દો માં 'કોઈપણ વ્યવહાર દૃશ્યમાન હશે નહિં" DocType: Serial No,Distinct unit of an Item,આઇટમ અલગ એકમ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,સેટ કરો કંપની +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,સેટ કરો કંપની DocType: Pricing Rule,Buying,ખરીદી DocType: HR Settings,Employee Records to be created by,કર્મચારીનું રેકોર્ડ્સ દ્વારા બનાવી શકાય DocType: POS Profile,Apply Discount On,લાગુ ડિસ્કાઉન્ટ પર @@ -3665,7 +3676,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,વસ્તુ વાઈસ ટેક્સ વિગતવાર apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,સંસ્થા સંક્ષેપનો ,Item-wise Price List Rate,વસ્તુ મુજબના ભાવ યાદી દર -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,પુરવઠોકર્તા અવતરણ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,પુરવઠોકર્તા અવતરણ DocType: Quotation,In Words will be visible once you save the Quotation.,તમે આ અવતરણ સેવ વાર શબ્દો દૃશ્યમાન થશે. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},જથ્થા ({0}) પંક્તિમાં અપૂર્ણાંક ન હોઈ શકે {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ફી એકઠી @@ -3688,7 +3699,7 @@ Updated via 'Time Log'",મિનિટ 'સમય લોગ' માર DocType: Customer,From Lead,લીડ પ્રતિ apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ઓર્ડર્સ ઉત્પાદન માટે પ્રકાશિત થાય છે. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ફિસ્કલ વર્ષ પસંદ કરો ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS પ્રોફાઇલ POS એન્ટ્રી બનાવવા માટે જરૂરી +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS પ્રોફાઇલ POS એન્ટ્રી બનાવવા માટે જરૂરી DocType: Program Enrollment Tool,Enroll Students,વિદ્યાર્થી નોંધણી DocType: Hub Settings,Name Token,નામ ટોકન apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ધોરણ વેચાણ @@ -3706,7 +3717,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,સ્ટોક વેલ્ apps/erpnext/erpnext/config/learn.py +234,Human Resource,માનવ સંસાધન DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ચુકવણી રિકંસીલેશન ચુકવણી apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ટેક્સ અસ્કયામતો -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},ઉત્પાદન ઓર્ડર કરવામાં આવ્યો છે {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},ઉત્પાદન ઓર્ડર કરવામાં આવ્યો છે {0} DocType: BOM Item,BOM No,BOM કોઈ DocType: Instructor,INS/,આઈએનએસ / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,જર્નલ પ્રવેશ {0} {1} અથવા પહેલેથી જ અન્ય વાઉચર સામે મેળ ખાતી એકાઉન્ટ નથી @@ -3720,7 +3731,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,એક apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ઉત્કૃષ્ટ એએમટી DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,સેટ લક્ષ્યો વસ્તુ ગ્રુપ મુજબની આ વેચાણ વ્યક્તિ માટે. DocType: Stock Settings,Freeze Stocks Older Than [Days],ફ્રીઝ સ્ટોક્સ કરતાં જૂની [ટ્રેડીંગ] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,રો # {0}: એસેટ સ્થિર એસેટ ખરીદી / વેચાણ માટે ફરજિયાત છે +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,રો # {0}: એસેટ સ્થિર એસેટ ખરીદી / વેચાણ માટે ફરજિયાત છે apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","બે અથવા વધુ કિંમતના નિયમોમાં ઉપર શરતો પર આધારિત જોવા મળે છે, પ્રાધાન્યતા લાગુ પડે છે. મૂળભૂત કિંમત શૂન્ય (ખાલી) છે, જ્યારે પ્રાધાન્યતા 20 0 વચ્ચે એક નંબર છે. ઉચ્ચ નંબર સમાન શરતો સાથે બહુવિધ પ્રાઇસીંગ નિયમો હોય છે, જો તે અગ્રતા લે છે એનો અર્થ એ થાય." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ફિસ્કલ વર્ષ: {0} નથી અસ્તિત્વમાં DocType: Currency Exchange,To Currency,ચલણ @@ -3728,7 +3739,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,ખર્ચ દાવા પ્રકાર. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},તેના {1} આઇટમ માટે દર વેચાણ {0} કરતાં ઓછું છે. વેચાણ દર હોવા જોઈએ ઓછામાં ઓછા {2} DocType: Item,Taxes,કર -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,ચૂકવેલ અને વિતરિત નથી +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,ચૂકવેલ અને વિતરિત નથી DocType: Project,Default Cost Center,મૂળભૂત ખર્ચ કેન્દ્રને DocType: Bank Guarantee,End Date,સમાપ્તિ તારીખ apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,સ્ટોક વ્યવહારો @@ -3745,7 +3756,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,દૈનિક કામ સારાંશ સેટિંગ્સ કંપની apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,ત્યારથી તે અવગણવામાં વસ્તુ {0} સ્ટોક વસ્તુ નથી DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,વધુ પ્રક્રિયા માટે આ ઉત્પાદન ઓર્ડર સબમિટ કરો. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,વધુ પ્રક્રિયા માટે આ ઉત્પાદન ઓર્ડર સબમિટ કરો. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ચોક્કસ વ્યવહાર માં પ્રાઇસીંગ નિયમ લાગુ નથી, બધા લાગુ કિંમતના નિયમોમાં નિષ્ક્રિય થવી જોઈએ." DocType: Assessment Group,Parent Assessment Group,પિતૃ આકારણી ગ્રુપ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,નોકરીઓ @@ -3753,10 +3764,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,નોકર DocType: Employee,Held On,આયોજન પર apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ઉત્પાદન વસ્તુ ,Employee Information,કર્મચારીનું માહિતી -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),દર (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),દર (%) DocType: Stock Entry Detail,Additional Cost,વધારાના ખર્ચ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","વાઉચર કોઈ પર આધારિત ફિલ્ટર કરી શકો છો, વાઉચર દ્વારા જૂથ તો" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,પુરવઠોકર્તા અવતરણ બનાવો +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,પુરવઠોકર્તા અવતરણ બનાવો DocType: Quality Inspection,Incoming,ઇનકમિંગ DocType: BOM,Materials Required (Exploded),મટિરીયલ્સ (વિસ્ફોટ) જરૂરી apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","જાતે કરતાં અન્ય, તમારી સંસ્થા માટે વપરાશકર્તાઓ ઉમેરો" @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ખાતું: {0} માત્ર સ્ટોક વ્યવહારો દ્વારા સુધારી શકાય છે DocType: Student Group Creation Tool,Get Courses,અભ્યાસક્રમો મેળવો DocType: GL Entry,Party,પાર્ટી -DocType: Sales Order,Delivery Date,સોંપણી તારીખ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,સોંપણી તારીખ DocType: Opportunity,Opportunity Date,તક તારીખ DocType: Purchase Receipt,Return Against Purchase Receipt,ખરીદી રસીદ સામે પાછા ફરો DocType: Request for Quotation Item,Request for Quotation Item,અવતરણ વસ્તુ માટે વિનંતી @@ -3786,7 +3797,7 @@ DocType: Task,Actual Time (in Hours),(કલાકોમાં) વાસ્ત DocType: Employee,History In Company,કંપની ઇતિહાસ apps/erpnext/erpnext/config/learn.py +107,Newsletters,ન્યૂઝલેટર્સ DocType: Stock Ledger Entry,Stock Ledger Entry,સ્ટોક ખાતાવહી એન્ટ્રી -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,એક જ આઇટમ્સનો અનેકવાર દાખલ કરવામાં આવી +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,એક જ આઇટમ્સનો અનેકવાર દાખલ કરવામાં આવી DocType: Department,Leave Block List,બ્લોક યાદી છોડો DocType: Sales Invoice,Tax ID,કરવેરા ID ને apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} વસ્તુ સીરીયલ અમે માટે સુયોજિત નથી. કોલમ ખાલી હોવા જ જોઈએ @@ -3804,25 +3815,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,બ્લેક DocType: BOM Explosion Item,BOM Explosion Item,BOM વિસ્ફોટ વસ્તુ DocType: Account,Auditor,ઓડિટર -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} બનતી વસ્તુઓ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} બનતી વસ્તુઓ DocType: Cheque Print Template,Distance from top edge,ટોચ ધાર અંતર apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,ભાવ યાદી {0} અક્ષમ કરેલી છે અથવા અસ્તિત્વમાં નથી DocType: Purchase Invoice,Return,રીટર્ન DocType: Production Order Operation,Production Order Operation,ઉત્પાદન ઓર્ડર ઓપરેશન DocType: Pricing Rule,Disable,અક્ષમ કરો -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ચુકવણી સ્થિતિ ચૂકવણી કરવા માટે જરૂરી છે +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,ચુકવણી સ્થિતિ ચૂકવણી કરવા માટે જરૂરી છે DocType: Project Task,Pending Review,બાકી સમીક્ષા apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} બેચ પ્રવેશ નથી {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","એસેટ {0}, રદ કરી શકાતી નથી કારણ કે તે પહેલેથી જ છે {1}" DocType: Task,Total Expense Claim (via Expense Claim),(ખર્ચ દાવો મારફતે) કુલ ખર્ચ દાવો apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,માર્ક ગેરહાજર -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},રો {0}: બોમ # ચલણ {1} પસંદ ચલણ સમાન હોવું જોઈએ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},રો {0}: બોમ # ચલણ {1} પસંદ ચલણ સમાન હોવું જોઈએ {2} DocType: Journal Entry Account,Exchange Rate,વિનિમય દર -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,વેચાણ ઓર્ડર {0} અપર્ણ ન કરાય +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,વેચાણ ઓર્ડર {0} અપર્ણ ન કરાય DocType: Homepage,Tag Line,ટેગ લાઇન DocType: Fee Component,Fee Component,ફી પુન apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ફ્લીટ મેનેજમેન્ટ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,વસ્તુઓ ઉમેરો +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,વસ્તુઓ ઉમેરો DocType: Cheque Print Template,Regular,નિયમિત apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,બધા આકારણી માપદંડ કુલ ભારાંકન 100% હોવા જ જોઈએ DocType: BOM,Last Purchase Rate,છેલ્લા ખરીદી દર @@ -3843,12 +3854,12 @@ DocType: Employee,Reports to,અહેવાલો DocType: SMS Settings,Enter url parameter for receiver nos,રીસીવર અમે માટે URL પરિમાણ દાખલ DocType: Payment Entry,Paid Amount,ચૂકવેલ રકમ DocType: Assessment Plan,Supervisor,સુપરવાઇઝર -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,ઓનલાઇન +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ઓનલાઇન ,Available Stock for Packing Items,પેકિંગ આઇટમ્સ માટે ઉપલબ્ધ સ્ટોક DocType: Item Variant,Item Variant,વસ્તુ વેરિએન્ટ DocType: Assessment Result Tool,Assessment Result Tool,આકારણી પરિણામ સાધન DocType: BOM Scrap Item,BOM Scrap Item,BOM સ્ક્રેપ વસ્તુ -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,સબમિટ ઓર્ડર કાઢી શકાતી નથી +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,સબમિટ ઓર્ડર કાઢી શકાતી નથી apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","પહેલેથી જ ડેબિટ એકાઉન્ટ બેલેન્સ, તમે ક્રેડિટ 'તરીકે' બેલેન્સ હોવું જોઈએ 'સુયોજિત કરવા માટે માન્ય નથી" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,ક્વોલિટી મેનેજમેન્ટ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,વસ્તુ {0} અક્ષમ કરવામાં આવ્યું છે @@ -3879,7 +3890,7 @@ DocType: Item Group,Default Expense Account,મૂળભૂત ખર્ચ એ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,વિદ્યાર્થી ઇમેઇલ ને DocType: Employee,Notice (days),સૂચના (દિવસ) DocType: Tax Rule,Sales Tax Template,સેલ્સ ટેક્સ ઢાંચો -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ભરતિયું સેવ આઇટમ્સ પસંદ કરો +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,ભરતિયું સેવ આઇટમ્સ પસંદ કરો DocType: Employee,Encashment Date,એન્કેશમેન્ટ તારીખ DocType: Training Event,Internet,ઈન્ટરનેટ DocType: Account,Stock Adjustment,સ્ટોક એડજસ્ટમેન્ટ @@ -3927,10 +3938,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,રવ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,આઇટમ માટે મંજૂરી મેક્સ ડિસ્કાઉન્ટ: {0} {1}% છે apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,નેટ એસેટ વેલ્યુ તરીકે DocType: Account,Receivable,પ્રાપ્ત -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ROW # {0}: ખરીદી ઓર્ડર પહેલેથી જ અસ્તિત્વમાં છે સપ્લાયર બદલવાની મંજૂરી નથી +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ROW # {0}: ખરીદી ઓર્ડર પહેલેથી જ અસ્તિત્વમાં છે સપ્લાયર બદલવાની મંજૂરી નથી DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,સેટ ક્રેડિટ મર્યાદા કરતાં વધી કે વ્યવહારો સબમિટ કરવા માટે માન્ય છે તે ભૂમિકા. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,ઉત્પાદન વસ્તુઓ પસંદ કરો -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","મુખ્ય માહિતી સમન્વય, તે થોડો સમય લાગી શકે છે" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,ઉત્પાદન વસ્તુઓ પસંદ કરો +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","મુખ્ય માહિતી સમન્વય, તે થોડો સમય લાગી શકે છે" DocType: Item,Material Issue,મહત્વનો મુદ્દો DocType: Hub Settings,Seller Description,વિક્રેતા વર્ણન DocType: Employee Education,Qualification,લાયકાત @@ -3951,11 +3962,10 @@ DocType: BOM,Rate Of Materials Based On,દર સામગ્રી પર આ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,આધાર Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,અનચેક બધા DocType: POS Profile,Terms and Conditions,નિયમો અને શરત -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,હ્યુમન રિસોર્સ> એચઆર સેટિંગ્સમાં કર્મચારીનું નામકરણ પદ્ધતિ સેટ કરો apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"તારીખ કરવા માટે, નાણાકીય વર્ષ અંદર પ્રયત્ન કરીશું. = તારીખ ધારી રહ્યા છીએ {0}" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","અહીં તમે વગેરે ઊંચાઇ, વજન, એલર્જી, તબીબી બાબતો જાળવી શકે છે" DocType: Leave Block List,Applies to Company,કંપની માટે લાગુ પડે છે -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,સબમિટ સ્ટોક એન્ટ્રી {0} અસ્તિત્વમાં છે કારણ કે રદ કરી શકાતી નથી +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,સબમિટ સ્ટોક એન્ટ્રી {0} અસ્તિત્વમાં છે કારણ કે રદ કરી શકાતી નથી DocType: Employee Loan,Disbursement Date,વહેંચણી તારીખ DocType: Vehicle,Vehicle,વાહન DocType: Purchase Invoice,In Words,શબ્દો માં @@ -3993,7 +4003,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,વૈશ્વિક DocType: Assessment Result Detail,Assessment Result Detail,આકારણી પરિણામ વિગતવાર DocType: Employee Education,Employee Education,કર્મચારીનું શિક્ષણ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,નકલી વસ્તુ જૂથ આઇટમ જૂથ ટેબલ મળી -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,તે વસ્તુ વિગતો મેળવવા માટે જરૂરી છે. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,તે વસ્તુ વિગતો મેળવવા માટે જરૂરી છે. DocType: Salary Slip,Net Pay,નેટ પે DocType: Account,Account,એકાઉન્ટ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,સીરીયલ કોઈ {0} પહેલાથી જ પ્રાપ્ત કરવામાં આવ્યો છે @@ -4001,7 +4011,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,વાહન પ્રવેશ DocType: Purchase Invoice,Recurring Id,રીકરીંગ આઈડી DocType: Customer,Sales Team Details,સેલ્સ ટીમ વિગતો -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,કાયમી કાઢી નાખો? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,કાયમી કાઢી નાખો? DocType: Expense Claim,Total Claimed Amount,કુલ દાવો રકમ apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,વેચાણ માટે સંભવિત તકો. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},અમાન્ય {0} @@ -4013,7 +4023,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,સેટઅપ ERPNext તમારા શાળા DocType: Sales Invoice,Base Change Amount (Company Currency),આધાર બદલી રકમ (કંપની ચલણ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,નીચેના વખારો માટે કોઈ હિસાબ પ્રવેશો -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,પ્રથમ દસ્તાવેજ સાચવો. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,પ્રથમ દસ્તાવેજ સાચવો. DocType: Account,Chargeable,લેવાપાત્ર DocType: Company,Change Abbreviation,બદલો સંક્ષેપનો DocType: Expense Claim Detail,Expense Date,ખર્ચ તારીખ @@ -4027,7 +4037,6 @@ DocType: BOM,Manufacturing User,ઉત્પાદન વપરાશકર્ DocType: Purchase Invoice,Raw Materials Supplied,કાચો માલ પાડેલ DocType: Purchase Invoice,Recurring Print Format,રીકરીંગ પ્રિન્ટ ફોર્મેટ DocType: C-Form,Series,સિરીઝ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,અપેક્ષિત બોલ તારીખ ખરીદી ઓર્ડર તારીખ પહેલાં ન હોઈ શકે DocType: Appraisal,Appraisal Template,મૂલ્યાંકન ઢાંચો DocType: Item Group,Item Classification,વસ્તુ વર્ગીકરણ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,બિઝનેસ ડેવલપમેન્ટ મેનેજર @@ -4066,12 +4075,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,બ્ર apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,તાલીમ ઘટનાઓ / પરિણામો apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,તરીકે અવમૂલ્યન સંચિત DocType: Sales Invoice,C-Form Applicable,સી-ફોર્મ લાગુ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},ઓપરેશન સમય ઓપરેશન કરતાં વધારે 0 હોવા જ જોઈએ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},ઓપરેશન સમય ઓપરેશન કરતાં વધારે 0 હોવા જ જોઈએ {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,વેરહાઉસ ફરજિયાત છે DocType: Supplier,Address and Contacts,એડ્રેસ અને સંપર્કો DocType: UOM Conversion Detail,UOM Conversion Detail,UOM રૂપાંતર વિગતવાર DocType: Program,Program Abbreviation,કાર્યક્રમ સંક્ષેપનો -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,ઉત્પાદન ઓર્ડર એક વસ્તુ ઢાંચો સામે ઊભા કરી શકાતી નથી +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,ઉત્પાદન ઓર્ડર એક વસ્તુ ઢાંચો સામે ઊભા કરી શકાતી નથી apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,સમાયોજિત દરેક વસ્તુ સામે ખરીદી રસીદ અપડેટ કરવામાં આવે છે DocType: Warranty Claim,Resolved By,દ્વારા ઉકેલાઈ DocType: Bank Guarantee,Start Date,પ્રારંભ તારીખ @@ -4106,6 +4115,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,તાલીમ પ્રતિસાદ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ઓર્ડર {0} સબમિટ હોવું જ જોઈએ ઉત્પાદન apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},વસ્તુ માટે શરૂઆત તારીખ અને સમાપ્તિ તારીખ પસંદ કરો {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,વેચાણ લક્ષ્યાંકને તમે સેટ કરવા માંગો છો તે સેટ કરો apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},કોર્સ પંક્તિ માં ફરજિયાત છે {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,તારીખ કરવા માટે તારીખથી પહેલાં ન હોઈ શકે DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype @@ -4123,7 +4133,7 @@ DocType: Account,Income,આવક DocType: Industry Type,Industry Type,ઉદ્યોગ પ્રકાર apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,કંઈક ખોટું થયું! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,ચેતવણી: છોડો અરજીને પગલે બ્લોક તારીખો સમાવે -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,ભરતિયું {0} પહેલાથી જ સબમિટ કરવામાં આવી છે સેલ્સ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,ભરતિયું {0} પહેલાથી જ સબમિટ કરવામાં આવી છે સેલ્સ DocType: Assessment Result Detail,Score,કુલ સ્કોર apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,ફિસ્કલ વર્ષ {0} અસ્તિત્વમાં નથી apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,પૂર્ણાહુતિ તારીખ્ @@ -4153,7 +4163,7 @@ DocType: Naming Series,Help HTML,મદદ HTML DocType: Student Group Creation Tool,Student Group Creation Tool,વિદ્યાર્થી જૂથ બનાવવાનું સાધન DocType: Item,Variant Based On,વેરિએન્ટ પર આધારિત apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},100% પ્રયત્ન કરીશું સોંપાયેલ કુલ વેઇટેજ. તે {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,તમારા સપ્લાયર્સ +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,તમારા સપ્લાયર્સ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,વેચાણ ઓર્ડર કરવામાં આવે છે ગુમાવી સેટ કરી શકાતો નથી. DocType: Request for Quotation Item,Supplier Part No,પુરવઠોકર્તા ભાગ કોઈ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',કપાત કરી શકો છો જ્યારે શ્રેણી 'વેલ્યુએશન' અથવા 'Vaulation અને કુલ' માટે છે @@ -4163,14 +4173,14 @@ DocType: Item,Has Serial No,સીરીયલ કોઈ છે DocType: Employee,Date of Issue,ઇશ્યૂ તારીખ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: પ્રતિ {0} માટે {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ખરીદી સેટિંગ્સ મુજબ ખરીદી Reciept જરૂરી == 'હા' હોય, તો પછી ખરીદી ઇન્વોઇસ બનાવવા માટે, વપરાશકર્તા આઇટમ માટે પ્રથમ ખરીદી રસીદ બનાવવા માટે જરૂર હોય તો {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},ROW # {0}: આઇટમ માટે સેટ પુરવઠોકર્તા {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,રો {0}: કલાક કિંમત શૂન્ય કરતાં મોટી હોવી જ જોઈએ. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},ROW # {0}: આઇટમ માટે સેટ પુરવઠોકર્તા {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,રો {0}: કલાક કિંમત શૂન્ય કરતાં મોટી હોવી જ જોઈએ. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,વસ્તુ {1} સાથે જોડાયેલ વેબસાઇટ છબી {0} શોધી શકાતી નથી DocType: Issue,Content Type,સામગ્રી પ્રકાર apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,કમ્પ્યુટર DocType: Item,List this Item in multiple groups on the website.,આ વેબસાઇટ પર બહુવિધ જૂથો આ આઇટમ યાદી. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,અન્ય ચલણ સાથે એકાઉન્ટ્સ માટે પરવાનગી આપે છે મલ્ટી કરન્સી વિકલ્પ તપાસો -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,વસ્તુ: {0} સિસ્ટમ અસ્તિત્વમાં નથી +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,વસ્તુ: {0} સિસ્ટમ અસ્તિત્વમાં નથી apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,તમે ફ્રોઝન કિંમત સુયોજિત કરવા માટે અધિકૃત નથી DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled પ્રવેશો મળી DocType: Payment Reconciliation,From Invoice Date,ભરતિયું તારીખથી @@ -4196,7 +4206,7 @@ DocType: Stock Entry,Default Source Warehouse,મૂળભૂત સોર્સ DocType: Item,Customer Code,ગ્રાહક કોડ apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},માટે જન્મદિવસ રીમાઇન્ડર {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,છેલ્લે ઓર્ડર સુધીનાં દિવસો -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,એકાઉન્ટ ડેબિટ એક બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,એકાઉન્ટ ડેબિટ એક બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ DocType: Buying Settings,Naming Series,નામકરણ સિરીઝ DocType: Leave Block List,Leave Block List Name,બ્લોક યાદી મૂકો નામ apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,વીમા પ્રારંભ તારીખ કરતાં વીમા અંતિમ તારીખ ઓછી હોવી જોઈએ @@ -4213,7 +4223,7 @@ DocType: Vehicle Log,Odometer,ઑડોમીટર DocType: Sales Order Item,Ordered Qty,આદેશ આપ્યો Qty apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,વસ્તુ {0} અક્ષમ છે DocType: Stock Settings,Stock Frozen Upto,સ્ટોક ફ્રોઝન સુધી -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM કોઈપણ સ્ટોક વસ્તુ સમાવી નથી +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM કોઈપણ સ્ટોક વસ્તુ સમાવી નથી apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},પ્રતિ અને સમય રિકરિંગ માટે ફરજિયાત તારીખો પીરિયડ {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,પ્રોજેક્ટ પ્રવૃત્તિ / કાર્ય. DocType: Vehicle Log,Refuelling Details,Refuelling વિગતો @@ -4223,7 +4233,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,છેલ્લા ખરીદી દર મળી નથી DocType: Purchase Invoice,Write Off Amount (Company Currency),રકમ માંડવાળ (કંપની ચલણ) DocType: Sales Invoice Timesheet,Billing Hours,બિલિંગ કલાક -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,માટે {0} મળી નથી ડિફૉલ્ટ BOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,માટે {0} મળી નથી ડિફૉલ્ટ BOM apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,ROW # {0}: પુનઃક્રમાંકિત કરો જથ્થો સુયોજિત કરો apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,તેમને અહીં ઉમેરવા માટે વસ્તુઓ ટેપ DocType: Fees,Program Enrollment,કાર્યક્રમ પ્રવેશ @@ -4255,6 +4265,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,એઇજીંગનો રેન્જ 2 DocType: SG Creation Tool Course,Max Strength,મેક્સ શક્તિ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM બદલાઈ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,ડિલિવરી તારીખના આધારે આઇટમ્સ પસંદ કરો ,Sales Analytics,વેચાણ ઍનલિટિક્સ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},ઉપલબ્ધ {0} ,Prospects Engaged But Not Converted,પ્રોસ્પેક્ટ્સ રોકાયેલા પરંતુ રૂપાંતરિત @@ -4301,7 +4312,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ડિસ્ક apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,કાર્યો માટે Timesheet. DocType: Purchase Invoice,Against Expense Account,ખર્ચ એકાઉન્ટ સામે DocType: Production Order,Production Order,ઉત્પાદન ઓર્ડર -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,સ્થાપન નોંધ {0} પહેલાથી જ સબમિટ કરવામાં આવી છે +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,સ્થાપન નોંધ {0} પહેલાથી જ સબમિટ કરવામાં આવી છે DocType: Bank Reconciliation,Get Payment Entries,ચુકવણી પ્રવેશો મળી DocType: Quotation Item,Against Docname,Docname સામે DocType: SMS Center,All Employee (Active),બધા કર્મચારીનું (સક્રિય) @@ -4310,7 +4321,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,કાચો સામગ્રી ખર્ચ DocType: Item Reorder,Re-Order Level,ફરીથી ઓર્ડર સ્તર DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,તમે ઉત્પાદન ઓર્ડર વધારવા અથવા વિશ્લેષણ માટે કાચી સામગ્રી ડાઉનલોડ કરવા માંગો છો કે જેના માટે વસ્તુઓ અને આયોજન Qty દાખલ કરો. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,ગેન્ટ ચાર્ટ +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,ગેન્ટ ચાર્ટ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ભાગ સમય DocType: Employee,Applicable Holiday List,લાગુ રજા યાદી DocType: Employee,Cheque,ચેક @@ -4366,11 +4377,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,ઉત્પાદન માટે Qty અનામત DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"અનચેક છોડી દો, તો તમે બેચ ધ્યાનમાં જ્યારે અભ્યાસક્રમ આધારિત જૂથો બનાવવા નથી માંગતા." DocType: Asset,Frequency of Depreciation (Months),અવમૂલ્યન આવર્તન (મહિના) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,ક્રેડિટ એકાઉન્ટ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,ક્રેડિટ એકાઉન્ટ DocType: Landed Cost Item,Landed Cost Item,ઉતારેલ માલની કિંમત વસ્તુ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,શૂન્ય કિંમતો બતાવો DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,આઇટમ જથ્થો કાચા માલના આપવામાં જથ્થામાં થી repacking / ઉત્પાદન પછી પ્રાપ્ત -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,સેટઅપ મારા સંસ્થા માટે એક સરળ વેબસાઇટ +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,સેટઅપ મારા સંસ્થા માટે એક સરળ વેબસાઇટ DocType: Payment Reconciliation,Receivable / Payable Account,પ્રાપ્ત / ચૂકવવાપાત્ર એકાઉન્ટ DocType: Delivery Note Item,Against Sales Order Item,વેચાણ ઓર્ડર વસ્તુ સામે apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},લક્ષણ માટે લક્ષણની કિંમત સ્પષ્ટ કરો {0} @@ -4432,22 +4443,22 @@ DocType: Student,Nationality,રાષ્ટ્રીયતા ,Items To Be Requested,વસ્તુઓ વિનંતી કરવામાં DocType: Purchase Order,Get Last Purchase Rate,છેલ્લા ખરીદી દર વિચાર DocType: Company,Company Info,કંપની માહિતી -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,પસંદ કરો અથવા નવા ગ્રાહક ઉમેરો -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,ખર્ચ કેન્દ્રને ખર્ચ દાવો બુક કરવા માટે જરૂરી છે +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,પસંદ કરો અથવા નવા ગ્રાહક ઉમેરો +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,ખર્ચ કેન્દ્રને ખર્ચ દાવો બુક કરવા માટે જરૂરી છે apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ફંડ (અસ્ક્યામત) અરજી apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,આ કર્મચારીનું હાજરી પર આધારિત છે -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,ઉધાર ખાતું +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,ઉધાર ખાતું DocType: Fiscal Year,Year Start Date,વર્ષે શરૂ તારીખ DocType: Attendance,Employee Name,કર્મચારીનું નામ DocType: Sales Invoice,Rounded Total (Company Currency),ગોળાકાર કુલ (કંપની ચલણ) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"એકાઉન્ટ પ્રકાર પસંદ છે, કારણ કે ગ્રુપ અપ્રગટ કરી શકતા નથી." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} સુધારાઈ ગયેલ છે. તાજું કરો. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} સુધારાઈ ગયેલ છે. તાજું કરો. DocType: Leave Block List,Stop users from making Leave Applications on following days.,પછીના દિવસોમાં રજા કાર્યક્રમો બનાવવા વપરાશકર્તાઓ રોકો. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ખરીદી જથ્થો apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,પુરવઠોકર્તા અવતરણ {0} બનાવવામાં apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,અંતે વર્ષ શરૂ વર્ષ પહેલાં ન હોઈ શકે apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,એમ્પ્લોયી બેનિફિટ્સ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},ભરેલા જથ્થો પંક્તિ માં વસ્તુ {0} માટે જથ્થો બરાબર હોવું જોઈએ {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},ભરેલા જથ્થો પંક્તિ માં વસ્તુ {0} માટે જથ્થો બરાબર હોવું જોઈએ {1} DocType: Production Order,Manufactured Qty,ઉત્પાદન Qty DocType: Purchase Receipt Item,Accepted Quantity,સ્વીકારાયું જથ્થો apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},મૂળભૂત કર્મચારી માટે રજા યાદી સુયોજિત કરો {0} અથવા કંપની {1} @@ -4458,11 +4469,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},રો કોઈ {0}: રકમ ખર્ચ દાવો {1} સામે રકમ બાકી કરતાં વધારે ન હોઈ શકે. બાકી રકમ છે {2} DocType: Maintenance Schedule,Schedule,સૂચિ DocType: Account,Parent Account,પિતૃ એકાઉન્ટ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,ઉપલબ્ધ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,ઉપલબ્ધ DocType: Quality Inspection Reading,Reading 3,3 વાંચન ,Hub,હબ DocType: GL Entry,Voucher Type,વાઉચર પ્રકાર -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,ભાવ યાદી મળી અથવા અક્ષમ નથી +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,ભાવ યાદી મળી અથવા અક્ષમ નથી DocType: Employee Loan Application,Approved,મંજૂર DocType: Pricing Rule,Price,ભાવ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} સુયોજિત થયેલ હોવું જ જોઈએ પર રાહત કર્મચારી 'ડાબી' તરીકે @@ -4531,7 +4542,7 @@ DocType: SMS Settings,Static Parameters,સ્થિર પરિમાણો DocType: Assessment Plan,Room,રૂમ DocType: Purchase Order,Advance Paid,આગોતરી ચુકવણી DocType: Item,Item Tax,વસ્તુ ટેક્સ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,સપ્લાયર સામગ્રી +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,સપ્લાયર સામગ્રી apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,એક્સાઇઝ ભરતિયું apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,થ્રેશોલ્ડ {0}% કરતાં વધુ એક વખત દેખાય છે DocType: Expense Claim,Employees Email Id,કર્મચારીઓ ઇમેઇલ આઈડી @@ -4571,7 +4582,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,મોડલ DocType: Production Order,Actual Operating Cost,વાસ્તવિક ઓપરેટિંગ ખર્ચ DocType: Payment Entry,Cheque/Reference No,ચેક / સંદર્ભ કોઈ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,પુરવઠોકર્તા> પુરવઠોકર્તા પ્રકાર apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,રુટ ફેરફાર કરી શકતા નથી. DocType: Item,Units of Measure,માપવા એકમો DocType: Manufacturing Settings,Allow Production on Holidays,રજાઓ પર ઉત્પાદન માટે પરવાનગી આપે છે @@ -4604,12 +4614,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,ક્રેડિટ દિવસો apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,વિદ્યાર્થી બેચ બનાવવા DocType: Leave Type,Is Carry Forward,આગળ લઈ છે -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM થી વસ્તુઓ વિચાર +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM થી વસ્તુઓ વિચાર apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,સમય દિવસમાં લીડ -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},રો # {0}: પોસ્ટ તારીખ ખરીદી તારીખ તરીકે જ હોવી જોઈએ {1} એસેટ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},રો # {0}: પોસ્ટ તારીખ ખરીદી તારીખ તરીકે જ હોવી જોઈએ {1} એસેટ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,આ તપાસો જો વિદ્યાર્થી સંસ્થાના છાત્રાલય ખાતે રહેતા છે. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,ઉપરના કોષ્ટકમાં વેચાણ ઓર્ડર દાખલ કરો -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,રજૂ ન પગાર સ્લિપ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,રજૂ ન પગાર સ્લિપ ,Stock Summary,સ્ટોક સારાંશ apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,બીજા એક વખાર માંથી એસેટ ટ્રાન્સફર DocType: Vehicle,Petrol,પેટ્રોલ diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv index 35b6bff45c6..cf7e8587f79 100644 --- a/erpnext/translations/he.csv +++ b/erpnext/translations/he.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,סוחר DocType: Employee,Rented,הושכר DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,ישים עבור משתמש -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","הזמנת ייצור הפסיק אינה ניתנת לביטול, מגופתו הראשונה לביטול" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","הזמנת ייצור הפסיק אינה ניתנת לביטול, מגופתו הראשונה לביטול" apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,האם אתה באמת רוצה לבטל הנכס הזה? apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},מטבע נדרש למחיר המחירון {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* יחושב בעסקה. @@ -33,7 +33,7 @@ DocType: Delivery Note,Return Against Delivery Note,חזור נגד תעודת DocType: Purchase Order,% Billed,% שחויבו apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),שער החליפין חייב להיות זהה {0} {1} ({2}) DocType: Sales Invoice,Customer Name,שם לקוח -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},חשבון בנק לא יכול להיות שם בתור {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},חשבון בנק לא יכול להיות שם בתור {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ראשים (או קבוצות) נגד שרישומים חשבונאיים נעשים ומתוחזקים יתרות. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),יוצא מן הכלל עבור {0} אינם יכולים להיות פחות מאפס ({1}) DocType: Manufacturing Settings,Default 10 mins,ברירת מחדל 10 דקות @@ -54,7 +54,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,מצב של חשבון apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,גרסאות הצג DocType: Academic Term,Academic Term,מונח אקדמי apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,חוֹמֶר -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,כמות +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,כמות apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,טבלת החשבונות לא יכולה להיות ריקה. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),הלוואות (התחייבויות) DocType: Employee Education,Year of Passing,שנה של פטירה @@ -63,7 +63,7 @@ DocType: Production Plan Item,Production Plan Item,פריט תכנית ייצו apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},משתמש {0} כבר הוקצה לעובדי {1} apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,בריאות apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),עיכוב בתשלום (ימים) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,חשבונית +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,חשבונית DocType: Maintenance Schedule Item,Periodicity,תְקוּפָתִיוּת apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,שנת כספים {0} נדרש apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,ביטחון @@ -72,7 +72,7 @@ DocType: Appraisal Goal,Score (0-5),ציון (0-5) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0}: {1} {2} does not match with {3},שורת {0}: {1} {2} אינה תואמת עם {3} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,# השורה {0}: DocType: Delivery Note,Vehicle No,רכב לא -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,אנא בחר מחירון +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,אנא בחר מחירון DocType: Production Order Operation,Work In Progress,עבודה בתהליך DocType: Employee,Holiday List,רשימת החג apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,חשב @@ -91,7 +91,7 @@ DocType: BOM,Operations,פעולות apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},לא ניתן להגדיר הרשאות על בסיס הנחה עבור {0} DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","צרף קובץ csv עם שתי עמודות, אחת לשם הישן ואחד לשם החדש" DocType: Packed Item,Parent Detail docname,docname פרט הורה -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,קילוגרם +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,קילוגרם apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,פתיחה לעבודה. DocType: Item Attribute,Increment,תוספת apps/erpnext/erpnext/public/js/stock_analytics.js +61,Select Warehouse...,בחר מחסן ... @@ -100,7 +100,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,נשוי apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},חל איסור על {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,קבל פריטים מ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},המניה לא ניתן לעדכן נגד תעודת משלוח {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},המניה לא ניתן לעדכן נגד תעודת משלוח {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},מוצרים {0} DocType: Payment Reconciliation,Reconcile,ליישב apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +30,Grocery,מכולת @@ -139,12 +139,12 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with exist DocType: Lead,Product Enquiry,חקירה מוצר DocType: Academic Term,Schools,בתי ספר apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,אנא ראשון להיכנס החברה -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,אנא בחר החברה ראשונה +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,אנא בחר החברה ראשונה DocType: Employee Education,Under Graduate,תחת בוגר apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,יעד ב DocType: BOM,Total Cost,עלות כוללת -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,יומן פעילות: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,פריט {0} אינו קיים במערכת או שפג תוקף +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,יומן פעילות: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,פריט {0} אינו קיים במערכת או שפג תוקף apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,"נדל""ן" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,הצהרה של חשבון apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,תרופות @@ -153,7 +153,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qt DocType: Expense Claim Detail,Claim Amount,סכום תביעה apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,סוג ספק / ספק DocType: Naming Series,Prefix,קידומת -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,מתכלה +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,מתכלה DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,יבוא יומן DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,משוך בקשת חומר של ייצור סוג בהתבסס על הקריטריונים לעיל @@ -161,7 +161,7 @@ DocType: Sales Invoice Item,Delivered By Supplier,נמסר על ידי ספק DocType: SMS Center,All Contact,כל הקשר apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,משכורת שנתית DocType: Period Closing Voucher,Closing Fiscal Year,סגירת שנת כספים -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} הוא קפוא +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} הוא קפוא apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,הוצאות המניה DocType: Journal Entry,Contra Entry,קונטרה כניסה DocType: Journal Entry Account,Credit in Company Currency,אשראי במטבע החברה @@ -173,8 +173,8 @@ DocType: Products Settings,Show Products as a List,הצג מוצרים כרשי DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","הורד את התבנית, למלא נתונים מתאימים ולצרף את הקובץ הנוכחי. כל שילוב התאריכים ועובדים בתקופה שנבחרה יבוא בתבנית, עם רישומי נוכחות קיימים" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,פריט {0} אינו פעיל או שהגיע הסוף של חיים -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,דוגמה: מתמטיקה בסיסית -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","כדי לכלול מס בשורת {0} בשיעור פריט, מסים בשורות {1} חייבים להיות כלולים גם" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,דוגמה: מתמטיקה בסיסית +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","כדי לכלול מס בשורת {0} בשיעור פריט, מסים בשורות {1} חייבים להיות כלולים גם" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,הגדרות עבור מודול HR DocType: SMS Center,SMS Center,SMS מרכז DocType: Sales Invoice,Change Amount,שנת הסכום @@ -201,7 +201,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},תאריך התקנה לא יכול להיות לפני מועד אספקה לפריט {0} DocType: Pricing Rule,Discount on Price List Rate (%),הנחה על מחיר מחירון שיעור (%) DocType: Offer Letter,Select Terms and Conditions,תנאים והגבלות בחרו -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,ערך מתוך +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,ערך מתוך DocType: Production Planning Tool,Sales Orders,הזמנות ומכירות DocType: Purchase Taxes and Charges,Valuation,הערכת שווי ,Purchase Order Trends,לרכוש מגמות להזמין @@ -220,20 +220,20 @@ DocType: Naming Series,Series List for this Transaction,רשימת סדרות ל DocType: Sales Invoice,Is Opening Entry,האם פתיחת כניסה DocType: Customer Group,Mention if non-standard receivable account applicable,להזכיר אם ישים חשבון חייבים שאינם סטנדרטי DocType: Course Schedule,Instructor Name,שם המורה -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,למחסן נדרש לפני הגשה +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,למחסן נדרש לפני הגשה apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,התקבל ב DocType: Sales Partner,Reseller,משווק apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +24,Please enter Company,נא להזין חברה DocType: Delivery Note Item,Against Sales Invoice Item,נגד פריט מכירות חשבונית ,Production Orders in Progress,הזמנות ייצור בהתקדמות apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,מזומנים נטו ממימון -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage מלא, לא הציל" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage מלא, לא הציל" DocType: Lead,Address & Contact,כתובת ולתקשר DocType: Leave Allocation,Add unused leaves from previous allocations,להוסיף עלים שאינם בשימוש מהקצאות קודמות apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},הבא חוזר {0} ייווצר על {1} DocType: Sales Partner,Partner website,אתר שותף apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,הוסף פריט -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,שם איש קשר +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,שם איש קשר DocType: Process Payroll,Creates salary slip for above mentioned criteria.,יוצר תלוש משכורת לקריטריונים שהוזכרו לעיל. DocType: Cheque Print Template,Line spacing for amount in words,מרווח בין שורות עבור הסכום במילים apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,אין תיאור נתון @@ -244,7 +244,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,עלים בכל שנה apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,שורת {0}: בדוק את 'האם Advance' נגד חשבון {1} אם זה כניסה מראש. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},מחסן {0} אינו שייך לחברת {1} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,לִיטר +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,לִיטר DocType: Task,Total Costing Amount (via Time Sheet),סה"כ תמחיר הסכום (באמצעות גיליון זמן) DocType: Item Website Specification,Item Website Specification,מפרט אתר פריט apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,השאר חסימה @@ -255,7 +255,7 @@ DocType: Stock Reconciliation Item,Stock Reconciliation Item,פריט במלאי DocType: Stock Entry,Sales Invoice No,מכירות חשבונית לא DocType: Material Request Item,Min Order Qty,להזמין כמות מינימום DocType: Lead,Do Not Contact,אל תצור קשר -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,אנשים המלמדים בארגון שלך +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,אנשים המלמדים בארגון שלך DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id הייחודי למעקב אחר כל החשבוניות חוזרות. הוא נוצר על שליחה. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,מפתח תוכנה DocType: Item,Minimum Order Qty,להזמין כמות מינימום @@ -264,7 +264,7 @@ DocType: Course Scheduling Tool,Course Start Date,תאריך פתיחת הקור DocType: Item,Publish in Hub,פרסם בHub ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,פריט {0} יבוטל -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,בקשת חומר +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,בקשת חומר DocType: Bank Reconciliation,Update Clearance Date,תאריך שחרור עדכון DocType: Item,Purchase Details,פרטי רכישה apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},פריט {0} לא נמצא בטבלה "חומרי גלם מסופקת 'בהזמנת רכש {1} @@ -298,7 +298,7 @@ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconcil DocType: Item,Synced With Hub,סונכרן עם רכזת apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,סיסמא שגויה DocType: Item,Variant Of,גרסה של -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"כמות שהושלמה לא יכולה להיות גדולה מ 'כמות לייצור """ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"כמות שהושלמה לא יכולה להיות גדולה מ 'כמות לייצור """ DocType: Period Closing Voucher,Closing Account Head,סגירת חשבון ראש DocType: Employee,External Work History,חיצוני היסטוריה עבודה apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,שגיאת הפניה מעגלית @@ -310,7 +310,7 @@ DocType: Employee,Job Profile,פרופיל עבודה DocType: Stock Settings,Notify by Email on creation of automatic Material Request,להודיע באמצעות דואר אלקטרוני על יצירת בקשת חומר אוטומטית DocType: Journal Entry,Multi Currency,מטבע רב DocType: Payment Reconciliation Invoice,Invoice Type,סוג חשבונית -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,תעודת משלוח +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,תעודת משלוח apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,הגדרת מסים apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,עלות נמכר נכס apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,כניסת תשלום השתנתה לאחר שמשכת אותו. אנא למשוך אותו שוב. @@ -329,10 +329,10 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +69 apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director etc.).","ייעוד עובד (למשל מנכ""ל, מנהל וכו ')." apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,נא להזין את 'חזור על פעולה ביום בחודש' ערך שדה DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,קצב שבו מטבע לקוחות מומר למטבע הבסיס של הלקוח -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},שורה # {0}: חשבונית הרכש אינו יכול להתבצע נגד נכס קיים {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},שורה # {0}: חשבונית הרכש אינו יכול להתבצע נגד נכס קיים {1} DocType: Item Tax,Tax Rate,שיעור מס apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} כבר הוקצה לעובדי {1} לתקופה {2} {3} ל -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,פריט בחר +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,פריט בחר apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,לרכוש חשבונית {0} כבר הוגשה apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},# השורה {0}: אצווה לא חייב להיות זהה {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,המרת שאינה קבוצה @@ -387,7 +387,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,שם הבודק DocType: Purchase Invoice Item,Quantity and Rate,כמות ושיעור DocType: Delivery Note,% Installed,% מותקן -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,כיתות / מעבדות וכו שבו הרצאות ניתן לתזמן. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,כיתות / מעבדות וכו שבו הרצאות ניתן לתזמן. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,אנא ראשון להזין את שם חברה DocType: Purchase Invoice,Supplier Name,שם ספק apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,לקרוא את מדריך ERPNext @@ -431,11 +431,11 @@ DocType: Customer,Buyer of Goods and Services.,קונה של מוצרים ושי DocType: Journal Entry,Accounts Payable,חשבונות לתשלום apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,בומס שנבחר אינו תמורת אותו הפריט DocType: Pricing Rule,Valid Upto,Upto חוקי -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,רשימה כמה מהלקוחות שלך. הם יכולים להיות ארגונים או יחידים. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,רשימה כמה מהלקוחות שלך. הם יכולים להיות ארגונים או יחידים. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,הכנסה ישירה apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","לא יכול לסנן על פי חשבון, אם מקובצים לפי חשבון" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,קצין מנהלי -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,אנא בחר חברה +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,אנא בחר חברה DocType: Stock Entry Detail,Difference Account,חשבון הבדל apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,לא יכולה לסגור משימה כמשימה התלויה {0} אינה סגורה. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,נא להזין את המחסן שלבקשת חומר יועלה @@ -449,7 +449,7 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,לִקְנוֹ DocType: Sales Invoice,Offline POS Name,שם קופה מנותקת DocType: Sales Order,To Deliver,כדי לספק DocType: Purchase Invoice Item,Item,פריט -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,אין פריט סידורי לא יכול להיות חלק +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,אין פריט סידורי לא יכול להיות חלק DocType: Journal Entry,Difference (Dr - Cr),"הבדל (ד""ר - Cr)" DocType: Account,Profit and Loss,רווח והפסד apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,קבלנות משנה ניהול @@ -552,8 +552,8 @@ DocType: Sales Person,Sales Person Targets,מטרות איש מכירות DocType: Installation Note,IN-,In- DocType: Production Order Operation,In minutes,בדקות DocType: Issue,Resolution Date,תאריך החלטה -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,גיליון נוצר: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},אנא הגדר מזומנים ברירת מחדל או חשבון בנק במצב של תשלום {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,גיליון נוצר: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},אנא הגדר מזומנים ברירת מחדל או חשבון בנק במצב של תשלום {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,לְהִרָשֵׁם DocType: Selling Settings,Customer Naming By,Naming הלקוח על ידי DocType: Depreciation Schedule,Depreciation Amount,סכום הפחת @@ -570,14 +570,14 @@ DocType: Activity Cost,Projects User,משתמש פרויקטים apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,נצרך apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} לא נמצא בטבלת פרטי החשבונית DocType: Company,Round Off Cost Center,לעגל את מרכז עלות -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,בקרו תחזוקת {0} יש לבטל לפני ביטול הזמנת מכירות זה +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,בקרו תחזוקת {0} יש לבטל לפני ביטול הזמנת מכירות זה DocType: Item,Material Transfer,העברת חומר apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),"פתיחה (ד""ר)" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},חותמת זמן פרסום חייבת להיות אחרי {0} DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,מסים עלות נחתו וחיובים DocType: Production Order Operation,Actual Start Time,בפועל זמן התחלה DocType: BOM Operation,Operation Time,מבצע זמן -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,סִיוּם +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,סִיוּם DocType: Journal Entry,Write Off Amount,לכתוב את הסכום DocType: Journal Entry,Bill No,ביל לא DocType: Company,Gain/Loss Account on Asset Disposal,חשבון רווח / הפסד בעת מימוש נכסים @@ -594,7 +594,7 @@ DocType: Account,Accounts,חשבונות apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,שיווק apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,כניסת תשלום כבר נוצר DocType: Purchase Receipt Item Supplied,Current Stock,מלאי נוכחי -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},# שורה {0}: Asset {1} אינו קשור פריט {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},# שורה {0}: Asset {1} אינו קשור פריט {2} apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,חשבון {0} הוזן מספר פעמים DocType: Account,Expenses Included In Valuation,הוצאות שנכללו בהערכת שווי DocType: Hub Settings,Seller City,מוכר עיר @@ -614,7 +614,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,התעופ DocType: Journal Entry,Credit Card Entry,כניסת כרטיס אשראי apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,החברה וחשבונות apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,מוצרים שהתקבלו מספקים. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,ערך +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,ערך DocType: Lead,Campaign Name,שם מסע פרסום ,Reserved,שמורות DocType: Purchase Order,Supply Raw Materials,חומרי גלם אספקה @@ -643,11 +643,11 @@ DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,שורת {0}: המרת פקטור הוא חובה DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","חוקי מחיר מרובים קיימים עם אותם הקריטריונים, בבקשה לפתור את סכסוך על ידי הקצאת עדיפות. חוקי מחיר: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,לא יכול לבטל או לבטל BOM כפי שהוא מקושר עם עצי מוצר אחרים +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,לא יכול לבטל או לבטל BOM כפי שהוא מקושר עם עצי מוצר אחרים DocType: Opportunity,Maintenance,תחזוקה DocType: Item Attribute Value,Item Attribute Value,פריט תכונה ערך apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,מבצעי מכירות. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,הפוך גיליון +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,הפוך גיליון DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -678,7 +678,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,בי apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,הוצאות משרד תחזוקה apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,אנא ראשון להיכנס פריט DocType: Account,Liability,אחריות -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,סכום גושפנקא לא יכול להיות גדול מסכום תביעה בשורה {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,סכום גושפנקא לא יכול להיות גדול מסכום תביעה בשורה {0}. DocType: Company,Default Cost of Goods Sold Account,עלות ברירת מחדל של חשבון מכר apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,מחיר המחירון לא נבחר DocType: Employee,Family Background,רקע משפחתי @@ -688,10 +688,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Per DocType: Company,Default Bank Account,חשבון בנק ברירת מחדל apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","כדי לסנן מבוסס על המפלגה, מפלגה בחר את הסוג ראשון" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"לא ניתן לבדוק את "מלאי עדכון ', כי פריטים אינם מועברים באמצעות {0}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,מס +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,מס DocType: Item,Items with higher weightage will be shown higher,פריטים עם weightage גבוה יותר תוכלו לראות גבוהים יותר DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,פרט בנק פיוס -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,# שורה {0}: Asset {1} יש להגיש +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,# שורה {0}: Asset {1} יש להגיש apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,אף עובדים מצא DocType: Supplier Quotation,Stopped,נעצר DocType: Item,If subcontracted to a vendor,אם קבלן לספקים @@ -702,7 +702,7 @@ DocType: Warehouse,Tree Details,עץ פרטים DocType: Item,Website Warehouse,מחסן אתר DocType: Payment Reconciliation,Minimum Invoice Amount,סכום חשבונית מינימום apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,פריט שורה {idx}: {DOCTYPE} {DOCNAME} אינה קיימת מעל '{DOCTYPE} שולחן -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,גיליון {0} כבר הושלם או בוטל +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,גיליון {0} כבר הושלם או בוטל DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","היום בחודש שבו חשבונית אוטומטית תיווצר למשל 05, 28 וכו '" DocType: Asset,Opening Accumulated Depreciation,פתיחת פחת שנצבר apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,ציון חייב להיות קטן או שווה ל 5 @@ -749,7 +749,7 @@ DocType: Sales Team,Incentives,תמריצים DocType: SMS Log,Requested Numbers,מספרים מבוקשים apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,הערכת ביצועים. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","'השתמש עבור סל קניות' האפשור, כמו סל הקניות מופעל ולא צריך להיות לפחות כלל מס אחד עבור סל קניות" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","קליטת הוצאות {0} מקושרת נגד להזמין {1}, לבדוק אם הוא צריך להיות משך כפי מראש בחשבונית זו." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","קליטת הוצאות {0} מקושרת נגד להזמין {1}, לבדוק אם הוא צריך להיות משך כפי מראש בחשבונית זו." DocType: Sales Invoice Item,Stock Details,פרטי מלאי apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,פרויקט ערך apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,נקודת מכירה @@ -771,14 +771,14 @@ DocType: Naming Series,Update Series,סדרת עדכון DocType: Supplier Quotation,Is Subcontracted,האם קבלן DocType: Item Attribute,Item Attribute Values,ערכי תכונה פריט DocType: Examination Result,Examination Result,תוצאת בחינה -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,קבלת רכישה +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,קבלת רכישה ,Received Items To Be Billed,פריטים שהתקבלו לחיוב apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,שער חליפין של מטבע שני. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},הפניה Doctype חייב להיות אחד {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},לא ניתן למצוא משבצת הזמן בעולם הבא {0} ימים למבצע {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},לא ניתן למצוא משבצת הזמן בעולם הבא {0} ימים למבצע {1} DocType: Production Order,Plan material for sub-assemblies,חומר תכנית לתת מכלולים apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,שותפי מכירות טריטוריה -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} חייב להיות פעיל +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} חייב להיות פעיל DocType: Journal Entry,Depreciation Entry,כניסת פחת apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,אנא בחר את סוג המסמך ראשון apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ביקורי חומר לבטל {0} לפני ביטול תחזוקת הביקור הזה @@ -788,7 +788,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,"סה""כ לתשלום" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,הוצאה לאור באינטרנט DocType: Production Planning Tool,Production Orders,הזמנות ייצור -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,ערך איזון +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,ערך איזון apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,מחיר מחירון מכירות apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,לפרסם לסנכרן פריטים DocType: Bank Reconciliation,Account Currency,מטבע חשבון @@ -812,7 +812,7 @@ DocType: Employee,Exit Interview Details,פרטי ראיון יציאה DocType: Item,Is Purchase Item,האם פריט הרכישה DocType: Asset,Purchase Invoice,רכישת חשבוניות DocType: Stock Ledger Entry,Voucher Detail No,פרט שובר לא -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,חשבונית מכירת בתים חדשה +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,חשבונית מכירת בתים חדשה DocType: Stock Entry,Total Outgoing Value,"ערך יוצא סה""כ" apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,פתיחת תאריך ותאריך סגירה צריכה להיות באותה שנת כספים DocType: Lead,Request for Information,בקשה לקבלת מידע @@ -821,7 +821,7 @@ DocType: Program Fee,Program Fee,דמי תכנית DocType: Salary Slip,Total in words,"סה""כ במילים" DocType: Material Request Item,Lead Time Date,תאריך ליד זמן DocType: Cheque Print Template,Has Print Format,יש פורמט להדפסה -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,הוא חובה. אולי שיא המרה לא נוצר ל +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,הוא חובה. אולי שיא המרה לא נוצר ל apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},# שורה {0}: נא לציין את מספר סידורי לפריט {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","לפריטים 'מוצרי Bundle', מחסן, מספר סידורי ויצוו לא ייחשב מהשולחן "רשימת האריזה". אם מחסן ויצוו אין הם זהים עבור כל פריטי האריזה עבור כל הפריט "מוצרים Bundle ', ניתן להזין ערכים אלה בטבלת הפריט העיקרית, ערכים יועתקו ל'אריזת רשימה' שולחן." DocType: Job Opening,Publish on website,פרסם באתר @@ -833,7 +833,7 @@ DocType: Cheque Print Template,Date Settings,הגדרות תאריך apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,שונות ,Company Name,שם חברה DocType: SMS Center,Total Message(s),מסר כולל (ים) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,פריט בחר להעברה +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,פריט בחר להעברה DocType: Purchase Invoice,Additional Discount Percentage,אחוז הנחה נוסף apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,הצגת רשימה של כל סרטי וידאו העזרה DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ראש בחר חשבון של הבנק שבו הופקד שיק. @@ -844,7 +844,7 @@ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +30,"Row {0}: Invoice {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,שורת {0}: תשלום נגד מכירות / הזמנת רכש תמיד צריך להיות מסומן כמראש apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,כימיה apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,כל הפריטים כבר הועברו להזמנת ייצור זה. -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,מטר +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,מטר DocType: Workstation,Electricity Cost,עלות חשמל DocType: HR Settings,Don't send Employee Birthday Reminders,אל תשלחו לעובדי יום הולדת תזכורות DocType: Item,Inspection Criteria,קריטריונים לבדיקה @@ -854,7 +854,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,לבן DocType: SMS Center,All Lead (Open),כל הלידים (פתוח) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),שורה {0}: כמות אינה זמינה עבור {4} במחסן {1} בכל שעת הפרסום של כניסה ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,קבלו תשלום מקדמות -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,הפוך +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,הפוך DocType: Journal Entry,Total Amount in Words,סכתי-הכל סכום מילים apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,הייתה שגיאה. סיבה סבירה אחת יכולה להיות שלא שמרת את הטופס. אנא צור קשר עם support@erpnext.com אם הבעיה נמשכת. apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,סל הקניות שלי @@ -867,7 +867,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,אופציות DocType: Journal Entry Account,Expense Claim,תביעת הוצאות apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,האם אתה באמת רוצה לשחזר נכס לגרוטאות זה? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},כמות עבור {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},כמות עבור {0} DocType: Leave Application,Leave Application,החופשה Application apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,השאר הקצאת כלי DocType: Leave Block List,Leave Block List Dates,השאר תאריכי בלוק רשימה @@ -926,11 +926,11 @@ apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,צ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},כדי {0} | {1} {2} apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,גיל ממוצע DocType: Opportunity,Your sales person who will contact the customer in future,איש המכירות שלך שייצור קשר עם הלקוח בעתיד -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,רשימה כמה מהספקים שלך. הם יכולים להיות ארגונים או יחידים. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,רשימה כמה מהספקים שלך. הם יכולים להיות ארגונים או יחידים. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,הצג את כל המוצרים DocType: Company,Default Currency,מטבע ברירת מחדל DocType: Expense Claim,From Employee,מעובדים -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,אזהרה: מערכת לא תבדוק overbilling מאז סכום עבור פריט {0} ב {1} הוא אפס +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,אזהרה: מערכת לא תבדוק overbilling מאז סכום עבור פריט {0} ב {1} הוא אפס DocType: Journal Entry,Make Difference Entry,הפוך כניסת הבדל DocType: Upload Attendance,Attendance From Date,נוכחות מתאריך DocType: Appraisal Template Goal,Key Performance Area,פינת של ביצועים מרכזיים @@ -946,7 +946,7 @@ apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_ DocType: Company,Company registration numbers for your reference. Tax numbers etc.,מספרי רישום חברה לעיונך. מספרי מס וכו ' DocType: Sales Partner,Distributor,מפיץ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,כלל משלוח סל קניות -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,ייצור להזמין {0} יש לבטל לפני ביטול הזמנת מכירות זה +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,ייצור להזמין {0} יש לבטל לפני ביטול הזמנת מכירות זה apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',אנא הגדר 'החל הנחה נוספות ב' ,Ordered Items To Be Billed,פריטים שהוזמנו להיות מחויב apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,מהטווח צריך להיות פחות מטווח @@ -955,7 +955,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,ניכויים DocType: Purchase Invoice,Start date of current invoice's period,תאריך התחלה של תקופה של החשבונית הנוכחית DocType: Salary Slip,Leave Without Pay,חופשה ללא תשלום -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,שגיאת תכנון קיבולת +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,שגיאת תכנון קיבולת ,Trial Balance for Party,מאזן בוחן למפלגה DocType: Lead,Consultant,יועץ DocType: Salary Slip,Earnings,רווחים @@ -979,7 +979,7 @@ DocType: Stock Settings,Default Item Group,קבוצת ברירת מחדל של apps/erpnext/erpnext/config/buying.py +38,Supplier database.,מסד נתוני ספק. DocType: Account,Balance Sheet,מאזן apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',עלות מרכז לפריט עם קוד פריט ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","מצב תשלום אינו מוגדר. אנא קרא, אם חשבון הוגדר על מצב תשלומים או על פרופיל קופה." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","מצב תשלום אינו מוגדר. אנא קרא, אם חשבון הוגדר על מצב תשלומים או על פרופיל קופה." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,איש המכירות שלך יקבל תזכורת על מועד זה ליצור קשר עם הלקוח apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","חשבונות נוספים יכולים להתבצע תחת קבוצות, אבל ערכים יכולים להתבצע נגד לא-קבוצות" DocType: Lead,Lead,לידים @@ -1001,7 +1001,7 @@ DocType: Global Defaults,Disable Rounded Total,"להשבית מעוגל סה""כ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,הרשומות' לא יכולות להיות ריקות' apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},שורה כפולה {0} עם אותו {1} ,Trial Balance,מאזן בוחן -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,שנת כספים {0} לא נמצאה +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,שנת כספים {0} לא נמצאה apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,הגדרת עובדים DocType: Sales Order,SO-,כך- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,אנא בחר תחילה קידומת @@ -1014,11 +1014,11 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +45,Item {0} must be a non- apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,צפה לדג'ר apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,המוקדם apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","קבוצת פריט קיימת עם אותו שם, בבקשה לשנות את שם הפריט או לשנות את שם קבוצת הפריט" -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,שאר העולם +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,שאר העולם apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,פריט {0} לא יכול להיות אצווה ,Budget Variance Report,תקציב שונות דווח DocType: Salary Slip,Gross Pay,חבילת גרוס -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,שורת {0}: סוג פעילות חובה. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,שורת {0}: סוג פעילות חובה. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,דיבידנדים ששולם apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,החשבונאות לדג'ר DocType: Stock Reconciliation,Difference Amount,סכום הבדל @@ -1034,17 +1034,17 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,עובד חופשת מאזן apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},מאזן לחשבון {0} חייב תמיד להיות {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},דרג הערכה הנדרשים פריט בשורת {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,דוגמה: שני במדעי המחשב +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,דוגמה: שני במדעי המחשב DocType: Purchase Invoice,Rejected Warehouse,מחסן שנדחו DocType: GL Entry,Against Voucher,נגד שובר DocType: Item,Default Buying Cost Center,מרכז עלות רכישת ברירת מחדל apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","כדי לקבל את הטוב ביותר של ERPNext, אנו ממליצים שתיקחו קצת זמן ולצפות בקטעי וידאו עזרה אלה." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,ל +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,ל DocType: Supplier Quotation Item,Lead Time in days,עופרת זמן בימים apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,חשבונות לתשלום סיכום apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},אינך רשאי לערוך חשבון קפוא {0} DocType: Journal Entry,Get Outstanding Invoices,קבל חשבוניות מצטיינים -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,להזמין מכירות {0} אינו חוקי +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,להזמין מכירות {0} אינו חוקי apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","מצטער, לא ניתן למזג חברות" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ cannot be greater than requested quantity {2} for Item {3}",כמות הנפקה / ההעברה הכולל {0} ב בקשת חומר {1} \ לא יכולה להיות גדולה מ כמות מבוקשת {2} עבור פריט {3} @@ -1064,8 +1064,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,הוצאות עקיפות apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,שורת {0}: הכמות היא חובה apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,חקלאות -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,המוצרים או השירותים שלך +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,המוצרים או השירותים שלך DocType: Mode of Payment,Mode of Payment,מצב של תשלום apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,תמונה: אתר אינטרנט צריכה להיות קובץ ציבורי או כתובת אתר אינטרנט DocType: Purchase Invoice Item,BOM,BOM @@ -1079,7 +1079,7 @@ DocType: Email Digest,Annual Income,הכנסה שנתית DocType: Serial No,Serial No Details,Serial No פרטים DocType: Purchase Invoice Item,Item Tax Rate,שיעור מס פריט apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","עבור {0}, רק חשבונות האשראי יכולים להיות מקושרים נגד כניסת חיוב נוספת" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,משלוח הערה {0} לא תוגש +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,משלוח הערה {0} לא תוגש apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,פריט {0} חייב להיות פריט-נדבק Sub apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ציוד הון apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","כלל תמחור נבחר ראשון המבוססת על 'החל ב'שדה, אשר יכול להיות פריט, קבוצת פריט או מותג." @@ -1088,7 +1088,7 @@ DocType: Item,ITEM-,פריט- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,"אחוז הוקצה סה""כ לצוות מכירות צריך להיות 100" DocType: Appraisal Goal,Goal,מטרה DocType: Sales Invoice Item,Edit Description,עריכת תיאור -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,לספקים +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,לספקים DocType: Account,Setting Account Type helps in selecting this Account in transactions.,הגדרת סוג החשבון מסייעת בבחירת חשבון זה בעסקות. DocType: Purchase Invoice,Grand Total (Company Currency),סך כולל (חברת מטבע) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,יצירת תבנית הדפסה @@ -1102,10 +1102,10 @@ DocType: Item,Website Item Groups,קבוצות פריט באתר DocType: Purchase Invoice,Total (Company Currency),סה"כ (חברת מטבע) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,מספר סידורי {0} נכנס יותר מפעם אחת DocType: Depreciation Schedule,Journal Entry,יומן -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} פריטי התקדמות +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} פריטי התקדמות DocType: Workstation,Workstation Name,שם תחנת עבודה apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,"תקציר דוא""ל:" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} אינו שייך לפריט {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} אינו שייך לפריט {1} DocType: Sales Partner,Target Distribution,הפצת יעד DocType: Salary Slip,Bank Account No.,מס 'חשבון הבנק DocType: Naming Series,This is the number of the last created transaction with this prefix,זהו המספר של העסקה יצרה האחרונה עם קידומת זו @@ -1156,7 +1156,7 @@ DocType: Quotation,Shopping Cart,סל קניות apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,ממוצע יומי יוצא DocType: POS Profile,Campaign,קמפיין DocType: Supplier,Name and Type,שם וסוג -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"סטטוס אישור חייב להיות ""מאושר"" או ""נדחה""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"סטטוס אישור חייב להיות ""מאושר"" או ""נדחה""" DocType: Purchase Invoice,Contact Person,איש קשר apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"'תאריך ההתחלה צפויה ""לא יכול להיות יותר מאשר' תאריך סיום צפוי 'גדול יותר" DocType: Course Scheduling Tool,Course End Date,תאריך סיום קורס @@ -1167,8 +1167,8 @@ DocType: Item,Maintain Stock,לשמור על המלאי apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,ערכי מניות כבר יצרו להפקה להזמין apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,שינוי נטו בנכסים קבועים DocType: Leave Control Panel,Leave blank if considered for all designations,שאר ריק אם תיחשב לכל הכינויים -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,תשלום מסוג 'בפועל' בשורת {0} אינו יכול להיות כלולים במחיר הפריט -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},מקס: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,תשלום מסוג 'בפועל' בשורת {0} אינו יכול להיות כלולים במחיר הפריט +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},מקס: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,מDatetime DocType: Email Digest,For Company,לחברה apps/erpnext/erpnext/config/support.py +17,Communication log.,יומן תקשורת. @@ -1205,12 +1205,12 @@ DocType: Job Opening,"Job profile, qualifications required etc.","פרופיל DocType: Journal Entry Account,Account Balance,יתרת חשבון apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,כלל מס לעסקות. DocType: Rename Tool,Type of document to rename.,סוג של מסמך כדי לשנות את השם. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,אנחנו קונים פריט זה +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,אנחנו קונים פריט זה DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),"סה""כ מסים וחיובים (מטבע חברה)" DocType: Shipping Rule,Shipping Account,חשבון משלוח DocType: Quality Inspection,Readings,קריאות DocType: Stock Entry,Total Additional Costs,עלויות נוספות סה"כ -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,הרכבות תת +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,הרכבות תת DocType: Asset,Asset Name,שם נכס DocType: Shipping Rule Condition,To Value,לערך DocType: Asset Movement,Stock Manager,ניהול מלאי @@ -1244,7 +1244,7 @@ apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3 DocType: Student Attendance Tool,Students HTML,HTML סטודנטים DocType: POS Profile,Apply Discount,חל הנחה DocType: Employee External Work History,Total Experience,"ניסיון סה""כ" -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Slip אריזה (ים) בוטל +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Slip אריזה (ים) בוטל apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,תזרים מזומנים מהשקעות DocType: Program Course,Program Course,קורס תכנית apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,הוצאות הובלה והשילוח @@ -1277,7 +1277,7 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,רשמות תכנית DocType: Sales Invoice Item,Brand Name,שם מותג DocType: Purchase Receipt,Transporter Details,פרטי Transporter -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,תיבה +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,תיבה DocType: Budget,Monthly Distribution,בחתך חודשי apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,מקלט רשימה ריקה. אנא ליצור מקלט רשימה DocType: Production Plan Sales Order,Production Plan Sales Order,הפקת תכנית להזמין מכירות @@ -1323,10 +1323,10 @@ DocType: SMS Center,Receiver List,מקלט רשימה apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,כמות הנצרכת apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,שינוי נטו במזומנים apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,יחידת מידת {0} כבר נכנסה יותר מפעם אחת בהמרת פקטור טבלה -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,הושלם כבר +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,הושלם כבר apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},בקשת תשלום כבר קיימת {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,עלות פריטים הונפק -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},כמות לא חייבת להיות יותר מ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},כמות לא חייבת להיות יותר מ {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,קודם שנת הכספים אינה סגורה apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),גיל (ימים) DocType: Quotation Item,Quotation Item,פריט ציטוט @@ -1411,7 +1411,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156, apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,נא להזין פיננסית בתוקף השנה תאריכי ההתחלה וסיום DocType: Employee,Date Of Retirement,מועד הפרישה DocType: Upload Attendance,Get Template,קבל תבנית -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext ההתקנה הושלמה! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext ההתקנה הושלמה! DocType: Course Assessment Criteria,Weightage,Weightage DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"קבוצת לקוחות קיימת עם אותו שם, בבקשה לשנות את שם הלקוח או לשנות את שם קבוצת הלקוחות" @@ -1424,7 +1424,7 @@ DocType: Announcement,Instructor,מַדְרִיך DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","אם פריט זה יש גרסאות, אז זה לא יכול להיות שנבחר בהזמנות וכו '" DocType: Lead,Next Contact By,לתקשר בא על ידי -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},הכמות הנדרשת לפריט {0} בשורת {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},הכמות הנדרשת לפריט {0} בשורת {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},מחסן {0} לא ניתן למחוק ככמות קיימת עבור פריט {1} DocType: Quotation,Order Type,סוג להזמין DocType: Purchase Invoice,Notification Email Address,"כתובת דוא""ל להודעות" @@ -1448,7 +1448,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be a DocType: Employee,Leave Encashed?,השאר Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,הזדמנות מ השדה היא חובה DocType: Item,Variants,גרסאות -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,הפוך הזמנת רכש +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,הפוך הזמנת רכש DocType: SMS Center,Send To,שלח אל apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},אין איזון חופשה מספיק לחופשת סוג {0} DocType: Payment Reconciliation Payment,Allocated amount,סכום שהוקצה @@ -1456,7 +1456,7 @@ DocType: Sales Team,Contribution to Net Total,"תרומה לנטו סה""כ" DocType: Sales Invoice Item,Customer's Item Code,קוד הפריט של הלקוח DocType: Stock Reconciliation,Stock Reconciliation,מניית פיוס DocType: Territory,Territory Name,שם שטח -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,עבודה ב-התקדמות המחסן נדרש לפני הגשה +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,עבודה ב-התקדמות המחסן נדרש לפני הגשה apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,מועמד לעבודה. DocType: Purchase Order Item,Warehouse and Reference,מחסן והפניה DocType: Supplier,Statutory info and other general information about your Supplier,מידע סטטוטורי ומידע כללי אחר על הספק שלך @@ -1464,14 +1464,14 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Agains apps/erpnext/erpnext/config/hr.py +137,Appraisals,ערכות apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},לשכפל מספר סידורי נכנס לפריט {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,תנאי עבור כלל משלוח -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,אנא להגדיר מסנן מבוסס על פריט או מחסן +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,אנא להגדיר מסנן מבוסס על פריט או מחסן DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),משקל נטו של חבילה זו. (מחושב באופן אוטומטי כסכום של משקל נטו של פריטים) DocType: Sales Order,To Deliver and Bill,לספק וביל DocType: GL Entry,Credit Amount in Account Currency,סכום אשראי במטבע חשבון -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} יש להגיש +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} יש להגיש DocType: Authorization Control,Authorization Control,אישור בקרה apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},# השורה {0}: נדחה מחסן הוא חובה נגד פריט דחה {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,תשלום +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,תשלום DocType: Production Order Operation,Actual Time and Cost,זמן ועלות בפועל apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},בקשת חומר של מקסימום {0} יכולה להתבצע עבור פריט {1} נגד להזמין מכירות {2} DocType: Course,Course Abbreviation,קיצור קורס @@ -1482,7 +1482,7 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,פרי DocType: Quotation Item,Actual Qty,כמות בפועל DocType: Sales Invoice Item,References,אזכור DocType: Quality Inspection Reading,Reading 10,קריאת 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","רשימת המוצרים שלך או שירותים שאתה לקנות או למכור. הקפד לבדוק את קבוצת הפריט, יחידת המידה ונכסים אחרים בעת ההפעלה." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","רשימת המוצרים שלך או שירותים שאתה לקנות או למכור. הקפד לבדוק את קבוצת הפריט, יחידת המידה ונכסים אחרים בעת ההפעלה." DocType: Hub Settings,Hub Node,רכזת צומת apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,אתה נכנס פריטים כפולים. אנא לתקן ונסה שוב. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,חבר @@ -1527,7 +1527,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","תקציב לא ניתן להקצות כנגד {0}, כמו שזה לא חשבון הכנסה או הוצאה" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,הושג apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,שטח / לקוחות -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,לדוגמא 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,לדוגמא 5 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},{0} שורה: סכום שהוקצה {1} חייב להיות פחות מ או שווה לסכום חשבונית מצטיין {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,במילים יהיו גלוי ברגע שאתה לשמור את חשבונית המכירות. DocType: Item,Is Sales Item,האם פריט מכירות @@ -1535,9 +1535,9 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,פריט {0} הוא לא התקנה למס סידורי. בדוק אדון פריט DocType: Maintenance Visit,Maintenance Time,תחזוקת זמן ,Amount to Deliver,הסכום לאספקת -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,מוצר או שירות +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,מוצר או שירות DocType: Naming Series,Current Value,ערך נוכחי -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,שנתי כספים מרובות קיימות במועד {0}. אנא להגדיר חברה בשנת הכספים +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,שנתי כספים מרובות קיימות במועד {0}. אנא להגדיר חברה בשנת הכספים apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} נוצר DocType: Delivery Note Item,Against Sales Order,נגד להזמין מכירות ,Serial No Status,סטטוס מספר סידורי @@ -1550,7 +1550,7 @@ DocType: Pricing Rule,Selling,מכירה apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},סכום {0} {1} לנכות כנגד {2} DocType: Employee,Salary Information,מידע משכורת DocType: Sales Person,Name and Employee ID,שם והעובדים ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,תאריך יעד לא יכול להיות לפני פרסום תאריך +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,תאריך יעד לא יכול להיות לפני פרסום תאריך DocType: Website Item Group,Website Item Group,קבוצת פריט באתר apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,חובות ומסים apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,נא להזין את תאריך הפניה @@ -1598,8 +1598,8 @@ DocType: Employee,Resignation Letter Date,תאריך מכתב התפטרות apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,כללי תמחור מסוננים נוסף המבוססים על כמות. DocType: Task,Total Billing Amount (via Time Sheet),סכום לחיוב סה"כ (דרך הזמן גיליון) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,הכנסות לקוח חוזרות -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) חייב להיות 'מאשר מהוצאות' תפקיד -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,זוג +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) חייב להיות 'מאשר מהוצאות' תפקיד +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,זוג DocType: Asset,Depreciation Schedule,בתוספת פחת DocType: Bank Reconciliation Detail,Against Account,נגד חשבון DocType: Maintenance Schedule Detail,Actual Date,תאריך בפועל @@ -1613,7 +1613,7 @@ DocType: Task,Actual End Date (via Time Sheet),תאריך סיום בפועל ( apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},סכום {0} {1} נגד {2} {3} ,Quotation Trends,מגמות ציטוט apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},קבוצת פריט שלא צוינה באב פריט לפריט {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,חיוב החשבון חייב להיות חשבון חייבים +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,חיוב החשבון חייב להיות חשבון חייבים DocType: Shipping Rule Condition,Shipping Amount,סכום משלוח apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,סכום תלוי ועומד DocType: Purchase Invoice Item,Conversion Factor,המרת פקטור @@ -1633,13 +1633,13 @@ apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,גליונות DocType: HR Settings,HR Settings,הגדרות HR apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,תביעת חשבון ממתינה לאישור. רק המאשר ההוצאות יכול לעדכן את הסטטוס. DocType: Purchase Invoice,Additional Discount Amount,סכום הנחה נוסף -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","# השורה {0}: כמות חייבת להיות 1, כפריט הוא נכס קבוע. השתמש בשורה נפרדת עבור כמות מרובה." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","# השורה {0}: כמות חייבת להיות 1, כפריט הוא נכס קבוע. השתמש בשורה נפרדת עבור כמות מרובה." DocType: Leave Block List Allow,Leave Block List Allow,השאר בלוק רשימה אפשר apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr לא יכול להיות ריק או חלל apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,קבוצה לקבוצה ללא apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ספורט apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,"סה""כ בפועל" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,יחידה +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,יחידה apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,נא לציין את החברה ,Customer Acquisition and Loyalty,לקוחות רכישה ונאמנות DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,מחסן שבו אתה שומר מלאי של פריטים דחו @@ -1653,12 +1653,12 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_ DocType: Workstation,Wages per hour,שכר לשעה apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},איזון המניה בתצווה {0} יהפוך שלילי {1} לפריט {2} במחסן {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,בעקבות בקשות חומר הועלה באופן אוטומטי המבוסס על הרמה מחדש כדי של הפריט -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},חשבון {0} אינו חוקי. מטבע חשבון חייב להיות {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},חשבון {0} אינו חוקי. מטבע חשבון חייב להיות {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},גורם של אוני 'מישגן ההמרה נדרש בשורת {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד להזמין מכירות, חשבוניות מכירות או תנועת יומן" DocType: Salary Component,Deduction,ניכוי -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,שורת {0}: מעת לעת ו היא חובה. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,שורת {0}: מעת לעת ו היא חובה. apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},מחיר הפריט נוסף עבור {0} ב מחירון {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,נא להזין את עובדי זיהוי של איש מכירות זה DocType: Territory,Classification of Customers by region,סיווג של לקוחות מאזור לאזור @@ -1667,10 +1667,10 @@ DocType: Project,Gross Margin,שיעור רווח גולמי apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,אנא ראשון להיכנס פריט הפקה apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,מאזן חשבון בנק מחושב apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,משתמשים נכים -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,הצעת מחיר +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,הצעת מחיר DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,סך ניכוי -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,עלות עדכון +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,עלות עדכון DocType: Employee,Date of Birth,תאריך לידה apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,פריט {0} הוחזר כבר DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** שנת כספים ** מייצגת שנת כספים. כל הרישומים החשבונאיים ועסקות גדולות אחרות מתבצעים מעקב נגד שנת כספים ** **. @@ -1707,11 +1707,11 @@ DocType: Email Digest,Note: Email will not be sent to disabled users,הערה: apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,בחר חברה ... DocType: Leave Control Panel,Leave blank if considered for all departments,שאר ריק אם תיחשב לכל המחלקות apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","סוגי התעסוקה (קבוע, חוזה, וכו 'מתמחה)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} הוא חובה עבור פריט {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} הוא חובה עבור פריט {1} DocType: Currency Exchange,From Currency,ממטבע apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","אנא בחר סכום שהוקצה, סוג החשבונית וחשבונית מספר בatleast שורה אחת" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,עלות רכישה חדשה -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},להזמין מכירות הנדרשים לפריט {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},להזמין מכירות הנדרשים לפריט {0} DocType: Purchase Invoice Item,Rate (Company Currency),שיעור (חברת מטבע) DocType: Student Guardian,Others,אחרים DocType: Payment Entry,Unallocated Amount,סכום שלא הוקצה @@ -1734,7 +1734,7 @@ apps/erpnext/erpnext/config/stock.py +315,Serialized Inventory,מלאי בהמש DocType: Activity Type,Default Billing Rate,דרג חיוב ברירת מחדל DocType: Sales Invoice,Total Billing Amount,סכום חיוב סה"כ apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,חשבון חייבים -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},# שורה {0}: Asset {1} הוא כבר {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},# שורה {0}: Asset {1} הוא כבר {2} DocType: Quotation Item,Stock Balance,יתרת מלאי apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,להזמין מכירות לתשלום apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,מנכ"ל @@ -1756,7 +1756,7 @@ DocType: C-Form,Received Date,תאריך קבלה DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","אם יצרת תבנית סטנדרטית בתבנית מסים מכירות וחיובים, בחר אחד ולחץ על הכפתור למטה." apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,נא לציין מדינה לכלל משלוח זה או לבדוק משלוח ברחבי העולם DocType: Stock Entry,Total Incoming Value,"ערך הנכנס סה""כ" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,חיוב נדרש +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,חיוב נדרש apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,מחיר מחירון רכישה DocType: Offer Letter Term,Offer Term,טווח הצעה DocType: Quality Inspection,Quality Manager,מנהל איכות @@ -1770,7 +1770,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Timesheet Detail,To Time,לעת DocType: Authorization Rule,Approving Role (above authorized value),אישור תפקיד (מעל הערך מורשה) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,אשראי לחשבון חייב להיות חשבון לתשלום -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},רקורסיה BOM: {0} אינה יכולה להיות הורה או ילד של {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},רקורסיה BOM: {0} אינה יכולה להיות הורה או ילד של {2} DocType: Production Order Operation,Completed Qty,כמות שהושלמה apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","עבור {0}, רק חשבונות החיוב יכולים להיות מקושרים נגד כניסת אשראי אחרת" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,מחיר המחירון {0} אינו זמין @@ -1838,15 +1838,15 @@ DocType: Cost Center,Track separate Income and Expense for product verticals or DocType: Rename Tool,Rename Tool,שינוי שם כלי apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,עלות עדכון DocType: Item Reorder,Item Reorder,פריט סידור מחדש -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,העברת חומר +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,העברת חומר DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ציין את הפעולות, עלויות הפעלה ולתת מבצע ייחודי לא לפעולות שלך." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,מסמך זה חורג מהמגבלה על ידי {0} {1} עבור פריט {4}. האם אתה גורם אחר {3} נגד אותו {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,אנא קבע חוזר לאחר השמירה +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,אנא קבע חוזר לאחר השמירה DocType: Purchase Invoice,Price List Currency,מטבע מחירון DocType: Naming Series,User must always select,משתמש חייב תמיד לבחור DocType: Stock Settings,Allow Negative Stock,אפשר מלאי שלילי DocType: Installation Note,Installation Note,הערה התקנה -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,להוסיף מסים +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,להוסיף מסים DocType: Topic,Topic,נוֹשֵׂא apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,תזרים מזומנים ממימון DocType: Budget Account,Budget Account,חשבון תקציב @@ -1869,7 +1869,7 @@ apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required DocType: Rename Tool,File to Rename,קובץ לשינוי השם apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},אנא בחר BOM עבור פריט בטור {0} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM צוין {0} אינו קיימת עבור פריט {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,לוח זמנים תחזוקת {0} יש לבטל לפני ביטול הזמנת מכירות זה +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,לוח זמנים תחזוקת {0} יש לבטל לפני ביטול הזמנת מכירות זה DocType: Notification Control,Expense Claim Approved,תביעת הוצאות שאושרה apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,תלוש משכורת של עובד {0} נוצר כבר בתקופה זו apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,תרופות @@ -1887,7 +1887,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM מס לפריט DocType: Upload Attendance,Attendance To Date,נוכחות לתאריך DocType: Warranty Claim,Raised By,הועלה על ידי DocType: Payment Gateway Account,Payment Account,חשבון תשלומים -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,נא לציין את חברה כדי להמשיך +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,נא לציין את חברה כדי להמשיך apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,שינוי נטו בחשבונות חייבים apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Off המפצה DocType: Offer Letter,Accepted,קיבלתי @@ -1895,11 +1895,11 @@ DocType: SG Creation Tool Course,Student Group Name,שם סטודנט הקבוצ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,אנא ודא שאתה באמת רוצה למחוק את כל העסקות לחברה זו. נתוני אביך יישארו כפי שהוא. לא ניתן לבטל פעולה זו. DocType: Room,Room Number,מספר חדר apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},התייחסות לא חוקית {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) לא יכול להיות גדול יותר מquanitity המתוכנן ({2}) בהפקה להזמין {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) לא יכול להיות גדול יותר מquanitity המתוכנן ({2}) בהפקה להזמין {3} DocType: Shipping Rule,Shipping Rule Label,תווית כלל משלוח -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,חומרי גלם לא יכולים להיות ריקים. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","לא ניתן לעדכן מניות, חשבונית מכילה פריט ירידת משלוח." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,מהיר יומן +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,חומרי גלם לא יכולים להיות ריקים. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","לא ניתן לעדכן מניות, חשבונית מכילה פריט ירידת משלוח." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,מהיר יומן apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,אתה לא יכול לשנות את השיעור אם BOM ציינו agianst כל פריט DocType: Employee,Previous Work Experience,ניסיון בעבודה קודם DocType: Stock Entry,For Quantity,לכמות @@ -1950,7 +1950,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),מחיר בסיס (ל DocType: SMS Log,No of Requested SMS,לא של SMS המבוקש DocType: Campaign,Campaign-.####,קמפיין -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,הצעדים הבאים -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,נא למלא את הסעיפים המפורטים בשיעורים הטובים ביותר האפשריים +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,נא למלא את הסעיפים המפורטים בשיעורים הטובים ביותר האפשריים apps/erpnext/erpnext/hr/doctype/employee/employee.py +119,Contract End Date must be greater than Date of Joining,תאריך סיום חוזה חייב להיות גדול מ תאריך ההצטרפות DocType: Delivery Note,DN-,DN- DocType: Sales Partner,A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,/ סוחר / סוכן / שותפים / משווק עמלת מפיץ הצד שלישי שמוכר את המוצרים עבור חברות בועדה. @@ -1984,7 +1984,7 @@ DocType: Homepage,Homepage,דף הבית DocType: Purchase Receipt Item,Recd Quantity,כמות Recd apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},רשומות דמי נוצר - {0} DocType: Asset Category Account,Asset Category Account,חשבון קטגורית נכסים -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},לא יכול לייצר יותר פריט {0} מאשר כמות להזמין מכירות {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},לא יכול לייצר יותר פריט {0} מאשר כמות להזמין מכירות {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,מניית כניסת {0} לא הוגשה DocType: Payment Reconciliation,Bank / Cash Account,חשבון בנק / מזומנים DocType: Tax Rule,Billing City,עיר חיוב @@ -2010,7 +2010,7 @@ DocType: Salary Structure,Total Earning,"צבירה סה""כ" DocType: Purchase Receipt,Time at which materials were received,זמן שבו חומרים שהתקבלו DocType: Stock Ledger Entry,Outgoing Rate,דרג יוצא apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,אדון סניף ארגון. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,או +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,או DocType: Sales Order,Billing Status,סטטוס חיוב apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,דווח על בעיה apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,הוצאות שירות @@ -2018,7 +2018,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,# השורה {0}: תנועת היומן {1} אין חשבון {2} או כבר מתאים נגד בשובר אחר DocType: Buying Settings,Default Buying Price List,מחיר מחירון קניית ברירת מחדל DocType: Process Payroll,Salary Slip Based on Timesheet,תלוש משכורת בהתבסס על גיליון -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,אף עובדים לקריטריונים לעיל נבחרים או תלוש משכורת כבר נוצר +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,אף עובדים לקריטריונים לעיל נבחרים או תלוש משכורת כבר נוצר DocType: Notification Control,Sales Order Message,להזמין הודעת מכירות apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ערכי ברירת מחדל שנקבעו כמו חברה, מטבע, שנת כספים הנוכחית, וכו '" DocType: Payment Entry,Payment Type,סוג תשלום @@ -2041,7 +2041,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,מסמך הקבלה יוגש DocType: Purchase Invoice Item,Received Qty,כמות התקבלה DocType: Stock Entry Detail,Serial No / Batch,לא / אצווה סידוריים -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,לא שילם ולא נמסר +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,לא שילם ולא נמסר DocType: Product Bundle,Parent Item,פריט הורה DocType: Account,Account Type,סוג החשבון DocType: Delivery Note,DN-RET-,DN-RET- @@ -2080,7 +2080,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,מס apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","אם שלטון תמחור שנבחר הוא עשה עבור 'מחיר', זה יחליף את מחיר מחירון. מחיר כלל תמחור הוא המחיר הסופי, ולכן אין עוד הנחה צריכה להיות מיושמת. מכאן, בעסקות כמו מכירה להזמין, הזמנת רכש וכו ', זה יהיה הביא בשדה' דרג ', ולא בשדה' מחיר מחירון שערי '." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,צפייה בלידים לפי סוג התעשייה. DocType: Item Supplier,Item Supplier,ספק פריט -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},אנא בחר ערך עבור {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,כל הכתובות. DocType: Company,Stock Settings,הגדרות מניות @@ -2099,7 +2099,7 @@ DocType: Sales Invoice,Debit To,חיוב ל DocType: Delivery Note,Required only for sample item.,נדרש רק עבור פריט מדגם. DocType: Stock Ledger Entry,Actual Qty After Transaction,כמות בפועל לאחר עסקה ,Pending SO Items For Purchase Request,ממתין לSO פריטים לבקשת רכישה -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} מושבתת +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} מושבתת DocType: Supplier,Billing Currency,מטבע חיוב DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,גדול במיוחד @@ -2124,7 +2124,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,סטטוס של יישום DocType: Fees,Fees,אגרות DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ציין שער חליפין להמיר מטבע אחד לעוד -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,ציטוט {0} יבוטל +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,ציטוט {0} יבוטל apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,סכום חוב סך הכל DocType: Sales Partner,Targets,יעדים DocType: Price List,Price List Master,מחיר מחירון Master @@ -2140,7 +2140,7 @@ DocType: POS Profile,Ignore Pricing Rule,התעלם כלל תמחור DocType: Employee Education,Graduate,בוגר DocType: Leave Block List,Block Days,ימי בלוק DocType: Journal Entry,Excise Entry,בלו כניסה -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},אזהרה: מכירות להזמין {0} כבר קיימת נגד הלקוח הזמנת רכש {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},אזהרה: מכירות להזמין {0} כבר קיימת נגד הלקוח הזמנת רכש {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2192,7 +2192,7 @@ DocType: Purchase Invoice Item,Net Rate (Company Currency),שיעור נטו (ח apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,ניהול עץ טריטוריה. DocType: Journal Entry Account,Sales Invoice,חשבונית מכירות DocType: Journal Entry Account,Party Balance,מאזן המפלגה -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,אנא בחר החל דיסקונט ב +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,אנא בחר החל דיסקונט ב DocType: Company,Default Receivable Account,חשבון חייבים ברירת מחדל DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,צור בנק כניסה לשכר הכולל ששולם לקריטריונים לעיל נבחרים DocType: Stock Entry,Material Transfer for Manufacture,העברת חומר לייצור @@ -2202,7 +2202,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397, DocType: Sales Invoice,Sales Team1,Team1 מכירות apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,פריט {0} אינו קיים DocType: Sales Invoice,Customer Address,כתובת הלקוח -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,שורת {0}: הושלמה הכמות חייבת להיות גדולה מאפס. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,שורת {0}: הושלמה הכמות חייבת להיות גדולה מאפס. DocType: Purchase Invoice,Apply Additional Discount On,החל נוסף דיסקונט ב DocType: Account,Root Type,סוג השורש DocType: Item,FIFO,FIFO @@ -2216,7 +2216,7 @@ DocType: Cheque Print Template,Primary Settings,הגדרות ראשיות DocType: Purchase Invoice,Select Supplier Address,כתובת ספק בחר DocType: Purchase Invoice Item,Quality Inspection,איכות פיקוח apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,קטן במיוחד -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,אזהרה: חומר המבוקש כמות הוא פחות מלהזמין כמות מינימאלית +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,אזהרה: חומר המבוקש כמות הוא פחות מלהזמין כמות מינימאלית apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,חשבון {0} הוא קפוא DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ישות / בת משפטית עם תרשים נפרד של חשבונות השייכים לארגון. DocType: Payment Request,Mute Email,דוא"ל השתקה @@ -2237,7 +2237,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,צבע DocType: Training Event,Scheduled,מתוכנן apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,בקשה לציטוט. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",אנא בחר פריט שבו "האם פריט במלאי" הוא "לא" ו- "האם פריט מכירות" הוא "כן" ואין Bundle מוצרים אחר -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),מראש סה"כ ({0}) נגד להזמין {1} לא יכול להיות גדול יותר מהסך כולל ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),מראש סה"כ ({0}) נגד להזמין {1} לא יכול להיות גדול יותר מהסך כולל ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,בחר בחתך חודשי להפיץ בצורה לא אחידה על פני מטרות חודשים. DocType: Purchase Invoice Item,Valuation Rate,שערי הערכת שווי apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,מטבע מחירון לא נבחר @@ -2337,7 +2337,7 @@ DocType: Cheque Print Template,Is Account Payable,האם חשבון זכאי apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},מניות יכולות להיות לא מעודכנות נגד קבלת רכישת {0} DocType: Supplier,Last Day of the Next Month,היום האחרון של החודש הבא apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","לעזוב לא יכול להיות מוקצה לפני {0}, כאיזון חופשה כבר היה בשיא הקצאת חופשת העתיד יועבר לשאת {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),הערה: תאריך יעד / הפניה עולה ימי אשראי ללקוחות מותר על ידי {0} יום (ים) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),הערה: תאריך יעד / הפניה עולה ימי אשראי ללקוחות מותר על ידי {0} יום (ים) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,סטודנט המבקש DocType: Asset Category Account,Accumulated Depreciation Account,חשבון פחת נצבר DocType: Stock Settings,Freeze Stock Entries,ערכי מלאי הקפאה @@ -2346,7 +2346,7 @@ DocType: Item,Reorder level based on Warehouse,רמת הזמנה חוזרת המ DocType: Activity Cost,Billing Rate,דרג חיוב ,Qty to Deliver,כמות לאספקה ,Stock Analytics,ניתוח מלאי -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,תפעול לא ניתן להשאיר ריק +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,תפעול לא ניתן להשאיר ריק DocType: Maintenance Visit Purpose,Against Document Detail No,נגד פרט מסמך לא apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,סוג המפלגה הוא חובה DocType: Quality Inspection,Outgoing,יוצא @@ -2382,12 +2382,12 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,כמות זמינה במחסן apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,סכום חיוב DocType: Asset,Double Declining Balance,יתרה זוגית ירידה -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,כדי סגור לא ניתן לבטל. חוסר קרבה לבטל. -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'עדכון מאגר' לא ניתן לבדוק למכירת נכס קבועה +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,כדי סגור לא ניתן לבטל. חוסר קרבה לבטל. +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'עדכון מאגר' לא ניתן לבדוק למכירת נכס קבועה DocType: Bank Reconciliation,Bank Reconciliation,בנק פיוס apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,קבל עדכונים apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,בקשת חומר {0} בוטלה או נעצרה -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,הוסף כמה תקליטי מדגם +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,הוסף כמה תקליטי מדגם apps/erpnext/erpnext/config/hr.py +301,Leave Management,השאר ניהול apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,קבוצה על ידי חשבון DocType: Sales Order,Fully Delivered,נמסר באופן מלא @@ -2399,7 +2399,7 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},לא ניתן לשנות את מצב כמו סטודנט {0} הוא מקושר עם יישום סטודנט {1} DocType: Asset,Fully Depreciated,לגמרי מופחת ,Stock Projected Qty,המניה צפויה כמות -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},לקוח {0} אינו שייכים לפרויקט {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},לקוח {0} אינו שייכים לפרויקט {1} DocType: Employee Attendance Tool,Marked Attendance HTML,HTML נוכחות ניכרת DocType: Sales Order,Customer's Purchase Order,הלקוח הזמנת הרכש apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,אין ו אצווה סידורי @@ -2407,7 +2407,7 @@ DocType: Warranty Claim,From Company,מחברה apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,אנא להגדיר מספר הפחת הוזמן apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ערך או כמות apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,הזמנות הפקות לא ניתן להעלות על: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,דקות +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,דקות DocType: Purchase Invoice,Purchase Taxes and Charges,לרכוש מסים והיטלים ,Qty to Receive,כמות לקבלת DocType: Leave Block List,Leave Block List Allowed,השאר בלוק רשימת מחמד @@ -2417,7 +2417,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,כל סוגי הספק DocType: Global Defaults,Disable In Words,שבת במילות apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"קוד פריט חובה, כי הפריט לא ממוספר באופן אוטומטי" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},ציטוט {0} לא מסוג {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},ציטוט {0} לא מסוג {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,פריט לוח זמנים תחזוקה DocType: Sales Order,% Delivered,% נמסר DocType: Production Order,PRO-,מִקצוֹעָן- @@ -2438,7 +2438,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,"דוא""ל מוכר" DocType: Project,Total Purchase Cost (via Purchase Invoice),עלות רכישה כוללת (באמצעות רכישת חשבונית) DocType: Training Event,Start Time,זמן התחלה -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,כמות בחר +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,כמות בחר apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,אישור התפקיד לא יכול להיות זהה לתפקיד השלטון הוא ישים apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,לבטל את המנוי לדוא"ל זה תקציר apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,הודעה נשלחה @@ -2460,7 +2460,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,פרט יחסי הציבור DocType: Sales Order,Fully Billed,שחויב במלואו apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,מזומן ביד -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},מחסן אספקה הנדרש לפריט המניה {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},מחסן אספקה הנדרש לפריט המניה {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),המשקל הכולל של החבילה. בדרך כלל משקל נטו + משקל חומרי אריזה. (להדפסה) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,תָכְנִית DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,משתמשים עם תפקיד זה מותר להגדיר חשבונות קפוא וליצור / לשנות רישומים חשבונאיים נגד חשבונות מוקפאים @@ -2509,14 +2509,14 @@ apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amo DocType: Purchase Invoice,Return Against Purchase Invoice,חזור נגד רכישת חשבונית DocType: Item,Warranty Period (in days),תקופת אחריות (בימים) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,מזומנים נטו שנבעו מפעולות -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,"למשל מע""מ" +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,"למשל מע""מ" apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,פריט 4 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,קבלנות משנה DocType: Journal Entry Account,Journal Entry Account,חשבון כניסת Journal apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,סטודנט קבוצה DocType: Shopping Cart Settings,Quotation Series,סדרת ציטוט apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","פריט קיים באותו שם ({0}), בבקשה לשנות את שם קבוצת פריט או לשנות את שם הפריט" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,אנא בחר לקוח +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,אנא בחר לקוח DocType: C-Form,I,אני DocType: Company,Asset Depreciation Cost Center,מרכז עלות פחת נכסים DocType: Sales Order Item,Sales Order Date,תאריך הזמנת מכירות @@ -2544,7 +2544,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your bus apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,איפה פעולות ייצור מתבצעות. DocType: Asset Movement,Source Warehouse,מחסן מקור DocType: Installation Note,Installation Date,התקנת תאריך -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},# השורה {0}: Asset {1} לא שייך לחברת {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},# השורה {0}: Asset {1} לא שייך לחברת {2} DocType: Employee,Confirmation Date,תאריך אישור DocType: C-Form,Total Invoiced Amount,"סכום חשבונית סה""כ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,דקות כמות לא יכולה להיות גדולה יותר מכמות מקס @@ -2608,7 +2608,7 @@ DocType: Company,Default Letter Head,ברירת מחדל מכתב ראש DocType: Purchase Order,Get Items from Open Material Requests,קבל פריטים מבקשות להרחיב חומר DocType: Item,Standard Selling Rate,מכירה אחידה דרג DocType: Account,Rate at which this tax is applied,קצב שבו מס זה מיושם -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,סדר מחדש כמות +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,סדר מחדש כמות apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,משרות נוכחיות DocType: Company,Stock Adjustment Account,חשבון התאמת מלאי apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,לכתוב את @@ -2622,7 +2622,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,ספק מספק ללקוח apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (טופס # / כתבה / {0}) אזל מהמלאי apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,התאריך הבא חייב להיות גדול מ תאריך פרסום -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},תאריך יעד / הפניה לא יכול להיות אחרי {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},תאריך יעד / הפניה לא יכול להיות אחרי {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,נתוני יבוא ויצוא apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,אין תלמידים נמצאו apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,תאריך פרסום חשבונית @@ -2638,8 +2638,7 @@ DocType: Company,Default Cash Account,חשבון מזומנים ברירת מח apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,אדון חברה (לא לקוח או ספק). apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,זה מבוסס על הנוכחות של תלמיד זה apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,תוכלו להוסיף עוד פריטים או מלא טופס פתוח -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',נא להזין את 'תאריך אספקה צפויה של -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,תעודות משלוח {0} יש לבטל לפני ביטול הזמנת מכירות זה +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,תעודות משלוח {0} יש לבטל לפני ביטול הזמנת מכירות זה apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,הסכום ששולם + לכתוב את הסכום לא יכול להיות גדול יותר מסך כולל apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} הוא לא מספר אצווה תקף לפריט {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},הערה: אין איזון חופשה מספיק לחופשת סוג {0} @@ -2655,7 +2654,7 @@ DocType: Hub Settings,Publish Availability,פרסם זמינים apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot be greater than today.,תאריך לידה לא יכול להיות גדול יותר מהיום. ,Stock Ageing,התיישנות מלאי apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,לוח זמנים -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' אינו זמין +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' אינו זמין apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,קבע כלהרחיב DocType: Cheque Print Template,Scanned Cheque,המחאה סרוקה DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,"שלח דוא""ל אוטומטית למגעים על עסקות הגשת." @@ -2703,18 +2702,18 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,שכר מבנה DocType: Account,Bank,בנק apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,חברת תעופה -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,חומר נושא +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,חומר נושא DocType: Material Request Item,For Warehouse,למחסן DocType: Employee,Offer Date,תאריך הצעה apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ציטוטים -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,אתה נמצא במצב לא מקוון. אתה לא תוכל לטעון עד שיש לך רשת. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,אתה נמצא במצב לא מקוון. אתה לא תוכל לטעון עד שיש לך רשת. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,אין קבוצות סטודנטים נוצרו. DocType: Purchase Invoice Item,Serial No,מספר סידורי apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,נא להזין maintaince פרטים ראשון DocType: Purchase Invoice,Print Language,שפת דפס DocType: Salary Slip,Total Working Hours,שעות עבודה הכוללות DocType: Stock Entry,Including items for sub assemblies,כולל פריטים למכלולים תת -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,זן הערך חייב להיות חיובי +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,זן הערך חייב להיות חיובי apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,כל השטחים DocType: Purchase Invoice,Items,פריטים apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,סטודנטים כבר נרשמו. @@ -2744,7 +2743,7 @@ DocType: Journal Entry,Print Heading,כותרת הדפסה apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,"סה""כ לא יכול להיות אפס" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,מספר הימים מההזמנה האחרונה 'חייב להיות גדול או שווה לאפס DocType: Asset,Amended From,תוקן מ -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,חומר גלם +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,חומר גלם DocType: Leave Application,Follow via Email,"עקוב באמצעות דוא""ל" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,צמחי Machineries DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,סכום מס לאחר סכום הנחה @@ -2752,7 +2751,7 @@ DocType: Payment Entry,Internal Transfer,העברה פנימית apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,חשבון ילד קיים עבור חשבון זה. אתה לא יכול למחוק את החשבון הזה. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,כך או כמות היעד או סכום היעד היא חובה apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},אין ברירת מחדל BOM קיימת עבור פריט {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,אנא בחר תחילה תאריך פרסום +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,אנא בחר תחילה תאריך פרסום apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,פתיחת תאריך צריכה להיות לפני סגירת תאריך DocType: Leave Control Panel,Carry Forward,לְהַעֲבִיר הָלְאָה apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,מרכז עלות בעסקות קיימות לא ניתן להמיר לדג'ר @@ -2762,7 +2761,7 @@ DocType: Item,Item Code for Suppliers,קוד פריט לספקים DocType: Issue,Raised By (Email),"הועלה על ידי (דוא""ל)" DocType: Mode of Payment,General,כללי apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"לא ניתן לנכות כאשר לקטגוריה 'הערכה' או 'הערכה וסה""כ'" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","רשימת ראשי המס שלך (למשל מע"מ, מכס וכו ', הם צריכים להיות שמות ייחודיים) ושיעורי הסטנדרטים שלהם. זה יהיה ליצור תבנית סטנדרטית, שבו אתה יכול לערוך ולהוסיף עוד מאוחר יותר." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","רשימת ראשי המס שלך (למשל מע"מ, מכס וכו ', הם צריכים להיות שמות ייחודיים) ושיעורי הסטנדרטים שלהם. זה יהיה ליצור תבנית סטנדרטית, שבו אתה יכול לערוך ולהוסיף עוד מאוחר יותר." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},מס 'סידורי הנדרש לפריט מספר סידורי {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,תשלומי התאמה עם חשבוניות DocType: Journal Entry,Bank Entry,בנק כניסה @@ -2777,16 +2776,16 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Lei DocType: Quality Inspection,Item Serial No,מספר סידורי פריט apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,"הווה סה""כ" apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,דוחות חשבונאות -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,שעה +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,שעה apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,מספר סידורי חדש לא יכול להיות מחסן. מחסן חייב להיות מוגדר על ידי Stock כניסה או קבלת רכישה DocType: Lead,Lead Type,סוג עופרת apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,אתה לא מורשה לאשר עלים בתאריכי הבלוק -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,כל הפריטים הללו כבר חשבונית +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,כל הפריטים הללו כבר חשבונית apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},יכול להיות מאושר על ידי {0} apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,לא ידוע DocType: Shipping Rule,Shipping Rule Conditions,משלוח תנאי Rule DocType: BOM Replace Tool,The new BOM after replacement,BOM החדש לאחר החלפה -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Point of Sale DocType: Payment Entry,Received Amount,הסכום שהתקבל DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","צור עבור מלוא הכמות, התעלמות כמות כבר על סדר" DocType: Account,Tax,מס @@ -2795,8 +2794,8 @@ DocType: Quality Inspection,Report Date,תאריך דוח DocType: Student,Middle Name,שם אמצעי DocType: C-Form,Invoices,חשבוניות DocType: Job Opening,Job Title,כותרת עבודה -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,גְרַם -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,כמות לייצור חייבת להיות גדולה מ 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,גְרַם +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,כמות לייצור חייבת להיות גדולה מ 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,"בקר בדו""ח לשיחת תחזוקה." DocType: Stock Entry,Update Rate and Availability,עדכון תעריף וזמינות DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,אחוז מותר לך לקבל או למסור יותר נגד כל הכמות המוזמנת. לדוגמא: אם יש לך הורה 100 יחידות. והפרשה שלך הוא 10% אז אתה רשאי לקבל 110 יחידות. @@ -2814,7 +2813,7 @@ apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is no apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,סיכום לחודש זה ופעילויות תלויות ועומדות DocType: Customer Group,Customer Group Name,שם קבוצת הלקוחות apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,דוח על תזרימי המזומנים -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},אנא הסר חשבונית זו {0} מC-טופס {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},אנא הסר חשבונית זו {0} מC-טופס {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,אנא בחר לשאת קדימה אם אתה גם רוצה לכלול האיזון של שנת כספים הקודמת משאיר לשנה הפיסקלית DocType: GL Entry,Against Voucher Type,נגד סוג השובר DocType: Item,Attributes,תכונות @@ -2846,13 +2845,13 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services, apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,סוגי פעילויות יומני זמן DocType: Tax Rule,Sales,מכירות DocType: Stock Entry Detail,Basic Amount,סכום בסיסי -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},מחסן נדרש לפריט המניה {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},מחסן נדרש לפריט המניה {0} DocType: Leave Allocation,Unused leaves,עלים שאינם בשימוש -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,מדינת חיוב apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,העברה apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} אינו משויך לחשבון המפלגה {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),תביא BOM התפוצץ (כולל תת מכלולים) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),תביא BOM התפוצץ (כולל תת מכלולים) DocType: Authorization Rule,Applicable To (Employee),כדי ישים (עובד) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,תאריך היעד הוא חובה apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,תוספת לתכונה {0} לא יכולה להיות 0 @@ -2877,7 +2876,7 @@ DocType: Payment Entry,Account Paid From,חשבון בתשלום מ DocType: Purchase Order Item Supplied,Raw Material Item Code,קוד פריט חומר הגלם DocType: Journal Entry,Write Off Based On,לכתוב את מבוסס על DocType: Stock Settings,Show Barcode Field,הצג ברקוד שדה -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,שלח הודעות דוא"ל ספק +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,שלח הודעות דוא"ל ספק apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,שיא התקנה למס 'סידורי DocType: Timesheet,Employee Detail,פרט לעובדים apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,היום של התאריך הבא חזרו על יום בחודש חייב להיות שווה @@ -2901,7 +2900,7 @@ DocType: Production Order Item,Production Order Item,פריט ייצור להז apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,לא נמצא רשומה apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,עלות לגרוטאות נכסים apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: מרכז העלות הוא חובה עבור פריט {2} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,קבל פריטים מחבילת מוצרים +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,קבל פריטים מחבילת מוצרים DocType: Asset,Straight Line,קו ישר DocType: Project User,Project User,משתמש פרויקט DocType: GL Entry,Is Advance,האם Advance @@ -2922,16 +2921,16 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,ציין תנאים לחישוב סכום משלוח DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,תפקיד רשאי לקבוע קפואים חשבונות ורשומים קפואים עריכה apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,לא ניתן להמיר מרכז עלות לחשבונות שכן יש צמתים ילד -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ערך פתיחה +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,ערך פתיחה apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,סידורי # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,עמלה על מכירות DocType: Offer Letter Term,Value / Description,ערך / תיאור -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# שורה {0}: Asset {1} לא ניתן להגיש, זה כבר {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# שורה {0}: Asset {1} לא ניתן להגיש, זה כבר {2}" DocType: Tax Rule,Billing Country,ארץ חיוב DocType: Purchase Order Item,Expected Delivery Date,תאריך אספקה צפוי apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,חיוב אשראי לא שווה {0} # {1}. ההבדל הוא {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,הוצאות בידור -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,מכירות חשבונית {0} יש לבטל לפני ביטול הזמנת מכירות זה +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,מכירות חשבונית {0} יש לבטל לפני ביטול הזמנת מכירות זה apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,גיל DocType: Sales Invoice Timesheet,Billing Amount,סכום חיוב apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,כמות לא חוקית שצוינה עבור פריט {0}. כמות צריכה להיות גדולה מ -0. @@ -2952,7 +2951,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,הכנסות מלקוחות חדשות apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,הוצאות נסיעה DocType: Maintenance Visit,Breakdown,התפלגות -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,חשבון: {0} עם מטבע: {1} לא ניתן לבחור +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,חשבון: {0} עם מטבע: {1} לא ניתן לבחור DocType: Bank Reconciliation Detail,Cheque Date,תאריך המחאה apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},חשבון {0}: הורה חשבון {1} אינו שייך לחברה: {2} DocType: Program Enrollment Tool,Student Applicants,מועמדים סטודנטים @@ -2970,10 +2969,10 @@ apps/erpnext/erpnext/config/learn.py +11,Navigating,ניווט apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,תכנון DocType: Material Request,Issued,הפיק DocType: Project,Total Billing Amount (via Time Logs),סכום חיוב כולל (דרך זמן יומנים) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,אנחנו מוכרים פריט זה +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,אנחנו מוכרים פריט זה apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ספק זיהוי DocType: Payment Request,Payment Gateway Details,פרטי תשלום Gateway -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,כמות צריכה להיות גדולה מ 0 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,כמות צריכה להיות גדולה מ 0 DocType: Journal Entry,Cash Entry,כניסה במזומן apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,בלוטות הילד יכול להיווצר רק תחת צמתים סוג 'קבוצה' DocType: Academic Year,Academic Year Name,שם שנה אקדמית @@ -2981,16 +2980,16 @@ DocType: Sales Partner,Contact Desc,לתקשר יורד apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","סוג של עלים כמו מזדמן, חולה וכו '" DocType: Email Digest,Send regular summary reports via Email.,"שלח דוחות סיכום קבועים באמצעות דוא""ל." DocType: Payment Entry,PE-,פ- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},אנא להגדיר חשבון ברירת מחדל סוג תביעת הוצאות {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},אנא להגדיר חשבון ברירת מחדל סוג תביעת הוצאות {0} DocType: Assessment Result,Student Name,שם תלמיד DocType: Brand,Item Manager,מנהל פריט DocType: Buying Settings,Default Supplier Type,סוג ספק ברירת מחדל DocType: Production Order,Total Operating Cost,"עלות הפעלה סה""כ" -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,הערה: פריט {0} נכנסה מספר פעמים +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,הערה: פריט {0} נכנסה מספר פעמים apps/erpnext/erpnext/config/selling.py +41,All Contacts.,כל אנשי הקשר. apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,קיצור חברה apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,משתמש {0} אינו קיים -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,חומר גלם לא יכול להיות זהה לפריט עיקרי +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,חומר גלם לא יכול להיות זהה לפריט עיקרי DocType: Item Attribute Value,Abbreviation,קיצור apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,לא authroized מאז {0} עולה על גבולות apps/erpnext/erpnext/config/hr.py +110,Salary template master.,אדון תבנית שכר. @@ -3006,7 +3005,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,תפקיד מחמד ל ,Territory Target Variance Item Group-Wise,פריט יעד שונות טריטורית קבוצה-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,בכל קבוצות הלקוחות apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,מצטבר חודשי -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} הוא חובה. אולי שיא המרה לא נוצר עבור {1} ל {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} הוא חובה. אולי שיא המרה לא נוצר עבור {1} ל {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,תבנית מס היא חובה. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,חשבון {0}: הורה חשבון {1} לא קיימת DocType: Purchase Invoice Item,Price List Rate (Company Currency),מחיר מחירון שיעור (חברת מטבע) @@ -3026,7 +3025,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,פריט Detail המס וייז apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,קיצור המכון ,Item-wise Price List Rate,שערי רשימת פריט המחיר חכם -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,הצעת מחיר של ספק +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,הצעת מחיר של ספק DocType: Quotation,In Words will be visible once you save the Quotation.,במילים יהיו גלוי לאחר שתשמרו את הצעת המחיר. apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,לגבות דמי DocType: Attendance,ATT-,ATT- @@ -3047,7 +3046,7 @@ Updated via 'Time Log'","בדקות עדכון באמצעות 'יומן זמן " DocType: Customer,From Lead,מליד apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,הזמנות שוחררו לייצור. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,בחר שנת כספים ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,פרופיל קופה הנדרש כדי להפוך את קופה הכניסה +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,פרופיל קופה הנדרש כדי להפוך את קופה הכניסה DocType: Program Enrollment Tool,Enroll Students,רשם תלמידים DocType: Hub Settings,Name Token,שם אסימון apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,מכירה סטנדרטית @@ -3077,14 +3076,14 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,העל apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Amt מצטיין DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,קבוצה חכמה פריט יעדים שנקבעו לאיש מכירות זה. DocType: Stock Settings,Freeze Stocks Older Than [Days],מניות הקפאת Older Than [ימים] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,# השורה {0}: לנכסי לקוחות חובה לרכוש נכס קבוע / מכירה +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,# השורה {0}: לנכסי לקוחות חובה לרכוש נכס קבוע / מכירה apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","אם שניים או יותר כללי תמחור נמצאים בהתבסס על התנאים לעיל, עדיפות מיושם. עדיפות היא מספר בין 0 ל 20, וערך ברירת מחדל הוא אפס (ריק). מספר גבוה יותר פירושו הם הקובעים אם יש כללי תמחור מרובים עם אותם תנאים." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,שנת כספים: {0} אינו קיים DocType: Currency Exchange,To Currency,למטבע DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,לאפשר למשתמשים הבאים לאשר בקשות לצאת לימי גוש. apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,סוגים של תביעת הוצאות. DocType: Item,Taxes,מסים -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,שילם ולא נמסר +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,שילם ולא נמסר DocType: Project,Default Cost Center,מרכז עלות ברירת מחדל DocType: Bank Guarantee,End Date,תאריך סיום apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,והתאמות מלאות @@ -3096,17 +3095,17 @@ DocType: Maintenance Visit,Customer Feedback,לקוחות משוב DocType: Account,Expense,חשבון DocType: Item Attribute,From Range,מטווח apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,פריט {0} התעלם כן הוא לא פריט מניות -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,שלח הזמנת ייצור זה לעיבוד נוסף. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,שלח הזמנת ייצור זה לעיבוד נוסף. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","שלא להחיל כלל תמחור בעסקה מסוימת, צריכים להיות נכה כל כללי התמחור הישימים." apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,מקומות תעסוקה ,Sales Order Trends,מגמות להזמין מכירות DocType: Employee,Held On,במוחזק apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,פריט ייצור ,Employee Information,מידע לעובדים -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),שיעור (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),שיעור (%) DocType: Stock Entry Detail,Additional Cost,עלות נוספת apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","לא לסנן מבוססים על השובר לא, אם מקובצים לפי שובר" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,הפוך הצעת מחיר של ספק +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,הפוך הצעת מחיר של ספק DocType: Quality Inspection,Incoming,נכנסים DocType: BOM,Materials Required (Exploded),חומרים דרושים (התפוצצו) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","הוסף משתמשים לארגון שלך, מלבד את עצמך" @@ -3119,7 +3118,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,חשבון: {0} ניתן לעדכן רק דרך עסקות במלאי DocType: Student Group Creation Tool,Get Courses,קבל קורסים DocType: GL Entry,Party,מפלגה -DocType: Sales Order,Delivery Date,תאריך משלוח +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,תאריך משלוח DocType: Opportunity,Opportunity Date,תאריך הזדמנות DocType: Purchase Receipt,Return Against Purchase Receipt,חזור כנגד קבלת רכישה DocType: Request for Quotation Item,Request for Quotation Item,בקשה להצעת מחיר הפריט @@ -3144,7 +3143,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,שחור DocType: BOM Explosion Item,BOM Explosion Item,פריט פיצוץ BOM DocType: Account,Auditor,מבקר -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} פריטים המיוצרים +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} פריטים המיוצרים DocType: Cheque Print Template,Distance from top edge,מרחק הקצה העליון DocType: Purchase Invoice,Return,חזור DocType: Production Order Operation,Production Order Operation,להזמין מבצע ייצור @@ -3154,9 +3153,9 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cann DocType: Task,Total Expense Claim (via Expense Claim),תביעה סה"כ הוצאות (באמצעות תביעת הוצאות) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,מארק בהעדר DocType: Journal Entry Account,Exchange Rate,שער חליפין -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,להזמין מכירות {0} לא יוגש +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,להזמין מכירות {0} לא יוגש DocType: Homepage,Tag Line,קו תג -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,הוספת פריטים מ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,הוספת פריטים מ DocType: Cheque Print Template,Regular,רגיל DocType: BOM,Last Purchase Rate,שער רכישה אחרונה DocType: Account,Asset,נכס @@ -3198,7 +3197,7 @@ DocType: Item Group,Default Expense Account,חשבון הוצאות ברירת apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,מזהה אימייל סטודנטים DocType: Employee,Notice (days),הודעה (ימים) DocType: Tax Rule,Sales Tax Template,תבנית מס מכירות -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,בחר פריטים כדי לשמור את החשבונית +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,בחר פריטים כדי לשמור את החשבונית DocType: Employee,Encashment Date,תאריך encashment DocType: Account,Stock Adjustment,התאמת מלאי apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},עלות פעילות ברירת המחדל קיימת לסוג פעילות - {0} @@ -3237,9 +3236,9 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,שדר apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,הנחה מרבית המוותרת עבור פריט: {0} היא% {1} apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,שווי הנכסי נקי כמו על DocType: Account,Receivable,חייבים -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,# השורה {0}: לא הורשו לשנות ספק כהזמנת רכש כבר קיימת +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,# השורה {0}: לא הורשו לשנות ספק כהזמנת רכש כבר קיימת DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,תפקיד שמותר להגיש עסקות חריגות ממסגרות אשראי שנקבע. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","סינכרון נתוני אב, זה עלול לקחת קצת זמן" +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","סינכרון נתוני אב, זה עלול לקחת קצת זמן" DocType: Item,Material Issue,נושא מהותי DocType: Hub Settings,Seller Description,תיאור מוכר DocType: Employee Education,Qualification,הסמכה @@ -3259,7 +3258,7 @@ DocType: POS Profile,Terms and Conditions,תנאים והגבלות apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},לתאריך צריך להיות בתוך שנת הכספים. בהנחה לתאריך = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","כאן אתה יכול לשמור על גובה, משקל, אלרגיות, בעיות רפואיות וכו '" DocType: Leave Block List,Applies to Company,חל על חברה -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,לא ניתן לבטל עקב נתון מלאי {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,לא ניתן לבטל עקב נתון מלאי {0} DocType: Purchase Invoice,In Words,במילים apps/erpnext/erpnext/hr/doctype/employee/employee.py +217,Today is {0}'s birthday!,היום הוא {0} 's יום הולדת! DocType: Production Planning Tool,Material Request For Warehouse,בקשת חומר למחסן @@ -3287,14 +3286,14 @@ DocType: BOM,Manage cost of operations,ניהול עלות של פעולות DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","כאשר כל אחת מהעסקאות בדקו ""הוגש"", מוקפץ הדוא""ל נפתח באופן אוטומטי לשלוח דואר אלקטרוני לקשורים ""צור קשר"" בעסקה ש, עם העסקה כקובץ מצורף. המשתמשים יכולים או לא יכולים לשלוח הדואר האלקטרוני." apps/erpnext/erpnext/config/setup.py +14,Global Settings,הגדרות גלובליות DocType: Employee Education,Employee Education,חינוך לעובדים -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,הוא צריך את זה כדי להביא פרטי פריט. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,הוא צריך את זה כדי להביא פרטי פריט. DocType: Salary Slip,Net Pay,חבילת נקי DocType: Account,Account,חשבון apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,מספר סידורי {0} כבר קיבל ,Requested Items To Be Transferred,פריטים מבוקשים שיועברו DocType: Purchase Invoice,Recurring Id,זיהוי חוזר DocType: Customer,Sales Team Details,פרטי צוות מכירות -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,למחוק לצמיתות? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,למחוק לצמיתות? DocType: Expense Claim,Total Claimed Amount,"סכום הנתבע סה""כ" apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,הזדמנויות פוטנציאליות למכירה. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},לא חוקי {0} @@ -3305,7 +3304,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores, DocType: Warehouse,PIN,פִּין DocType: Sales Invoice,Base Change Amount (Company Currency),שנת סכום בסיס (מטבע חברה) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,אין רישומים חשבונאיים למחסנים הבאים -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,שמור את המסמך ראשון. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,שמור את המסמך ראשון. DocType: Account,Chargeable,נִטעָן DocType: Company,Change Abbreviation,קיצור שינוי DocType: Expense Claim Detail,Expense Date,תאריך הוצאה @@ -3317,7 +3316,6 @@ DocType: BOM,Manufacturing User,משתמש ייצור DocType: Purchase Invoice,Raw Materials Supplied,חומרי גלם הסופק DocType: Purchase Invoice,Recurring Print Format,פורמט הדפסה חוזר DocType: C-Form,Series,סדרה -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,תאריך אספקה צפוי לא יכול להיות לפני תאריך הזמנת הרכש DocType: Appraisal,Appraisal Template,הערכת תבנית DocType: Item Group,Item Classification,סיווג פריט apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,מנהל פיתוח עסקי @@ -3353,12 +3351,12 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,מותג בחר ... apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,פחת שנצבר כמו על DocType: Sales Invoice,C-Form Applicable,C-טופס ישים -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},מבצע זמן חייב להיות גדול מ 0 למבצע {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},מבצע זמן חייב להיות גדול מ 0 למבצע {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,המחסן הוא חובה DocType: Supplier,Address and Contacts,כתובת ומגעים DocType: UOM Conversion Detail,UOM Conversion Detail,פרט של אוני 'מישגן ההמרה DocType: Program,Program Abbreviation,קיצור התוכנית -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,להזמין ייצור לא יכול להיות שהועלה נגד תבנית פריט +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,להזמין ייצור לא יכול להיות שהועלה נגד תבנית פריט apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,חיובים מתעדכנות בקבלת רכישה כנגד כל פריט DocType: Warranty Claim,Resolved By,נפתר על ידי DocType: Bank Guarantee,Start Date,תאריך ההתחלה @@ -3403,7 +3401,7 @@ DocType: Account,Income,הכנסה DocType: Industry Type,Industry Type,סוג התעשייה apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,משהו השתבש! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,אזהרה: יישום השאר מכיל תאריכי הבלוק הבאים -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,מכירות חשבונית {0} כבר הוגשה +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,מכירות חשבונית {0} כבר הוגשה apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,שנת הכספים {0} לא קיים apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,תאריך סיום DocType: Purchase Invoice Item,Amount (Company Currency),הסכום (חברת מטבע) @@ -3426,7 +3424,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You ca DocType: Naming Series,Help HTML,העזרה HTML DocType: Student Group Creation Tool,Student Group Creation Tool,כלי יצירת סטודנט קבוצה apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},"weightage סה""כ הוקצה צריך להיות 100%. זה {0}" -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,הספקים שלך +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,הספקים שלך apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,לא ניתן להגדיר כאבודים כלהזמין מכירות נעשה. DocType: Request for Quotation Item,Supplier Part No,אין ספק חלק apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,התקבל מ @@ -3434,14 +3432,14 @@ DocType: Lead,Converted,המרה DocType: Item,Has Serial No,יש מספר סידורי DocType: Employee,Date of Issue,מועד ההנפקה apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: החל מ- {0} עבור {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},# השורה {0}: ספק הוגדר לפריט {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,שורה {0}: שעות הערך חייב להיות גדול מאפס. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},# השורה {0}: ספק הוגדר לפריט {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,שורה {0}: שעות הערך חייב להיות גדול מאפס. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,לא ניתן למצוא תמונה באתר האינטרנט {0} המצורף לפריט {1} DocType: Issue,Content Type,סוג תוכן apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,מחשב DocType: Item,List this Item in multiple groups on the website.,רשימת פריט זה במספר קבוצות באתר. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,אנא בדוק את אפשרות מטבע רב כדי לאפשר חשבונות עם מטבע אחר -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,פריט: {0} אינו קיים במערכת +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,פריט: {0} אינו קיים במערכת apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,אתה לא רשאי לקבוע ערך קפוא DocType: Payment Reconciliation,Get Unreconciled Entries,קבל ערכים לא מותאמים DocType: Payment Reconciliation,From Invoice Date,מתאריך החשבונית @@ -3462,7 +3460,7 @@ DocType: Stock Entry,Default Source Warehouse,מחסן מקור ברירת מח DocType: Item,Customer Code,קוד לקוח apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},תזכורת יום הולדת עבור {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ימים מאז הזמנה אחרונה -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,חיוב החשבון חייב להיות חשבון מאזן +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,חיוב החשבון חייב להיות חשבון מאזן DocType: Buying Settings,Naming Series,סדרת שמות DocType: Leave Block List,Leave Block List Name,השאר שם בלוק רשימה apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +32,Stock Assets,נכסים במלאי @@ -3477,7 +3475,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of e DocType: Sales Order Item,Ordered Qty,כמות הורה apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,פריט {0} הוא נכים DocType: Stock Settings,Stock Frozen Upto,המניה קפואה Upto -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM אינו מכיל כל פריט במלאי +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM אינו מכיל כל פריט במלאי apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},תקופה ומתקופה לתאריכי חובה עבור חוזר {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,פעילות פרויקט / משימה. apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,צור תלושי שכר @@ -3551,7 +3549,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise דיסקונט apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,גליון למשימות. DocType: Purchase Invoice,Against Expense Account,נגד חשבון הוצאות DocType: Production Order,Production Order,הזמנת ייצור -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,הערה התקנת {0} כבר הוגשה +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,הערה התקנת {0} כבר הוגשה DocType: Bank Reconciliation,Get Payment Entries,קבל פוסט תשלום DocType: Quotation Item,Against Docname,נגד Docname DocType: SMS Center,All Employee (Active),כל העובד (Active) @@ -3560,7 +3558,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,עלות חומרי גלם DocType: Item Reorder,Re-Order Level,סדר מחדש רמה DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,הזן פריטים וכמות מתוכננת עבורו ברצון להעלות הזמנות ייצור או להוריד חומרי גלם לניתוח. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,תרשים גנט +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,תרשים גנט apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,במשרה חלקית DocType: Employee,Applicable Holiday List,רשימת Holiday ישימה DocType: Employee,Cheque,המחאה @@ -3610,7 +3608,7 @@ DocType: Packing Slip,Gross Weight UOM,משקלים של אוני 'מישגן DocType: Delivery Note Item,Against Sales Invoice,נגד חשבונית מכירות DocType: Bin,Reserved Qty for Production,שמורות כמות עבור הפקה DocType: Asset,Frequency of Depreciation (Months),תדירות הפחת (חודשים) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,חשבון אשראי +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,חשבון אשראי DocType: Landed Cost Item,Landed Cost Item,פריט עלות נחת apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,הצג אפס ערכים DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,כמות של פריט המתקבלת לאחר ייצור / אריזה מחדש מכמויות מסוימות של חומרי גלם @@ -3659,20 +3657,20 @@ DocType: Student,Nationality,לאום ,Items To Be Requested,פריטים להידרש DocType: Purchase Order,Get Last Purchase Rate,קבל אחרון תעריף רכישה DocType: Company,Company Info,מידע על חברה -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,בחר או הוסף לקוח חדש +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,בחר או הוסף לקוח חדש apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),יישום של קרנות (נכסים) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,זה מבוסס על הנוכחות של העובד -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,חשבון חיוב +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,חשבון חיוב DocType: Fiscal Year,Year Start Date,תאריך התחלת שנה DocType: Attendance,Employee Name,שם עובד DocType: Sales Invoice,Rounded Total (Company Currency),"סה""כ מעוגל (חברת מטבע)" apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,לא יכול סמוי לקבוצה בגלל סוג חשבון הנבחר. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} כבר שונה. אנא רענן. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} כבר שונה. אנא רענן. DocType: Leave Block List,Stop users from making Leave Applications on following days.,להפסיק ממשתמשים לבצע יישומי חופשה בימים שלאחר מכן. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,סכום הרכישה apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,הצעת מחיר הספק {0} נוצר apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,הטבות לעובדים -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},כמות ארוזה חייבת להיות שווה לכמות פריט {0} בשורת {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},כמות ארוזה חייבת להיות שווה לכמות פריט {0} בשורת {1} DocType: Production Order,Manufactured Qty,כמות שיוצרה DocType: Purchase Receipt Item,Accepted Quantity,כמות מקובלת apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},אנא להגדיר ברירת מחדל Holiday רשימה עבור שכיר {0} או החברה {1} @@ -3682,11 +3680,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},שורה לא {0}: הסכום אינו יכול להיות גדול מהסכום ממתין נגד תביעת {1} הוצאות. הסכום בהמתנת {2} DocType: Maintenance Schedule,Schedule,לוח זמנים DocType: Account,Parent Account,חשבון הורה -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,זמין +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,זמין DocType: Quality Inspection Reading,Reading 3,רידינג 3 ,Hub,רכזת DocType: GL Entry,Voucher Type,סוג שובר -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,מחיר המחירון לא נמצא או נכים +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,מחיר המחירון לא נמצא או נכים DocType: Employee Loan Application,Approved,אושר DocType: Pricing Rule,Price,מחיר apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',עובד הקלה על {0} חייב להיות מוגדרים כ'שמאל ' @@ -3742,7 +3740,7 @@ DocType: SMS Settings,Static Parameters,פרמטרים סטטיים DocType: Assessment Plan,Room,חֶדֶר DocType: Purchase Order,Advance Paid,מראש בתשלום DocType: Item,Item Tax,מס פריט -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,חומר לספקים +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,חומר לספקים apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,בלו חשבונית DocType: Expense Claim,Employees Email Id,"דוא""ל עובדי זיהוי" DocType: Employee Attendance Tool,Marked Attendance,נוכחות בולטת @@ -3800,9 +3798,9 @@ DocType: Global Defaults,Do not show any symbol like $ etc next to currencies., apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(חצי יום) DocType: Supplier,Credit Days,ימי אשראי DocType: Leave Type,Is Carry Forward,האם להמשיך קדימה -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,קבל פריטים מBOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,קבל פריטים מBOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,להוביל ימי זמן -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},# שורה {0}: פרסום תאריך חייב להיות זהה לתאריך הרכישה {1} של נכס {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},# שורה {0}: פרסום תאריך חייב להיות זהה לתאריך הרכישה {1} של נכס {2} apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,נא להזין הזמנות ומכירות בטבלה לעיל ,Stock Summary,סיכום במלאי apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,להעביר נכס ממחסן אחד למשנהו diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index 68a18ea079e..351cfd9aae6 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,व्यापारी DocType: Employee,Rented,किराये पर DocType: Purchase Order,PO-,पुलिस DocType: POS Profile,Applicable for User,उपयोगकर्ता के लिए लागू -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","रूका उत्पादन आदेश रद्द नहीं किया जा सकता, रद्द करने के लिए पहली बार इसे आगे बढ़ाना" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","रूका उत्पादन आदेश रद्द नहीं किया जा सकता, रद्द करने के लिए पहली बार इसे आगे बढ़ाना" DocType: Vehicle Service,Mileage,लाभ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,आप वास्तव में इस संपत्ति स्क्रैप करना चाहते हैं? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,चयन डिफ़ॉल्ट प्रदायक @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% बिल apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),विनिमय दर के रूप में ही किया जाना चाहिए {0} {1} ({2}) DocType: Sales Invoice,Customer Name,ग्राहक का नाम DocType: Vehicle,Natural Gas,प्राकृतिक गैस -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},बैंक खाते के रूप में नामित नहीं किया जा सकता {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},बैंक खाते के रूप में नामित नहीं किया जा सकता {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,प्रमुखों (या समूह) के खिलाफ जो लेखांकन प्रविष्टियों बना रहे हैं और संतुलन बनाए रखा है। apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),बकाया {0} शून्य से भी कम नहीं किया जा सकता है के लिए ({1}) DocType: Manufacturing Settings,Default 10 mins,10 मिनट चूक @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,प्रकार का नाम छो apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,खुले शो apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,सीरीज सफलतापूर्वक अपडेट apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,चेक आउट -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural जर्नल प्रविष्टि के लिए प्रस्तुत +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural जर्नल प्रविष्टि के लिए प्रस्तुत DocType: Pricing Rule,Apply On,पर लागू होते हैं DocType: Item Price,Multiple Item prices.,एकाधिक आइटम कीमतों . ,Purchase Order Items To Be Received,खरीद आदेश प्राप्त किए जाने आइटम @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,भुगतान ख apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,दिखाएँ वेरिएंट DocType: Academic Term,Academic Term,शैक्षणिक अवधि apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,सामग्री -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,मात्रा +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,मात्रा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,खातों की तालिका खाली नहीं हो सकता। apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ऋण (देनदारियों) DocType: Employee Education,Year of Passing,पासिंग का वर्ष @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,स्वास्थ्य देखभाल apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),भुगतान में देरी (दिन) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,सेवा व्यय -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},सीरियल नंबर: {0} पहले से ही बिक्री चालान में संदर्भित है: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,बीजक +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},सीरियल नंबर: {0} पहले से ही बिक्री चालान में संदर्भित है: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,बीजक DocType: Maintenance Schedule Item,Periodicity,आवधिकता apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,वित्त वर्ष {0} की आवश्यकता है -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,उम्मीद वितरण तिथि से पहले बिक्री आदेश दिनांक होना है apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,रक्षा DocType: Salary Component,Abbr,संक्षिप्त DocType: Appraisal Goal,Score (0-5),कुल (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,पंक्ति # {0}: DocType: Timesheet,Total Costing Amount,कुल लागत राशि DocType: Delivery Note,Vehicle No,वाहन नहीं -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,मूल्य सूची का चयन करें +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,मूल्य सूची का चयन करें apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,पंक्ति # {0}: भुगतान दस्तावेज़ trasaction पूरा करने के लिए आवश्यक है DocType: Production Order Operation,Work In Progress,अर्धनिर्मित उत्पादन apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,कृपया तिथि का चयन @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} किसी भी सक्रिय वित्त वर्ष में नहीं है। DocType: Packed Item,Parent Detail docname,माता - पिता विस्तार docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","संदर्भ: {0}, मद कोड: {1} और ग्राहक: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,किलो +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,किलो DocType: Student Log,Log,लॉग apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,एक नौकरी के लिए खोलना. DocType: Item Attribute,Increment,वेतन वृद्धि @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,विवाहित apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},अनुमति नहीं {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,से आइटम प्राप्त -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},शेयर वितरण नोट के खिलाफ अद्यतन नहीं किया जा सकता {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},शेयर वितरण नोट के खिलाफ अद्यतन नहीं किया जा सकता {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},उत्पाद {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,कोई आइटम सूचीबद्ध नहीं DocType: Payment Reconciliation,Reconcile,समाधान करना @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,प apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,अगली मूल्यह्रास की तारीख से पहले खरीद की तिथि नहीं किया जा सकता DocType: SMS Center,All Sales Person,सभी बिक्री व्यक्ति DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** मासिक वितरण ** अगर आप अपने व्यवसाय में मौसमी है आप महीने भर का बजट / लक्ष्य वितरित मदद करता है। -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,नहीं आइटम नहीं मिला +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,नहीं आइटम नहीं मिला apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,वेतन ढांचे गुम DocType: Lead,Person Name,व्यक्ति का नाम DocType: Sales Invoice Item,Sales Invoice Item,बिक्री चालान आइटम @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",अनियंत्रित नहीं हो सकता है के रूप में एसेट रिकॉर्ड मद के सामने मौजूद है "निश्चित परिसंपत्ति है" DocType: Vehicle Service,Brake Oil,ब्रेक तेल DocType: Tax Rule,Tax Type,टैक्स प्रकार -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,कर योग्य राशि +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,कर योग्य राशि apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},इससे पहले कि आप प्रविष्टियों को जोड़ने या अद्यतन करने के लिए अधिकृत नहीं हैं {0} DocType: BOM,Item Image (if not slideshow),छवि (यदि नहीं स्लाइड शो) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,एक ग्राहक एक ही नाम के साथ मौजूद है DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(घंटा दर / 60) * वास्तविक ऑपरेशन टाइम -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,बीओएम का चयन +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,बीओएम का चयन DocType: SMS Log,SMS Log,एसएमएस प्रवेश apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,वितरित मदों की लागत apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,पर {0} छुट्टी के बीच की तिथि से और आज तक नहीं है @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,स्कूलों DocType: School Settings,Validate Batch for Students in Student Group,छात्र समूह में छात्रों के लिए बैच का प्रमाणन करें apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},कोई छुट्टी रिकॉर्ड कर्मचारी के लिए पाया {0} के लिए {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,पहली कंपनी दाखिल करें -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,पहले कंपनी का चयन करें +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,पहले कंपनी का चयन करें DocType: Employee Education,Under Graduate,पूर्व - स्नातक apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,योजनापूर्ण DocType: BOM,Total Cost,कुल लागत DocType: Journal Entry Account,Employee Loan,कर्मचारी ऋण -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,गतिविधि प्रवेश करें : -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,आइटम {0} सिस्टम में मौजूद नहीं है या समाप्त हो गई है +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,गतिविधि प्रवेश करें : +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,आइटम {0} सिस्टम में मौजूद नहीं है या समाप्त हो गई है apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,रियल एस्टेट apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,लेखा - विवरण apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,औषधीय @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,दावे की राशि apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,डुप्लीकेट ग्राहक समूह cutomer समूह तालिका में पाया apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,प्रदायक प्रकार / प्रदायक DocType: Naming Series,Prefix,उपसर्ग -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटअप के माध्यम से {0} के लिए नामकरण श्रृंखला सेट करें> सेटिंग> नामकरण श्रृंखला -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,उपभोज्य +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,उपभोज्य DocType: Employee,B-,बी DocType: Upload Attendance,Import Log,प्रवेश करें आयात DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,खींचो उपरोक्त मानदंडों के आधार पर प्रकार के निर्माण की सामग्री का अनुरोध DocType: Training Result Employee,Grade,ग्रेड DocType: Sales Invoice Item,Delivered By Supplier,प्रदायक द्वारा वितरित DocType: SMS Center,All Contact,सभी संपर्क -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,उत्पादन आदेश पहले से ही बीओएम के साथ सभी मदों के लिए बनाया +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,उत्पादन आदेश पहले से ही बीओएम के साथ सभी मदों के लिए बनाया apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,वार्षिक वेतन DocType: Daily Work Summary,Daily Work Summary,दैनिक काम सारांश DocType: Period Closing Voucher,Closing Fiscal Year,वित्तीय वर्ष और समापन -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} स्थायी है +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} स्थायी है apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,कृपया खातों का चार्ट बनाने के लिए मौजूदा कंपनी का चयन apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,शेयर व्यय apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,लक्ष्य वेअरहाउस चुनें @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},स्वीकृत + अस्वीकृत मात्रा मद के लिए प्राप्त मात्रा के बराबर होना चाहिए {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,आपूर्ति कच्चे माल की खरीद के लिए -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,भुगतान के कम से कम एक मोड पीओएस चालान के लिए आवश्यक है। +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,भुगतान के कम से कम एक मोड पीओएस चालान के लिए आवश्यक है। DocType: Products Settings,Show Products as a List,दिखाने के उत्पादों एक सूची के रूप में DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",", टेम्पलेट डाउनलोड उपयुक्त डेटा को भरने और संशोधित फ़ाइल देते हैं। चयनित अवधि में सभी तिथियों और कर्मचारी संयोजन मौजूदा उपस्थिति रिकॉर्ड के साथ, टेम्पलेट में आ जाएगा" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,आइटम {0} सक्रिय नहीं है या जीवन के अंत तक पहुँच गया है -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,उदाहरण: बुनियादी गणित -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","पंक्ति में कर शामिल करने के लिए {0} आइटम रेट में , पंक्तियों में करों {1} भी शामिल किया जाना चाहिए" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,उदाहरण: बुनियादी गणित +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","पंक्ति में कर शामिल करने के लिए {0} आइटम रेट में , पंक्तियों में करों {1} भी शामिल किया जाना चाहिए" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,मानव संसाधन मॉड्यूल के लिए सेटिंग्स DocType: SMS Center,SMS Center,एसएमएस केंद्र DocType: Sales Invoice,Change Amount,राशि परिवर्तन @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},स्थापना दिनांक मद के लिए डिलीवरी की तारीख से पहले नहीं किया जा सकता {0} DocType: Pricing Rule,Discount on Price List Rate (%),मूल्य सूची दर पर डिस्काउंट (%) DocType: Offer Letter,Select Terms and Conditions,का चयन नियम और शर्तें -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,आउट मान +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,आउट मान DocType: Production Planning Tool,Sales Orders,बिक्री के आदेश DocType: Purchase Taxes and Charges,Valuation,मूल्याकंन ,Purchase Order Trends,आदेश रुझान खरीद @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,एंट्री खोल रहा है DocType: Customer Group,Mention if non-standard receivable account applicable,मेंशन गैर मानक प्राप्य खाते यदि लागू हो DocType: Course Schedule,Instructor Name,प्रशिक्षक नाम -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,गोदाम की आवश्यकता है के लिए पहले जमा करें +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,गोदाम की आवश्यकता है के लिए पहले जमा करें apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,प्राप्त हुआ DocType: Sales Partner,Reseller,पुनर्विक्रेता DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","अगर जाँच की, सामग्री अनुरोध में गैर-शेयर आइटम शामिल होंगे।" @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,बिक्री चालान आइटम के खिलाफ ,Production Orders in Progress,प्रगति में उत्पादन के आदेश apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,फाइनेंसिंग से नेट नकद -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage भरा हुआ है, नहीं सहेज सकते हैं।" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage भरा हुआ है, नहीं सहेज सकते हैं।" DocType: Lead,Address & Contact,पता और संपर्क DocType: Leave Allocation,Add unused leaves from previous allocations,पिछले आवंटन से अप्रयुक्त पत्ते जोड़ें apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},अगला आवर्ती {0} पर बनाया जाएगा {1} DocType: Sales Partner,Partner website,पार्टनर वेबसाइट apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,सामान जोडें -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,संपर्क का नाम +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,संपर्क का नाम DocType: Course Assessment Criteria,Course Assessment Criteria,पाठ्यक्रम मूल्यांकन मानदंड DocType: Process Payroll,Creates salary slip for above mentioned criteria.,उपरोक्त मानदंडों के लिए वेतन पर्ची बनाता है. DocType: POS Customer Group,POS Customer Group,पीओएस ग्राहक समूह @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,पंक्ति {0}: कृपया जाँच खाते के खिलाफ 'अग्रिम है' {1} यह एक अग्रिम प्रविष्टि है। apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},वेयरहाउस {0} से संबंधित नहीं है कंपनी {1} DocType: Email Digest,Profit & Loss,लाभ हानि -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,लीटर +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,लीटर DocType: Task,Total Costing Amount (via Time Sheet),कुल लागत राशि (समय पत्रक के माध्यम से) DocType: Item Website Specification,Item Website Specification,आइटम वेबसाइट विशिष्टता apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,अवरुद्ध छोड़ दो @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,बिक्री चालान नह DocType: Material Request Item,Min Order Qty,न्यूनतम आदेश मात्रा DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,छात्र समूह निर्माण उपकरण कोर्स DocType: Lead,Do Not Contact,संपर्क नहीं है -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,जो लोग अपने संगठन में पढ़ाने +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,जो लोग अपने संगठन में पढ़ाने DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,सभी आवर्ती चालान पर नज़र रखने के लिए अद्वितीय पहचान. इसे प्रस्तुत करने पर उत्पन्न होता है. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,सॉफ्टवेयर डेवलपर DocType: Item,Minimum Order Qty,न्यूनतम आदेश मात्रा @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,हब में प्रकाशित DocType: Student Admission,Student Admission,छात्र प्रवेश ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,आइटम {0} को रद्द कर दिया गया है -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,सामग्री अनुरोध +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,सामग्री अनुरोध DocType: Bank Reconciliation,Update Clearance Date,अद्यतन क्लीयरेंस तिथि DocType: Item,Purchase Details,खरीद विवरण apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},खरीद आदेश में 'कच्चे माल की आपूर्ति' तालिका में नहीं मिला मद {0} {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,नौसेना प्रबंधक apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},पंक्ति # {0}: {1} आइटम के लिए नकारात्मक नहीं हो सकता {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,गलत पासवर्ड DocType: Item,Variant Of,के variant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',की तुलना में 'मात्रा निर्माण करने के लिए' पूरी की गई मात्रा अधिक नहीं हो सकता +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',की तुलना में 'मात्रा निर्माण करने के लिए' पूरी की गई मात्रा अधिक नहीं हो सकता DocType: Period Closing Voucher,Closing Account Head,बंद लेखाशीर्ष DocType: Employee,External Work History,बाहरी काम इतिहास apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,परिपत्र संदर्भ त्रुटि @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,बाएँ किना apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] की इकाइयों (# प्रपत्र / मद / {1}) [{2}] में पाया (# प्रपत्र / गोदाम / {2}) DocType: Lead,Industry,उद्योग DocType: Employee,Job Profile,नौकरी प्रोफाइल +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,यह इस कंपनी के विरुद्ध लेनदेन पर आधारित है। विवरण के लिए नीचे समयरेखा देखें DocType: Stock Settings,Notify by Email on creation of automatic Material Request,स्वचालित सामग्री अनुरोध के निर्माण पर ईमेल द्वारा सूचित करें DocType: Journal Entry,Multi Currency,बहु मुद्रा DocType: Payment Reconciliation Invoice,Invoice Type,चालान का प्रकार -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,बिलटी +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,बिलटी apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,करों की स्थापना apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,बिक संपत्ति की लागत apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,आप इसे खींचा बाद भुगतान एंट्री संशोधित किया गया है। इसे फिर से खींच कर दीजिये। @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,क्षेत्र मूल्य 'माह के दिवस पर दोहराएँ ' दर्ज करें DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,जिस पर दर ग्राहक की मुद्रा ग्राहक आधार मुद्रा में परिवर्तित किया जाता है DocType: Course Scheduling Tool,Course Scheduling Tool,पाठ्यक्रम निर्धारण उपकरण -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},पंक्ति # {0}: चालान की खरीद करने के लिए एक मौजूदा परिसंपत्ति के खिलाफ नहीं बनाया जा सकता है {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},पंक्ति # {0}: चालान की खरीद करने के लिए एक मौजूदा परिसंपत्ति के खिलाफ नहीं बनाया जा सकता है {1} DocType: Item Tax,Tax Rate,कर की दर apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} पहले से ही कर्मचारी के लिए आवंटित {1} तक की अवधि के {2} के लिए {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,वस्तु चुनें +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,वस्तु चुनें apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,खरीद चालान {0} पहले से ही प्रस्तुत किया जाता है apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},पंक्ति # {0}: बैच नहीं के रूप में ही किया जाना चाहिए {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,गैर-समूह कन्वर्ट करने के लिए @@ -444,7 +443,7 @@ DocType: Employee,Widowed,विधवा DocType: Request for Quotation,Request for Quotation,उद्धरण के लिए अनुरोध DocType: Salary Slip Timesheet,Working Hours,कार्य के घंटे DocType: Naming Series,Change the starting / current sequence number of an existing series.,एक मौजूदा श्रृंखला के शुरू / वर्तमान अनुक्रम संख्या बदलें. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,एक नए ग्राहक बनाने +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,एक नए ग्राहक बनाने apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","कई डालती प्रबल करने के लिए जारी रखते हैं, उपयोगकर्ताओं संघर्ष को हल करने के लिए मैन्युअल रूप से प्राथमिकता सेट करने के लिए कहा जाता है." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,खरीद आदेश बनाएं ,Purchase Register,इन पंजीकृत खरीद @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,परीक्षक नाम DocType: Purchase Invoice Item,Quantity and Rate,मात्रा और दर DocType: Delivery Note,% Installed,% स्थापित -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,कक्षाओं / प्रयोगशालाओं आदि जहां व्याख्यान के लिए निर्धारित किया जा सकता है। +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,कक्षाओं / प्रयोगशालाओं आदि जहां व्याख्यान के लिए निर्धारित किया जा सकता है। apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,पहले कंपनी का नाम दर्ज करें DocType: Purchase Invoice,Supplier Name,प्रदायक नाम apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext मैनुअल पढ़ें @@ -486,7 +485,7 @@ DocType: Lead,Channel Partner,चैनल पार्टनर DocType: Account,Old Parent,पुरानी माता - पिता apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,अनिवार्य क्षेत्र - शैक्षणिक वर्ष DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ईमेल के साथ जाने वाले परिचयात्मक विषयवस्तु को अनुकूलित करें। प्रत्येक आदानप्रदान एक अलग परिचयात्मक विषयवस्तु है. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},कृपया कंपनी के लिए डिफ़ॉल्ट भुगतान योग्य खाता सेट करें {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},कृपया कंपनी के लिए डिफ़ॉल्ट भुगतान योग्य खाता सेट करें {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,सभी विनिर्माण प्रक्रियाओं के लिए वैश्विक सेटिंग्स। DocType: Accounts Settings,Accounts Frozen Upto,लेखा तक जमे हुए DocType: SMS Log,Sent On,पर भेजा @@ -525,14 +524,14 @@ DocType: Journal Entry,Accounts Payable,लेखा देय apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,चुने गए BOMs एक ही मद के लिए नहीं हैं DocType: Pricing Rule,Valid Upto,विधिमान्य DocType: Training Event,Workshop,कार्यशाला -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,अपने ग्राहकों के कुछ सूची . वे संगठनों या व्यक्तियों हो सकता है. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,अपने ग्राहकों के कुछ सूची . वे संगठनों या व्यक्तियों हो सकता है. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,बहुत हो गया भागों का निर्माण करने के लिए apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,प्रत्यक्ष आय apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","खाता से वर्गीकृत किया है , तो खाते के आधार पर फ़िल्टर नहीं कर सकते" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,प्रशासनिक अधिकारी apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,कृपया कोर्स चुनें DocType: Timesheet Detail,Hrs,बजे -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,कंपनी का चयन करें +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,कंपनी का चयन करें DocType: Stock Entry Detail,Difference Account,अंतर खाता DocType: Purchase Invoice,Supplier GSTIN,आपूर्तिकर्ता जीएसटीआईएन apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,उसकी निर्भर कार्य {0} बंद नहीं है के रूप में बंद काम नहीं कर सकते हैं। @@ -548,7 +547,7 @@ DocType: Sales Invoice,Offline POS Name,ऑफलाइन पीओएस न apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,थ्रेशोल्ड 0% के लिए ग्रेड को परिभाषित करें DocType: Sales Order,To Deliver,पहुँचाना DocType: Purchase Invoice Item,Item,मद -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,सीरियल नहीं आइटम एक अंश नहीं किया जा सकता +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,सीरियल नहीं आइटम एक अंश नहीं किया जा सकता DocType: Journal Entry,Difference (Dr - Cr),अंतर ( डॉ. - सीआर ) DocType: Account,Profit and Loss,लाभ और हानि apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,प्रबंध उप @@ -574,7 +573,7 @@ DocType: Serial No,Warranty Period (Days),वारंटी अवधि (द DocType: Installation Note Item,Installation Note Item,अधिष्ठापन नोट आइटम DocType: Production Plan Item,Pending Qty,विचाराधीन मात्रा DocType: Budget,Ignore,उपेक्षा -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} सक्रिय नहीं है +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} सक्रिय नहीं है apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},एसएमएस निम्नलिखित संख्या के लिए भेजा: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,सेटअप जांच मुद्रण के लिए आयाम DocType: Salary Slip,Salary Slip Timesheet,वेतन पर्ची Timesheet @@ -678,8 +677,8 @@ DocType: Installation Note,IN-,आय DocType: Production Order Operation,In minutes,मिनटों में DocType: Issue,Resolution Date,संकल्प तिथि DocType: Student Batch Name,Batch Name,बैच का नाम -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet बनाया: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},भुगतान की विधि में डिफ़ॉल्ट नकद या बैंक खाता सेट करें {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet बनाया: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},भुगतान की विधि में डिफ़ॉल्ट नकद या बैंक खाता सेट करें {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,भर्ती DocType: GST Settings,GST Settings,जीएसटी सेटिंग्स DocType: Selling Settings,Customer Naming By,द्वारा नामकरण ग्राहक @@ -699,7 +698,7 @@ DocType: Activity Cost,Projects User,परियोजनाओं उपयो apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,प्रयुक्त apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0} {1} चालान विवरण तालिका में नहीं मिला DocType: Company,Round Off Cost Center,लागत केंद्र बंद दौर -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,रखरखाव भेंट {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,रखरखाव भेंट {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए DocType: Item,Material Transfer,सामग्री स्थानांतरण apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),उद्घाटन ( डॉ. ) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},पोस्टिंग टाइमस्टैम्प के बाद होना चाहिए {0} @@ -708,7 +707,7 @@ DocType: Employee Loan,Total Interest Payable,देय कुल ब्या DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,उतरा लागत करों और शुल्कों DocType: Production Order Operation,Actual Start Time,वास्तविक प्रारंभ समय DocType: BOM Operation,Operation Time,संचालन समय -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,समाप्त +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,समाप्त apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,आधार DocType: Timesheet,Total Billed Hours,कुल बिल घंटे DocType: Journal Entry,Write Off Amount,बंद राशि लिखें @@ -733,7 +732,7 @@ DocType: Vehicle,Odometer Value (Last),ओडोमीटर मूल्य ( apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,विपणन apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,भुगतान प्रवेश पहले से ही बनाई गई है DocType: Purchase Receipt Item Supplied,Current Stock,मौजूदा स्टॉक -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},पंक्ति # {0}: संपत्ति {1} वस्तु {2} से जुड़ा हुआ नहीं है +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},पंक्ति # {0}: संपत्ति {1} वस्तु {2} से जुड़ा हुआ नहीं है apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,पूर्वावलोकन वेतन पर्ची apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,खाता {0} कई बार दर्ज किया गया है DocType: Account,Expenses Included In Valuation,व्यय मूल्यांकन में शामिल @@ -757,7 +756,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,एयर DocType: Journal Entry,Credit Card Entry,क्रेडिट कार्ड एंट्री apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,कंपनी एवं लेखा apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,माल आपूर्तिकर्ता से प्राप्त किया. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,मूल्य में +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,मूल्य में DocType: Lead,Campaign Name,अभियान का नाम DocType: Selling Settings,Close Opportunity After Days,बंद के मौके दिनों के बाद ,Reserved,आरक्षित @@ -782,17 +781,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,ऊर्जा DocType: Opportunity,Opportunity From,अवसर से apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,मासिक वेतन बयान. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,पंक्ति {0}: {1} आइटम {2} के लिए आवश्यक सीरियल नंबर आपने {3} प्रदान किया है DocType: BOM,Website Specifications,वेबसाइट निर्दिष्टीकरण apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: {0} प्रकार की {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,पंक्ति {0}: रूपांतरण कारक अनिवार्य है DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है, प्राथमिकता बताए द्वारा संघर्ष का समाधान करें। मूल्य नियम: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM निष्क्रिय या रद्द नहीं कर सकते क्योंकि यह अन्य BOMs के साथ जुड़ा हुवा है +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM निष्क्रिय या रद्द नहीं कर सकते क्योंकि यह अन्य BOMs के साथ जुड़ा हुवा है DocType: Opportunity,Maintenance,रखरखाव DocType: Item Attribute Value,Item Attribute Value,आइटम विशेषता मान apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,बिक्री अभियान . -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Timesheet बनाओ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Timesheet बनाओ DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -845,7 +845,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ईमेल खाते को स्थापित apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,पहले आइटम दर्ज करें DocType: Account,Liability,दायित्व -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,स्वीकृत राशि पंक्ति में दावा राशि से अधिक नहीं हो सकता है {0}। +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,स्वीकृत राशि पंक्ति में दावा राशि से अधिक नहीं हो सकता है {0}। DocType: Company,Default Cost of Goods Sold Account,माल बेच खाते की डिफ़ॉल्ट लागत apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,मूल्य सूची चयनित नहीं DocType: Employee,Family Background,पारिवारिक पृष्ठभूमि @@ -856,10 +856,10 @@ DocType: Company,Default Bank Account,डिफ़ॉल्ट बैंक ख apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","पार्टी के आधार पर फिल्टर करने के लिए, का चयन पार्टी पहले प्रकार" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},आइटम के माध्यम से वितरित नहीं कर रहे हैं क्योंकि 'अपडेट स्टॉक' की जाँच नहीं की जा सकती {0} DocType: Vehicle,Acquisition Date,अधिग्रहण तिथि -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,ओपन स्कूल +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,ओपन स्कूल DocType: Item,Items with higher weightage will be shown higher,उच्च वेटेज के साथ आइटम उच्च दिखाया जाएगा DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,बैंक सुलह विस्तार -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,पंक्ति # {0}: संपत्ति {1} प्रस्तुत किया जाना चाहिए +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,पंक्ति # {0}: संपत्ति {1} प्रस्तुत किया जाना चाहिए apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,नहीं मिला कर्मचारी DocType: Supplier Quotation,Stopped,रोक DocType: Item,If subcontracted to a vendor,एक विक्रेता के लिए subcontracted हैं @@ -875,7 +875,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,न्यूनतम च apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: लागत केंद्र {2} कंपनी से संबंधित नहीं है {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: खाता {2} एक समूह नहीं हो सकता है apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,आइटम पंक्ति {IDX}: {doctype} {} DOCNAME ऊपर में मौजूद नहीं है '{} doctype' तालिका -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} पहले ही पूरा या रद्द कर दिया है +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} पहले ही पूरा या रद्द कर दिया है apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,कोई कार्य DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ऑटो चालान 05, 28 आदि जैसे उत्पन्न हो जाएगा, जिस पर इस महीने के दिन" DocType: Asset,Opening Accumulated Depreciation,खुलने संचित मूल्यह्रास @@ -934,7 +934,7 @@ DocType: SMS Log,Requested Numbers,अनुरोधित नंबर DocType: Production Planning Tool,Only Obtain Raw Materials,केवल प्राप्त कच्चे माल apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,प्रदर्शन मूल्यांकन. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","सक्षम करने से, 'शॉपिंग कार्ट के लिए उपयोग करें' खरीदारी की टोकरी के रूप में सक्षम है और शॉपिंग कार्ट के लिए कम से कम एक कर नियम होना चाहिए" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","भुगतान एंट्री {0} {1} आदेश, जाँच करता है, तो यह इस चालान में अग्रिम के रूप में निकाला जाना चाहिए खिलाफ जुड़ा हुआ है।" +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","भुगतान एंट्री {0} {1} आदेश, जाँच करता है, तो यह इस चालान में अग्रिम के रूप में निकाला जाना चाहिए खिलाफ जुड़ा हुआ है।" DocType: Sales Invoice Item,Stock Details,स्टॉक विवरण apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,परियोजना मूल्य apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,बिक्री केन्द्र @@ -957,15 +957,15 @@ DocType: Naming Series,Update Series,अद्यतन श्रृंखला DocType: Supplier Quotation,Is Subcontracted,क्या subcontracted DocType: Item Attribute,Item Attribute Values,आइटम विशेषता मान DocType: Examination Result,Examination Result,परीक्षा परिणाम -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,रसीद खरीद +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,रसीद खरीद ,Received Items To Be Billed,बिल करने के लिए प्राप्त आइटम -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,प्रस्तुत वेतन निकल जाता है +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,प्रस्तुत वेतन निकल जाता है apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,मुद्रा विनिमय दर मास्टर . apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},संदर्भ Doctype से एक होना चाहिए {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ऑपरेशन के लिए अगले {0} दिनों में टाइम स्लॉट पाने में असमर्थ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ऑपरेशन के लिए अगले {0} दिनों में टाइम स्लॉट पाने में असमर्थ {1} DocType: Production Order,Plan material for sub-assemblies,उप असेंबलियों के लिए योजना सामग्री apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,बिक्री भागीदारों और टेरिटरी -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,बीओएम {0} सक्रिय होना चाहिए +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,बीओएम {0} सक्रिय होना चाहिए DocType: Journal Entry,Depreciation Entry,मूल्यह्रास एंट्री apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,पहला दस्तावेज़ प्रकार का चयन करें apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,इस रखरखाव भेंट रद्द करने से पहले सामग्री का दौरा {0} रद्द @@ -975,7 +975,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,कुल राशि apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,इंटरनेट प्रकाशन DocType: Production Planning Tool,Production Orders,उत्पादन के आदेश -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,शेष मूल्य +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,शेष मूल्य apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,बिक्री मूल्य सूची apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,आइटम सिंक करने के लिए प्रकाशित करें DocType: Bank Reconciliation,Account Currency,खाता मुद्रा @@ -1000,12 +1000,12 @@ DocType: Employee,Exit Interview Details,साक्षात्कार व DocType: Item,Is Purchase Item,खरीद आइटम है DocType: Asset,Purchase Invoice,चालान खरीद DocType: Stock Ledger Entry,Voucher Detail No,वाउचर विस्तार नहीं -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,नई बिक्री चालान +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,नई बिक्री चालान DocType: Stock Entry,Total Outgoing Value,कुल निवर्तमान मूल्य apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,दिनांक और अंतिम तिथि खुलने एक ही वित्तीय वर्ष के भीतर होना चाहिए DocType: Lead,Request for Information,सूचना के लिए अनुरोध ,LeaderBoard,लीडरबोर्ड -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,सिंक ऑफलाइन चालान +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,सिंक ऑफलाइन चालान DocType: Payment Request,Paid,भुगतान किया DocType: Program Fee,Program Fee,कार्यक्रम का शुल्क DocType: Salary Slip,Total in words,शब्दों में कुल @@ -1013,7 +1013,7 @@ DocType: Material Request Item,Lead Time Date,लीड दिनांक औ DocType: Guardian,Guardian Name,अभिभावक का नाम DocType: Cheque Print Template,Has Print Format,प्रिंट स्वरूप है DocType: Employee Loan,Sanctioned,स्वीकृत -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,अनिवार्य है। हो सकता है कि मुद्रा विनिमय रिकार्ड नहीं बनाई गई है +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,अनिवार्य है। हो सकता है कि मुद्रा विनिमय रिकार्ड नहीं बनाई गई है apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: आइटम के लिए धारावाहिक नहीं निर्दिष्ट करें {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'उत्पाद बंडल' आइटम, गोदाम, सीरियल कोई और बैच के लिए नहीं 'पैकिंग सूची' मेज से विचार किया जाएगा। गोदाम और बैच कोई 'किसी भी उत्पाद बंडल' आइटम के लिए सभी मदों की पैकिंग के लिए ही कर रहे हैं, तो उन मूल्यों को मुख्य मद तालिका में दर्ज किया जा सकता है, मूल्यों की मेज 'पैकिंग सूची' में कॉपी किया जाएगा।" DocType: Job Opening,Publish on website,वेबसाइट पर प्रकाशित करें @@ -1026,7 +1026,7 @@ DocType: Cheque Print Template,Date Settings,दिनांक सेटिं apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,झगड़ा ,Company Name,कंपनी का नाम DocType: SMS Center,Total Message(s),कुल संदेश (ओं ) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,स्थानांतरण के लिए आइटम का चयन करें +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,स्थानांतरण के लिए आइटम का चयन करें DocType: Purchase Invoice,Additional Discount Percentage,अतिरिक्त छूट प्रतिशत apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,सभी की मदद वीडियो की एक सूची देखें DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,बैंक के खाते में जहां चेक जमा किया गया था सिर का चयन करें. @@ -1040,7 +1040,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),कच्चे माल की लागत (कंपनी मुद्रा) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,सभी आइटम को पहले से ही इस उत्पादन के आदेश के लिए स्थानांतरित कर दिया गया है। apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},पंक्ति # {0}: दर {1} {2} में प्रयुक्त दर से अधिक नहीं हो सकती -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,मीटर +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,मीटर DocType: Workstation,Electricity Cost,बिजली की लागत DocType: HR Settings,Don't send Employee Birthday Reminders,कर्मचारी जन्मदिन अनुस्मारक न भेजें DocType: Item,Inspection Criteria,निरीक्षण मानदंड @@ -1054,7 +1054,7 @@ DocType: SMS Center,All Lead (Open),सभी लीड (ओपन) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),पंक्ति {0}: मात्रा के लिए उपलब्ध नहीं {4} गोदाम में {1} प्रवेश के समय पोस्टिंग पर ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,भुगतान किए गए अग्रिम जाओ DocType: Item,Automatically Create New Batch,स्वचालित रूप से नया बैच बनाएं -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,मेक +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,मेक DocType: Student Admission,Admission Start Date,प्रवेश प्रारंभ तिथि DocType: Journal Entry,Total Amount in Words,शब्दों में कुल राशि apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,कोई त्रुटि हुई थी . एक संभावित कारण यह है कि आप प्रपत्र को बचाया नहीं किया है कि हो सकता है. यदि समस्या बनी रहती support@erpnext.com से संपर्क करें. @@ -1062,7 +1062,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,मेरी गाड apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},आदेश प्रकार का होना चाहिए {0} DocType: Lead,Next Contact Date,अगले संपर्क तिथि apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,खुलने मात्रा -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,राशि परिवर्तन के लिए खाता दर्ज करें +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,राशि परिवर्तन के लिए खाता दर्ज करें DocType: Student Batch Name,Student Batch Name,छात्र बैच नाम DocType: Holiday List,Holiday List Name,अवकाश सूची नाम DocType: Repayment Schedule,Balance Loan Amount,शेष ऋण की राशि @@ -1070,7 +1070,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,पूँजी विकल्प DocType: Journal Entry Account,Expense Claim,व्यय दावा apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,आप वास्तव में इस संपत्ति को खत्म कर दिया बहाल करने के लिए करना चाहते हैं? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},के लिए मात्रा {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},के लिए मात्रा {0} DocType: Leave Application,Leave Application,छुट्टी की अर्ज़ी apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,आबंटन उपकरण छोड़ दो DocType: Leave Block List,Leave Block List Dates,ब्लॉक सूची तिथियां छोड़ो @@ -1120,7 +1120,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,के खिलाफ DocType: Item,Default Selling Cost Center,डिफ़ॉल्ट बिक्री लागत केंद्र DocType: Sales Partner,Implementation Partner,कार्यान्वयन साथी -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,पिन कोड +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,पिन कोड apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},बिक्री आदेश {0} है {1} DocType: Opportunity,Contact Info,संपर्क जानकारी apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,स्टॉक प्रविष्टियां बनाना @@ -1138,13 +1138,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,औसत आयु DocType: School Settings,Attendance Freeze Date,उपस्थिति फ्रीज तिथि DocType: Opportunity,Your sales person who will contact the customer in future,अपनी बिक्री व्यक्ति जो भविष्य में ग्राहकों से संपर्क करेंगे -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,अपने आपूर्तिकर्ताओं में से कुछ की सूची . वे संगठनों या व्यक्तियों हो सकता है. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,अपने आपूर्तिकर्ताओं में से कुछ की सूची . वे संगठनों या व्यक्तियों हो सकता है. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,सभी उत्पादों को देखने apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),न्यूनतम लीड आयु (दिन) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,सभी BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,सभी BOMs DocType: Company,Default Currency,डिफ़ॉल्ट मुद्रा DocType: Expense Claim,From Employee,कर्मचारी से -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,चेतावनी: सिस्टम {0} {1} शून्य है में आइटम के लिए राशि के बाद से overbilling जांच नहीं करेगा +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,चेतावनी: सिस्टम {0} {1} शून्य है में आइटम के लिए राशि के बाद से overbilling जांच नहीं करेगा DocType: Journal Entry,Make Difference Entry,अंतर एंट्री DocType: Upload Attendance,Attendance From Date,दिनांक से उपस्थिति DocType: Appraisal Template Goal,Key Performance Area,परफ़ॉर्मेंस क्षेत्र @@ -1161,7 +1161,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,कंपनी अपने संदर्भ के लिए पंजीकरण संख्या. टैक्स आदि संख्या DocType: Sales Partner,Distributor,वितरक DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,शॉपिंग कार्ट नौवहन नियम -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,उत्पादन का आदेश {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,उत्पादन का आदेश {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',सेट 'पर अतिरिक्त छूट लागू करें' कृपया ,Ordered Items To Be Billed,हिसाब से बिलिंग किए आइटम apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,सीमा कम हो गया है से की तुलना में श्रृंखला के लिए @@ -1170,10 +1170,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,कटौती DocType: Leave Allocation,LAL/,लाल / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,साल की शुरुआत -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},जीएसटीआईएन के पहले 2 अंक राज्य संख्या {0} के साथ मिलना चाहिए +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},जीएसटीआईएन के पहले 2 अंक राज्य संख्या {0} के साथ मिलना चाहिए DocType: Purchase Invoice,Start date of current invoice's period,वर्तमान चालान की अवधि के आरंभ तिथि DocType: Salary Slip,Leave Without Pay,बिना वेतन छुट्टी -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,क्षमता योजना में त्रुटि +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,क्षमता योजना में त्रुटि ,Trial Balance for Party,पार्टी के लिए परीक्षण शेष DocType: Lead,Consultant,सलाहकार DocType: Salary Slip,Earnings,कमाई @@ -1189,7 +1189,7 @@ DocType: Cheque Print Template,Payer Settings,भुगतानकर्ता DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","इस प्रकार के आइटम कोड के साथ संलग्न किया जाएगा। अपने संक्षिप्त नाम ""एसएम"", और अगर उदाहरण के लिए, मद कोड ""टी शर्ट"", ""टी-शर्ट एस.एम."" हो जाएगा संस्करण के मद कोड है" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,एक बार जब आप को वेतन पर्ची सहेजे शुद्ध वेतन (शब्दों) में दिखाई जाएगी। DocType: Purchase Invoice,Is Return,वापसी है -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,वापसी / डेबिट नोट +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,वापसी / डेबिट नोट DocType: Price List Country,Price List Country,मूल्य सूची देश DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},आइटम के लिए {0} वैध धारावाहिक नग {1} @@ -1202,7 +1202,7 @@ DocType: Employee Loan,Partially Disbursed,आंशिक रूप से व apps/erpnext/erpnext/config/buying.py +38,Supplier database.,प्रदायक डेटाबेस. DocType: Account,Balance Sheet,बैलेंस शीट apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ','आइटम कोड के साथ आइटम के लिए केंद्र का खर्च -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","भुगतान मोड कॉन्फ़िगर नहीं है। कृपया चेक, चाहे खाता भुगतान के मोड पर या पीओएस प्रोफाइल पर स्थापित किया गया है।" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","भुगतान मोड कॉन्फ़िगर नहीं है। कृपया चेक, चाहे खाता भुगतान के मोड पर या पीओएस प्रोफाइल पर स्थापित किया गया है।" DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,अपनी बिक्री व्यक्ति इस तिथि पर एक चेतावनी प्राप्त करने के लिए ग्राहकों से संपर्क करेंगे apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,एक ही मद कई बार दर्ज नहीं किया जा सकता है। apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","इसके अलावा खातों समूह के तहत बनाया जा सकता है, लेकिन प्रविष्टियों गैर समूहों के खिलाफ बनाया जा सकता है" @@ -1230,7 +1230,7 @@ DocType: Employee Loan Application,Repayment Info,चुकौती जान apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,' प्रविष्टियां ' खाली नहीं हो सकती apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},डुप्लिकेट पंक्ति {0} के साथ एक ही {1} ,Trial Balance,शेष - परीक्षण -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,वित्त वर्ष {0} नहीं मिला +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,वित्त वर्ष {0} नहीं मिला apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,कर्मचारी की स्थापना DocType: Sales Order,SO-,इसलिए- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,पहले उपसर्ग का चयन करें @@ -1245,11 +1245,11 @@ DocType: Grading Scale,Intervals,अंतराल apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,शीघ्रातिशीघ्र apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","एक आइटम समूह में एक ही नाम के साथ मौजूद है , वस्तु का नाम बदलने के लिए या आइटम समूह का नाम बदलने के लिए कृपया" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,छात्र मोबाइल नंबर -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,शेष विश्व +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,शेष विश्व apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,आइटम {0} बैच नहीं हो सकता ,Budget Variance Report,बजट विचरण रिपोर्ट DocType: Salary Slip,Gross Pay,सकल वेतन -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,पंक्ति {0}: गतिविधि प्रकार अनिवार्य है। +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,पंक्ति {0}: गतिविधि प्रकार अनिवार्य है। apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,सूद अदा किया apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,लेखा बही DocType: Stock Reconciliation,Difference Amount,अंतर राशि @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,कर्मचारी लीव बैलेंस apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},{0} हमेशा होना चाहिए खाता के लिए शेष {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},मूल्यांकन दर पंक्ति में आइटम के लिए आवश्यक {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,उदाहरण: कंप्यूटर विज्ञान में परास्नातक +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,उदाहरण: कंप्यूटर विज्ञान में परास्नातक DocType: Purchase Invoice,Rejected Warehouse,अस्वीकृत वेअरहाउस DocType: GL Entry,Against Voucher,वाउचर के खिलाफ DocType: Item,Default Buying Cost Center,डिफ़ॉल्ट ख़रीदना लागत केंद्र apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext के बाहर का सबसे अच्छा पाने के लिए, हम आपको कुछ समय लगेगा और इन की मदद से वीडियो देखने के लिए सलाह देते हैं।" -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,को +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,को DocType: Supplier Quotation Item,Lead Time in days,दिनों में लीड समय apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,लेखा देय सारांश -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},{0} से वेतन के भुगतान {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},{0} से वेतन के भुगतान {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},जमे खाता संपादित करने के लिए अधिकृत नहीं {0} DocType: Journal Entry,Get Outstanding Invoices,बकाया चालान -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,बिक्री आदेश {0} मान्य नहीं है +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,बिक्री आदेश {0} मान्य नहीं है apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,खरीद आदेश आप की योजना में मदद मिलेगी और अपनी खरीद पर का पालन करें apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","क्षमा करें, कंपनियों का विलय कर दिया नहीं किया जा सकता" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,अप्रत्यक्ष व्यय apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,पंक्ति {0}: मात्रा अनिवार्य है apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,कृषि -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,सिंक मास्टर डाटा -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,अपने उत्पादों या सेवाओं +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,सिंक मास्टर डाटा +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,अपने उत्पादों या सेवाओं DocType: Mode of Payment,Mode of Payment,भुगतान की रीति apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,वेबसाइट छवि एक सार्वजनिक फ़ाइल या वेबसाइट URL होना चाहिए DocType: Student Applicant,AP,एपी @@ -1324,18 +1324,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,आइटम कर की दर DocType: Student Group Student,Group Roll Number,समूह रोल संख्या apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, केवल ऋण खातों अन्य डेबिट प्रविष्टि के खिलाफ जोड़ा जा सकता है के लिए" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,सभी कार्य भार की कुल होना चाहिए 1. तदनुसार सभी परियोजना कार्यों के भार को समायोजित करें -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,डिलिवरी नोट {0} प्रस्तुत नहीं किया गया है +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,डिलिवरी नोट {0} प्रस्तुत नहीं किया गया है apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,आइटम {0} एक उप अनुबंधित आइटम होना चाहिए apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,राजधानी उपकरणों apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","मूल्य निर्धारण नियम पहला आइटम, आइटम समूह या ब्रांड हो सकता है, जो क्षेत्र 'पर लागू होते हैं' के आधार पर चुना जाता है." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,कृपया आइटम कोड पहले सेट करें +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,कृपया आइटम कोड पहले सेट करें DocType: Hub Settings,Seller Website,विक्रेता वेबसाइट DocType: Item,ITEM-,"आइटम," apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,बिक्री टीम के लिए कुल आवंटित 100 प्रतिशत होना चाहिए DocType: Appraisal Goal,Goal,लक्ष्य DocType: Sales Invoice Item,Edit Description,संपादित करें] वर्णन ,Team Updates,टीम अपडेट -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,सप्लायर के लिए +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,सप्लायर के लिए DocType: Account,Setting Account Type helps in selecting this Account in transactions.,की स्थापना खाता प्रकार के लेनदेन में इस खाते का चयन करने में मदद करता है. DocType: Purchase Invoice,Grand Total (Company Currency),महायोग (कंपनी मुद्रा) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,प्रिंट प्रारूप बनाएं @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,वेबसाइट आइटम समू DocType: Purchase Invoice,Total (Company Currency),कुल (कंपनी मुद्रा) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,सीरियल नंबर {0} एक बार से अधिक दर्ज किया DocType: Depreciation Schedule,Journal Entry,जर्नल प्रविष्टि -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} प्रगति में आइटम +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} प्रगति में आइटम DocType: Workstation,Workstation Name,वर्कस्टेशन नाम DocType: Grading Scale Interval,Grade Code,ग्रेड कोड DocType: POS Item Group,POS Item Group,पीओएस मद समूह apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,डाइजेस्ट ईमेल: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},बीओएम {0} मद से संबंधित नहीं है {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},बीओएम {0} मद से संबंधित नहीं है {1} DocType: Sales Partner,Target Distribution,लक्ष्य वितरण DocType: Salary Slip,Bank Account No.,बैंक खाता नहीं DocType: Naming Series,This is the number of the last created transaction with this prefix,यह इस उपसर्ग के साथ पिछले बनाई गई लेन - देन की संख्या @@ -1411,7 +1411,7 @@ DocType: Quotation,Shopping Cart,खरीदारी की टोकरी apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,औसत दैनिक निवर्तमान DocType: POS Profile,Campaign,अभियान DocType: Supplier,Name and Type,नाम और प्रकार -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',स्वीकृति स्थिति 'स्वीकृत' या ' अस्वीकृत ' होना चाहिए +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',स्वीकृति स्थिति 'स्वीकृत' या ' अस्वीकृत ' होना चाहिए DocType: Purchase Invoice,Contact Person,संपर्क व्यक्ति apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',' उम्मीद प्रारंभ दिनांक ' 'की आशा की समाप्ति तिथि' से बड़ा नहीं हो सकता DocType: Course Scheduling Tool,Course End Date,कोर्स समाप्ति तिथि @@ -1423,8 +1423,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,पसंद ईमेल apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,निश्चित परिसंपत्ति में शुद्ध परिवर्तन DocType: Leave Control Panel,Leave blank if considered for all designations,रिक्त छोड़ अगर सभी पदनाम के लिए विचार -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार पंक्ति {0} में 'वास्तविक ' का प्रभार आइटम रेट में शामिल नहीं किया जा सकता -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},मैक्स: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार पंक्ति {0} में 'वास्तविक ' का प्रभार आइटम रेट में शामिल नहीं किया जा सकता +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},मैक्स: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime से DocType: Email Digest,For Company,कंपनी के लिए apps/erpnext/erpnext/config/support.py +17,Communication log.,संचार लॉग इन करें. @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","आवश् DocType: Journal Entry Account,Account Balance,खाते की शेष राशि apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,लेन-देन के लिए टैक्स नियम। DocType: Rename Tool,Type of document to rename.,नाम बदलने के लिए दस्तावेज का प्रकार. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,हम इस मद से खरीदें +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,हम इस मद से खरीदें apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ग्राहक प्राप्य खाते के खिलाफ आवश्यक है {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),कुल करों और शुल्कों (कंपनी मुद्रा) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,खुला हुआ वित्त वर्ष के पी एंड एल शेष राशि दिखाएँ @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,रीडिंग DocType: Stock Entry,Total Additional Costs,कुल अतिरिक्त लागत DocType: Course Schedule,SH,एसएच DocType: BOM,Scrap Material Cost(Company Currency),स्क्रैप सामग्री लागत (कंपनी मुद्रा) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,उप असेंबलियों +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,उप असेंबलियों DocType: Asset,Asset Name,एसेट का नाम DocType: Project,Task Weight,टास्क भार DocType: Shipping Rule Condition,To Value,मूल्य के लिए @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,आइटम वेर DocType: Company,Services,सेवाएं DocType: HR Settings,Email Salary Slip to Employee,कर्मचारी को ईमेल वेतन पर्ची DocType: Cost Center,Parent Cost Center,माता - पिता लागत केंद्र -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,संभावित आपूर्तिकर्ता का चयन +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,संभावित आपूर्तिकर्ता का चयन DocType: Sales Invoice,Source,स्रोत apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,दिखाएँ बंद DocType: Leave Type,Is Leave Without Pay,बिना वेतन छुट्टी है @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,छूट लागू DocType: GST HSN Code,GST HSN Code,जीएसटी एचएसएन कोड DocType: Employee External Work History,Total Experience,कुल अनुभव apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ओपन परियोजनाएं -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,पैकिंग पर्ची (ओं ) को रद्द कर दिया +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,पैकिंग पर्ची (ओं ) को रद्द कर दिया apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,निवेश से कैश फ्लो DocType: Program Course,Program Course,कार्यक्रम पाठ्यक्रम apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,फ्रेट और अग्रेषण शुल्क @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,कार्यक्रम नामांकन DocType: Sales Invoice Item,Brand Name,ब्रांड नाम DocType: Purchase Receipt,Transporter Details,ट्रांसपोर्टर विवरण -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,डिफ़ॉल्ट गोदाम चयनित आइटम के लिए आवश्यक है -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,डिब्बा -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,संभव प्रदायक +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,डिफ़ॉल्ट गोदाम चयनित आइटम के लिए आवश्यक है +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,डिब्बा +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,संभव प्रदायक DocType: Budget,Monthly Distribution,मासिक वितरण apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,पानेवाला सूची खाली है . पानेवाला सूची बनाएं DocType: Production Plan Sales Order,Production Plan Sales Order,उत्पादन योजना बिक्री आदेश @@ -1593,7 +1593,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,कंपन apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","छात्र प्रणाली के दिल में हैं, अपने सभी छात्रों को जोड़ने" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},पंक्ति # {0}: क्लीयरेंस तारीख {1} से पहले चैक दिनांक नहीं किया जा सकता {2} DocType: Company,Default Holiday List,छुट्टियों की सूची चूक -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},पंक्ति {0}: से समय और के समय {1} के साथ अतिव्यापी है {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},पंक्ति {0}: से समय और के समय {1} के साथ अतिव्यापी है {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,शेयर देयताएं DocType: Purchase Invoice,Supplier Warehouse,प्रदायक वेअरहाउस DocType: Opportunity,Contact Mobile No,मोबाइल संपर्क नहीं @@ -1609,18 +1609,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},प्रकार की छुट्टी {0} से बड़ा नहीं हो सकता है {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,अग्रिम में एक्स दिनों के लिए आपरेशन की योजना बना प्रयास करें। DocType: HR Settings,Stop Birthday Reminders,बंद करो जन्मदिन अनुस्मारक -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},कंपनी में डिफ़ॉल्ट पेरोल देय खाता सेट करें {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},कंपनी में डिफ़ॉल्ट पेरोल देय खाता सेट करें {0} DocType: SMS Center,Receiver List,रिसीवर सूची -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,खोजें मद +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,खोजें मद apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,खपत राशि apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,नकद में शुद्ध परिवर्तन DocType: Assessment Plan,Grading Scale,ग्रेडिंग पैमाने apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,मापने की इकाई {0} अधिक रूपांतरण कारक तालिका में एक बार से अधिक दर्ज किया गया है -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,पहले से पूरा है +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,पहले से पूरा है apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,हाथ में स्टॉक apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},भुगतान का अनुरोध पहले से मौजूद है {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,जारी मदों की लागत -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},मात्रा से अधिक नहीं होना चाहिए {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},मात्रा से अधिक नहीं होना चाहिए {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,पिछले वित्त वर्ष बंद नहीं है apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),आयु (दिन) DocType: Quotation Item,Quotation Item,कोटेशन आइटम @@ -1634,6 +1634,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,संदर्भ दस्तावेज़ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} रद्द या बंद कर दिया है DocType: Accounts Settings,Credit Controller,क्रेडिट नियंत्रक +DocType: Sales Order,Final Delivery Date,अंतिम वितरण तिथि DocType: Delivery Note,Vehicle Dispatch Date,वाहन डिस्पैच तिथि DocType: Purchase Invoice Item,HSN/SAC,HSN / सैक apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,खरीद रसीद {0} प्रस्तुत नहीं किया गया है @@ -1722,9 +1723,9 @@ DocType: Employee,Date Of Retirement,सेवानिवृत्ति की DocType: Upload Attendance,Get Template,टेम्पलेट जाओ DocType: Material Request,Transferred,का तबादला DocType: Vehicle,Doors,दरवाजे के -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext सेटअप पूरा हुआ! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext सेटअप पूरा हुआ! DocType: Course Assessment Criteria,Weightage,महत्व -DocType: Sales Invoice,Tax Breakup,कर टूटना +DocType: Purchase Invoice,Tax Breakup,कर टूटना DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: लागत केंद्र 'लाभ और हानि के खाते के लिए आवश्यक है {2}। कृपया कंपनी के लिए एक डिफ़ॉल्ट लागत केंद्र की स्थापना की। apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"ग्राहक समूह समान नाम के साथ पहले से मौजूद है, कृपया ग्राहक का नाम बदले या ग्राहक समूह का नाम बदले" @@ -1737,14 +1738,14 @@ DocType: Announcement,Instructor,प्रशिक्षक DocType: Employee,AB+,एबी + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","इस मद वेरिएंट है, तो यह बिक्री के आदेश आदि में चयन नहीं किया जा सकता है" DocType: Lead,Next Contact By,द्वारा अगले संपर्क -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},आइटम के लिए आवश्यक मात्रा {0} पंक्ति में {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},आइटम के लिए आवश्यक मात्रा {0} पंक्ति में {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},मात्रा मद के लिए मौजूद वेयरहाउस {0} मिटाया नहीं जा सकता {1} DocType: Quotation,Order Type,आदेश प्रकार DocType: Purchase Invoice,Notification Email Address,सूचना ईमेल पता ,Item-wise Sales Register,आइटम के लिहाज से बिक्री रजिस्टर DocType: Asset,Gross Purchase Amount,सकल खरीद राशि DocType: Asset,Depreciation Method,मूल्यह्रास विधि -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ऑफलाइन +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ऑफलाइन DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,इस टैक्स मूल दर में शामिल है? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,कुल लक्ष्य DocType: Job Applicant,Applicant for a Job,एक नौकरी के लिए आवेदक @@ -1765,7 +1766,7 @@ DocType: Employee,Leave Encashed?,भुनाया छोड़ दो? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,क्षेत्र से मौके अनिवार्य है DocType: Email Digest,Annual Expenses,सालाना खर्च DocType: Item,Variants,वेरिएंट -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,बनाओ खरीद आदेश +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,बनाओ खरीद आदेश DocType: SMS Center,Send To,इन्हें भेजें apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},छोड़ दो प्रकार के लिए पर्याप्त छुट्टी संतुलन नहीं है {0} DocType: Payment Reconciliation Payment,Allocated amount,आवंटित राशि @@ -1773,7 +1774,7 @@ DocType: Sales Team,Contribution to Net Total,नेट कुल के लि DocType: Sales Invoice Item,Customer's Item Code,ग्राहक आइटम कोड DocType: Stock Reconciliation,Stock Reconciliation,स्टॉक सुलह DocType: Territory,Territory Name,टेरिटरी नाम -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,वर्क प्रगति वेयरहाउस प्रस्तुत करने से पहले आवश्यक है +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,वर्क प्रगति वेयरहाउस प्रस्तुत करने से पहले आवश्यक है apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,एक नौकरी के लिए आवेदक. DocType: Purchase Order Item,Warehouse and Reference,गोदाम और संदर्भ DocType: Supplier,Statutory info and other general information about your Supplier,वैधानिक अपने सप्लायर के बारे में जानकारी और अन्य सामान्य जानकारी @@ -1784,16 +1785,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,मूल्यांकन apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},डुप्लीकेट सीरियल मद के लिए दर्ज किया गया {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,एक नौवहन नियम के लिए एक शर्त apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,कृपया दर्ज करें -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","पंक्ति में आइटम {0} के लिए overbill नहीं कर सकते {1} की तुलना में अधिक {2}। ओवर-बिलिंग की अनुमति के लिए, सेटिंग ख़रीदना में सेट करें" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,कृपया मद या गोदाम के आधार पर फ़िल्टर सेट +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","पंक्ति में आइटम {0} के लिए overbill नहीं कर सकते {1} की तुलना में अधिक {2}। ओवर-बिलिंग की अनुमति के लिए, सेटिंग ख़रीदना में सेट करें" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,कृपया मद या गोदाम के आधार पर फ़िल्टर सेट DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),इस पैकेज के शुद्ध वजन. (वस्तुओं का शुद्ध वजन की राशि के रूप में स्वतः गणना) DocType: Sales Order,To Deliver and Bill,उद्धार और बिल के लिए DocType: Student Group,Instructors,अनुदेशकों DocType: GL Entry,Credit Amount in Account Currency,खाते की मुद्रा में ऋण राशि -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,बीओएम {0} प्रस्तुत किया जाना चाहिए +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,बीओएम {0} प्रस्तुत किया जाना चाहिए DocType: Authorization Control,Authorization Control,प्राधिकरण नियंत्रण apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},पंक्ति # {0}: मालगोदाम अस्वीकृत खारिज कर दिया मद के खिलाफ अनिवार्य है {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,भुगतान +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,भुगतान apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","गोदाम {0} किसी भी खाते से जुड़ा नहीं है, कृपया गोदाम रिकॉर्ड में खाते का उल्लेख करें या कंपनी {1} में डिफ़ॉल्ट इन्वेंट्री अकाउंट सेट करें।" apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,अपने आदेश की व्यवस्था करें DocType: Production Order Operation,Actual Time and Cost,वास्तविक समय और लागत @@ -1809,12 +1810,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,बि DocType: Quotation Item,Actual Qty,वास्तविक मात्रा DocType: Sales Invoice Item,References,संदर्भ DocType: Quality Inspection Reading,Reading 10,10 पढ़ना -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",अपने उत्पादों या आप खरीदने या बेचने सेवाओं है कि सूची . +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",अपने उत्पादों या आप खरीदने या बेचने सेवाओं है कि सूची . DocType: Hub Settings,Hub Node,हब नोड apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,आप डुप्लिकेट आइटम दर्ज किया है . सुधारने और पुन: प्रयास करें . apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,सहयोगी +DocType: Company,Sales Target,बिक्री लक्ष्य DocType: Asset Movement,Asset Movement,एसेट आंदोलन -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,नई गाड़ी +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,नई गाड़ी apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,आइटम {0} एक धारावाहिक आइटम नहीं है DocType: SMS Center,Create Receiver List,रिसीवर सूची बनाएँ DocType: Vehicle,Wheels,पहियों @@ -1855,13 +1857,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,परियोज DocType: Supplier,Supplier of Goods or Services.,वस्तुओं या सेवाओं के आपूर्तिकर्ता है। DocType: Budget,Fiscal Year,वित्तीय वर्ष DocType: Vehicle Log,Fuel Price,ईंधन मूल्य +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग सीरिज के माध्यम से उपस्थिति के लिए श्रृंखलाबद्ध संख्या सेट करना DocType: Budget,Budget,बजट apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,निश्चित परिसंपत्ति मद एक गैर शेयर मद में होना चाहिए। apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",यह एक आय या खर्च खाता नहीं है के रूप में बजट के खिलाफ {0} नहीं सौंपा जा सकता apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,हासिल DocType: Student Admission,Application Form Route,आवेदन पत्र रूट apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,टेरिटरी / ग्राहक -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,उदाहरणार्थ +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,उदाहरणार्थ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,छोड़ दो प्रकार {0} आवंटित नहीं किया जा सकता क्योंकि यह बिना वेतन छोड़ रहा है apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},पंक्ति {0}: आवंटित राशि {1} से भी कम हो या बकाया राशि चालान के बराबर होना चाहिए {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,एक बार जब आप विक्रय इनवॉइस सहेजें शब्दों में दिखाई जाएगी। @@ -1870,11 +1873,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,आइटम {0} सीरियल नग चेक आइटम गुरु के लिए सेटअप नहीं है DocType: Maintenance Visit,Maintenance Time,अनुरक्षण काल ,Amount to Deliver,राशि वितरित करने के लिए -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,उत्पाद या सेवा +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,उत्पाद या सेवा apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,टर्म प्रारंभ तिथि से शैक्षणिक वर्ष की वर्ष प्रारंभ तिथि जो करने के लिए शब्द जुड़ा हुआ है पहले नहीं हो सकता है (शैक्षिक वर्ष {})। तारीखों को ठीक करें और फिर कोशिश करें। DocType: Guardian,Guardian Interests,गार्जियन रूचियाँ DocType: Naming Series,Current Value,वर्तमान मान -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,एकाधिक वित्तीय वर्ष की तारीख {0} के लिए मौजूद हैं। वित्त वर्ष में कंपनी सेट करें +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,एकाधिक वित्तीय वर्ष की तारीख {0} के लिए मौजूद हैं। वित्त वर्ष में कंपनी सेट करें apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} बनाया DocType: Delivery Note Item,Against Sales Order,बिक्री के आदेश के खिलाफ ,Serial No Status,धारावाहिक नहीं स्थिति @@ -1888,7 +1891,7 @@ DocType: Pricing Rule,Selling,विक्रय apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},राशि {0} {1} {2} के खिलाफ की कटौती DocType: Employee,Salary Information,वेतन की जानकारी DocType: Sales Person,Name and Employee ID,नाम और कर्मचारी ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,नियत तिथि तिथि पोस्टिंग से पहले नहीं किया जा सकता +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,नियत तिथि तिथि पोस्टिंग से पहले नहीं किया जा सकता DocType: Website Item Group,Website Item Group,वेबसाइट आइटम समूह apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,शुल्कों और करों apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,संदर्भ तिथि दर्ज करें @@ -1943,9 +1946,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},कृपया कर्मचारी {0} के लिए शामिल होने की तिथि निर्धारित करें DocType: Task,Total Billing Amount (via Time Sheet),कुल बिलिंग राशि (समय पत्रक के माध्यम से) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,दोहराने ग्राहक राजस्व -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) भूमिका की कीमत अनुमोदनकर्ता 'होना चाहिए -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,जोड़ा -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,उत्पादन के लिए बीओएम और मात्रा का चयन करें +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) भूमिका की कीमत अनुमोदनकर्ता 'होना चाहिए +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,जोड़ा +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,उत्पादन के लिए बीओएम और मात्रा का चयन करें DocType: Asset,Depreciation Schedule,मूल्यह्रास अनुसूची apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,बिक्री साथी पते और संपर्क DocType: Bank Reconciliation Detail,Against Account,खाते के खिलाफ @@ -1955,7 +1958,7 @@ DocType: Item,Has Batch No,बैच है नहीं apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},वार्षिक बिलिंग: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),माल और सेवा कर (जीएसटी इंडिया) DocType: Delivery Note,Excise Page Number,आबकारी पृष्ठ संख्या -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",कंपनी की तिथि से और तिथि करने के लिए अनिवार्य है +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",कंपनी की तिथि से और तिथि करने के लिए अनिवार्य है DocType: Asset,Purchase Date,खरीद की तारीख DocType: Employee,Personal Details,व्यक्तिगत विवरण apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},कंपनी में 'संपत्ति मूल्यह्रास लागत केंद्र' सेट करें {0} @@ -1964,9 +1967,9 @@ DocType: Task,Actual End Date (via Time Sheet),वास्तविक अं apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},राशि {0} {1} के खिलाफ {2} {3} ,Quotation Trends,कोटेशन रुझान apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},आइटम के लिए आइटम मास्टर में उल्लेख नहीं मद समूह {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,खाते में डेबिट एक प्राप्य खाता होना चाहिए +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,खाते में डेबिट एक प्राप्य खाता होना चाहिए DocType: Shipping Rule Condition,Shipping Amount,नौवहन राशि -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,ग्राहक जोड़ें +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,ग्राहक जोड़ें apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,लंबित राशि DocType: Purchase Invoice Item,Conversion Factor,परिवर्तनकारक तत्व DocType: Purchase Order,Delivered,दिया गया @@ -1988,7 +1991,6 @@ DocType: Production Order,Use Multi-Level BOM,मल्टी लेवल ब DocType: Bank Reconciliation,Include Reconciled Entries,मेल मिलाप प्रविष्टियां शामिल करें DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","अभिभावक पाठ्यक्रम (खाली छोड़ें, यदि यह मूल पाठ्यक्रम का हिस्सा नहीं है)" DocType: Leave Control Panel,Leave blank if considered for all employee types,रिक्त छोड़ दो अगर सभी कर्मचारी प्रकार के लिए विचार -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र DocType: Landed Cost Voucher,Distribute Charges Based On,बांटो आरोपों पर आधारित apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,मानव संसाधन सेटिंग्स @@ -1996,7 +1998,7 @@ DocType: Salary Slip,net pay info,शुद्ध भुगतान की ज apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,खर्च का दावा अनुमोदन के लिए लंबित है . केवल खर्च अनुमोदक स्थिति अपडेट कर सकते हैं . DocType: Email Digest,New Expenses,नए खर्च DocType: Purchase Invoice,Additional Discount Amount,अतिरिक्त छूट राशि -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","पंक्ति # {0}: मात्रा, 1 होना चाहिए के रूप में आइटम एक निश्चित परिसंपत्ति है। कई मात्रा के लिए अलग पंक्ति का उपयोग करें।" +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","पंक्ति # {0}: मात्रा, 1 होना चाहिए के रूप में आइटम एक निश्चित परिसंपत्ति है। कई मात्रा के लिए अलग पंक्ति का उपयोग करें।" DocType: Leave Block List Allow,Leave Block List Allow,छोड़ दो ब्लॉक सूची की अनुमति दें apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr खाली या स्थान नहीं हो सकता apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,गैर-समूह के लिए समूह @@ -2004,7 +2006,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,खेल DocType: Loan Type,Loan Name,ऋण नाम apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,वास्तविक कुल DocType: Student Siblings,Student Siblings,विद्यार्थी भाई बहन -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,इकाई +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,इकाई apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,कंपनी निर्दिष्ट करें ,Customer Acquisition and Loyalty,ग्राहक अधिग्रहण और वफादारी DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,वेअरहाउस जहाँ आप को अस्वीकार कर दिया आइटम के शेयर को बनाए रखने रहे हैं @@ -2022,12 +2024,12 @@ DocType: Workstation,Wages per hour,प्रति घंटे मजदूर apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},बैच में स्टॉक संतुलन {0} बन जाएगा नकारात्मक {1} गोदाम में आइटम {2} के लिए {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,सामग्री अनुरोध के बाद मद के फिर से आदेश स्तर के आधार पर स्वचालित रूप से उठाया गया है DocType: Email Digest,Pending Sales Orders,विक्रय आदेश लंबित -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},खाते {0} अमान्य है। खाता मुद्रा होना चाहिए {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},खाते {0} अमान्य है। खाता मुद्रा होना चाहिए {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM रूपांतरण कारक पंक्ति में आवश्यक है {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार बिक्री आदेश में से एक, बिक्री चालान या जर्नल प्रविष्टि होना चाहिए" DocType: Salary Component,Deduction,कटौती -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,पंक्ति {0}: समय और समय के लिए अनिवार्य है। +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,पंक्ति {0}: समय और समय के लिए अनिवार्य है। DocType: Stock Reconciliation Item,Amount Difference,राशि अंतर apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},मद कीमत के लिए जोड़ा {0} मूल्य सूची में {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,इस व्यक्ति की बिक्री के कर्मचारी आईडी दर्ज करें @@ -2037,11 +2039,11 @@ DocType: Project,Gross Margin,सकल मुनाफा apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,पहली उत्पादन मद दर्ज करें apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,परिकलित बैंक बैलेंस apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,विकलांग उपयोगकर्ता -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,उद्धरण +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,उद्धरण DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,कुल कटौती ,Production Analytics,उत्पादन एनालिटिक्स -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,मूल्य अपडेट +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,मूल्य अपडेट DocType: Employee,Date of Birth,जन्म तिथि apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,आइटम {0} पहले से ही लौटा दिया गया है DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** वित्त वर्ष ** एक वित्तीय वर्ष का प्रतिनिधित्व करता है। सभी लेखा प्रविष्टियों और अन्य प्रमुख लेनदेन ** ** वित्त वर्ष के खिलाफ ट्रैक किए गए हैं। @@ -2086,18 +2088,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,कंपनी का चयन करें ... DocType: Leave Control Panel,Leave blank if considered for all departments,रिक्त छोड़ अगर सभी विभागों के लिए विचार apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","रोजगार ( स्थायी , अनुबंध , प्रशिक्षु आदि ) के प्रकार." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} मद के लिए अनिवार्य है {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} मद के लिए अनिवार्य है {1} DocType: Process Payroll,Fortnightly,पाक्षिक DocType: Currency Exchange,From Currency,मुद्रा से apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","कम से कम एक पंक्ति में आवंटित राशि, प्रकार का चालान और चालान नंबर का चयन करें" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,नई खरीद की लागत -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},आइटम के लिए आवश्यक बिक्री आदेश {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},आइटम के लिए आवश्यक बिक्री आदेश {0} DocType: Purchase Invoice Item,Rate (Company Currency),दर (कंपनी मुद्रा) DocType: Student Guardian,Others,दूसरों DocType: Payment Entry,Unallocated Amount,unallocated राशि apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,एक मेल आइटम नहीं मिल सकता। के लिए {0} कुछ अन्य मूल्य का चयन करें। DocType: POS Profile,Taxes and Charges,करों और प्रभार DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","एक उत्पाद या, खरीदा या बेचा स्टॉक में रखा जाता है कि एक सेवा।" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,कोई और अधिक अद्यतन apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"पहली पंक्ति के लिए ' पिछली पंक्ति कुल पर ', ' पिछली पंक्ति पर राशि ' या के रूप में कार्यभार प्रकार का चयन नहीं कर सकते" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,बाल मद एक उत्पाद बंडल नहीं होना चाहिए। आइटम को हटा दें `` {0} और बचाने के लिए कृपया @@ -2123,7 +2126,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,कुल बिलिंग राशि apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,वहाँ एक डिफ़ॉल्ट भेजे गए ईमेल खाते को इस काम के लिए सक्षम होना चाहिए। कृपया सेटअप एक डिफ़ॉल्ट भेजे गए ईमेल खाते (POP / IMAP) और फिर कोशिश करें। apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,प्राप्य खाता -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},पंक्ति # {0}: संपत्ति {1} पहले से ही है {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},पंक्ति # {0}: संपत्ति {1} पहले से ही है {2} DocType: Quotation Item,Stock Balance,बाकी स्टाक apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,भुगतान करने के लिए बिक्री आदेश apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,सी ई ओ @@ -2148,10 +2151,11 @@ DocType: C-Form,Received Date,प्राप्त तिथि DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","आप बिक्री करों और शुल्कों टेम्पलेट में एक मानक टेम्पलेट बनाया है, एक को चुनें और नीचे दिए गए बटन पर क्लिक करें।" DocType: BOM Scrap Item,Basic Amount (Company Currency),मूल राशि (कंपनी मुद्रा) DocType: Student,Guardians,रखवालों +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,आपूर्तिकर्ता> प्रदायक प्रकार DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,दाम नहीं दिखाया जाएगा अगर कीमत सूची सेट नहीं है apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,इस नौवहन नियम के लिए एक देश निर्दिष्ट या दुनिया भर में शिपिंग कृपया जांच करें DocType: Stock Entry,Total Incoming Value,कुल आवक मूल्य -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,डेबिट करने के लिए आवश्यक है +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,डेबिट करने के लिए आवश्यक है apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets मदद से अपनी टीम के द्वारा किया गतिविधियों के लिए समय, लागत और बिलिंग का ट्रैक रखने" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,खरीद मूल्य सूची DocType: Offer Letter Term,Offer Term,ऑफर टर्म @@ -2170,11 +2174,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,उ DocType: Timesheet Detail,To Time,समय के लिए DocType: Authorization Rule,Approving Role (above authorized value),(अधिकृत मूल्य से ऊपर) भूमिका का अनुमोदन apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,खाते में जमा एक देय खाता होना चाहिए -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},बीओएम रिकर्शन : {0} माता पिता या के बच्चे नहीं हो सकता {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},बीओएम रिकर्शन : {0} माता पिता या के बच्चे नहीं हो सकता {2} DocType: Production Order Operation,Completed Qty,पूरी की मात्रा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, केवल डेबिट खातों एक और क्रेडिट प्रविष्टि के खिलाफ जोड़ा जा सकता है के लिए" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,मूल्य सूची {0} अक्षम है -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},पंक्ति {0}: पूर्ण मात्रा से अधिक नहीं हो सकता है {1} ऑपरेशन के लिए {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},पंक्ति {0}: पूर्ण मात्रा से अधिक नहीं हो सकता है {1} ऑपरेशन के लिए {2} DocType: Manufacturing Settings,Allow Overtime,ओवरटाइम की अनुमति दें apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","सीरियल किए गए आइटम {0} को शेयर सुलह का उपयोग करके अपडेट नहीं किया जा सकता है, कृपया स्टॉक प्रविष्टि का उपयोग करें" DocType: Training Event Employee,Training Event Employee,प्रशिक्षण घटना कर्मचारी @@ -2192,10 +2196,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,बाहरी apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,उपयोगकर्ता और अनुमतियाँ DocType: Vehicle Log,VLOG.,Vlog। -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},उत्पादन के आदेश निर्मित: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},उत्पादन के आदेश निर्मित: {0} DocType: Branch,Branch,शाखा DocType: Guardian,Mobile Number,मोबाइल नंबर apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,मुद्रण और ब्रांडिंग +DocType: Company,Total Monthly Sales,कुल मासिक बिक्री DocType: Bin,Actual Quantity,वास्तविक मात्रा DocType: Shipping Rule,example: Next Day Shipping,उदाहरण: अगले दिन शिपिंग apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,नहीं मिला सीरियल नहीं {0} @@ -2225,7 +2230,7 @@ DocType: Payment Request,Make Sales Invoice,बिक्री चालान apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,सॉफ्टवेयर apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,अगले संपर्क दिनांक अतीत में नहीं किया जा सकता DocType: Company,For Reference Only.,केवल संदर्भ के लिए। -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,बैच नंबर का चयन करें +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,बैच नंबर का चयन करें apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},अवैध {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,अग्रिम राशि @@ -2238,7 +2243,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},बारकोड के साथ कोई आइटम {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,मुकदमा संख्या 0 नहीं हो सकता DocType: Item,Show a slideshow at the top of the page,पृष्ठ के शीर्ष पर एक स्लाइड शो दिखाएँ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,भंडार DocType: Serial No,Delivery Time,सुपुर्दगी समय apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,के आधार पर बूढ़े @@ -2252,16 +2257,16 @@ DocType: Rename Tool,Rename Tool,उपकरण का नाम बदले apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,अद्यतन लागत DocType: Item Reorder,Item Reorder,आइटम पुनः क्रमित करें apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,वेतन पर्ची दिखाएँ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,हस्तांतरण सामग्री +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,हस्तांतरण सामग्री DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","संचालन, परिचालन लागत निर्दिष्ट और अपने संचालन के लिए एक अनूठा आपरेशन नहीं दे ." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,इस दस्तावेज़ से सीमा से अधिक है {0} {1} आइटम के लिए {4}। आप कर रहे हैं एक और {3} उसी के खिलाफ {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,सहेजने के बाद आवर्ती सेट करें -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,बदलें चुनें राशि खाते +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,सहेजने के बाद आवर्ती सेट करें +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,बदलें चुनें राशि खाते DocType: Purchase Invoice,Price List Currency,मूल्य सूची मुद्रा DocType: Naming Series,User must always select,उपयोगकर्ता हमेशा का चयन करना होगा DocType: Stock Settings,Allow Negative Stock,नकारात्मक स्टॉक की अनुमति दें DocType: Installation Note,Installation Note,स्थापना नोट -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,करों जोड़ें +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,करों जोड़ें DocType: Topic,Topic,विषय apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,फाइनेंसिंग से कैश फ्लो DocType: Budget Account,Budget Account,बजट खाता @@ -2275,7 +2280,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,प apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),धन के स्रोत (देनदारियों) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},मात्रा पंक्ति में {0} ({1} ) के रूप में ही किया जाना चाहिए निर्मित मात्रा {2} DocType: Appraisal,Employee,कर्मचारी -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,बैच का चयन करें +DocType: Company,Sales Monthly History,बिक्री मासिक इतिहास +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,बैच का चयन करें apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} पूरी तरह से बिल भेजा है DocType: Training Event,End Time,अंतिम समय apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,सक्रिय वेतन संरचना {0} दिया दिनांकों कर्मचारी {1} के लिए मिला @@ -2283,15 +2289,14 @@ DocType: Payment Entry,Payment Deductions or Loss,भुगतान कटौ apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,बिक्री या खरीद के लिए मानक अनुबंध शर्तों . apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,वाउचर द्वारा समूह apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,बिक्री पाइपलाइन -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},वेतन घटक में डिफ़ॉल्ट खाता सेट करें {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},वेतन घटक में डिफ़ॉल्ट खाता सेट करें {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,आवश्यक पर DocType: Rename Tool,File to Rename,नाम बदलने के लिए फ़ाइल apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},पंक्ति में आइटम के लिए बीओएम चयन करें {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},खाता {0} कंपनी के साथ मेल नहीं खाता है {1}: विधि का {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},आइटम के लिए मौजूद नहीं है निर्दिष्ट बीओएम {0} {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,रखरखाव अनुसूची {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,रखरखाव अनुसूची {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए DocType: Notification Control,Expense Claim Approved,व्यय दावे को मंजूरी -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग सीरिज के माध्यम से उपस्थिति के लिए श्रृंखलाबद्ध संख्या सेट करना apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,कर्मचारी के वेतन पर्ची {0} पहले से ही इस अवधि के लिए बनाए गए apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,औषधि apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,खरीदी गई वस्तुओं की लागत @@ -2308,7 +2313,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,एक समाप DocType: Upload Attendance,Attendance To Date,तिथि उपस्थिति DocType: Warranty Claim,Raised By,द्वारा उठाए गए DocType: Payment Gateway Account,Payment Account,भुगतान खाता -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,कंपनी आगे बढ़ने के लिए निर्दिष्ट करें +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,कंपनी आगे बढ़ने के लिए निर्दिष्ट करें apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,लेखा प्राप्य में शुद्ध परिवर्तन apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,प्रतिपूरक बंद DocType: Offer Letter,Accepted,स्वीकार किया @@ -2317,12 +2322,12 @@ DocType: SG Creation Tool Course,Student Group Name,छात्र समूह apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,आप वास्तव में इस कंपनी के लिए सभी लेन-देन को हटाना चाहते हैं सुनिश्चित करें। यह है के रूप में आपका मास्टर डाटा रहेगा। इस क्रिया को पूर्ववत नहीं किया जा सकता। DocType: Room,Room Number,कमरा संख्या apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},अमान्य संदर्भ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) की योजना बनाई quanitity से अधिक नहीं हो सकता है ({2}) उत्पादन में आदेश {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) की योजना बनाई quanitity से अधिक नहीं हो सकता है ({2}) उत्पादन में आदेश {3} DocType: Shipping Rule,Shipping Rule Label,नौवहन नियम लेबल apps/erpnext/erpnext/public/js/conf.js +28,User Forum,उपयोगकर्ता मंच -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,कच्चे माल खाली नहीं किया जा सकता। -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","शेयर अद्यतन नहीं कर सका, चालान ड्रॉप शिपिंग आइटम शामिल हैं।" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,त्वरित जर्नल प्रविष्टि +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,कच्चे माल खाली नहीं किया जा सकता। +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","शेयर अद्यतन नहीं कर सका, चालान ड्रॉप शिपिंग आइटम शामिल हैं।" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,त्वरित जर्नल प्रविष्टि apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,बीओएम किसी भी आइटम agianst उल्लेख अगर आप दर में परिवर्तन नहीं कर सकते DocType: Employee,Previous Work Experience,पिछले कार्य अनुभव DocType: Stock Entry,For Quantity,मात्रा के लिए @@ -2379,7 +2384,7 @@ DocType: SMS Log,No of Requested SMS,अनुरोधित एसएमएस apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,बिना वेतन छुट्टी को मंजूरी दे दी लीव आवेदन रिकॉर्ड के साथ मेल नहीं खाता DocType: Campaign,Campaign-.####,अभियान . # # # # apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,अगला कदम -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,सबसे अच्छा संभव दरों पर निर्दिष्ट वस्तुओं की आपूर्ति करें +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,सबसे अच्छा संभव दरों पर निर्दिष्ट वस्तुओं की आपूर्ति करें DocType: Selling Settings,Auto close Opportunity after 15 days,15 दिनों के बाद ऑटो बंद के मौके apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,अंत वर्ष apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,कोट / लीड% @@ -2436,7 +2441,7 @@ DocType: Homepage,Homepage,मुखपृष्ठ DocType: Purchase Receipt Item,Recd Quantity,रिसी डी मात्रा apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},शुल्क रिकॉर्ड बनाया - {0} DocType: Asset Category Account,Asset Category Account,परिसंपत्ति वर्ग अकाउंट -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},अधिक आइटम उत्पादन नहीं कर सकते {0} से बिक्री आदेश मात्रा {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},अधिक आइटम उत्पादन नहीं कर सकते {0} से बिक्री आदेश मात्रा {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,स्टॉक एंट्री {0} प्रस्तुत नहीं किया गया है DocType: Payment Reconciliation,Bank / Cash Account,बैंक / रोकड़ लेखा apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,अगले संपर्क के द्वारा सीसा ईमेल एड्रेस के रूप में ही नहीं किया जा सकता @@ -2469,7 +2474,7 @@ DocType: Salary Structure,Total Earning,कुल अर्जन DocType: Purchase Receipt,Time at which materials were received,जो समय पर सामग्री प्राप्त हुए थे DocType: Stock Ledger Entry,Outgoing Rate,आउटगोइंग दर apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,संगठन शाखा मास्टर . -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,या +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,या DocType: Sales Order,Billing Status,बिलिंग स्थिति apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,किसी समस्या की रिपोर्ट apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,उपयोगिता व्यय @@ -2477,7 +2482,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,पंक्ति # {0}: जर्नल प्रविष्टि {1} खाता नहीं है {2} या पहले से ही एक और वाउचर के खिलाफ मिलान DocType: Buying Settings,Default Buying Price List,डिफ़ॉल्ट खरीद मूल्य सूची DocType: Process Payroll,Salary Slip Based on Timesheet,वेतन पर्ची के आधार पर Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ऊपर चयनित मानदंड या वेतन पर्ची के लिए कोई कर्मचारी पहले से ही बनाया +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,ऊपर चयनित मानदंड या वेतन पर्ची के लिए कोई कर्मचारी पहले से ही बनाया DocType: Notification Control,Sales Order Message,बिक्री आदेश संदेश apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","आदि कंपनी , मुद्रा , चालू वित्त वर्ष , की तरह सेट डिफ़ॉल्ट मान" DocType: Payment Entry,Payment Type,भुगतान के प्रकार @@ -2501,7 +2506,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,रसीद दस्तावेज प्रस्तुत किया जाना चाहिए DocType: Purchase Invoice Item,Received Qty,प्राप्त मात्रा DocType: Stock Entry Detail,Serial No / Batch,धारावाहिक नहीं / बैच -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,भुगतान नहीं किया और वितरित नहीं +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,भुगतान नहीं किया और वितरित नहीं DocType: Product Bundle,Parent Item,मूल आइटम DocType: Account,Account Type,खाता प्रकार DocType: Delivery Note,DN-RET-,डी.एन.-RET- @@ -2531,8 +2536,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,कुल आवंटित राशि apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,सतत सूची के लिए डिफ़ॉल्ट इन्वेंट्री खाता सेट करें DocType: Item Reorder,Material Request Type,सामग्री अनुरोध प्रकार -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},से {0} को वेतन के लिए Accural जर्नल प्रविष्टि {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage भरा हुआ है, नहीं सहेजा गया" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},से {0} को वेतन के लिए Accural जर्नल प्रविष्टि {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage भरा हुआ है, नहीं सहेजा गया" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,पंक्ति {0}: UoM रूपांतरण कारक है अनिवार्य है apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,संदर्भ ....................... DocType: Budget,Cost Center,लागत केंद्र @@ -2550,7 +2555,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,आ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","चयनित मूल्य निर्धारण नियम 'मूल्य' के लिए किया जाता है, यह मूल्य सूची लिख देगा। मूल्य निर्धारण नियम कीमत अंतिम कीमत है, ताकि आगे कोई छूट लागू किया जाना चाहिए। इसलिए, आदि बिक्री आदेश, खरीद आदेश तरह के लेनदेन में, बल्कि यह 'मूल्य सूची दर' क्षेत्र की तुलना में, 'दर' क्षेत्र में दिलवाया किया जाएगा।" apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ट्रैक उद्योग प्रकार के द्वारा होता है . DocType: Item Supplier,Item Supplier,आइटम प्रदायक -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,कोई बैच पाने के मद कोड दर्ज करें +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,कोई बैच पाने के मद कोड दर्ज करें apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},के लिए एक मूल्य का चयन करें {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,सभी पते. DocType: Company,Stock Settings,स्टॉक सेटिंग्स @@ -2577,7 +2582,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,लेन - देन apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},कोई वेतन पर्ची के बीच पाया {0} और {1} ,Pending SO Items For Purchase Request,खरीद के अनुरोध के लिए लंबित है तो आइटम apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,विद्यार्थी प्रवेश -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} अक्षम है +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} अक्षम है DocType: Supplier,Billing Currency,बिलिंग मुद्रा DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,एक्स्ट्रा लार्ज @@ -2607,7 +2612,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,आवेदन की स्थिति DocType: Fees,Fees,फीस DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,विनिमय दर दूसरे में एक मुद्रा में परिवर्तित करने के लिए निर्दिष्ट करें -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,कोटेशन {0} को रद्द कर दिया गया है +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,कोटेशन {0} को रद्द कर दिया गया है apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,कुल बकाया राशि DocType: Sales Partner,Targets,लक्ष्य DocType: Price List,Price List Master,मूल्य सूची मास्टर @@ -2624,7 +2629,7 @@ DocType: POS Profile,Ignore Pricing Rule,मूल्य निर्धार DocType: Employee Education,Graduate,परिवर्धित DocType: Leave Block List,Block Days,ब्लॉक दिन DocType: Journal Entry,Excise Entry,आबकारी एंट्री -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},चेतावनी: बिक्री आदेश {0} पहले से ही ग्राहकों की खरीद आदेश के खिलाफ मौजूद {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},चेतावनी: बिक्री आदेश {0} पहले से ही ग्राहकों की खरीद आदेश के खिलाफ मौजूद {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2662,7 +2667,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),य ,Salary Register,वेतन रजिस्टर DocType: Warehouse,Parent Warehouse,जनक गोदाम DocType: C-Form Invoice Detail,Net Total,शुद्ध जोड़ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},आइटम {0} और प्रोजेक्ट {1} के लिए डिफ़ॉल्ट BOM नहीं मिला +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},आइटम {0} और प्रोजेक्ट {1} के लिए डिफ़ॉल्ट BOM नहीं मिला apps/erpnext/erpnext/config/hr.py +163,Define various loan types,विभिन्न प्रकार के ऋण को परिभाषित करें DocType: Bin,FCFS Rate,FCFS दर DocType: Payment Reconciliation Invoice,Outstanding Amount,बकाया राशि @@ -2699,7 +2704,7 @@ DocType: Salary Detail,Condition and Formula Help,स्थिति और फ apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,टेरिटरी ट्री प्रबंधन . DocType: Journal Entry Account,Sales Invoice,बिक्री चालान DocType: Journal Entry Account,Party Balance,पार्टी बैलेंस -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,डिस्काउंट पर लागू होते हैं का चयन करें +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,डिस्काउंट पर लागू होते हैं का चयन करें DocType: Company,Default Receivable Account,डिफ़ॉल्ट प्राप्य खाता DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,ऊपर चयनित मानदंड के लिए भुगतान की गई कुल वेतन के लिए बैंक प्रविष्टि बनाएँ DocType: Stock Entry,Material Transfer for Manufacture,निर्माण के लिए सामग्री हस्तांतरण @@ -2713,7 +2718,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,ग्राहक पता DocType: Employee Loan,Loan Details,ऋण विवरण DocType: Company,Default Inventory Account,डिफ़ॉल्ट इन्वेंटरी अकाउंट -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,पंक्ति {0}: पूर्ण मात्रा शून्य से अधिक होना चाहिए। +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,पंक्ति {0}: पूर्ण मात्रा शून्य से अधिक होना चाहिए। DocType: Purchase Invoice,Apply Additional Discount On,अतिरिक्त छूट पर लागू होते हैं DocType: Account,Root Type,जड़ के प्रकार DocType: Item,FIFO,फीफो @@ -2730,7 +2735,7 @@ DocType: Purchase Invoice Item,Quality Inspection,गुणवत्ता न apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,अतिरिक्त छोटा DocType: Company,Standard Template,स्टैंडर्ड खाका DocType: Training Event,Theory,सिद्धांत -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी: मात्रा अनुरोध सामग्री न्यूनतम आदेश मात्रा से कम है +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी: मात्रा अनुरोध सामग्री न्यूनतम आदेश मात्रा से कम है apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,खाते {0} जमे हुए है DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,संगठन से संबंधित खातों की एक अलग चार्ट के साथ कानूनी इकाई / सहायक। DocType: Payment Request,Mute Email,म्यूट ईमेल @@ -2754,7 +2759,7 @@ DocType: Training Event,Scheduled,अनुसूचित apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,उद्धरण के लिए अनुरोध। apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","नहीं" और "बिक्री मद है" "स्टॉक मद है" कहाँ है "हाँ" है आइटम का चयन करें और कोई अन्य उत्पाद बंडल नहीं है कृपया DocType: Student Log,Academic,एकेडमिक -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),कुल अग्रिम ({0}) आदेश के खिलाफ {1} महायोग से बड़ा नहीं हो सकता है ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),कुल अग्रिम ({0}) आदेश के खिलाफ {1} महायोग से बड़ा नहीं हो सकता है ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,असमान महीने भर में लक्ष्य को वितरित करने के लिए मासिक वितरण चुनें। DocType: Purchase Invoice Item,Valuation Rate,मूल्यांकन दर DocType: Stock Reconciliation,SR/,एसआर / @@ -2818,6 +2823,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,राशि DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,अभियान का नाम दर्ज़ अगर जांच के स्रोत अभियान apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,अखबार के प्रकाशक apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,वित्तीय वर्ष का चयन करें +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,अपेक्षित वितरण तिथि बिक्री आदेश तिथि के बाद होनी चाहिए apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,स्तर पुनः क्रमित करें DocType: Company,Chart Of Accounts Template,लेखा खाका का चार्ट DocType: Attendance,Attendance Date,उपस्थिति तिथि @@ -2849,7 +2855,7 @@ DocType: Pricing Rule,Discount Percentage,डिस्काउंट प्र DocType: Payment Reconciliation Invoice,Invoice Number,चालान क्रमांक DocType: Shopping Cart Settings,Orders,आदेश DocType: Employee Leave Approver,Leave Approver,अनुमोदक छोड़ दो -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,कृपया बैच का चयन करें +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,कृपया बैच का चयन करें DocType: Assessment Group,Assessment Group Name,आकलन समूह का नाम DocType: Manufacturing Settings,Material Transferred for Manufacture,सामग्री निर्माण के लिए हस्तांतरित DocType: Expense Claim,"A user with ""Expense Approver"" role","""व्यय अनुमोदनकर्ता"" भूमिका के साथ एक उपयोगकर्ता" @@ -2885,7 +2891,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,अगले महीने के आखिरी दिन DocType: Support Settings,Auto close Issue after 7 days,7 दिनों के बाद ऑटो बंद जारी apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","पहले आवंटित नहीं किया जा सकता छोड़ दो {0}, छुट्टी संतुलन पहले से ही ले अग्रेषित भविष्य छुट्टी आवंटन रिकॉर्ड में किया गया है के रूप में {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),नोट: कारण / संदर्भ तिथि {0} दिन द्वारा अनुमति ग्राहक क्रेडिट दिनों से अधिक (ओं) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),नोट: कारण / संदर्भ तिथि {0} दिन द्वारा अनुमति ग्राहक क्रेडिट दिनों से अधिक (ओं) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,छात्र आवेदक DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,RECIPIENT के लिए मूल DocType: Asset Category Account,Accumulated Depreciation Account,संचित मूल्यह्रास अकाउंट @@ -2896,7 +2902,7 @@ DocType: Item,Reorder level based on Warehouse,गोदाम के आधा DocType: Activity Cost,Billing Rate,बिलिंग दर ,Qty to Deliver,उद्धार करने के लिए मात्रा ,Stock Analytics,स्टॉक विश्लेषिकी -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,संचालन खाली नहीं छोड़ा जा सकता है +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,संचालन खाली नहीं छोड़ा जा सकता है DocType: Maintenance Visit Purpose,Against Document Detail No,दस्तावेज़ विस्तार नहीं के खिलाफ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,पार्टी प्रकार अनिवार्य है DocType: Quality Inspection,Outgoing,बाहर जाने वाला @@ -2937,15 +2943,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,गोदाम में उपलब्ध मात्रा apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,बिल की राशि DocType: Asset,Double Declining Balance,डबल गिरावट का संतुलन -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,बंद आदेश को रद्द नहीं किया जा सकता। रद्द करने के लिए खुल जाना। +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,बंद आदेश को रद्द नहीं किया जा सकता। रद्द करने के लिए खुल जाना। DocType: Student Guardian,Father,पिता -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'अपडेट शेयर' निश्चित संपत्ति बिक्री के लिए जाँच नहीं की जा सकती +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'अपडेट शेयर' निश्चित संपत्ति बिक्री के लिए जाँच नहीं की जा सकती DocType: Bank Reconciliation,Bank Reconciliation,बैंक समाधान DocType: Attendance,On Leave,छुट्टी पर apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,अपडेट प्राप्त करे apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: खाता {2} कंपनी से संबंधित नहीं है {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,सामग्री अनुरोध {0} को रद्द कर दिया है या बंद कर दिया गया है -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,कुछ नमूना रिकॉर्ड को जोड़ें +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,कुछ नमूना रिकॉर्ड को जोड़ें apps/erpnext/erpnext/config/hr.py +301,Leave Management,प्रबंधन छोड़ दो apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,खाता द्वारा समूह DocType: Sales Order,Fully Delivered,पूरी तरह से वितरित @@ -2954,12 +2960,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","यह स्टॉक सुलह एक खोलने एंट्री के बाद से अंतर खाते, एक एसेट / दायित्व प्रकार खाता होना चाहिए" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},वितरित राशि ऋण राशि से अधिक नहीं हो सकता है {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},क्रय आदेश संख्या मद के लिए आवश्यक {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,उत्पादन आदेश नहीं बनाया +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,उत्पादन आदेश नहीं बनाया apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','तिथि तक' 'तिथि से' के बाद होनी चाहिए apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},छात्र के रूप में स्थिति को बदल नहीं सकते {0} छात्र आवेदन के साथ जुड़ा हुआ है {1} DocType: Asset,Fully Depreciated,पूरी तरह से घिस ,Stock Projected Qty,शेयर मात्रा अनुमानित -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},ग्राहक {0} परियोजना से संबंधित नहीं है {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},ग्राहक {0} परियोजना से संबंधित नहीं है {1} DocType: Employee Attendance Tool,Marked Attendance HTML,उल्लेखनीय उपस्थिति एचटीएमएल apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","कोटेशन प्रस्तावों, बोलियों आप अपने ग्राहकों के लिए भेजा है रहे हैं" DocType: Sales Order,Customer's Purchase Order,ग्राहक के क्रय आदेश @@ -2969,7 +2975,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations की संख्या बुक सेट करें apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,मूल्य या मात्रा apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,प्रोडक्शंस आदेश के लिए नहीं उठाया जा सकता है: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,मिनट +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,मिनट DocType: Purchase Invoice,Purchase Taxes and Charges,खरीद कर और शुल्क ,Qty to Receive,प्राप्त करने के लिए मात्रा DocType: Leave Block List,Leave Block List Allowed,छोड़ दो ब्लॉक सूची रख सकते है @@ -2982,7 +2988,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,सभी आपूर्तिकर्ता के प्रकार DocType: Global Defaults,Disable In Words,शब्दों में अक्षम apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,आइटम स्वचालित रूप से गिने नहीं है क्योंकि मद कोड अनिवार्य है -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},कोटेशन {0} नहीं प्रकार की {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},कोटेशन {0} नहीं प्रकार की {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,रखरखाव अनुसूची आइटम DocType: Sales Order,% Delivered,% वितरित DocType: Production Order,PRO-,समर्थक- @@ -3005,7 +3011,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,विक्रेता ईमेल DocType: Project,Total Purchase Cost (via Purchase Invoice),कुल खरीद मूल्य (खरीद चालान के माध्यम से) DocType: Training Event,Start Time,समय शुरू -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,मात्रा चुनें +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,मात्रा चुनें DocType: Customs Tariff Number,Customs Tariff Number,सीमा शुल्क टैरिफ संख्या apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,रोल का अनुमोदन करने के लिए नियम लागू है भूमिका के रूप में ही नहीं हो सकता apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,इस ईमेल डाइजेस्ट से सदस्यता रद्द @@ -3029,7 +3035,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,पीआर विस्तार DocType: Sales Order,Fully Billed,पूरी तरह से किसी तरह का बिल apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,रोकड़ शेष -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},वितरण गोदाम स्टॉक आइटम के लिए आवश्यक {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},वितरण गोदाम स्टॉक आइटम के लिए आवश्यक {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),पैकेज के कुल वजन. आमतौर पर शुद्ध + वजन पैकेजिंग सामग्री के वजन. (प्रिंट के लिए) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,कार्यक्रम DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,इस भूमिका के साथ उपयोक्ता जमे हुए खातों के खिलाफ लेखांकन प्रविष्टियों को संशोधित / जमे हुए खातों सेट और बनाने के लिए अनुमति दी जाती है @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,समूह आधार पर DocType: Journal Entry,Bill Date,बिल की तारीख apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","सेवा आइटम, प्रकार, आवृत्ति और व्यय राशि की आवश्यकता होती है" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","सर्वोच्च प्राथमिकता के साथ कई मूल्य निर्धारण नियम हैं, भले ही उसके बाद निम्न आंतरिक प्राथमिकताओं लागू कर रहे हैं:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},आप वास्तव में से {0} के लिए सभी वेतन पर्ची जमा करना चाहते हैं {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},आप वास्तव में से {0} के लिए सभी वेतन पर्ची जमा करना चाहते हैं {1} DocType: Cheque Print Template,Cheque Height,चैक ऊंचाई DocType: Supplier,Supplier Details,आपूर्तिकर्ता विवरण DocType: Expense Claim,Approval Status,स्वीकृति स्थिति @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,कोटेशन apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,इससे अधिक कुछ नहीं दिखाने के लिए। DocType: Lead,From Customer,ग्राहक से apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,कॉल -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,बैचों +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,बैचों DocType: Project,Total Costing Amount (via Time Logs),कुल लागत राशि (टाइम लॉग्स के माध्यम से) DocType: Purchase Order Item Supplied,Stock UOM,स्टॉक UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,खरीद आदेश {0} प्रस्तुत नहीं किया गया है @@ -3091,7 +3097,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,के खिलाफ DocType: Item,Warranty Period (in days),वारंटी अवधि (दिनों में) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 के साथ संबंध apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,संचालन से नेट नकद -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,उदाहरणार्थ +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,उदाहरणार्थ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,आइटम 4 DocType: Student Admission,Admission End Date,एडमिशन समाप्ति तिथि apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,उप ठेका @@ -3099,7 +3105,7 @@ DocType: Journal Entry Account,Journal Entry Account,जर्नल प्र apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,छात्र समूह DocType: Shopping Cart Settings,Quotation Series,कोटेशन सीरीज apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","एक आइटम ( {0}) , मद समूह का नाम बदलने के लिए या आइटम का नाम बदलने के लिए कृपया एक ही नाम के साथ मौजूद है" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,कृपया ग्राहक का चयन +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,कृपया ग्राहक का चयन DocType: C-Form,I,मैं DocType: Company,Asset Depreciation Cost Center,संपत्ति मूल्यह्रास लागत केंद्र DocType: Sales Order Item,Sales Order Date,बिक्री आदेश दिनांक @@ -3110,6 +3116,7 @@ DocType: Stock Settings,Limit Percent,सीमा प्रतिशत ,Payment Period Based On Invoice Date,चालान तिथि के आधार पर भुगतान की अवधि apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},के लिए गुम मुद्रा विनिमय दरों {0} DocType: Assessment Plan,Examiner,परीक्षक +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटअप के माध्यम से {0} के लिए नामकरण श्रृंखला सेट करें> सेटिंग> नामकरण श्रृंखला DocType: Student,Siblings,एक माँ की संताने DocType: Journal Entry,Stock Entry,स्टॉक एंट्री DocType: Payment Entry,Payment References,भुगतान संदर्भ @@ -3134,7 +3141,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,निर्माण कार्यों कहां किया जाता है। DocType: Asset Movement,Source Warehouse,स्रोत वेअरहाउस DocType: Installation Note,Installation Date,स्थापना की तारीख -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},पंक्ति # {0}: संपत्ति {1} कंपनी का नहीं है {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},पंक्ति # {0}: संपत्ति {1} कंपनी का नहीं है {2} DocType: Employee,Confirmation Date,पुष्टिकरण तिथि DocType: C-Form,Total Invoiced Amount,कुल चालान राशि apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,न्यूनतम मात्रा अधिकतम मात्रा से ज्यादा नहीं हो सकता @@ -3207,7 +3214,7 @@ DocType: Company,Default Letter Head,लेटर हेड चूक DocType: Purchase Order,Get Items from Open Material Requests,खुला सामग्री अनुरोध से आइटम प्राप्त DocType: Item,Standard Selling Rate,स्टैंडर्ड बिक्री दर DocType: Account,Rate at which this tax is applied,दर जिस पर इस कर को लागू किया जाता है -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Reorder मात्रा +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Reorder मात्रा apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,वर्तमान नौकरी के उद्घाटन DocType: Company,Stock Adjustment Account,स्टॉक समायोजन खाता apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,ख़ारिज करना @@ -3221,7 +3228,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,आपूर्तिकर्ता ग्राहक को बचाता है apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# प्रपत्र / मद / {0}) स्टॉक से बाहर है apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,अगली तारीख पोस्ट दिनांक से अधिक होना चाहिए -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},कारण / संदर्भ तिथि के बाद नहीं किया जा सकता {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},कारण / संदर्भ तिथि के बाद नहीं किया जा सकता {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,डाटा आयात और निर्यात apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,कोई छात्र नहीं मिले apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,चालान पोस्ट दिनांक @@ -3241,12 +3248,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,यह इस छात्र की उपस्थिति पर आधारित है apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,में कोई छात्र नहीं apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,अधिक आइटम या खुले पूर्ण रूप में जोड़ें -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',' उम्मीद की डिलीवरी तिथि ' दर्ज करें -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,डिलिवरी नोट्स {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,डिलिवरी नोट्स {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,भुगतान की गई राशि + राशि से लिखने के कुल योग से बड़ा नहीं हो सकता apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} आइटम के लिए एक वैध बैच नंबर नहीं है {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},नोट : छोड़ किस्म के लिए पर्याप्त छुट्टी संतुलन नहीं है {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,अमान्य जीएसटीआईएन या अनारिजीस्टर्ड के लिए एनएआर दर्ज करें +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,अमान्य जीएसटीआईएन या अनारिजीस्टर्ड के लिए एनएआर दर्ज करें DocType: Training Event,Seminar,सेमिनार DocType: Program Enrollment Fee,Program Enrollment Fee,कार्यक्रम नामांकन शुल्क DocType: Item,Supplier Items,प्रदायक आइटम @@ -3264,7 +3270,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,स्टॉक बूढ़े apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},छात्र {0} छात्र आवेदक के खिलाफ मौजूद {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,समय पत्र -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' अक्षम किया गया है +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' अक्षम किया गया है apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ओपन के रूप में सेट करें DocType: Cheque Print Template,Scanned Cheque,स्कैन किए हुए चैक DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,भेजने से लेन-देन पर संपर्क करने के लिए स्वत: ईमेल भेजें। @@ -3310,7 +3316,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,मूल्य सूची विनिमय दर DocType: Purchase Invoice Item,Rate,दर apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,प्रशिक्षु -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,पता नाम +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,पता नाम DocType: Stock Entry,From BOM,बीओएम से DocType: Assessment Code,Assessment Code,आकलन संहिता apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,बुनियादी @@ -3323,20 +3329,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,वेतन संरचना DocType: Account,Bank,बैंक apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,एयरलाइन -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,मुद्दा सामग्री +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,मुद्दा सामग्री DocType: Material Request Item,For Warehouse,गोदाम के लिए DocType: Employee,Offer Date,प्रस्ताव की तिथि apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,कोटेशन -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,आप ऑफ़लाइन मोड में हैं। आप जब तक आप नेटवर्क है फिर से लोड करने में सक्षम नहीं होगा। +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,आप ऑफ़लाइन मोड में हैं। आप जब तक आप नेटवर्क है फिर से लोड करने में सक्षम नहीं होगा। apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,कोई छात्र गुटों बनाया। DocType: Purchase Invoice Item,Serial No,नहीं सीरियल apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,मासिक भुगतान राशि ऋण राशि से अधिक नहीं हो सकता apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Maintaince विवरण दर्ज करें +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,पंक्ति # {0}: अपेक्षित वितरण तिथि खरीद आदेश तिथि से पहले नहीं हो सकती DocType: Purchase Invoice,Print Language,प्रिंट भाषा DocType: Salary Slip,Total Working Hours,कुल काम के घंटे DocType: Stock Entry,Including items for sub assemblies,उप असेंबलियों के लिए आइटम सहित -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,दर्ज मूल्य सकारात्मक होना चाहिए -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,दर्ज मूल्य सकारात्मक होना चाहिए apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,सभी प्रदेशों DocType: Purchase Invoice,Items,आइटम apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,छात्र पहले से ही दाखिला लिया है। @@ -3358,7 +3364,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',संस्करण के लिए उपाय की मूलभूत इकाई '{0}' खाका के रूप में ही होना चाहिए '{1}' DocType: Shipping Rule,Calculate Based On,के आधार पर गणना करें DocType: Delivery Note Item,From Warehouse,गोदाम से -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,सामग्री के बिल के साथ कोई वस्तुओं का निर्माण करने के लिए +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,सामग्री के बिल के साथ कोई वस्तुओं का निर्माण करने के लिए DocType: Assessment Plan,Supervisor Name,पर्यवेक्षक का नाम DocType: Program Enrollment Course,Program Enrollment Course,कार्यक्रम नामांकन पाठ्यक्रम DocType: Purchase Taxes and Charges,Valuation and Total,मूल्यांकन और कुल @@ -3373,32 +3379,33 @@ DocType: Training Event Employee,Attended,भाग लिया apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'आखिरी बिक्री आदेश को कितने दिन हुए' शून्य या उससे अधिक होना चाहिए DocType: Process Payroll,Payroll Frequency,पेरोल आवृत्ति DocType: Asset,Amended From,से संशोधित -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,कच्चे माल +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,कच्चे माल DocType: Leave Application,Follow via Email,ईमेल के माध्यम से पालन करें apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,संयंत्रों और मशीनरी DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,सबसे कम राशि के बाद टैक्स राशि DocType: Daily Work Summary Settings,Daily Work Summary Settings,दैनिक काम सारांश सेटिंग -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},मूल्य सूची {0} की मुद्रा चयनित मुद्रा के साथ समान नहीं है {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},मूल्य सूची {0} की मुद्रा चयनित मुद्रा के साथ समान नहीं है {1} DocType: Payment Entry,Internal Transfer,आंतरिक स्थानांतरण apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,चाइल्ड खाता इस खाते के लिए मौजूद है. आप इस खाते को नष्ट नहीं कर सकते . apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,लक्ष्य मात्रा या लक्ष्य राशि या तो अनिवार्य है apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},कोई डिफ़ॉल्ट बीओएम मौजूद मद के लिए {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,पहली पोस्टिंग तिथि का चयन करें +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,पहली पोस्टिंग तिथि का चयन करें apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,दिनांक खोलने की तिथि बंद करने से पहले किया जाना चाहिए DocType: Leave Control Panel,Carry Forward,आगे ले जाना apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,मौजूदा लेनदेन के साथ लागत केंद्र लेज़र परिवर्तित नहीं किया जा सकता है DocType: Department,Days for which Holidays are blocked for this department.,दिन छुट्टियाँ जिसके लिए इस विभाग के लिए अवरुद्ध कर रहे हैं. ,Produced,उत्पादित -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,बनाया गया वेतन निकल जाता है +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,बनाया गया वेतन निकल जाता है DocType: Item,Item Code for Suppliers,आपूर्तिकर्ता के लिए आइटम कोड DocType: Issue,Raised By (Email),(ई) द्वारा उठाए गए DocType: Training Event,Trainer Name,ट्रेनर का नाम DocType: Mode of Payment,General,सामान्य apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,अंतिम संचार apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',श्रेणी ' मूल्यांकन ' या ' मूल्यांकन और कुल ' के लिए है जब घटा नहीं कर सकते -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","अपने कर सिर सूची (जैसे वैट, सीमा शुल्क आदि, वे अद्वितीय नाम होना चाहिए) और उनके मानक दर। यह आप संपादित करें और अधिक बाद में जोड़ सकते हैं, जो एक मानक टेम्पलेट, पैदा करेगा।" +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","अपने कर सिर सूची (जैसे वैट, सीमा शुल्क आदि, वे अद्वितीय नाम होना चाहिए) और उनके मानक दर। यह आप संपादित करें और अधिक बाद में जोड़ सकते हैं, जो एक मानक टेम्पलेट, पैदा करेगा।" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},श्रृंखलाबद्ध मद के लिए सीरियल नं आवश्यक {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,चालान के साथ मैच भुगतान +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},पंक्ति # {0}: कृपया आइटम के खिलाफ डिलिवरी दिनांक दर्ज करें {1} DocType: Journal Entry,Bank Entry,बैंक एंट्री DocType: Authorization Rule,Applicable To (Designation),के लिए लागू (पद) ,Profitability Analysis,लाभप्रदता विश्लेषण @@ -3414,17 +3421,18 @@ DocType: Quality Inspection,Item Serial No,आइटम कोई धारा apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,कर्मचारी रिकॉर्ड बनाएं apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,कुल वर्तमान apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,लेखांकन बयान -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,घंटा +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,घंटा apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नया धारावाहिक कोई गोदाम नहीं कर सकते हैं . गोदाम स्टॉक एंट्री या खरीद रसीद द्वारा निर्धारित किया जाना चाहिए DocType: Lead,Lead Type,प्रकार लीड apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,आप ब्लॉक तारीखों पर पत्तियों को मंजूरी के लिए अधिकृत नहीं हैं -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,इन सभी मदों पहले से चालान कर दिया गया है +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,इन सभी मदों पहले से चालान कर दिया गया है +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,मासिक बिक्री लक्ष्य apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} द्वारा अनुमोदित किया जा सकता DocType: Item,Default Material Request Type,डिफ़ॉल्ट सामग्री अनुरोध प्रकार apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,अनजान DocType: Shipping Rule,Shipping Rule Conditions,नौवहन नियम शर्तें DocType: BOM Replace Tool,The new BOM after replacement,बदलने के बाद नए बीओएम -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,बिक्री के प्वाइंट +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,बिक्री के प्वाइंट DocType: Payment Entry,Received Amount,प्राप्त राशि DocType: GST Settings,GSTIN Email Sent On,जीएसटीआईएन ईमेल भेजा गया DocType: Program Enrollment,Pick/Drop by Guardian,गार्जियन द्वारा उठाओ / ड्रॉप @@ -3439,8 +3447,8 @@ DocType: C-Form,Invoices,चालान DocType: Batch,Source Document Name,स्रोत दस्तावेज़ का नाम DocType: Job Opening,Job Title,कार्य शीर्षक apps/erpnext/erpnext/utilities/activation.py +97,Create Users,बनाएं उपयोगकर्ता -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,ग्राम -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,निर्माण करने के लिए मात्रा 0 से अधिक होना चाहिए। +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,ग्राम +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,निर्माण करने के लिए मात्रा 0 से अधिक होना चाहिए। apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,रखरखाव कॉल के लिए रिपोर्ट पर जाएँ. DocType: Stock Entry,Update Rate and Availability,अद्यतन दर और उपलब्धता DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,आप मात्रा के खिलाफ और अधिक प्राप्त या वितरित करने के लिए अनुमति दी जाती प्रतिशत का आदेश दिया. उदाहरण के लिए: यदि आप 100 यूनिट का आदेश दिया है. और अपने भत्ता 10% तो आप 110 इकाइयों को प्राप्त करने के लिए अनुमति दी जाती है. @@ -3452,7 +3460,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,चालान की खरीद {0} को रद्द कृपया पहले apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","ईमेल एड्रेस अद्वितीय होना चाहिए, पहले से ही के लिए मौजूद है {0}" DocType: Serial No,AMC Expiry Date,एएमसी समाप्ति तिथि -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,रसीद +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,रसीद ,Sales Register,बिक्री रजिस्टर DocType: Daily Work Summary Settings Company,Send Emails At,ईमेल भेजें पर DocType: Quotation,Quotation Lost Reason,कोटेशन कारण खोया @@ -3465,14 +3473,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,अभी त apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,नकदी प्रवाह विवरण apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ऋण राशि का अधिकतम ऋण राशि से अधिक नहीं हो सकता है {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,लाइसेंस -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},सी-फार्म से इस चालान {0} निकाल दें {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},सी-फार्म से इस चालान {0} निकाल दें {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,का चयन करें कृपया आगे ले जाना है अगर तुम भी शामिल करना चाहते हैं पिछले राजकोषीय वर्ष की शेष राशि इस वित्त वर्ष के लिए छोड़ देता है DocType: GL Entry,Against Voucher Type,वाउचर प्रकार के खिलाफ DocType: Item,Attributes,गुण apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,खाता बंद लिखने दर्ज करें apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,पिछले आदेश की तिथि apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},खाता {0} करता है कंपनी के अंतर्गत आता नहीं {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,{0} पंक्ति में सीरियल नंबर डिलिवरी नोट से मेल नहीं खाती +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,{0} पंक्ति में सीरियल नंबर डिलिवरी नोट से मेल नहीं खाती DocType: Student,Guardian Details,गार्जियन विवरण DocType: C-Form,C-Form,सी - फार्म apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,कई कर्मचारियों के लिए मार्क उपस्थिति @@ -3504,16 +3512,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,विक्रय DocType: Stock Entry Detail,Basic Amount,मूल राशि DocType: Training Event,Exam,परीक्षा -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},शेयर मद के लिए आवश्यक वेयरहाउस {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},शेयर मद के लिए आवश्यक वेयरहाउस {0} DocType: Leave Allocation,Unused leaves,अप्रयुक्त पत्ते -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,सीआर +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,सीआर DocType: Tax Rule,Billing State,बिलिंग राज्य apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,हस्तांतरण apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} पार्टी खाते से संबद्ध नहीं है {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),( उप असेंबलियों सहित) विस्फोट बीओएम लायें +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),( उप असेंबलियों सहित) विस्फोट बीओएम लायें DocType: Authorization Rule,Applicable To (Employee),के लिए लागू (कर्मचारी) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,नियत तिथि अनिवार्य है apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,गुण के लिए वेतन वृद्धि {0} 0 नहीं किया जा सकता +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र DocType: Journal Entry,Pay To / Recd From,/ रिसी डी से भुगतान DocType: Naming Series,Setup Series,सेटअप सीरीज DocType: Payment Reconciliation,To Invoice Date,दिनांक चालान करने के लिए @@ -3540,7 +3549,7 @@ DocType: Journal Entry,Write Off Based On,के आधार पर बंद apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,लीड बनाओ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,प्रिंट और स्टेशनरी DocType: Stock Settings,Show Barcode Field,शो बारकोड फील्ड -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,प्रदायक ईमेल भेजें +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,प्रदायक ईमेल भेजें apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","वेतन पहले ही बीच {0} और {1}, आवेदन की अवधि छोड़ दो इस तिथि सीमा के बीच नहीं हो सकता है अवधि के लिए कार्रवाई की।" apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,एक सीरियल नंबर के लिए स्थापना रिकॉर्ड DocType: Guardian Interest,Guardian Interest,गार्जियन ब्याज @@ -3553,7 +3562,7 @@ DocType: Offer Letter,Awaiting Response,प्रतिक्रिया की apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ऊपर apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},अमान्य विशेषता {0} {1} DocType: Supplier,Mention if non-standard payable account,यदि मानक मानक देय खाता है तो उल्लेख करें -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},एक ही बार कई बार दर्ज किया गया है। {सूची} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},एक ही बार कई बार दर्ज किया गया है। {सूची} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',कृपया 'सभी मूल्यांकन समूह' के अलावा अन्य मूल्यांकन समूह का चयन करें DocType: Salary Slip,Earning & Deduction,अर्जन कटौती apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,वैकल्पिक . यह सेटिंग विभिन्न लेनदेन में फिल्टर करने के लिए इस्तेमाल किया जाएगा . @@ -3572,7 +3581,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,खत्म कर दिया संपत्ति की लागत apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: आइटम के लिए लागत केंद्र अनिवार्य है {2} DocType: Vehicle,Policy No,पॉलिसी संख्या -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,उत्पाद बंडल से आइटम प्राप्त +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,उत्पाद बंडल से आइटम प्राप्त DocType: Asset,Straight Line,सीधी रेखा DocType: Project User,Project User,परियोजना उपयोगकर्ता apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,विभाजित करें @@ -3584,6 +3593,7 @@ DocType: Sales Team,Contact No.,सं संपर्क DocType: Bank Reconciliation,Payment Entries,भुगतान प्रविष्टियां DocType: Production Order,Scrap Warehouse,स्क्रैप गोदाम DocType: Production Order,Check if material transfer entry is not required,जांच करें कि भौतिक हस्तांतरण प्रविष्टि की आवश्यकता नहीं है +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन में कर्मचारी नामकरण प्रणाली> एचआर सेटिंग्स सेट करें DocType: Program Enrollment Tool,Get Students From,से छात्रों जाओ DocType: Hub Settings,Seller Country,विक्रेता देश apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,वेबसाइट पर आइटम प्रकाशित करें @@ -3601,19 +3611,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,शिपिंग राशि की गणना करने के लिए शर्तों को निर्दिष्ट DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,भूमिका जमे लेखा एवं संपादित जमे प्रविष्टियां सेट करने की अनुमति apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,यह बच्चे नोड्स के रूप में खाता बही के लिए लागत केंद्र बदला नहीं जा सकता -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,उद्घाटन मूल्य +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,उद्घाटन मूल्य DocType: Salary Detail,Formula,सूत्र apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,सीरियल # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,बिक्री पर कमीशन DocType: Offer Letter Term,Value / Description,मूल्य / विवरण -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","पंक्ति # {0}: संपत्ति {1} प्रस्तुत नहीं किया जा सकता है, यह पहले से ही है {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","पंक्ति # {0}: संपत्ति {1} प्रस्तुत नहीं किया जा सकता है, यह पहले से ही है {2}" DocType: Tax Rule,Billing Country,बिलिंग देश DocType: Purchase Order Item,Expected Delivery Date,उम्मीद डिलीवरी की तारीख apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,डेबिट और क्रेडिट {0} # के लिए बराबर नहीं {1}। अंतर यह है {2}। apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,मनोरंजन खर्च apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,सामग्री अनुरोध करें apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},खुले आइटम {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,बिक्री चालान {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,बिक्री चालान {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,आयु DocType: Sales Invoice Timesheet,Billing Amount,बिलिंग राशि apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,आइटम के लिए निर्दिष्ट अमान्य मात्रा {0} . मात्रा 0 से अधिक होना चाहिए . @@ -3636,7 +3646,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,नया ग्राहक राजस्व apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,यात्रा व्यय DocType: Maintenance Visit,Breakdown,भंग -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,खाता: {0} मुद्रा के साथ: {1} चयनित नहीं किया जा सकता +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,खाता: {0} मुद्रा के साथ: {1} चयनित नहीं किया जा सकता DocType: Bank Reconciliation Detail,Cheque Date,चेक तिथि apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: माता पिता के खाते {1} कंपनी से संबंधित नहीं है: {2} DocType: Program Enrollment Tool,Student Applicants,छात्र आवेदकों @@ -3656,11 +3666,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,आय DocType: Material Request,Issued,जारी किया गया apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,छात्र गतिविधि DocType: Project,Total Billing Amount (via Time Logs),कुल बिलिंग राशि (टाइम लॉग्स के माध्यम से) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,हम इस आइटम बेचने +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,हम इस आइटम बेचने apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,आपूर्तिकर्ता आईडी DocType: Payment Request,Payment Gateway Details,भुगतान गेटवे विवरण -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,मात्रा 0 से अधिक होना चाहिए -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,नमूना डेटा +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,मात्रा 0 से अधिक होना चाहिए +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,नमूना डेटा DocType: Journal Entry,Cash Entry,कैश एंट्री apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,बच्चे नोड्स केवल 'समूह' प्रकार नोड्स के तहत बनाया जा सकता है DocType: Leave Application,Half Day Date,आधा दिन की तारीख @@ -3669,17 +3679,18 @@ DocType: Sales Partner,Contact Desc,संपर्क जानकारी apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","आकस्मिक, बीमार आदि की तरह पत्तियों के प्रकार" DocType: Email Digest,Send regular summary reports via Email.,ईमेल के माध्यम से नियमित रूप से सारांश रिपोर्ट भेजें। DocType: Payment Entry,PE-,पीई- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},में व्यय दावा प्रकार डिफ़ॉल्ट खाता सेट करें {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},में व्यय दावा प्रकार डिफ़ॉल्ट खाता सेट करें {0} DocType: Assessment Result,Student Name,छात्र का नाम DocType: Brand,Item Manager,आइटम प्रबंधक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,पेरोल देय DocType: Buying Settings,Default Supplier Type,डिफ़ॉल्ट प्रदायक प्रकार DocType: Production Order,Total Operating Cost,कुल परिचालन लागत -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,नोट : आइटम {0} कई बार प्रवेश किया +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,नोट : आइटम {0} कई बार प्रवेश किया apps/erpnext/erpnext/config/selling.py +41,All Contacts.,सभी संपर्क. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,अपना लक्ष्य निर्धारित करें apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,कंपनी संक्षिप्त apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,प्रयोक्ता {0} मौजूद नहीं है -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,कच्चे माल के मुख्य मद के रूप में ही नहीं हो सकता +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,कच्चे माल के मुख्य मद के रूप में ही नहीं हो सकता DocType: Item Attribute Value,Abbreviation,संक्षिप्त apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,भुगतान प्रविष्टि पहले से मौजूद apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} सीमा से अधिक के बाद से Authroized नहीं @@ -3697,7 +3708,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,जमे हुए ,Territory Target Variance Item Group-Wise,क्षेत्र को लक्षित विचरण मद समूहवार apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,सभी ग्राहक समूहों apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,संचित मासिक -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} अनिवार्य है. हो सकता है कि विनिमय दर रिकॉर्ड {2} को {1} के लिए नहीं बनाई गई है. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} अनिवार्य है. हो सकता है कि विनिमय दर रिकॉर्ड {2} को {1} के लिए नहीं बनाई गई है. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,टैक्स खाका अनिवार्य है। apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,खाते {0}: माता पिता के खाते {1} मौजूद नहीं है DocType: Purchase Invoice Item,Price List Rate (Company Currency),मूल्य सूची दर (कंपनी मुद्रा) @@ -3708,7 +3719,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,प्रति apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,सचिव DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","अक्षम करते हैं, क्षेत्र 'शब्दों में' किसी भी सौदे में दिखाई नहीं होगा" DocType: Serial No,Distinct unit of an Item,एक आइटम की अलग इकाई -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,कृपया कंपनी सेट करें +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,कृपया कंपनी सेट करें DocType: Pricing Rule,Buying,क्रय DocType: HR Settings,Employee Records to be created by,कर्मचारी रिकॉर्ड्स द्वारा पैदा किए जाने की DocType: POS Profile,Apply Discount On,डिस्काउंट पर लागू होते हैं @@ -3719,7 +3730,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,मद वार कर विस्तार से apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,संस्थान संक्षिप्त ,Item-wise Price List Rate,मद वार मूल्य सूची दर -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,प्रदायक कोटेशन +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,प्रदायक कोटेशन DocType: Quotation,In Words will be visible once you save the Quotation.,शब्दों में दिखाई हो सकता है एक बार आप उद्धरण बचाने के लिए होगा. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},मात्रा ({0}) पंक्ति {1} में अंश नहीं हो सकता apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,फीस जमा @@ -3743,7 +3754,7 @@ Updated via 'Time Log'","मिनट में DocType: Customer,From Lead,लीड से apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,उत्पादन के लिए आदेश जारी किया. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,वित्तीय वर्ष का चयन करें ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,पीओएस प्रोफ़ाइल पीओएस एंट्री बनाने के लिए आवश्यक +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,पीओएस प्रोफ़ाइल पीओएस एंट्री बनाने के लिए आवश्यक DocType: Program Enrollment Tool,Enroll Students,छात्रों को भर्ती DocType: Hub Settings,Name Token,नाम टोकन apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,मानक बेच @@ -3761,7 +3772,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,स्टॉक मूल् apps/erpnext/erpnext/config/learn.py +234,Human Resource,मानव संसाधन DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,भुगतान सुलह भुगतान apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,कर संपत्ति -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},उत्पादन आदेश {0} हो गया है +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},उत्पादन आदेश {0} हो गया है DocType: BOM Item,BOM No,नहीं बीओएम DocType: Instructor,INS/,आईएनएस / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,जर्नल प्रविष्टि {0} {1} या पहले से ही अन्य वाउचर के खिलाफ मिलान खाता नहीं है @@ -3775,14 +3786,14 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,. Csv apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,बकाया राशि DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,सेट आइटम इस बिक्री व्यक्ति के लिए समूह - वार लक्ष्य. DocType: Stock Settings,Freeze Stocks Older Than [Days],रुक स्टॉक से अधिक उम्र [ दिन] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,पंक्ति # {0}: संपत्ति निश्चित संपत्ति खरीद / बिक्री के लिए अनिवार्य है +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,पंक्ति # {0}: संपत्ति निश्चित संपत्ति खरीद / बिक्री के लिए अनिवार्य है apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","दो या दो से अधिक मूल्य निर्धारण नियमों उपरोक्त शर्तों के आधार पर पाए जाते हैं, प्राथमिकता लागू किया जाता है। डिफ़ॉल्ट मान शून्य (रिक्त) है, जबकि प्राथमिकता 0-20 के बीच एक नंबर है। अधिक संख्या में एक ही शर्तों के साथ एकाधिक मूल्य निर्धारण नियम हैं अगर यह पूर्वता ले जाएगा मतलब है।" apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,वित्तीय वर्ष: {0} करता नहीं मौजूद है DocType: Currency Exchange,To Currency,मुद्रा के लिए DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,निम्नलिखित उपयोगकर्ता ब्लॉक दिनों के लिए छोड़ एप्लीकेशन को स्वीकृत करने की अनुमति दें. apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,व्यय दावा के प्रकार. DocType: Item,Taxes,कर -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,भुगतान किया है और वितरित नहीं +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,भुगतान किया है और वितरित नहीं DocType: Project,Default Cost Center,डिफ़ॉल्ट लागत केंद्र DocType: Bank Guarantee,End Date,समाप्ति तिथि apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,शेयर लेनदेन @@ -3799,7 +3810,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,दैनिक काम सारांश सेटिंग कंपनी apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,यह एक शेयर आइटम नहीं है क्योंकि मद {0} को नजरअंदाज कर दिया DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,आगे की प्रक्रिया के लिए इस उत्पादन का आदेश सबमिट करें . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,आगे की प्रक्रिया के लिए इस उत्पादन का आदेश सबमिट करें . apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","एक विशेष लेन - देन में मूल्य निर्धारण नियम लागू नहीं करने के लिए, सभी लागू नहीं डालती निष्क्रिय किया जाना चाहिए." DocType: Assessment Group,Parent Assessment Group,जनक आकलन समूह apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,नौकरियां @@ -3807,10 +3818,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,नौकर DocType: Employee,Held On,पर Held apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,उत्पादन आइटम ,Employee Information,कर्मचारी जानकारी -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),दर (% ) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),दर (% ) DocType: Stock Entry Detail,Additional Cost,अतिरिक्त लागत apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","वाउचर के आधार पर फ़िल्टर नहीं कर सकते नहीं, वाउचर के आधार पर समूहीकृत अगर" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,प्रदायक कोटेशन बनाओ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,प्रदायक कोटेशन बनाओ DocType: Quality Inspection,Incoming,आवक DocType: BOM,Materials Required (Exploded),माल आवश्यक (विस्फोट) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","खुद के अलावा अन्य, अपने संगठन के लिए उपयोगकर्ताओं को जोड़ें" @@ -3826,7 +3837,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,खाता: {0} केवल शेयर लेनदेन के माध्यम से अद्यतन किया जा सकता है DocType: Student Group Creation Tool,Get Courses,पाठ्यक्रम जाओ DocType: GL Entry,Party,पार्टी -DocType: Sales Order,Delivery Date,प्रसव की तारीख +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,प्रसव की तारीख DocType: Opportunity,Opportunity Date,अवसर तिथि DocType: Purchase Receipt,Return Against Purchase Receipt,खरीद रसीद के खिलाफ लौटें DocType: Request for Quotation Item,Request for Quotation Item,कोटेशन मद के लिए अनुरोध @@ -3840,7 +3851,7 @@ DocType: Task,Actual Time (in Hours),(घंटे में) वास्तव DocType: Employee,History In Company,कंपनी में इतिहास apps/erpnext/erpnext/config/learn.py +107,Newsletters,समाचारपत्रिकाएँ DocType: Stock Ledger Entry,Stock Ledger Entry,स्टॉक खाता प्रविष्टि -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,एक ही आइटम कई बार दर्ज किया गया है +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,एक ही आइटम कई बार दर्ज किया गया है DocType: Department,Leave Block List,ब्लॉक सूची छोड़ दो DocType: Sales Invoice,Tax ID,टैक्स आईडी apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,आइटम {0} सीरियल नग स्तंभ के लिए सेटअप रिक्त होना चाहिए नहीं है @@ -3858,25 +3869,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,काली DocType: BOM Explosion Item,BOM Explosion Item,बीओएम धमाका आइटम DocType: Account,Auditor,आडिटर -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} उत्पादित वस्तुओं +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} उत्पादित वस्तुओं DocType: Cheque Print Template,Distance from top edge,ऊपरी किनारे से दूरी apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,मूल्य सूची {0} अक्षम है या मौजूद नहीं है DocType: Purchase Invoice,Return,वापसी DocType: Production Order Operation,Production Order Operation,उत्पादन का आदेश ऑपरेशन DocType: Pricing Rule,Disable,असमर्थ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,भुगतान की विधि भुगतान करने के लिए आवश्यक है +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,भुगतान की विधि भुगतान करने के लिए आवश्यक है DocType: Project Task,Pending Review,समीक्षा के लिए लंबित apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} बैच में नामांकित नहीं है {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","एसेट {0}, खत्म कर दिया नहीं जा सकता क्योंकि यह पहले से ही है {1}" DocType: Task,Total Expense Claim (via Expense Claim),(व्यय दावा) के माध्यम से कुल खर्च का दावा apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,मार्क अनुपस्थित -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},पंक्ति {0}: बीओएम # की मुद्रा {1} चयनित मुद्रा के बराबर होना चाहिए {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},पंक्ति {0}: बीओएम # की मुद्रा {1} चयनित मुद्रा के बराबर होना चाहिए {2} DocType: Journal Entry Account,Exchange Rate,विनिमय दर -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,बिक्री आदेश {0} प्रस्तुत नहीं किया गया है +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,बिक्री आदेश {0} प्रस्तुत नहीं किया गया है DocType: Homepage,Tag Line,टैग लाइन DocType: Fee Component,Fee Component,शुल्क घटक apps/erpnext/erpnext/config/hr.py +195,Fleet Management,बेड़े प्रबंधन -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,से आइटम जोड़ें +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,से आइटम जोड़ें DocType: Cheque Print Template,Regular,नियमित apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,सभी मूल्यांकन मापदंड के कुल वेटेज 100% होना चाहिए DocType: BOM,Last Purchase Rate,पिछले खरीद दर @@ -3897,12 +3908,12 @@ DocType: Employee,Reports to,करने के लिए रिपोर्ट DocType: SMS Settings,Enter url parameter for receiver nos,रिसीवर ओपन स्कूल के लिए url पैरामीटर दर्ज करें DocType: Payment Entry,Paid Amount,राशि भुगतान DocType: Assessment Plan,Supervisor,पर्यवेक्षक -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,ऑनलाइन +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ऑनलाइन ,Available Stock for Packing Items,आइटम पैकिंग के लिए उपलब्ध स्टॉक DocType: Item Variant,Item Variant,आइटम संस्करण DocType: Assessment Result Tool,Assessment Result Tool,आकलन के परिणाम उपकरण DocType: BOM Scrap Item,BOM Scrap Item,बीओएम स्क्रैप मद -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,प्रस्तुत किए गए आदेशों हटाया नहीं जा सकता +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,प्रस्तुत किए गए आदेशों हटाया नहीं जा सकता apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","खाते की शेष राशि पहले से ही डेबिट में है, कृपया आप शेष राशि को क्रेडिट के रूप में ही रखें" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,गुणवत्ता प्रबंधन apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,मद {0} अक्षम किया गया है @@ -3933,7 +3944,7 @@ DocType: Item Group,Default Expense Account,डिफ़ॉल्ट व्य apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,छात्र ईमेल आईडी DocType: Employee,Notice (days),सूचना (दिन) DocType: Tax Rule,Sales Tax Template,सेल्स टैक्स खाका -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,चालान बचाने के लिए आइटम का चयन करें +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,चालान बचाने के लिए आइटम का चयन करें DocType: Employee,Encashment Date,नकदीकरण तिथि DocType: Training Event,Internet,इंटरनेट DocType: Account,Stock Adjustment,शेयर समायोजन @@ -3981,10 +3992,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,प् apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,अधिकतम छूट मद के लिए अनुमति दी: {0} {1}% है apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,शुद्ध परिसंपत्ति मूल्य के रूप में DocType: Account,Receivable,प्राप्य -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,पंक्ति # {0}: खरीद आदेश पहले से मौजूद है के रूप में आपूर्तिकर्ता बदलने की अनुमति नहीं +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,पंक्ति # {0}: खरीद आदेश पहले से मौजूद है के रूप में आपूर्तिकर्ता बदलने की अनुमति नहीं DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,निर्धारित ऋण सीमा से अधिक लेनदेन है कि प्रस्तुत करने की अनुमति दी है कि भूमिका. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,निर्माण करने के लिए आइटम का चयन करें -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","मास्टर डेटा सिंक्रनाइज़, यह कुछ समय लग सकता है" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,निर्माण करने के लिए आइटम का चयन करें +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","मास्टर डेटा सिंक्रनाइज़, यह कुछ समय लग सकता है" DocType: Item,Material Issue,महत्त्वपूर्ण विषय DocType: Hub Settings,Seller Description,विक्रेता विवरण DocType: Employee Education,Qualification,योग्यता @@ -4005,11 +4016,10 @@ DocType: BOM,Rate Of Materials Based On,सामग्री के आधा apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,समर्थन Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,सब को अचयनित करें DocType: POS Profile,Terms and Conditions,नियम और शर्तें -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन में कर्मचारी नामकरण प्रणाली> एचआर सेटिंग्स सेट करें apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},तिथि वित्तीय वर्ष के भीतर होना चाहिए. तिथि करने के लिए मान लिया जाये = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","यहाँ आप ऊंचाई, वजन, एलर्जी, चिकित्सा चिंताओं आदि बनाए रख सकते हैं" DocType: Leave Block List,Applies to Company,कंपनी के लिए लागू होता है -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"प्रस्तुत स्टॉक एंट्री {0} मौजूद है , क्योंकि रद्द नहीं कर सकते" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"प्रस्तुत स्टॉक एंट्री {0} मौजूद है , क्योंकि रद्द नहीं कर सकते" DocType: Employee Loan,Disbursement Date,संवितरण की तारीख DocType: Vehicle,Vehicle,वाहन DocType: Purchase Invoice,In Words,शब्दों में @@ -4047,7 +4057,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,वैश्विक DocType: Assessment Result Detail,Assessment Result Detail,आकलन के परिणाम विस्तार DocType: Employee Education,Employee Education,कर्मचारी शिक्षा apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,डुप्लिकेट आइटम समूह मद समूह तालिका में पाया -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,यह आइटम विवरण लाने की जरूरत है। +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,यह आइटम विवरण लाने की जरूरत है। DocType: Salary Slip,Net Pay,शुद्ध वेतन DocType: Account,Account,खाता apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,धारावाहिक नहीं {0} पहले से ही प्राप्त हो गया है @@ -4055,7 +4065,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,वाहन लॉग DocType: Purchase Invoice,Recurring Id,आवर्ती आईडी DocType: Customer,Sales Team Details,बिक्री टीम विवरण -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,स्थायी रूप से हटाना चाहते हैं? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,स्थायी रूप से हटाना चाहते हैं? DocType: Expense Claim,Total Claimed Amount,कुल दावा किया राशि apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,बेचने के लिए संभावित अवसरों. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},अमान्य {0} @@ -4067,7 +4077,7 @@ DocType: Warehouse,PIN,पिन apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,सेटअप ERPNext में अपने स्कूल DocType: Sales Invoice,Base Change Amount (Company Currency),बेस परिवर्तन राशि (कंपनी मुद्रा) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,निम्नलिखित गोदामों के लिए कोई लेखा प्रविष्टियों -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,पहले दस्तावेज़ को सहेजें। +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,पहले दस्तावेज़ को सहेजें। DocType: Account,Chargeable,प्रभार्य DocType: Company,Change Abbreviation,बदले संक्षिप्त DocType: Expense Claim Detail,Expense Date,व्यय तिथि @@ -4081,7 +4091,6 @@ DocType: BOM,Manufacturing User,विनिर्माण प्रयोक DocType: Purchase Invoice,Raw Materials Supplied,कच्चे माल की आपूर्ति DocType: Purchase Invoice,Recurring Print Format,आवर्ती प्रिंट प्रारूप DocType: C-Form,Series,कई -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,उम्मीद की डिलीवरी तिथि खरीद आदेश तिथि से पहले नहीं हो सकता DocType: Appraisal,Appraisal Template,मूल्यांकन टेम्पलेट DocType: Item Group,Item Classification,आइटम वर्गीकरण apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,व्यापार विकास प्रबंधक @@ -4120,12 +4129,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,चुन apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,प्रशिक्षण कार्यक्रम / परिणाम apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,के रूप में संचित पर मूल्यह्रास DocType: Sales Invoice,C-Form Applicable,लागू सी फार्म -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},आपरेशन के समय ऑपरेशन के लिए 0 से अधिक होना चाहिए {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},आपरेशन के समय ऑपरेशन के लिए 0 से अधिक होना चाहिए {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,गोदाम अनिवार्य है DocType: Supplier,Address and Contacts,पता और संपर्क DocType: UOM Conversion Detail,UOM Conversion Detail,UOM रूपांतरण विस्तार DocType: Program,Program Abbreviation,कार्यक्रम संक्षिप्त -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,उत्पादन का आदेश एक आइटम टेम्पलेट के खिलाफ उठाया नहीं जा सकता +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,उत्पादन का आदेश एक आइटम टेम्पलेट के खिलाफ उठाया नहीं जा सकता apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,प्रभार प्रत्येक आइटम के खिलाफ खरीद रसीद में नवीनीकृत कर रहे हैं DocType: Warranty Claim,Resolved By,द्वारा हल किया DocType: Bank Guarantee,Start Date,प्रारंभ दिनांक @@ -4160,6 +4169,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,प्रशिक्षण प्रतिक्रिया apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,उत्पादन का आदेश {0} प्रस्तुत किया जाना चाहिए apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},प्रारंभ तिथि और आइटम के लिए अंतिम तिथि का चयन करें {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,बिक्री लक्ष्य निर्धारित करें जिसे आप हासिल करना चाहते हैं apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},कोर्स पंक्ति में अनिवार्य है {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,तिथि करने के लिए तिथि से पहले नहीं हो सकता DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc doctype @@ -4177,7 +4187,7 @@ DocType: Account,Income,आय DocType: Industry Type,Industry Type,उद्योग के प्रकार apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,कुछ गलत हो गया! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,चेतावनी: अवकाश आवेदन निम्न ब्लॉक दिनांक शामिल -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,बिक्री चालान {0} पहले से ही प्रस्तुत किया गया है +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,बिक्री चालान {0} पहले से ही प्रस्तुत किया गया है DocType: Assessment Result Detail,Score,स्कोर apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,वित्त वर्ष {0} मौजूद नहीं है apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,पूरा करने की तिथि @@ -4207,7 +4217,7 @@ DocType: Naming Series,Help HTML,HTML मदद DocType: Student Group Creation Tool,Student Group Creation Tool,छात्र समूह निर्माण उपकरण DocType: Item,Variant Based On,प्रकार पर आधारित apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},कुल आवंटित वेटेज 100 % होना चाहिए . यह है {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,अपने आपूर्तिकर्ताओं +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,अपने आपूर्तिकर्ताओं apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,बिक्री आदेश किया जाता है के रूप में खो के रूप में सेट नहीं कर सकता . DocType: Request for Quotation Item,Supplier Part No,प्रदायक भाग नहीं apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',घटा नहीं सकते जब श्रेणी 'मूल्यांकन' या 'Vaulation और कुल' के लिए है @@ -4217,14 +4227,14 @@ DocType: Item,Has Serial No,नहीं सीरियल गया है DocType: Employee,Date of Issue,जारी करने की तारीख apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} के लिए {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ख़रीद सेटिंग के मुताबिक यदि खरीद रिसीप्ट की आवश्यकता है == 'हां', तो खरीद चालान बनाने के लिए, उपयोगकर्ता को आइटम के लिए पहली खरीदी रसीद बनाने की ज़रूरत है {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},पंक्ति # {0}: आइटम के लिए सेट प्रदायक {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,पंक्ति {0}: घंटे मूल्य शून्य से अधिक होना चाहिए। +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},पंक्ति # {0}: आइटम के लिए सेट प्रदायक {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,पंक्ति {0}: घंटे मूल्य शून्य से अधिक होना चाहिए। apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,मद {1} से जुड़ी वेबसाइट छवि {0} पाया नहीं जा सकता DocType: Issue,Content Type,सामग्री प्रकार apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,कंप्यूटर DocType: Item,List this Item in multiple groups on the website.,कई समूहों में वेबसाइट पर इस मद की सूची. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,अन्य मुद्रा के साथ खातों अनुमति देने के लिए बहु मुद्रा विकल्प की जाँच करें -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,आइटम: {0} सिस्टम में मौजूद नहीं है +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,आइटम: {0} सिस्टम में मौजूद नहीं है apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,आप स्थिर मूल्य निर्धारित करने के लिए अधिकृत नहीं हैं DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled प्रविष्टियां प्राप्त करें DocType: Payment Reconciliation,From Invoice Date,चालान तिथि से @@ -4250,7 +4260,7 @@ DocType: Stock Entry,Default Source Warehouse,डिफ़ॉल्ट स्र DocType: Item,Customer Code,ग्राहक कोड apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},के लिए जन्मदिन अनुस्मारक {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,दिनों से पिछले आदेश -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,खाते में डेबिट एक बैलेंस शीट खाता होना चाहिए +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,खाते में डेबिट एक बैलेंस शीट खाता होना चाहिए DocType: Buying Settings,Naming Series,श्रृंखला का नामकरण DocType: Leave Block List,Leave Block List Name,ब्लॉक सूची नाम छोड़ दो apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,बीमा प्रारंभ दिनांक से बीमा समाप्ति की तारीख कम होना चाहिए @@ -4267,7 +4277,7 @@ DocType: Vehicle Log,Odometer,ओडोमीटर DocType: Sales Order Item,Ordered Qty,मात्रा का आदेश दिया apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,मद {0} अक्षम हो जाता है DocType: Stock Settings,Stock Frozen Upto,स्टॉक तक जमे हुए -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,बीओएम किसी भी शेयर आइटम शामिल नहीं है +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,बीओएम किसी भी शेयर आइटम शामिल नहीं है apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},से और अवधि आवर्ती के लिए अनिवार्य तिथियाँ तक की अवधि के {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,परियोजना / कार्य कार्य. DocType: Vehicle Log,Refuelling Details,ईंधन भराई विवरण @@ -4277,7 +4287,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,अंतिम खरीद दर नहीं मिला DocType: Purchase Invoice,Write Off Amount (Company Currency),राशि से लिखें (कंपनी मुद्रा) DocType: Sales Invoice Timesheet,Billing Hours,बिलिंग घंटे -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,{0} नहीं मिला डिफ़ॉल्ट बीओएम +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,{0} नहीं मिला डिफ़ॉल्ट बीओएम apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,पंक्ति # {0}: पुनःक्रमित मात्रा सेट करें apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,उन्हें यहां जोड़ने के लिए आइटम टैप करें DocType: Fees,Program Enrollment,कार्यक्रम नामांकन @@ -4310,6 +4320,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,बूढ़े रेंज 2 DocType: SG Creation Tool Course,Max Strength,मैक्स शक्ति apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,बीओएम प्रतिस्थापित +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,डिलीवरी तिथि के आधार पर आइटम चुनें ,Sales Analytics,बिक्री विश्लेषिकी apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},उपलब्ध {0} ,Prospects Engaged But Not Converted,संभावनाएं जुड़ी हुई हैं लेकिन परिवर्तित नहीं @@ -4356,7 +4367,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise डिस्क apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,कार्यों के लिए समय पत्रक। DocType: Purchase Invoice,Against Expense Account,व्यय खाते के खिलाफ DocType: Production Order,Production Order,उत्पादन का आदेश -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,स्थापना नोट {0} पहले से ही प्रस्तुत किया गया है +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,स्थापना नोट {0} पहले से ही प्रस्तुत किया गया है DocType: Bank Reconciliation,Get Payment Entries,भुगतान प्रविष्टियां प्राप्त DocType: Quotation Item,Against Docname,Docname खिलाफ DocType: SMS Center,All Employee (Active),सभी कर्मचारी (सक्रिय) @@ -4365,7 +4376,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,कच्चे माल की लागत DocType: Item Reorder,Re-Order Level,स्तर पुनः क्रमित करें DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"वस्तुओं और योजना बनाई मात्रा दर्ज करें, जिसके लिए आप उत्पादन के आदेश को बढ़ाने या विश्लेषण के लिए कच्चे माल के डाउनलोड करना चाहते हैं." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt चार्ट +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt चार्ट apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,अंशकालिक DocType: Employee,Applicable Holiday List,लागू अवकाश सूची DocType: Employee,Cheque,चैक @@ -4421,11 +4432,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,उत्पादन के लिए मात्रा सुरक्षित DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,अनियंत्रित छोड़ें यदि आप पाठ्यक्रम आधारित समूहों को बनाने के दौरान बैच पर विचार नहीं करना चाहते हैं DocType: Asset,Frequency of Depreciation (Months),मूल्यह्रास की आवृत्ति (माह) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,क्रेडिट खाता +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,क्रेडिट खाता DocType: Landed Cost Item,Landed Cost Item,आयातित माल की लागत मद apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,शून्य मूल्यों को दिखाने DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,वस्तु की मात्रा विनिर्माण / कच्चे माल की दी गई मात्रा से repacking के बाद प्राप्त -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,सेटअप अपने संगठन के लिए एक साधारण वेबसाइट +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,सेटअप अपने संगठन के लिए एक साधारण वेबसाइट DocType: Payment Reconciliation,Receivable / Payable Account,प्राप्य / देय खाता DocType: Delivery Note Item,Against Sales Order Item,बिक्री आदेश आइटम के खिलाफ apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},विशेषता के लिए विशेषता मान निर्दिष्ट करें {0} @@ -4487,22 +4498,22 @@ DocType: Student,Nationality,राष्ट्रीयता ,Items To Be Requested,अनुरोध किया जा करने के लिए आइटम DocType: Purchase Order,Get Last Purchase Rate,पिछले खरीद दर DocType: Company,Company Info,कंपनी की जानकारी -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,का चयन करें या नए ग्राहक जोड़ने -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,लागत केंद्र एक व्यय का दावा बुक करने के लिए आवश्यक है +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,का चयन करें या नए ग्राहक जोड़ने +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,लागत केंद्र एक व्यय का दावा बुक करने के लिए आवश्यक है apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),फंड के अनुप्रयोग ( संपत्ति) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,यह इस कर्मचारी की उपस्थिति पर आधारित है -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,डेबिट अकाउंट +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,डेबिट अकाउंट DocType: Fiscal Year,Year Start Date,वर्ष प्रारंभ दिनांक DocType: Attendance,Employee Name,कर्मचारी का नाम DocType: Sales Invoice,Rounded Total (Company Currency),गोल कुल (कंपनी मुद्रा) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"खाते का प्रकार चयन किया जाता है, क्योंकि समूह को गुप्त नहीं कर सकते।" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} संशोधित किया गया है . रीफ्रेश करें. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} संशोधित किया गया है . रीफ्रेश करें. DocType: Leave Block List,Stop users from making Leave Applications on following days.,निम्नलिखित दिन पर छुट्टी अनुप्रयोग बनाने से उपयोगकर्ताओं को बंद करो. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,खरीद ने का मूलय apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,प्रदायक कोटेशन {0} बनाया apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,समाप्ति वर्ष प्रारंभ साल से पहले नहीं हो सकता apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,कर्मचारी लाभ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},{0} पंक्ति में {1} पैक्ड मात्रा आइटम के लिए मात्रा के बराबर होना चाहिए +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},{0} पंक्ति में {1} पैक्ड मात्रा आइटम के लिए मात्रा के बराबर होना चाहिए DocType: Production Order,Manufactured Qty,निर्मित मात्रा DocType: Purchase Receipt Item,Accepted Quantity,स्वीकार किए जाते हैं मात्रा apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},एक डिफ़ॉल्ट कर्मचारी के लिए छुट्टी सूची सेट करें {0} {1} या कंपनी @@ -4513,11 +4524,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},पंक्ति कोई {0}: राशि व्यय दावा {1} के खिलाफ राशि लंबित से अधिक नहीं हो सकता है। लंबित राशि है {2} DocType: Maintenance Schedule,Schedule,अनुसूची DocType: Account,Parent Account,खाते के जनक -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,उपलब्ध +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,उपलब्ध DocType: Quality Inspection Reading,Reading 3,3 पढ़ना ,Hub,हब DocType: GL Entry,Voucher Type,वाउचर प्रकार -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,मूल्य सूची पाया या निष्क्रिय नहीं +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,मूल्य सूची पाया या निष्क्रिय नहीं DocType: Employee Loan Application,Approved,अनुमोदित DocType: Pricing Rule,Price,कीमत apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} को राहत मिली कर्मचारी 'वाम ' के रूप में स्थापित किया जाना चाहिए @@ -4586,7 +4597,7 @@ DocType: SMS Settings,Static Parameters,स्टेटिक पैरामी DocType: Assessment Plan,Room,कक्ष DocType: Purchase Order,Advance Paid,अग्रिम भुगतान DocType: Item,Item Tax,आइटम टैक्स -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,प्रदायक के लिए सामग्री +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,प्रदायक के लिए सामग्री apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,आबकारी चालान apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% से अधिक बार दिखाई देता है DocType: Expense Claim,Employees Email Id,ईमेल आईडी कर्मचारी @@ -4626,7 +4637,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,आदर्श DocType: Production Order,Actual Operating Cost,वास्तविक ऑपरेटिंग कॉस्ट DocType: Payment Entry,Cheque/Reference No,चैक / संदर्भ नहीं -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,आपूर्तिकर्ता> प्रदायक प्रकार apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,रूट संपादित नहीं किया जा सकता है . DocType: Item,Units of Measure,मापन की इकाई DocType: Manufacturing Settings,Allow Production on Holidays,छुट्टियों पर उत्पादन की अनुमति @@ -4659,12 +4669,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,क्रेडिट दिन apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,छात्र बैच बनाने DocType: Leave Type,Is Carry Forward,क्या आगे ले जाना -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,बीओएम से आइटम प्राप्त +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,बीओएम से आइटम प्राप्त apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,लीड समय दिन -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},पंक्ति # {0}: पोस्ट दिनांक खरीद की तारीख के रूप में ही होना चाहिए {1} संपत्ति का {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},पंक्ति # {0}: पोस्ट दिनांक खरीद की तारीख के रूप में ही होना चाहिए {1} संपत्ति का {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,यह जाँच लें कि छात्र संस्थान के छात्रावास में रह रहा है। apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,उपरोक्त तालिका में विक्रय आदेश दर्ज करें -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,प्रस्तुत नहीं वेतन निकल जाता है +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,प्रस्तुत नहीं वेतन निकल जाता है ,Stock Summary,स्टॉक सारांश apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,दूसरे के लिए एक गोदाम से एक संपत्ति स्थानांतरण DocType: Vehicle,Petrol,पेट्रोल diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index 45ded7e8706..9daaeea7dde 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Trgovac DocType: Employee,Rented,Iznajmljeno DocType: Purchase Order,PO-,po- DocType: POS Profile,Applicable for User,Primjenjivo za članove -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zaustavljen Proizvodnja Red ne može biti otkazana, odčepiti najprije otkazati" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zaustavljen Proizvodnja Red ne može biti otkazana, odčepiti najprije otkazati" DocType: Vehicle Service,Mileage,Kilometraža apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Da li zaista želite odbaciti ovu imovinu? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Odabir Primarna Dobavljač @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Naplaćeno apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Tečaj mora biti ista kao {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Naziv klijenta DocType: Vehicle,Natural Gas,Prirodni gas -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankovni račun ne može biti imenovan kao {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Bankovni račun ne može biti imenovan kao {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Šefovi (ili skupine) od kojih računovodstvenih unosa su i sredstva su održavani. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Izvanredna za {0} ne može biti manji od nule ( {1} ) DocType: Manufacturing Settings,Default 10 mins,Default 10 min @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Naziv vrste odsustva apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Prikaži otvorena apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Serija je uspješno ažurirana apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Provjeri -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Prijavljen +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Prijavljen DocType: Pricing Rule,Apply On,Nanesite na DocType: Item Price,Multiple Item prices.,Višestruke cijene proizvoda. ,Purchase Order Items To Be Received,Stavke narudžbenice za zaprimanje @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Način plaćanja račun apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Pokaži varijante DocType: Academic Term,Academic Term,Akademski pojam apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materijal -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Količina +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Količina apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Računi stol ne može biti prazno. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Zajmovi (pasiva) DocType: Employee Education,Year of Passing,Godina Prolazeći @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Health Care apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Kašnjenje u plaćanju (dani) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,usluga Rashodi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} već se odnosi na prodajnu fakturu: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Faktura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} već se odnosi na prodajnu fakturu: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Faktura DocType: Maintenance Schedule Item,Periodicity,Periodičnost apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskalna godina {0} je potrebno -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Očekivani datum isporuke je bilo prije prodajnog naloga Datum apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Obrana DocType: Salary Component,Abbr,Kratica DocType: Appraisal Goal,Score (0-5),Ocjena (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Red # {0}: DocType: Timesheet,Total Costing Amount,Ukupno Obračun troškova Iznos DocType: Delivery Note,Vehicle No,Ne vozila -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Molim odaberite cjenik +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Molim odaberite cjenik apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Red # {0}: dokument Plaćanje je potrebno za dovršenje trasaction DocType: Production Order Operation,Work In Progress,Radovi u tijeku apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Odaberite datum @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} nije u nijednoj fiskalnoj godini. DocType: Packed Item,Parent Detail docname,Nadređeni detalj docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenca: {0}, šifra stavke: {1} i klijent: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,kg DocType: Student Log,Log,Prijava apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Otvaranje za posao. DocType: Item Attribute,Increment,Pomak @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Oženjen apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Nije dopušteno {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Nabavite stavke iz -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Proizvod {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nema navedenih stavki DocType: Payment Reconciliation,Reconcile,pomiriti @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Mirov apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Sljedeća Amortizacija Datum ne može biti prije Datum kupnje DocType: SMS Center,All Sales Person,Svi prodavači DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mjesečna distribucija ** pomaže vam rasporediti proračun / Target preko mjeseca, ako imate sezonalnost u Vašem poslovanju." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Nije pronađen stavke +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Nije pronađen stavke apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Struktura plaća Nedostaje DocType: Lead,Person Name,Osoba ime DocType: Sales Invoice Item,Sales Invoice Item,Prodajni proizvodi @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Je nepokretne imovine" ne može biti potvrđen, što postoji imovinom rekord protiv stavku" DocType: Vehicle Service,Brake Oil,ulje za kočnice DocType: Tax Rule,Tax Type,Porezna Tip -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Iznos oporezivanja +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Iznos oporezivanja apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Niste ovlašteni dodavati ili ažurirati unose prije {0} DocType: BOM,Item Image (if not slideshow),Slika proizvoda (ako nije slide prikaz) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Kupac postoji s istim imenom DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Broj sati / 60) * Stvarno trajanje operacije -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Odaberi BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Odaberi BOM DocType: SMS Log,SMS Log,SMS Prijava apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Troškovi isporučenih stavki apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Odmor na {0} nije između Od Datum i do sada @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,škole DocType: School Settings,Validate Batch for Students in Student Group,Validirati seriju za studente u grupi studenata apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ne dopusta rekord pronađeno za zaposlenika {0} od {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Unesite tvrtka prva -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Odaberite tvrtka prvi +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Odaberite tvrtka prvi DocType: Employee Education,Under Graduate,Preddiplomski apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target Na DocType: BOM,Total Cost,Ukupan trošak DocType: Journal Entry Account,Employee Loan,zaposlenik kredita -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Dnevnik aktivnosti: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Proizvod {0} ne postoji u sustavu ili je istekao +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Dnevnik aktivnosti: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Proizvod {0} ne postoji u sustavu ili je istekao apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nekretnine apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Izjava o računu apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutske @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Iznos štete apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Dvostruka grupa kupaca nalaze u tablici cutomer grupe apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Dobavljač Tip / Supplier DocType: Naming Series,Prefix,Prefiks -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Serija za imenovanje {0} putem Postava> Postavke> Serija za imenovanje -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,potrošni +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,potrošni DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Uvoz Prijavite DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Povucite materijala zahtjev tipa Proizvodnja se temelji na gore navedenim kriterijima DocType: Training Result Employee,Grade,Razred DocType: Sales Invoice Item,Delivered By Supplier,Isporučio dobavljač DocType: SMS Center,All Contact,Svi kontakti -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Proizvodnja Red je već stvorio za sve stavke s sastavnice +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Proizvodnja Red je već stvorio za sve stavke s sastavnice apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Godišnja plaća DocType: Daily Work Summary,Daily Work Summary,Dnevni rad Sažetak DocType: Period Closing Voucher,Closing Fiscal Year,Zatvaranje Fiskalna godina -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} je zamrznuta +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} je zamrznuta apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Odaberite postojeće tvrtke za izradu grafikona o računima apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Troškovi apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Odaberite Target Warehouse @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Količina prihvaćeno + odbijeno mora biti jednaka zaprimljenoj količini proizvoda {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Nabava sirovine za kupnju -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,potreban je najmanje jedan način plaćanja za POS računa. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,potreban je najmanje jedan način plaćanja za POS računa. DocType: Products Settings,Show Products as a List,Prikaži proizvode kao popis DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Preuzmite predložak, ispunite odgovarajuće podatke i priložiti izmijenjene datoteke. Sve datume i zaposlenika kombinacija u odabranom razdoblju doći će u predlošku s postojećim pohađanje evidencije" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Proizvod {0} nije aktivan ili nije došao do kraja roka valjanosti -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Primjer: Osnovni Matematika -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Primjer: Osnovni Matematika +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Postavke za HR modula DocType: SMS Center,SMS Center,SMS centar DocType: Sales Invoice,Change Amount,Promjena Iznos @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Datum Instalacija ne može biti prije datuma isporuke za točke {0} DocType: Pricing Rule,Discount on Price List Rate (%),Popust na cjenik (%) DocType: Offer Letter,Select Terms and Conditions,Odaberite Uvjeti -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Iz vrijednost +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Iz vrijednost DocType: Production Planning Tool,Sales Orders,Narudžbe kupca DocType: Purchase Taxes and Charges,Valuation,Procjena ,Purchase Order Trends,Trendovi narudžbenica kupnje @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Je Otvaranje unos DocType: Customer Group,Mention if non-standard receivable account applicable,Spomenuti ako nestandardni potraživanja računa primjenjivo DocType: Course Schedule,Instructor Name,Instruktor Ime -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Primila je u DocType: Sales Partner,Reseller,Prodavač DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Ako je označeno, će uključivati stavke bez zaliha u materijalu zahtjeva." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Protiv prodaje dostavnice točke ,Production Orders in Progress,Radni nalozi u tijeku apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Neto novčani tijek iz financijskih -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage puna, nije štedjelo" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage puna, nije štedjelo" DocType: Lead,Address & Contact,Adresa i kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj neiskorištenih lišće iz prethodnih dodjela apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Sljedeći ponavljajući {0} bit će izrađen na {1} DocType: Sales Partner,Partner website,website partnera apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Dodaj stavku -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kontakt ime +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kontakt ime DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteriji za procjenu predmeta DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Stvara plaće slip za gore navedene kriterije. DocType: POS Customer Group,POS Customer Group,POS Korisnička Grupa @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Red {0}: Provjerite 'Je li Advance ""protiv nalog {1} Ako je to unaprijed ulaz." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Skladište {0} ne pripada tvrtki {1} DocType: Email Digest,Profit & Loss,Gubitak profita -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Ukupno troška Iznos (preko vremenska tablica) DocType: Item Website Specification,Item Website Specification,Specifikacija web stranice proizvoda apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Neodobreno odsustvo @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Prodajni račun br DocType: Material Request Item,Min Order Qty,Min naručena kol DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Tečaj Student Grupa alat za izradu DocType: Lead,Do Not Contact,Ne kontaktirati -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Ljudi koji uče u svojoj organizaciji +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Ljudi koji uče u svojoj organizaciji DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Jedinstveni ID za praćenje svih ponavljajući fakture. To je izrađen podnijeti. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer DocType: Item,Minimum Order Qty,Minimalna količina narudžbe @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Objavi na Hub DocType: Student Admission,Student Admission,Studentski Ulaz ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Proizvod {0} je otkazan -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Zahtjev za robom +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Zahtjev za robom DocType: Bank Reconciliation,Update Clearance Date,Ažurirajte provjeri datum DocType: Item,Purchase Details,Detalji nabave apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Stavka {0} nije pronađena u "sirovina nabavlja se 'stol narudžbenice {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Red # {0}: {1} ne može biti negativna za predmet {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Pogrešna Lozinka DocType: Item,Variant Of,Varijanta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Završen Qty ne može biti veći od 'Kol proizvoditi' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Završen Qty ne može biti veći od 'Kol proizvoditi' DocType: Period Closing Voucher,Closing Account Head,Zatvaranje računa šefa DocType: Employee,External Work History,Vanjski Povijest Posao apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Kružni Referentna Greška @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Udaljenost od lijevog rub apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jedinica [{1}] (# Form / Artikl / {1}) naći u [{2}] (# Form / Skladište / {2}) DocType: Lead,Industry,Industrija DocType: Employee,Job Profile,Profil posla +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,To se temelji na transakcijama protiv ove tvrtke. Pojedinosti potražite u nastavku DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Obavijest putem maila prilikom stvaranja automatskog Zahtjeva za robom DocType: Journal Entry,Multi Currency,Više valuta DocType: Payment Reconciliation Invoice,Invoice Type,Tip fakture -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Otpremnica +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Otpremnica apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Postavljanje Porezi apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Troškovi prodane imovinom apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Ulazak Plaćanje je izmijenjen nakon što ga je izvukao. Ponovno izvucite ga. @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Unesite ' ponovite na dan u mjesecu ' na terenu vrijednosti DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Stopa po kojoj Kupac valuta se pretvaraju u kupca osnovne valute DocType: Course Scheduling Tool,Course Scheduling Tool,Naravno alat za raspoređivanje -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"Red # {0}: Kupnja Račun, ne može se protiv postojećeg sredstva {1}" +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"Red # {0}: Kupnja Račun, ne može se protiv postojećeg sredstva {1}" DocType: Item Tax,Tax Rate,Porezna stopa apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} već dodijeljeno za zaposlenika {1} za vrijeme {2} {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Odaberite stavku +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Odaberite stavku apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Nabavni račun {0} je već podnesen apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Red # {0}: Batch Ne mora biti ista kao {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Pretvori u ne-Group @@ -444,7 +443,7 @@ DocType: Employee,Widowed,Udovički DocType: Request for Quotation,Request for Quotation,Zahtjev za ponudu DocType: Salary Slip Timesheet,Working Hours,Radnih sati DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Stvaranje novog kupca +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Stvaranje novog kupca apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ako više Cijene pravila i dalje prevladavaju, korisnici su zamoljeni da postavite prioritet ručno riješiti sukob." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Izrada narudžbenice ,Purchase Register,Popis nabave @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Naziv ispitivač DocType: Purchase Invoice Item,Quantity and Rate,Količina i stopa DocType: Delivery Note,% Installed,% Instalirano -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratoriji i sl, gdje predavanja može biti na rasporedu." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratoriji i sl, gdje predavanja može biti na rasporedu." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Unesite ime tvrtke prvi DocType: Purchase Invoice,Supplier Name,Dobavljač Ime apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Pročitajte ERPNext priručnik @@ -486,7 +485,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Stari Roditelj apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Obavezno polje - akademska godina DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Prilagodite uvodni tekst koji ide kao dio tog e-maila. Svaka transakcija ima zaseban uvodni tekst. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Postavite zadani dugovni račun za tvrtku {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Postavite zadani dugovni račun za tvrtku {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globalne postavke za sve proizvodne procese. DocType: Accounts Settings,Accounts Frozen Upto,Računi Frozen Upto DocType: SMS Log,Sent On,Poslan Na @@ -525,14 +524,14 @@ DocType: Journal Entry,Accounts Payable,Naplativi računi apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Odabrane Sastavnice nisu za istu stavku DocType: Pricing Rule,Valid Upto,Vrijedi Upto DocType: Training Event,Workshop,Radionica -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih kupaca. Oni mogu biti tvrtke ili fizičke osobe. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih kupaca. Oni mogu biti tvrtke ili fizičke osobe. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Dosta Dijelovi za izgradnju apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Izravni dohodak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Ne možete filtrirati na temelju računa, ako je grupirano po računu" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Administrativni službenik apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Odaberite Tečaj DocType: Timesheet Detail,Hrs,hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Odaberite tvrtke +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Odaberite tvrtke DocType: Stock Entry Detail,Difference Account,Račun razlike DocType: Purchase Invoice,Supplier GSTIN,Dobavljač GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Ne može zatvoriti zadatak kao njegova ovisna zadatak {0} nije zatvoren. @@ -548,7 +547,7 @@ DocType: Sales Invoice,Offline POS Name,Offline POS Ime apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Definirajte ocjenu za Prag 0% DocType: Sales Order,To Deliver,Za isporuku DocType: Purchase Invoice Item,Item,Proizvod -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serijski nema stavke ne može biti dio +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serijski nema stavke ne može biti dio DocType: Journal Entry,Difference (Dr - Cr),Razlika ( dr. - Cr ) DocType: Account,Profit and Loss,Račun dobiti i gubitka apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Upravljanje podugovaranje @@ -574,7 +573,7 @@ DocType: Serial No,Warranty Period (Days),Jamstveni period (dani) DocType: Installation Note Item,Installation Note Item,Napomena instalacije proizvoda DocType: Production Plan Item,Pending Qty,U tijeku Kom DocType: Budget,Ignore,Ignorirati -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} nije aktivan +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} nije aktivan apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS poslan na sljedećim brojevima: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Provjera postavljanje dimenzije za ispis DocType: Salary Slip,Salary Slip Timesheet,Plaća proklizavanja timesheet @@ -678,8 +677,8 @@ DocType: Installation Note,IN-,U- DocType: Production Order Operation,In minutes,U minuta DocType: Issue,Resolution Date,Rezolucija Datum DocType: Student Batch Name,Batch Name,Batch Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet stvorio: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet stvorio: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Upisati DocType: GST Settings,GST Settings,Postavke GST-a DocType: Selling Settings,Customer Naming By,Imenovanje kupca prema @@ -699,7 +698,7 @@ DocType: Activity Cost,Projects User,Projekti za korisnike apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Konzumira apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} nije pronađen u Pojedinosti dostavnice stolu DocType: Company,Round Off Cost Center,Zaokružiti troška -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Održavanje Posjetite {0} mora biti otkazana prije poništenja ovu prodajnog naloga +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Održavanje Posjetite {0} mora biti otkazana prije poništenja ovu prodajnog naloga DocType: Item,Material Transfer,Transfer robe apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Otvaranje (DR) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Objavljivanje timestamp mora biti poslije {0} @@ -708,7 +707,7 @@ DocType: Employee Loan,Total Interest Payable,Ukupna kamata DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Porezi i pristojbe zavisnog troška DocType: Production Order Operation,Actual Start Time,Stvarni Vrijeme početka DocType: BOM Operation,Operation Time,Operacija vrijeme -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Završi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Završi apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Baza DocType: Timesheet,Total Billed Hours,Ukupno Naplaćene sati DocType: Journal Entry,Write Off Amount,Napišite paušalni iznos @@ -733,7 +732,7 @@ DocType: Vehicle,Odometer Value (Last),Odometar vrijednost (zadnja) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Ulazak Plaćanje je već stvorio DocType: Purchase Receipt Item Supplied,Current Stock,Trenutačno stanje skladišta -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Red # {0}: Imovina {1} ne povezan s točkom {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Red # {0}: Imovina {1} ne povezan s točkom {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Pregled Plaća proklizavanja apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Račun {0} unesen više puta DocType: Account,Expenses Included In Valuation,Troškovi uključeni u vrednovanje @@ -757,7 +756,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Zračno-ko DocType: Journal Entry,Credit Card Entry,Credit Card Stupanje apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Društvo i računi apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Roba dobijena od dobavljača. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,u vrijednost +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,u vrijednost DocType: Lead,Campaign Name,Naziv kampanje DocType: Selling Settings,Close Opportunity After Days,Zatvori Prilika Nakon dana ,Reserved,Rezervirano @@ -782,17 +781,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,energija DocType: Opportunity,Opportunity From,Prilika od apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mjesečna plaća izjava. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Redak {0}: {1} Serijski brojevi potrebni za stavku {2}. Naveli ste {3}. DocType: BOM,Website Specifications,Web Specifikacije apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Od {0} od tipa {1} DocType: Warranty Claim,CI-,Civilno apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Više Pravila Cijena postoji sa istim kriterijima, molimo rješavanje sukoba dodjeljivanjem prioriteta. Pravila Cijena: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može deaktivirati ili otkazati BOM kao što je povezano s drugim sastavnicama +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može deaktivirati ili otkazati BOM kao što je povezano s drugim sastavnicama DocType: Opportunity,Maintenance,Održavanje DocType: Item Attribute Value,Item Attribute Value,Stavka Vrijednost atributa apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne kampanje. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Provjerite timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Provjerite timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -845,7 +845,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Postavljanje račun e-pošte apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Unesite predmeta prvi DocType: Account,Liability,Odgovornost -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Kažnjeni Iznos ne može biti veći od Zahtjeva Iznos u nizu {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Kažnjeni Iznos ne može biti veći od Zahtjeva Iznos u nizu {0}. DocType: Company,Default Cost of Goods Sold Account,Zadana vrijednost prodane robe računa apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Popis Cijena ne bira DocType: Employee,Family Background,Obitelj Pozadina @@ -856,10 +856,10 @@ DocType: Company,Default Bank Account,Zadani bankovni račun apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Za filtriranje se temelji na stranke, odaberite stranka Upišite prvi" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},Opcija 'Ažuriraj zalihe' nije dostupna jer stavke nisu dostavljene putem {0} DocType: Vehicle,Acquisition Date,Datum akvizicije -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,kom +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,kom DocType: Item,Items with higher weightage will be shown higher,Stavke sa višim weightage će se prikazati više DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Pomirenje Detalj -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Red # {0}: Imovina {1} mora biti predana +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Red # {0}: Imovina {1} mora biti predana apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nisu pronađeni zaposlenici DocType: Supplier Quotation,Stopped,Zaustavljen DocType: Item,If subcontracted to a vendor,Ako podugovoren dobavljaču @@ -875,7 +875,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimalni iznos fakture apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Centar Cijena {2} ne pripada Društvu {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Račun {2} ne može biti grupa apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Stavka retka {idx}: {DOCTYPE} {DOCNAME} ne postoji u gore '{DOCTYPE}' stol -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} već je završen ili otkazan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} već je završen ili otkazan apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nema zadataka DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dan u mjesecu na koji auto faktura će biti generiran npr 05, 28 itd" DocType: Asset,Opening Accumulated Depreciation,Otvaranje Akumulirana amortizacija @@ -934,7 +934,7 @@ DocType: SMS Log,Requested Numbers,Traženi brojevi DocType: Production Planning Tool,Only Obtain Raw Materials,Dobiti Samo sirovine apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Ocjenjivanje. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Omogućavanje 'Koristi za košaricu', kao što Košarica je omogućena i tamo bi trebao biti barem jedan Porezna pravila za Košarica" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ulazak Plaćanje {0} je vezan protiv Reda {1}, provjeriti treba li se izvući kao napredak u tom računu." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ulazak Plaćanje {0} je vezan protiv Reda {1}, provjeriti treba li se izvući kao napredak u tom računu." DocType: Sales Invoice Item,Stock Details,Stock Detalji apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Vrijednost projekta apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Prodajno mjesto @@ -957,15 +957,15 @@ DocType: Naming Series,Update Series,Update serija DocType: Supplier Quotation,Is Subcontracted,Je podugovarati DocType: Item Attribute,Item Attribute Values,Stavka vrijednosti atributa DocType: Examination Result,Examination Result,Rezultat ispita -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Primka +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Primka ,Received Items To Be Billed,Primljeni Proizvodi se naplaćuje -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Poslao plaća gaćice +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Poslao plaća gaćice apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Majstor valute . apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referentni DOCTYPE mora biti jedan od {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Nije moguće pronaći termin u narednih {0} dana za rad {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Nije moguće pronaći termin u narednih {0} dana za rad {1} DocType: Production Order,Plan material for sub-assemblies,Plan materijal za pod-sklopova apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Prodaja Partneri i Županija -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} mora biti aktivna +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} mora biti aktivna DocType: Journal Entry,Depreciation Entry,Amortizacija Ulaz apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Molimo odaberite vrstu dokumenta prvi apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Odustani Posjeta materijala {0} prije otkazivanja ovog održavanja pohod @@ -975,7 +975,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Ukupan iznos apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet izdavaštvo DocType: Production Planning Tool,Production Orders,Nalozi -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Vrijednost bilance +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Vrijednost bilance apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Prodajni cjenik apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Objavi sinkronizirati stavke DocType: Bank Reconciliation,Account Currency,Valuta računa @@ -1000,12 +1000,12 @@ DocType: Employee,Exit Interview Details,Izlaz Intervju Detalji DocType: Item,Is Purchase Item,Je dobavljivi proizvod DocType: Asset,Purchase Invoice,Ulazni račun DocType: Stock Ledger Entry,Voucher Detail No,Bon Detalj Ne -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Novi prodajni Račun +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Novi prodajni Račun DocType: Stock Entry,Total Outgoing Value,Ukupna odlazna vrijednost apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Otvaranje i zatvaranje Datum datum mora biti unutar iste fiskalne godine DocType: Lead,Request for Information,Zahtjev za informacije ,LeaderBoard,leaderboard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sinkronizacija Offline Računi +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sinkronizacija Offline Računi DocType: Payment Request,Paid,Plaćen DocType: Program Fee,Program Fee,Naknada program DocType: Salary Slip,Total in words,Ukupno je u riječima @@ -1013,7 +1013,7 @@ DocType: Material Request Item,Lead Time Date,Potencijalni kupac - datum DocType: Guardian,Guardian Name,Naziv Guardian DocType: Cheque Print Template,Has Print Format,Ima format ispisa DocType: Employee Loan,Sanctioned,kažnjeni -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,Obavezno polje. Moguće je da za njega nije upisan tečaj. +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,Obavezno polje. Moguće je da za njega nije upisan tečaj. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za 'proizvod Bundle' predmeta, skladište, rednim i hrpa Ne smatrat će se iz "Popis pakiranja 'stol. Ako Skladište i serije ne su isti za sve pakiranje predmeta za bilo 'proizvod Bundle' točke, te vrijednosti može se unijeti u glavnoj točki stol, vrijednosti će se kopirati u 'pakiranje popis' stol." DocType: Job Opening,Publish on website,Objavi na web stranici @@ -1026,7 +1026,7 @@ DocType: Cheque Print Template,Date Settings,Datum Postavke apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varijacija ,Company Name,Ime tvrtke DocType: SMS Center,Total Message(s),Ukupno poruka ( i) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Odaberite stavke za prijenos +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Odaberite stavke za prijenos DocType: Purchase Invoice,Additional Discount Percentage,Dodatni Postotak Popust apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Pregled popisa svih pomoć videa DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Odaberite račun šefa banke gdje je ček bio pohranjen. @@ -1040,7 +1040,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Troškova sirovine (Društvo valuta) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Svi predmeti su već prebačeni za ovu radnog naloga. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Red # {0}: Stopa ne može biti veća od stope korištene u {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Metar +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Metar DocType: Workstation,Electricity Cost,Troškovi struje DocType: HR Settings,Don't send Employee Birthday Reminders,Ne šaljite podsjetnik za rođendan zaposlenika DocType: Item,Inspection Criteria,Inspekcijski Kriteriji @@ -1054,7 +1054,7 @@ DocType: SMS Center,All Lead (Open),Svi potencijalni kupci (aktualni) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Kol nisu dostupni za {4} u skladištu {1} na objavljivanje vrijeme upisa ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Kreiraj avansno plaćanje DocType: Item,Automatically Create New Batch,Automatski kreira novu seriju -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Napravi +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Napravi DocType: Student Admission,Admission Start Date,Prijem Datum početka DocType: Journal Entry,Total Amount in Words,Ukupan iznos riječima apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Došlo je do pogreške . Jedan vjerojatan razlog bi mogao biti da niste spremili obrazac. Molimo kontaktirajte support@erpnext.com ako se problem ne riješi . @@ -1062,7 +1062,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Moja košarica apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tip narudžbe mora biti jedan od {0} DocType: Lead,Next Contact Date,Sljedeći datum kontakta apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otvaranje Kol -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Unesite račun za promjene visine +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Unesite račun za promjene visine DocType: Student Batch Name,Student Batch Name,Studentski Batch Name DocType: Holiday List,Holiday List Name,Turistička Popis Ime DocType: Repayment Schedule,Balance Loan Amount,Stanje Iznos kredita @@ -1070,7 +1070,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Burzovnih opcija DocType: Journal Entry Account,Expense Claim,Rashodi polaganja apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Da li stvarno želite vratiti ovaj otpisan imovine? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Količina za {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Količina za {0} DocType: Leave Application,Leave Application,Zahtjev za odsustvom apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Alat za raspodjelu odsustva DocType: Leave Block List,Leave Block List Dates,Datumi popisa neodobrenih odsustava @@ -1120,7 +1120,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Protiv DocType: Item,Default Selling Cost Center,Zadani trošak prodaje DocType: Sales Partner,Implementation Partner,Provedba partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Poštanski broj +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Poštanski broj apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Prodaja Naručite {0} {1} DocType: Opportunity,Contact Info,Kontakt Informacije apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Izrada Stock unose @@ -1138,13 +1138,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Za { apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Prosječna starost DocType: School Settings,Attendance Freeze Date,Datum zamrzavanja pohađanja DocType: Opportunity,Your sales person who will contact the customer in future,Vaš prodavač koji će ubuduće kontaktirati kupca -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Navedite nekoliko svojih dobavljača. Oni mogu biti tvrtke ili fizičke osobe. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Navedite nekoliko svojih dobavljača. Oni mogu biti tvrtke ili fizičke osobe. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Pogledaj sve proizvode apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalna dob (olovo) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Svi Sastavnice +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Svi Sastavnice DocType: Company,Default Currency,Zadana valuta DocType: Expense Claim,From Employee,Od zaposlenika -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Upozorenje : Sustav neće provjeravati overbilling od iznosa za točku {0} u {1} je nula +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Upozorenje : Sustav neće provjeravati overbilling od iznosa za točku {0} u {1} je nula DocType: Journal Entry,Make Difference Entry,Čine razliku Entry DocType: Upload Attendance,Attendance From Date,Gledanost od datuma DocType: Appraisal Template Goal,Key Performance Area,Zona ključnih performansi @@ -1161,7 +1161,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Tvrtka registracijski brojevi za svoju referencu. Porezni brojevi itd. DocType: Sales Partner,Distributor,Distributer DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Košarica Dostava Rule -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Proizvodni nalog {0} mora biti poništen prije nego se poništi ova prodajna narudžba +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Proizvodni nalog {0} mora biti poništen prije nego se poništi ova prodajna narudžba apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Molimo postavite "Primijeni dodatni popust na ' ,Ordered Items To Be Billed,Naručeni proizvodi za naplatu apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od Raspon mora biti manji od u rasponu @@ -1170,10 +1170,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Odbici DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Početak godine -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Prve dvije znamenke GSTIN-a trebale bi se podudarati s državnim brojem {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Prve dvije znamenke GSTIN-a trebale bi se podudarati s državnim brojem {0} DocType: Purchase Invoice,Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice DocType: Salary Slip,Leave Without Pay,Neplaćeno odsustvo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapacitet Greška planiranje +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kapacitet Greška planiranje ,Trial Balance for Party,Suđenje Stanje na stranku DocType: Lead,Consultant,Konzultant DocType: Salary Slip,Earnings,Zarada @@ -1189,7 +1189,7 @@ DocType: Cheque Print Template,Payer Settings,Postavke Payer DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To će biti dodan u šifra varijante. Na primjer, ako je vaš naziv je ""SM"", a točka kod ""T-shirt"", stavka kod varijante će biti ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Neto plaća (riječima) će biti vidljiva nakon što spremite klizne plaće. DocType: Purchase Invoice,Is Return,Je li povratak -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Povratak / debitna Napomena +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Povratak / debitna Napomena DocType: Price List Country,Price List Country,Država cjenika DocType: Item,UOMs,J. MJ. apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} valjani serijski nos za Stavka {1} @@ -1202,7 +1202,7 @@ DocType: Employee Loan,Partially Disbursed,djelomično Isplaćeno apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Dobavljač baza podataka. DocType: Account,Balance Sheet,Završni račun apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Troška za stavku s šifra ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plaćanja nije konfiguriran. Provjerite, da li je račun postavljen na način rada platnu ili na POS profilu." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plaćanja nije konfiguriran. Provjerite, da li je račun postavljen na način rada platnu ili na POS profilu." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Prodavač će dobiti podsjetnik na taj datum kako bi pravovremeno kontaktirao kupca apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Isti predmet ne može se upisati više puta. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Daljnje računi mogu biti u skupinama, ali unose se može podnijeti protiv nesrpskog Groups" @@ -1230,7 +1230,7 @@ DocType: Employee Loan Application,Repayment Info,Informacije otplate apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Ulazi' ne može biti prazno apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Dupli red {0} sa istim {1} ,Trial Balance,Pretresno bilanca -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađena +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađena apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Postavljanje zaposlenika DocType: Sales Order,SO-,TAKO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Odaberite prefiks prvi @@ -1245,11 +1245,11 @@ DocType: Grading Scale,Intervals,intervali apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Najstarije apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Stavka Grupa postoji s istim imenom , molimo promijenite ime stavku ili preimenovati stavku grupe" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Studentski Mobile Ne -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Ostatak svijeta +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Ostatak svijeta apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Stavka {0} ne može imati Hrpa ,Budget Variance Report,Proračun varijance Prijavi DocType: Salary Slip,Gross Pay,Bruto plaća -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Red {0}: Tip aktivnost je obavezna. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Red {0}: Tip aktivnost je obavezna. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Plaćeni Dividende apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Računovodstvo knjiga DocType: Stock Reconciliation,Difference Amount,Razlika Količina @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Zaposlenik napuste balans apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Bilanca računa {0} uvijek mora biti {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Procjena stopa potrebna za stavke u retku {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Primjer: Masters u Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Primjer: Masters u Computer Science DocType: Purchase Invoice,Rejected Warehouse,Odbijen galerija DocType: GL Entry,Against Voucher,Protiv Voucheru DocType: Item,Default Buying Cost Center,Zadani trošak kupnje apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Da biste dobili najbolje iz ERPNext, preporučamo da odvojite malo vremena i gledati te pomoći videa." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,za +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,za DocType: Supplier Quotation Item,Lead Time in days,Olovo Vrijeme u danima apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Obveze Sažetak -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Isplata plaće iz {0} do {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Isplata plaće iz {0} do {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Niste ovlašteni za uređivanje zamrznutog računa {0} DocType: Journal Entry,Get Outstanding Invoices,Kreiraj neplaćene račune -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Narudžbenice vam pomoći planirati i pratiti na Vašoj kupnji apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Žao nam je , tvrtke ne mogu spojiti" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Neizravni troškovi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Red {0}: Količina je obvezno apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Poljoprivreda -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Vaši proizvodi ili usluge +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Vaši proizvodi ili usluge DocType: Mode of Payment,Mode of Payment,Način plaćanja apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Web slika bi trebala biti javna datoteke ili URL web stranice DocType: Student Applicant,AP,AP @@ -1324,18 +1324,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Porezna stopa proizvoda DocType: Student Group Student,Group Roll Number,Broj grupe grupa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, samo kreditne računi se mogu povezati protiv drugog ulaska debitnom" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Ukupan svih radnih težina bi trebala biti 1. Podesite vage svih zadataka projekta u skladu s tim -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Stavka {0} mora bitisklopljen ugovor artikla apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitalni oprema apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cijene Pravilo prvo se bira na temelju 'Nanesite na' terenu, koji može biti točka, točka Grupa ili Brand." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Najprije postavite šifru stavke +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Najprije postavite šifru stavke DocType: Hub Settings,Seller Website,Web Prodavač DocType: Item,ITEM-,ARTIKAL- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Ukupno dodijeljeno postotak za prodajni tim bi trebao biti 100 DocType: Appraisal Goal,Goal,Cilj DocType: Sales Invoice Item,Edit Description,Uredi Opis ,Team Updates,tim ažuriranja -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,za Supplier +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,za Supplier DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Postavljanje Vrsta računa pomaže u odabiru ovaj račun u prometu. DocType: Purchase Invoice,Grand Total (Company Currency),Sveukupno (valuta tvrtke) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Stvaranje format ispisa @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,Grupe proizvoda web stranice DocType: Purchase Invoice,Total (Company Currency),Ukupno (Društvo valuta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Serijski broj {0} ušao više puta DocType: Depreciation Schedule,Journal Entry,Temeljnica -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} stavke u tijeku +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} stavke u tijeku DocType: Workstation,Workstation Name,Ime Workstation DocType: Grading Scale Interval,Grade Code,Grade Šifra DocType: POS Item Group,POS Item Group,POS Točka Grupa apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-pošta: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} ne pripada Točki {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} ne pripada Točki {1} DocType: Sales Partner,Target Distribution,Ciljana Distribucija 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 @@ -1411,7 +1411,7 @@ DocType: Quotation,Shopping Cart,Košarica apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Prosječni dnevni izlaz DocType: POS Profile,Campaign,Kampanja DocType: Supplier,Name and Type,Naziv i tip -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Status Odobrenje mora biti ""Odobreno"" ili "" Odbijeno """ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Status Odobrenje mora biti ""Odobreno"" ili "" Odbijeno """ DocType: Purchase Invoice,Contact Person,Kontakt osoba apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',Očekivani datum početka ne može biti veći od očekivanog datuma završetka DocType: Course Scheduling Tool,Course End Date,Naravno Datum završetka @@ -1423,8 +1423,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Poželjni Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Neto promjena u dugotrajne imovine DocType: Leave Control Panel,Leave blank if considered for all designations,Ostavite prazno ako se odnosi na sve oznake -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Maksimalno: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Maksimalno: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime DocType: Email Digest,For Company,Za tvrtke apps/erpnext/erpnext/config/support.py +17,Communication log.,Dnevnik mailova @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profil posla, DocType: Journal Entry Account,Account Balance,Bilanca računa apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Porezni Pravilo za transakcije. DocType: Rename Tool,Type of document to rename.,Vrsta dokumenta za promjenu naziva. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Kupili smo ovaj proizvod +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Kupili smo ovaj proizvod apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: potrebna je Kupac protiv Potraživanja računa {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Ukupno Porezi i naknade (Društvo valuta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Prikaži nezatvorena fiskalne godine u P & L stanja @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,Očitanja DocType: Stock Entry,Total Additional Costs,Ukupno Dodatni troškovi DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Škarta Cijena (Društvo valuta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,pod skupštine +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,pod skupštine DocType: Asset,Asset Name,Naziv imovinom DocType: Project,Task Weight,Zadatak Težina DocType: Shipping Rule Condition,To Value,Za vrijednost @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Stavka Varijante DocType: Company,Services,Usluge DocType: HR Settings,Email Salary Slip to Employee,E-mail Plaća proklizavanja zaposlenog DocType: Cost Center,Parent Cost Center,Nadređeni troškovni centar -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Odaberite Mogući Dobavljač +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Odaberite Mogući Dobavljač DocType: Sales Invoice,Source,Izvor apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Prikaži zatvorene DocType: Leave Type,Is Leave Without Pay,Je Ostavite bez plaće @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,Primijeni popust DocType: GST HSN Code,GST HSN Code,GST HSN kod DocType: Employee External Work History,Total Experience,Ukupno Iskustvo apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Otvoreno Projekti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Pakiranje proklizavanja ( s) otkazan +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Pakiranje proklizavanja ( s) otkazan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Novčani tijek iz investicijskih DocType: Program Course,Program Course,Program predmeta apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Teretni i Forwarding Optužbe @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Programska upisanih DocType: Sales Invoice Item,Brand Name,Naziv brenda DocType: Purchase Receipt,Transporter Details,Transporter Detalji -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Default skladište je potreban za odabranu stavku -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,kutija -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Mogući Dobavljač +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Default skladište je potreban za odabranu stavku +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,kutija +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Mogući Dobavljač DocType: Budget,Monthly Distribution,Mjesečna distribucija apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver Lista je prazna . Molimo stvoriti Receiver Popis DocType: Production Plan Sales Order,Production Plan Sales Order,Proizvodnja plan prodajnog naloga @@ -1593,7 +1593,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Potraživanja apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studenti se u središtu sustava, dodati sve svoje studente" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Red # {0}: Datum Razmak {1} ne može biti prije Ček Datum {2} DocType: Company,Default Holiday List,Default odmor List -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Obveze DocType: Purchase Invoice,Supplier Warehouse,Dobavljač galerija DocType: Opportunity,Contact Mobile No,Kontak GSM @@ -1609,18 +1609,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Odsustvo tipa {0} ne može biti duže od {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Pokušajte planirati poslovanje za X dana unaprijed. DocType: HR Settings,Stop Birthday Reminders,Zaustavi Rođendan Podsjetnici -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Molimo postavite zadanog Platne naplativo račun u Društvu {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Molimo postavite zadanog Platne naplativo račun u Društvu {0} DocType: SMS Center,Receiver List,Prijemnik Popis -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Traži Stavka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Traži Stavka apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Konzumira Iznos apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Neto promjena u gotovini DocType: Assessment Plan,Grading Scale,ljestvici apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,već završena +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,već završena apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock u ruci apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Zahtjev za plaćanje već postoji {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Trošak izdanih stavki -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Količina ne smije biti veća od {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Količina ne smije biti veća od {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Prethodne financijske godine nije zatvoren apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Starost (dani) DocType: Quotation Item,Quotation Item,Proizvod iz ponude @@ -1634,6 +1634,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Referentni dokument apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} otkazan ili zaustavljen DocType: Accounts Settings,Credit Controller,Kreditne kontroler +DocType: Sales Order,Final Delivery Date,Završni datum isporuke DocType: Delivery Note,Vehicle Dispatch Date,Vozilo Dispatch Datum DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Primka {0} nije potvrđena @@ -1722,9 +1723,9 @@ DocType: Employee,Date Of Retirement,Datum odlaska u mirovinu DocType: Upload Attendance,Get Template,Kreiraj predložak DocType: Material Request,Transferred,prebačen DocType: Vehicle,Doors,vrata -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext dovršeno! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext dovršeno! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Porezna prekid +DocType: Purchase Invoice,Tax Breakup,Porezna prekid DocType: Packing Slip,PS-,P.S- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Centar Cijena je potreban za "dobiti i gubitka računa {2}. Molimo postaviti zadani troška Društva. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Postoji grupa kupaca sa istim imenom. Promijenite naziv kupca ili naziv grupe kupaca. @@ -1737,14 +1738,14 @@ DocType: Announcement,Instructor,Instruktor DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ako ova stavka ima varijante, onda to ne može biti izabran u prodajnim nalozima itd" DocType: Lead,Next Contact By,Sljedeći kontakt od -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Količina potrebna za proizvod {0} u redku {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Količina potrebna za proizvod {0} u redku {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisano ako na njemu ima proizvod {1} DocType: Quotation,Order Type,Vrsta narudžbe DocType: Purchase Invoice,Notification Email Address,Obavijest E-mail adresa ,Item-wise Sales Register,Stavka-mudri prodaja registar DocType: Asset,Gross Purchase Amount,Bruto Iznos narudžbe DocType: Asset,Depreciation Method,Metoda amortizacije -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je li ovo pristojba uključena u osnovne stope? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Ukupno Target DocType: Job Applicant,Applicant for a Job,Podnositelj zahtjeva za posao @@ -1765,7 +1766,7 @@ DocType: Employee,Leave Encashed?,Odsustvo naplaćeno? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Prilika Od polje je obavezno DocType: Email Digest,Annual Expenses,Godišnji troškovi DocType: Item,Variants,Varijante -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Napravi narudžbu kupnje +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Napravi narudžbu kupnje DocType: SMS Center,Send To,Pošalji apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nema dovoljno ravnotežu dopust za dozvolu tipa {0} DocType: Payment Reconciliation Payment,Allocated amount,Dodijeljeni iznos @@ -1773,7 +1774,7 @@ DocType: Sales Team,Contribution to Net Total,Doprinos neto Ukupno DocType: Sales Invoice Item,Customer's Item Code,Kupca Stavka Šifra DocType: Stock Reconciliation,Stock Reconciliation,Kataloški pomirenje DocType: Territory,Territory Name,Naziv teritorija -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Podnositelj prijave za posao. DocType: Purchase Order Item,Warehouse and Reference,Skladište i reference DocType: Supplier,Statutory info and other general information about your Supplier,Zakonska info i druge opće informacije o vašem Dobavljaču @@ -1784,16 +1785,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,procjene apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Dupli serijski broj unešen za proizvod {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Uvjet za Pravilo isporuke apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Molim uđite -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Ne mogu overbill za točku {0} u nizu {1} više {2}. Da bi se omogućilo pretjerano naplatu, postavite na kupnju Postavke" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Molimo postavite filter na temelju stavka ili skladište +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Ne mogu overbill za točku {0} u nizu {1} više {2}. Da bi se omogućilo pretjerano naplatu, postavite na kupnju Postavke" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Molimo postavite filter na temelju stavka ili skladište DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto težina tog paketa. (Automatski izračunava kao zbroj neto težini predmeta) DocType: Sales Order,To Deliver and Bill,Za isporuku i Bill DocType: Student Group,Instructors,Instruktori DocType: GL Entry,Credit Amount in Account Currency,Kreditna Iznos u valuti računa -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} mora biti podnesen +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} mora biti podnesen DocType: Authorization Control,Authorization Control,Kontrola autorizacije apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Red # {0}: Odbijen Skladište je obvezna protiv odbijena točka {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Uplata +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Uplata apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Skladište {0} nije povezano s bilo kojim računom, navedite račun u skladištu ili postavite zadani račun zaliha u tvrtki {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Upravljanje narudžbe DocType: Production Order Operation,Actual Time and Cost,Stvarnog vremena i troškova @@ -1809,12 +1810,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Hrpa pr DocType: Quotation Item,Actual Qty,Stvarna kol DocType: Sales Invoice Item,References,Reference DocType: Quality Inspection Reading,Reading 10,Čitanje 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Prikažite svoje proizvode ili usluge koje kupujete ili prodajete. Odaberite grupu proizvoda, jedinicu mjere i ostale značajke." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Prikažite svoje proizvode ili usluge koje kupujete ili prodajete. Odaberite grupu proizvoda, jedinicu mjere i ostale značajke." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Unijeli ste dupli proizvod. Ispravite i pokušajte ponovno. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,pomoćnik +DocType: Company,Sales Target,Cilj prodaje DocType: Asset Movement,Asset Movement,imovina pokret -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Novi Košarica +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Novi Košarica apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Proizvod {0} nije serijalizirani proizvod DocType: SMS Center,Create Receiver List,Stvaranje Receiver popis DocType: Vehicle,Wheels,kotači @@ -1855,13 +1857,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Upravljanje projekti DocType: Supplier,Supplier of Goods or Services.,Dobavljač dobara ili usluga. DocType: Budget,Fiscal Year,Fiskalna godina DocType: Vehicle Log,Fuel Price,Cijena goriva +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molim postavite serijske brojeve za prisustvovanje putem Setup> Serija numeriranja DocType: Budget,Budget,Budžet apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Fiksni Asset Stavka mora biti ne-stock točka a. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Proračun se ne može dodijeliti protiv {0}, kao što je nije prihod ili rashod račun" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Ostvareno DocType: Student Admission,Application Form Route,Obrazac za prijavu Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Teritorij / Kupac -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,na primjer 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,na primjer 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Ostavi Tip {0} nije moguće rasporediti jer se ostaviti bez plaće apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Red {0}: Dodijeljeni iznos {1} mora biti manji od ili jednak fakturirati preostali iznos {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,U riječi će biti vidljiv nakon što spremite prodaje fakture. @@ -1870,11 +1873,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Stavka {0} nije dobro postavljen za gospodara , serijski brojevi Provjera" DocType: Maintenance Visit,Maintenance Time,Vrijeme održavanja ,Amount to Deliver,Iznos za isporuku -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Proizvod ili usluga +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Proizvod ili usluga apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Datum Pojam početka ne može biti ranije od godine Datum početka akademske godine u kojoj je pojam vezan (Akademska godina {}). Ispravite datume i pokušajte ponovno. DocType: Guardian,Guardian Interests,Guardian Interesi DocType: Naming Series,Current Value,Trenutna vrijednost -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Više fiskalne godine postoji za sada {0}. Molimo postavite tvrtka u fiskalnoj godini +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Više fiskalne godine postoji za sada {0}. Molimo postavite tvrtka u fiskalnoj godini apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} stvorio DocType: Delivery Note Item,Against Sales Order,Protiv prodajnog naloga ,Serial No Status,Status serijskog broja @@ -1888,7 +1891,7 @@ DocType: Pricing Rule,Selling,Prodaja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Iznos {0} {1} oduzimaju od {2} DocType: Employee,Salary Information,Informacije o plaći DocType: Sales Person,Name and Employee ID,Ime i ID zaposlenika -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Datum dospijeća ne može biti prije datuma objavljivanja +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Datum dospijeća ne može biti prije datuma objavljivanja DocType: Website Item Group,Website Item Group,Grupa proizvoda web stranice apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Carine i porezi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Unesite Referentni datum @@ -1943,9 +1946,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Postavite datum pridruživanja za zaposlenika {0} DocType: Task,Total Billing Amount (via Time Sheet),Ukupan iznos za naplatu (preko vremenska tablica) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ponovite kupaca prihoda -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) mora imati ulogu ""Odobritelj rashoda '" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Odaberite BOM i Kol za proizvodnju +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) mora imati ulogu ""Odobritelj rashoda '" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Par +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Odaberite BOM i Kol za proizvodnju DocType: Asset,Depreciation Schedule,Amortizacija Raspored apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresa prodavača i kontakti DocType: Bank Reconciliation Detail,Against Account,Protiv računa @@ -1955,7 +1958,7 @@ DocType: Item,Has Batch No,Je Hrpa Ne apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Godišnji naplatu: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Porez na robu i usluge (GST India) DocType: Delivery Note,Excise Page Number,Trošarina Broj stranice -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Društvo, Iz Datum i do danas je obavezno" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Društvo, Iz Datum i do danas je obavezno" DocType: Asset,Purchase Date,Datum kupnje DocType: Employee,Personal Details,Osobni podaci apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Molimo postavite "imovinom Centar Amortizacija troškova 'u Društvu {0} @@ -1964,9 +1967,9 @@ DocType: Task,Actual End Date (via Time Sheet),Stvarni Datum završetka (putem v apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Iznos {0} {1} od {2} {3} ,Quotation Trends,Trend ponuda apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Stavka proizvoda se ne spominje u master artiklu za artikal {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Zaduženja računa mora biti Potraživanja račun +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Zaduženja računa mora biti Potraživanja račun DocType: Shipping Rule Condition,Shipping Amount,Dostava Iznos -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Dodaj korisnike +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Dodaj korisnike apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Iznos na čekanju DocType: Purchase Invoice Item,Conversion Factor,Konverzijski faktor DocType: Purchase Order,Delivered,Isporučeno @@ -1988,7 +1991,6 @@ DocType: Production Order,Use Multi-Level BOM,Koristite multi-level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Uključi pomirio objave DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",Roditeljski tečaj (ostavite prazno ako ovo nije dio roditeljskog tečaja) DocType: Leave Control Panel,Leave blank if considered for all employee types,Ostavite prazno ako se odnosi na sve tipove zaposlenika -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kupac> Skupina kupaca> Teritorij DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuirati optužbi na temelju apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,HR postavke @@ -1996,7 +1998,7 @@ DocType: Salary Slip,net pay info,Neto info plaća apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Rashodi Tužba se čeka odobrenje . SamoRashodi Odobritelj može ažurirati status . DocType: Email Digest,New Expenses,Novi troškovi DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Iznos -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Red # {0}: Količina mora biti jedan, jer predmet je fiksni kapital. Molimo koristite poseban red za više kom." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Red # {0}: Količina mora biti jedan, jer predmet je fiksni kapital. Molimo koristite poseban red za više kom." DocType: Leave Block List Allow,Leave Block List Allow,Odobrenje popisa neodobrenih odsustava apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ne može biti prazno ili razmak apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grupa ne-Group @@ -2004,7 +2006,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,sportovi DocType: Loan Type,Loan Name,Naziv kredita apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Ukupno Stvarni DocType: Student Siblings,Student Siblings,Studentski Braća i sestre -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,jedinica +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,jedinica apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Navedite tvrtke ,Customer Acquisition and Loyalty,Stjecanje kupaca i lojalnost DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Skladište na kojem držite zalihe odbijenih proizvoda @@ -2022,12 +2024,12 @@ DocType: Workstation,Wages per hour,Satnice apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ravnoteža u batch {0} postat negativna {1} za točku {2} na skladištu {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Sljedeći materijal Zahtjevi su automatski podigli na temelju stavke razini ponovno narudžbi DocType: Email Digest,Pending Sales Orders,U tijeku su nalozi za prodaju -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeći. Valuta računa mora biti {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeći. Valuta računa mora biti {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM pretvorbe je potrebno u redu {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od prodajnog naloga, prodaja fakture ili Journal Entry" DocType: Salary Component,Deduction,Odbitak -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Red {0}: Od vremena i vremena je obavezno. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Red {0}: Od vremena i vremena je obavezno. DocType: Stock Reconciliation Item,Amount Difference,iznos razlika apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Cijena dodana za {0} u cjeniku {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Unesite ID zaposlenika ove prodaje osobi @@ -2037,11 +2039,11 @@ DocType: Project,Gross Margin,Bruto marža apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Unesite Proizvodnja predmeta prvi apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Izračunato banka Izjava stanje apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,onemogućen korisnika -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Ponuda +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Ponuda DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Ukupno Odbitak ,Production Analytics,Proizvodnja Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Trošak Ažurirano +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Trošak Ažurirano DocType: Employee,Date of Birth,Datum rođenja apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Proizvod {0} je već vraćen DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Fiskalna godina** predstavlja poslovnu godinu. Svi računovodstvene stavke i druge glavne transakcije su praćene od **Fiskalne godine**. @@ -2086,18 +2088,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Odaberite tvrtku ... DocType: Leave Control Panel,Leave blank if considered for all departments,Ostavite prazno ako se odnosi na sve odjele apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Vrste zapošljavanja ( trajni ugovor , pripravnik i sl. ) ." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} je obavezno za točku {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} je obavezno za točku {1} DocType: Process Payroll,Fortnightly,četrnaestodnevni DocType: Currency Exchange,From Currency,Od novca apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Trošak kupnje novog -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Prodajnog naloga potrebna za točke {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Prodajnog naloga potrebna za točke {0} DocType: Purchase Invoice Item,Rate (Company Currency),Ocijeni (Društvo valuta) DocType: Student Guardian,Others,Ostali DocType: Payment Entry,Unallocated Amount,Nealocirano Količina apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Ne možete pronaći odgovarajući stavku. Odaberite neku drugu vrijednost za {0}. DocType: POS Profile,Taxes and Charges,Porezi i naknade DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Proizvod ili usluga koja je kupljena, prodana ili zadržana na lageru." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra stavke> Skupina stavke> Brand apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Nema više ažuriranja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Ne možete odabrati vrstu naboja kao ' na prethodnim Row Iznos ""ili"" u odnosu na prethodnu Row Ukupno ""za prvi red" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Dijete Stavka ne bi trebao biti proizvod Bundle. Uklonite stavku '{0}' i spremanje @@ -2123,7 +2126,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Ukupno naplate Iznos apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Tu mora biti zadana dolazni omogućen za to da rade računa e-pošte. Molimo postava zadani ulazni računa e-pošte (POP / IMAP) i pokušajte ponovno. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Potraživanja račun -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Red # {0}: Imovina {1} Već {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Red # {0}: Imovina {1} Već {2} DocType: Quotation Item,Stock Balance,Skladišna bilanca apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Prodajnog naloga za plaćanje apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2148,10 +2151,11 @@ DocType: C-Form,Received Date,Datum pozicija DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ako ste stvorili standardni predložak u prodaji poreze i troškove predložak, odaberite jednu i kliknite na gumb ispod." DocType: BOM Scrap Item,Basic Amount (Company Currency),Osnovni Iznos (Društvo valuta) DocType: Student,Guardians,čuvari +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> Vrsta dobavljača DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Cijene neće biti prikazana ako Cjenik nije postavljena apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Navedite zemlju za ovaj Dostava pravilom ili provjeriti Dostava u svijetu DocType: Stock Entry,Total Incoming Value,Ukupno Dolazni vrijednost -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Zaduženja je potrebno +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Zaduženja je potrebno apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomoći pratiti vrijeme, troškove i naplatu za aktivnostima obavljaju unutar vašeg tima" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Kupovni cjenik DocType: Offer Letter Term,Offer Term,Ponuda Pojam @@ -2170,11 +2174,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Pretr DocType: Timesheet Detail,To Time,Za vrijeme DocType: Authorization Rule,Approving Role (above authorized value),Odobravanje ulogu (iznad ovlaštenog vrijednosti) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredit računa mora biti naplativo račun -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2} DocType: Production Order Operation,Completed Qty,Završen Kol apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Za {0}, samo debitne računi se mogu povezati protiv druge kreditne stupanja" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Cjenik {0} je ugašen -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Red {0}: Završen količina ne može biti više od {1} za rad {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Red {0}: Završen količina ne može biti više od {1} za rad {2} DocType: Manufacturing Settings,Allow Overtime,Dopusti Prekovremeni apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serializiranu stavku {0} ne može se ažurirati pomoću usklađivanja zaliha, molimo koristite Stock Entry" DocType: Training Event Employee,Training Event Employee,Trening utrka zaposlenika @@ -2192,10 +2196,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Vanjski apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Korisnici i dozvole DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Radni nalozi Created: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Radni nalozi Created: {0} DocType: Branch,Branch,Grana DocType: Guardian,Mobile Number,Broj mobitela apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tiskanje i brendiranje +DocType: Company,Total Monthly Sales,Ukupna mjesečna prodaja DocType: Bin,Actual Quantity,Stvarna količina DocType: Shipping Rule,example: Next Day Shipping,Primjer: Sljedeći dan Dostava apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serijski broj {0} nije pronađen @@ -2224,7 +2229,7 @@ DocType: Payment Request,Make Sales Invoice,Napravi prodajni račun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Software apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Sljedeća Kontakt Datum ne može biti u prošlosti DocType: Company,For Reference Only.,Za samo kao referenca. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Odaberite šifra serije +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Odaberite šifra serije apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Pogrešna {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Iznos predujma @@ -2237,7 +2242,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nema proizvoda sa barkodom {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Slučaj broj ne može biti 0 DocType: Item,Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Sastavnice +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Sastavnice apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,prodavaonice DocType: Serial No,Delivery Time,Vrijeme isporuke apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Starenje temelju On @@ -2251,16 +2256,16 @@ DocType: Rename Tool,Rename Tool,Preimenovanje apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Update cost DocType: Item Reorder,Item Reorder,Ponovna narudžba proizvoda apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Prikaži Plaća proklizavanja -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Prijenos materijala +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Prijenos materijala DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Navedite operacija, operativni troškovi i dati jedinstven radom najkasnije do svojih operacija ." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ovaj dokument je preko granice po {0} {1} za stavku {4}. Jeste li što drugo {3} protiv iste {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Molimo postavite ponavljajući nakon spremanja -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Iznos računa Odaberi promjene +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Molimo postavite ponavljajući nakon spremanja +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Iznos računa Odaberi promjene DocType: Purchase Invoice,Price List Currency,Valuta cjenika DocType: Naming Series,User must always select,Korisničko uvijek mora odabrati DocType: Stock Settings,Allow Negative Stock,Dopustite negativnu zalihu DocType: Installation Note,Installation Note,Napomena instalacije -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Dodaj poreze +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Dodaj poreze DocType: Topic,Topic,Tema apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Novčani tijek iz financijskih DocType: Budget Account,Budget Account,proračun računa @@ -2274,7 +2279,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sljed apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Izvor sredstava ( pasiva) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina u redku {0} ({1}) mora biti ista kao proizvedena količina {2} DocType: Appraisal,Employee,Zaposlenik -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Odaberite Batch +DocType: Company,Sales Monthly History,Mjesečna povijest prodaje +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Odaberite Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} je naplaćen u cijelosti DocType: Training Event,End Time,Kraj vremena apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktivni Struktura plaća {0} pronađen zaposlenika {1} za navedene datume @@ -2282,15 +2288,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Odbici plaćanja ili gubitak apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardni uvjeti ugovora za prodaju ili kupnju. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grupa po jamcu apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Prodaja cjevovoda -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Molimo postavite zadani račun plaće komponente {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Molimo postavite zadani račun plaće komponente {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Potrebna On DocType: Rename Tool,File to Rename,Datoteka za Preimenovanje apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Odaberite BOM za točku u nizu {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Račun {0} ne odgovara tvrtki {1} u načinu računa: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Određena BOM {0} ne postoji za točku {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Stavka održavanja {0} mora biti otkazana prije poništenja ove narudžbe kupca +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Stavka održavanja {0} mora biti otkazana prije poništenja ove narudžbe kupca DocType: Notification Control,Expense Claim Approved,Rashodi Zahtjev odobren -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molim postavite serijske brojeve za prisustvovanje putem Setup> Serija numeriranja apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Plaća proklizavanja zaposlenika {0} već stvorena za ovo razdoblje apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutski apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Troškovi kupljene predmete @@ -2307,7 +2312,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM broj za Gotovi DocType: Upload Attendance,Attendance To Date,Gledanost do danas DocType: Warranty Claim,Raised By,Povišena Do DocType: Payment Gateway Account,Payment Account,Račun za plaćanje -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Navedite Tvrtka postupiti +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Navedite Tvrtka postupiti apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Neto promjena u potraživanja apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,kompenzacijski Off DocType: Offer Letter,Accepted,Prihvaćeno @@ -2316,12 +2321,12 @@ DocType: SG Creation Tool Course,Student Group Name,Naziv grupe studenata apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Molimo provjerite da li stvarno želite izbrisati sve transakcije za ovu tvrtku. Vaši matični podaci će ostati kao što je to. Ova radnja se ne može poništiti. DocType: Room,Room Number,Broj sobe apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Pogrešna referentni {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne može biti veći od planirane količine ({2}) u proizvodnom nalogu {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne može biti veći od planirane količine ({2}) u proizvodnom nalogu {3} DocType: Shipping Rule,Shipping Rule Label,Dostava Pravilo Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum za korisnike -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Sirovine ne može biti prazno. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Ne može se ažurirati zaliha, fakture sadrži drop shipping stavke." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Brzo Temeljnica +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Sirovine ne može biti prazno. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Ne može se ažurirati zaliha, fakture sadrži drop shipping stavke." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Brzo Temeljnica apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti cijenu ako je sastavnica spomenuta u bilo kojem proizvodu DocType: Employee,Previous Work Experience,Radnog iskustva DocType: Stock Entry,For Quantity,Za Količina @@ -2378,7 +2383,7 @@ DocType: SMS Log,No of Requested SMS,Nema traženih SMS-a apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Ostavite bez plaće ne odgovara odobrenog odsustva primjene zapisa DocType: Campaign,Campaign-.####,Kampanja-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Sljedeći koraci -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Molimo dostaviti navedene stavke po najboljim mogućim cijenama +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Molimo dostaviti navedene stavke po najboljim mogućim cijenama DocType: Selling Settings,Auto close Opportunity after 15 days,Auto blizu Prilika nakon 15 dana apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Godina završetka apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Kvota / olovo% @@ -2435,7 +2440,7 @@ DocType: Homepage,Homepage,Početna DocType: Purchase Receipt Item,Recd Quantity,RecD Količina apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Naknada zapisa nastalih - {0} DocType: Asset Category Account,Asset Category Account,Imovina Kategorija račun -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Međuskladišnica {0} nije potvrđena DocType: Payment Reconciliation,Bank / Cash Account,Banka / Cash račun apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Sljedeća Kontakt Po ne može biti ista kao što je vodeći e-mail adresa @@ -2468,7 +2473,7 @@ DocType: Salary Structure,Total Earning,Ukupna zarada DocType: Purchase Receipt,Time at which materials were received,Vrijeme u kojem su materijali primili DocType: Stock Ledger Entry,Outgoing Rate,Odlazni Ocijenite apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizacija grana majstor . -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ili +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ili DocType: Sales Order,Billing Status,Status naplate apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Prijavi problem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,komunalna Troškovi @@ -2476,7 +2481,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Red # {0}: časopis za ulazak {1} nema računa {2} ili već usklađeni protiv drugog bona DocType: Buying Settings,Default Buying Price List,Zadani kupovni cjenik DocType: Process Payroll,Salary Slip Based on Timesheet,Plaća proklizavanja temelju timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Niti jedan zaposlenik za prethodno izabrane kriterije ili plaća klizanja već stvorili +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Niti jedan zaposlenik za prethodno izabrane kriterije ili plaća klizanja već stvorili DocType: Notification Control,Sales Order Message,Poruka narudžbe kupca apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Postavi zadane vrijednosti kao što su tvrtka, valuta, tekuća fiskalna godina, itd." DocType: Payment Entry,Payment Type,Vrsta plaćanja @@ -2500,7 +2505,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Prijem dokumenata moraju biti dostavljeni DocType: Purchase Invoice Item,Received Qty,Pozicija Kol DocType: Stock Entry Detail,Serial No / Batch,Serijski Ne / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Ne plaća i ne Isporučeno +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Ne plaća i ne Isporučeno DocType: Product Bundle,Parent Item,Nadređeni proizvod DocType: Account,Account Type,Vrsta računa DocType: Delivery Note,DN-RET-,DN-RET- @@ -2530,8 +2535,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Ukupni raspoređeni iznos apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Postavite zadani oglasni prostor za trajni oglasni prostor DocType: Item Reorder,Material Request Type,Tip zahtjeva za robom -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Temeljnica za plaće iz {0} do {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage puna, nije štedjelo" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Temeljnica za plaće iz {0} do {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage puna, nije štedjelo" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM pretvorbe faktor je obavezno apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref. DocType: Budget,Cost Center,Troška @@ -2549,7 +2554,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Porez apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ako odabrani Cijene Pravilo je napravljen za 'Cijena', to će prebrisati Cjenik. Cijene Pravilo cijena je konačna cijena, pa dalje popust treba primijeniti. Dakle, u prometu kao što su prodajni nalog, narudžbenica itd, to će biti preuzeta u 'Rate' polju, a ne 'Cjenik stopom' polju." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Praćenje potencijalnih kupaca prema vrsti industrije. DocType: Item Supplier,Item Supplier,Dobavljač proizvoda -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Sve adrese. DocType: Company,Stock Settings,Postavke skladišta @@ -2576,7 +2581,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Stvarna količina nakon apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nema klizanja plaća je između {0} i {1} ,Pending SO Items For Purchase Request,Otvorene stavke narudžbe za zahtjev za kupnju apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Studentski Upisi -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} je onemogućen +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} je onemogućen DocType: Supplier,Billing Currency,Naplata valuta DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra large @@ -2606,7 +2611,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Status aplikacije DocType: Fees,Fees,naknade DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Navedite Tečaj pretvoriti jedne valute u drugu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Ponuda {0} je otkazana +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Ponuda {0} je otkazana apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Ukupni iznos DocType: Sales Partner,Targets,Ciljevi DocType: Price List,Price List Master,Cjenik Master @@ -2623,7 +2628,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorirajte Cijene pravilo DocType: Employee Education,Graduate,Diplomski DocType: Leave Block List,Block Days,Dani bloka DocType: Journal Entry,Excise Entry,Trošarine Stupanje -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozorenje: Prodaja Naručite {0} već postoji protiv Kupca narudžbenice {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozorenje: Prodaja Naručite {0} već postoji protiv Kupca narudžbenice {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2661,7 +2666,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ako ,Salary Register,Plaća Registracija DocType: Warehouse,Parent Warehouse,Roditelj Skladište DocType: C-Form Invoice Detail,Net Total,Osnovica -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Zadani BOM nije pronađen za stavku {0} i projekt {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Zadani BOM nije pronađen za stavku {0} i projekt {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Definirati različite vrste kredita DocType: Bin,FCFS Rate,FCFS Stopa DocType: Payment Reconciliation Invoice,Outstanding Amount,Izvanredna Iznos @@ -2698,7 +2703,7 @@ DocType: Salary Detail,Condition and Formula Help,Stanje i Formula Pomoć apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Uredi teritorijalnu raspodjelu. DocType: Journal Entry Account,Sales Invoice,Prodajni račun DocType: Journal Entry Account,Party Balance,Bilanca stranke -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Odaberite Primijeni popusta na +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Odaberite Primijeni popusta na DocType: Company,Default Receivable Account,Zadana Potraživanja račun DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Stvaranje banke ulaz za ukupne plaće isplaćene za prethodno izabrane kriterije DocType: Stock Entry,Material Transfer for Manufacture,Prijenos materijala za izradu @@ -2712,7 +2717,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Kupac Adresa DocType: Employee Loan,Loan Details,zajam Detalji DocType: Company,Default Inventory Account,Zadani račun oglasnog prostora -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Red {0}: Završen količina mora biti veća od nule. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Red {0}: Završen količina mora biti veća od nule. DocType: Purchase Invoice,Apply Additional Discount On,Nanesite dodatni popust na DocType: Account,Root Type,korijen Tip DocType: Item,FIFO,FIFO @@ -2729,7 +2734,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Provjera kvalitete apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Dodatni Mali DocType: Company,Standard Template,standardni predložak DocType: Training Event,Theory,Teorija -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal Tražena količina manja nego minimalna narudžba kol +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal Tražena količina manja nego minimalna narudžba kol apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Račun {0} je zamrznut DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna cjelina / Podružnica s odvojenim kontnim planom pripada Organizaciji. DocType: Payment Request,Mute Email,Mute e @@ -2753,7 +2758,7 @@ DocType: Training Event,Scheduled,Planiran apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Zahtjev za ponudu. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Molimo odaberite stavku u kojoj "Je kataloški Stavka" je "Ne" i "Je Prodaja Stavka" "Da", a ne postoji drugi bala proizvoda" DocType: Student Log,Academic,Akademski -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupno unaprijed ({0}) protiv Red {1} ne može biti veći od sveukupnog ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupno unaprijed ({0}) protiv Red {1} ne može biti veći od sveukupnog ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Odaberite mjesečna distribucija na nejednako distribuirati ciljeve diljem mjeseci. DocType: Purchase Invoice Item,Valuation Rate,Stopa vrednovanja DocType: Stock Reconciliation,SR/,SR / @@ -2817,6 +2822,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Unesite naziv kampanje, ako je izvor upit je kampanja" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Novinski izdavači apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Odaberite Fiskalna godina +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Očekivani datum isporuke trebao bi biti nakon datuma prodaje apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Poredaj Razina DocType: Company,Chart Of Accounts Template,Kontni predložak DocType: Attendance,Attendance Date,Gledatelja Datum @@ -2848,7 +2854,7 @@ DocType: Pricing Rule,Discount Percentage,Postotak popusta DocType: Payment Reconciliation Invoice,Invoice Number,Račun broj DocType: Shopping Cart Settings,Orders,Narudžbe DocType: Employee Leave Approver,Leave Approver,Osoba ovlaštena za odobrenje odsustva -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Odaberite grupu +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Odaberite grupu DocType: Assessment Group,Assessment Group Name,Naziv grupe procjena DocType: Manufacturing Settings,Material Transferred for Manufacture,Materijal prenose Proizvodnja DocType: Expense Claim,"A user with ""Expense Approver"" role","Korisnik koji ima ovlast ""Odobrbravatelja troškova""" @@ -2884,7 +2890,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Posljednji dan sljedećeg mjeseca DocType: Support Settings,Auto close Issue after 7 days,Auto blizu Izdavanje nakon 7 dana apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ostavite se ne može dodijeliti prije {0}, kao dopust ravnoteža je već ručne proslijeđena u buduće dodjele dopusta rekord {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Napomena: S obzirom / Referentni datum prelazi dopuštene kupca kreditne dana od {0} dana (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Napomena: S obzirom / Referentni datum prelazi dopuštene kupca kreditne dana od {0} dana (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Studentski Podnositelj zahtjeva DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,IZVORNI ZA PRIMATELJ DocType: Asset Category Account,Accumulated Depreciation Account,Akumulirana amortizacija računa @@ -2895,7 +2901,7 @@ DocType: Item,Reorder level based on Warehouse,Razina redoslijeda na temelju Skl DocType: Activity Cost,Billing Rate,Ocijenite naplate ,Qty to Deliver,Količina za otpremu ,Stock Analytics,Analitika skladišta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Rad se ne može ostati prazno +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Rad se ne može ostati prazno DocType: Maintenance Visit Purpose,Against Document Detail No,Protiv dokumenta Detalj No apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tip stranka je obvezna DocType: Quality Inspection,Outgoing,Odlazni @@ -2936,15 +2942,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Dostupna količina na skladištu apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Naplaćeni iznos DocType: Asset,Double Declining Balance,Dvaput padu Stanje -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Zatvorena redoslijed ne može se otkazati. Otvarati otkazati. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Zatvorena redoslijed ne može se otkazati. Otvarati otkazati. DocType: Student Guardian,Father,Otac -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' ne može se provjeriti na prodaju osnovnog sredstva +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' ne može se provjeriti na prodaju osnovnog sredstva DocType: Bank Reconciliation,Bank Reconciliation,Banka pomirenje DocType: Attendance,On Leave,Na odlasku apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Nabavite ažuriranja apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Račun {2} ne pripada Društvu {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Zahtjev za robom {0} je otkazan ili zaustavljen -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Dodaj nekoliko uzorak zapisa +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Dodaj nekoliko uzorak zapisa apps/erpnext/erpnext/config/hr.py +301,Leave Management,Ostavite upravljanje apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupa po računu DocType: Sales Order,Fully Delivered,Potpuno Isporučeno @@ -2953,12 +2959,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika računa mora biti tipa imovine / obveza račun, jer to kataloški Pomirenje je otvaranje Stupanje" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Isplaćeni Iznos ne može biti veća od iznos kredita {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Proizvodnja Narudžba nije stvorio +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Proizvodnja Narudžba nije stvorio apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Od datuma' mora biti poslije 'Do datuma' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Ne može se promijeniti status studenta {0} je povezan sa studentskom primjene {1} DocType: Asset,Fully Depreciated,potpuno amortizirana ,Stock Projected Qty,Stanje skladišta -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Korisnik {0} ne pripada projicirati {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Korisnik {0} ne pripada projicirati {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Označena Gledatelja HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citati su prijedlozi, ponude koje ste poslali na svoje klijente" DocType: Sales Order,Customer's Purchase Order,Kupca narudžbenice @@ -2968,7 +2974,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Molimo postavite Broj deprecijaciju Rezervirano apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,"Vrijednost, ili Kol" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions narudžbe se ne može podići za: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minuta +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minuta DocType: Purchase Invoice,Purchase Taxes and Charges,Nabavni porezi i terećenja ,Qty to Receive,Količina za primanje DocType: Leave Block List,Leave Block List Allowed,Odobreni popis neodobrenih odsustava @@ -2981,7 +2987,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Sve vrste dobavljača DocType: Global Defaults,Disable In Words,Onemogućavanje riječima apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Kod proizvoda je obvezan jer artikli nisu automatski numerirani -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Ponuda {0} nije tip {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Ponuda {0} nije tip {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Stavka rasporeda održavanja DocType: Sales Order,% Delivered,% Isporučeno DocType: Production Order,PRO-,pro- @@ -3004,7 +3010,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Prodavač Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Ukupno troškovi nabave (putem kupnje proizvoda) DocType: Training Event,Start Time,Vrijeme početka -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Odaberite Količina +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Odaberite Količina DocType: Customs Tariff Number,Customs Tariff Number,Broj carinske tarife apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Odobravanje ulogu ne mogu biti isti kao i ulogepravilo odnosi se na apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odjaviti s ovog Pošalji Digest @@ -3028,7 +3034,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detalj DocType: Sales Order,Fully Billed,Potpuno Naplaćeno apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Novac u blagajni -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Isporuka skladište potrebno za dionicama stavku {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Isporuka skladište potrebno za dionicama stavku {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto težina paketa. Obično neto težina + ambalaža težina. (Za tisak) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Korisnici s ovom ulogom smiju postaviti zamrznute račune i izradu / izmjenu računovodstvenih unosa protiv zamrznutih računa @@ -3037,7 +3043,7 @@ DocType: Student Group,Group Based On,Skupina temeljena na DocType: Journal Entry,Bill Date,Bill Datum apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Usluga predmeta, vrsta, učestalost i rashodi količina potrebne su" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Čak i ako postoji više Cijene pravila s najvišim prioritetom, onda sljedeći interni prioriteti primjenjuje se:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Da li zaista želite da pošaljete sve Plaća Slip iz {0} do {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Da li zaista želite da pošaljete sve Plaća Slip iz {0} do {1} DocType: Cheque Print Template,Cheque Height,Ček Visina DocType: Supplier,Supplier Details,Dobavljač Detalji DocType: Expense Claim,Approval Status,Status odobrenja @@ -3059,7 +3065,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Dovesti do kotaciju apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ništa više za pokazati. DocType: Lead,From Customer,Od kupca apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Pozivi -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,serije +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,serije DocType: Project,Total Costing Amount (via Time Logs),Ukupno Obračun troškova Iznos (preko Vrijeme Trupci) DocType: Purchase Order Item Supplied,Stock UOM,Kataloški UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen @@ -3090,7 +3096,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Povratak protiv faktur DocType: Item,Warranty Period (in days),Jamstveni period (u danima) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Odnos s Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Neto novčani tijek iz operacije -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,na primjer PDV +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,na primjer PDV apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Stavka 4 DocType: Student Admission,Admission End Date,Prijem Datum završetka apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Podugovaranje @@ -3098,7 +3104,7 @@ DocType: Journal Entry Account,Journal Entry Account,Temeljnica račun apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Studentski Grupa DocType: Shopping Cart Settings,Quotation Series,Ponuda serija apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Stavka postoji s istim imenom ( {0} ) , molimo promijenite ime stavku grupe ili preimenovati stavku" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Molimo izaberite kupca +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Molimo izaberite kupca DocType: C-Form,I,ja DocType: Company,Asset Depreciation Cost Center,Imovina Centar Amortizacija troškova DocType: Sales Order Item,Sales Order Date,Datum narudžbe (kupca) @@ -3109,6 +3115,7 @@ DocType: Stock Settings,Limit Percent,Ograničenje posto ,Payment Period Based On Invoice Date,Razdoblje za naplatu po Datum fakture apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Nedostaje Valuta za {0} DocType: Assessment Plan,Examiner,Ispitivač +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Serija za imenovanje {0} putem Postava> Postavke> Serija za imenovanje DocType: Student,Siblings,Braća i sestre DocType: Journal Entry,Stock Entry,Međuskladišnica DocType: Payment Entry,Payment References,Reference plaćanja @@ -3133,7 +3140,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Gdje se odvija proizvodni postupci. DocType: Asset Movement,Source Warehouse,Izvor galerija DocType: Installation Note,Installation Date,Instalacija Datum -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Red # {0}: Imovina {1} ne pripada društvu {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Red # {0}: Imovina {1} ne pripada društvu {2} DocType: Employee,Confirmation Date,potvrda Datum DocType: C-Form,Total Invoiced Amount,Ukupno Iznos dostavnice apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Minimalna količina ne može biti veća od maksimalne količine @@ -3206,7 +3213,7 @@ DocType: Company,Default Letter Head,Default Pismo Head DocType: Purchase Order,Get Items from Open Material Requests,Se predmeti s Otvori Materijal zahtjeva DocType: Item,Standard Selling Rate,Standardni prodajni tečaj DocType: Account,Rate at which this tax is applied,Stopa po kojoj je taj porez se primjenjuje -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Poredaj Kom +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Poredaj Kom apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Trenutni radnih mjesta DocType: Company,Stock Adjustment Account,Stock Adjustment račun apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Otpisati @@ -3220,7 +3227,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Dobavljač dostavlja Kupcu apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Obrazac / Artikl / {0}) nema na skladištu apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Sljedeći datum mora biti veći od datum knjiženja -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Zbog / Referentni datum ne može biti nakon {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Zbog / Referentni datum ne može biti nakon {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Uvoz i izvoz podataka apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nema učenika Pronađeno apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Račun knjiženja Datum @@ -3240,12 +3247,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To se temelji na prisustvo ovog Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Nema studenata u Zagrebu apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Dodaj još stavki ili otvoriti puni oblik -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Unesite ' Očekivani datum isporuke ' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnica {0} mora biti otkazana prije poništenja ove narudžbenice +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnica {0} mora biti otkazana prije poništenja ove narudžbenice apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nije ispravan broj serije za točku {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Napomena : Nema dovoljno ravnotežu dopust za dozvolu tipa {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Nevažeći GSTIN ili Unesi NA za neregistrirano +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Nevažeći GSTIN ili Unesi NA za neregistrirano DocType: Training Event,Seminar,Seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Program za upis naknada DocType: Item,Supplier Items,Dobavljač Stavke @@ -3263,7 +3269,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Starost skladišta apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} postoje protiv studenta podnositelja prijave {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,kontrolna kartica -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' je onemogućen +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' je onemogućen apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Postavi kao Opena DocType: Cheque Print Template,Scanned Cheque,Scanned Ček DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Pošaljite e-poštu automatski u imenik na podnošenje transakcija. @@ -3309,7 +3315,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Tečaj cjenika DocType: Purchase Invoice Item,Rate,VPC apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,stažista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,adresa Ime +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,adresa Ime DocType: Stock Entry,From BOM,Od sastavnice DocType: Assessment Code,Assessment Code,kod procjena apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Osnovni @@ -3322,20 +3328,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Plaća Struktura DocType: Account,Bank,Banka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Aviokompanija -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Izdavanje materijala +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Izdavanje materijala DocType: Material Request Item,For Warehouse,Za galeriju DocType: Employee,Offer Date,Datum ponude apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citati -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Vi ste u izvanmrežnom načinu rada. Nećete biti u mogućnosti da ponovno učitati dok imate mrežu. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Vi ste u izvanmrežnom načinu rada. Nećete biti u mogućnosti da ponovno učitati dok imate mrežu. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Nema studentskih grupa stvorena. DocType: Purchase Invoice Item,Serial No,Serijski br apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mjesečni iznos otplate ne može biti veća od iznosa kredita apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Unesite prva Maintaince Detalji +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Red # {0}: očekivani datum isporuke ne može biti prije datuma narudžbe DocType: Purchase Invoice,Print Language,Ispis Language DocType: Salary Slip,Total Working Hours,Ukupno Radno vrijeme DocType: Stock Entry,Including items for sub assemblies,Uključujući predmeta za sub sklopova -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Unesite vrijednost moraju biti pozitivne -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra stavke> Skupina stavke> Brand +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Unesite vrijednost moraju biti pozitivne apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Sve teritorije DocType: Purchase Invoice,Items,Proizvodi apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student je već upisan. @@ -3357,7 +3363,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Zadana mjerna jedinica za Variant '{0}' mora biti isti kao u predložak '{1}' DocType: Shipping Rule,Calculate Based On,Izračun temeljen na DocType: Delivery Note Item,From Warehouse,Iz skladišta -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Nema Stavke sa Bill materijala za proizvodnju +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Nema Stavke sa Bill materijala za proizvodnju DocType: Assessment Plan,Supervisor Name,Naziv Supervisor DocType: Program Enrollment Course,Program Enrollment Course,Tečaj za upis na program DocType: Purchase Taxes and Charges,Valuation and Total,Vrednovanje i Total @@ -3372,32 +3378,33 @@ DocType: Training Event Employee,Attended,pohađao apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dani od posljednje narudžbe' mora biti veći ili jednak nuli DocType: Process Payroll,Payroll Frequency,Plaće Frequency DocType: Asset,Amended From,Izmijenjena Od -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,sirovine +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,sirovine DocType: Leave Application,Follow via Email,Slijedite putem e-maila apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Biljke i strojevi DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Iznos poreza Nakon iznosa popusta DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dnevni Postavke rad Sažetak -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjeniku {0} nije slično s odabranoj valuti {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjeniku {0} nije slično s odabranoj valuti {1} DocType: Payment Entry,Internal Transfer,Interni premještaj apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Dijete računa postoji za taj račun . Ne možete izbrisati ovaj račun . apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ili meta Količina ili ciljani iznos je obvezna apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Zadani BOM ne postoji za proizvod {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Molimo odaberite datum knjiženja prvo +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Molimo odaberite datum knjiženja prvo apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Otvaranje Datum bi trebao biti prije datuma zatvaranja DocType: Leave Control Panel,Carry Forward,Prenijeti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Troška s postojećim transakcija ne može pretvoriti u knjizi DocType: Department,Days for which Holidays are blocked for this department.,Dani za koje su praznici blokirani za ovaj odjel. ,Produced,Proizvedeno -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Created plaća gaćice +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Created plaća gaćice DocType: Item,Item Code for Suppliers,Šifra za dobavljače DocType: Issue,Raised By (Email),Povišena Do (e) DocType: Training Event,Trainer Name,Ime trenera DocType: Mode of Payment,General,Opći apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Posljednja komunikacija apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne mogu odbiti kada kategorija je "" vrednovanje "" ili "" Vrednovanje i Total '" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Popis svoje porezne glave (npr PDV, carina itd, oni bi trebali imati jedinstvene nazive) i njihove standardne stope. To će stvoriti standardni predložak koji možete uređivati i dodavati više kasnije." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Popis svoje porezne glave (npr PDV, carina itd, oni bi trebali imati jedinstvene nazive) i njihove standardne stope. To će stvoriti standardni predložak koji možete uređivati i dodavati više kasnije." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Plaćanja s faktura +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Red # {0}: unesite datum isporuke na stavku {1} DocType: Journal Entry,Bank Entry,Bank Stupanje DocType: Authorization Rule,Applicable To (Designation),Odnosi se na (Oznaka) ,Profitability Analysis,Analiza profitabilnosti @@ -3413,17 +3420,18 @@ DocType: Quality Inspection,Item Serial No,Serijski broj proizvoda apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Stvaranje zaposlenika Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Ukupno Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Računovodstveni izvještaji -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Sat +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Sat apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi serijski broj ne može biti na skladištu. Skladište mora biti postavljen od strane međuskladišnice ili primke DocType: Lead,Lead Type,Tip potencijalnog kupca apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Niste ovlašteni za odobravanje lišće o skupnom Datumi -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Svi ovi proizvodi su već fakturirani +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Svi ovi proizvodi su već fakturirani +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Mjesečni cilj prodaje apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Može biti odobren od strane {0} DocType: Item,Default Material Request Type,Zadana Materijal Vrsta zahtjeva apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,nepoznat DocType: Shipping Rule,Shipping Rule Conditions,Dostava Koje uvjete DocType: BOM Replace Tool,The new BOM after replacement,Novi BOM nakon zamjene -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Point of Sale DocType: Payment Entry,Received Amount,primljeni iznos DocType: GST Settings,GSTIN Email Sent On,GSTIN e-pošta poslana DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop od strane Guardian @@ -3438,8 +3446,8 @@ DocType: C-Form,Invoices,Računi DocType: Batch,Source Document Name,Izvorni naziv dokumenta DocType: Job Opening,Job Title,Titula apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Stvaranje korisnika -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Pogledajte izvješće razgovora vezanih uz održavanje. DocType: Stock Entry,Update Rate and Availability,Brzina ažuriranja i dostupnost DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Postotak koju smiju primiti ili isporučiti više od naručene količine. Na primjer: Ako ste naručili 100 jedinica. i tvoj ispravak je 10% onda se smiju primati 110 jedinica. @@ -3451,7 +3459,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Otkažite fakturi {0} prvi apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-mail adresa mora biti jedinstvena, već postoji za {0}" DocType: Serial No,AMC Expiry Date,AMC Datum isteka -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Priznanica +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Priznanica ,Sales Register,Prodaja Registracija DocType: Daily Work Summary Settings Company,Send Emails At,Slanje e-pošte na DocType: Quotation,Quotation Lost Reason,Razlog nerealizirane ponude @@ -3464,14 +3472,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Još nema kup apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Izvještaj o novčanom tijeku apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Iznos kredita ne može biti veći od maksimalnog iznosa zajma {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licenca -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Molimo uklonite ovu fakturu {0} od C-obrasca {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Molimo uklonite ovu fakturu {0} od C-obrasca {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Molimo odaberite prenositi ako želite uključiti prethodnoj fiskalnoj godini je ravnoteža ostavlja na ovoj fiskalnoj godini DocType: GL Entry,Against Voucher Type,Protiv voucher vrsti DocType: Item,Attributes,Značajke apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Unesite otpis račun apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Zadnje narudžbe Datum apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Račun {0} ne pripada društvu {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u retku {0} ne podudaraju se s dostavom +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u retku {0} ne podudaraju se s dostavom DocType: Student,Guardian Details,Guardian Detalji DocType: C-Form,C-Form,C-obrazac apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Gledatelja za više radnika @@ -3503,16 +3511,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Vr DocType: Tax Rule,Sales,Prodaja DocType: Stock Entry Detail,Basic Amount,Osnovni iznos DocType: Training Event,Exam,Ispit -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0} DocType: Leave Allocation,Unused leaves,Neiskorišteni lišće -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Državna naplate apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Prijenos apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ne povezan s računom stranke {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova ) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova ) DocType: Authorization Rule,Applicable To (Employee),Odnosi se na (Radnik) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Datum dospijeća je obavezno apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Pomak za Osobina {0} ne može biti 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kupac> Skupina kupaca> Teritorij DocType: Journal Entry,Pay To / Recd From,Platiti do / primiti od DocType: Naming Series,Setup Series,Postavljanje Serija DocType: Payment Reconciliation,To Invoice Date,Za Račun Datum @@ -3539,7 +3548,7 @@ DocType: Journal Entry,Write Off Based On,Otpis na temelju apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Napravite Olovo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Ispis i konfekcija DocType: Stock Settings,Show Barcode Field,Prikaži Barkod Polje -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Pošalji Supplier e-pošte +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Pošalji Supplier e-pošte apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plaća se već obrađuju za razdoblje od {0} i {1}, dopusta zahtjev ne može biti između ovom razdoblju." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Instalacijski zapis za serijski broj DocType: Guardian Interest,Guardian Interest,Guardian kamata @@ -3552,7 +3561,7 @@ DocType: Offer Letter,Awaiting Response,Očekujem odgovor apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Iznad apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Neispravan atribut {0} {1} DocType: Supplier,Mention if non-standard payable account,Navedite ako je nestandardni račun koji se plaća -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Isti artikl je unesen više puta. {popis} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Isti artikl je unesen više puta. {popis} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Odaberite grupu za procjenu osim "Sve grupe za procjenu" DocType: Salary Slip,Earning & Deduction,Zarada & Odbitak apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Izborni . Ova postavka će se koristiti za filtriranje u raznim transakcijama . @@ -3571,7 +3580,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Troškovi otpisan imovinom apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Mjesto troška je ovezno za stavku {2} DocType: Vehicle,Policy No,politika Nema -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Se predmeti s Bundle proizvoda +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Se predmeti s Bundle proizvoda DocType: Asset,Straight Line,Ravna crta DocType: Project User,Project User,Korisnik projekta apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Split @@ -3583,6 +3592,7 @@ DocType: Sales Team,Contact No.,Kontakt broj DocType: Bank Reconciliation,Payment Entries,Prijave plaćanja DocType: Production Order,Scrap Warehouse,otpaci Skladište DocType: Production Order,Check if material transfer entry is not required,Provjerite nije li unos prijenosa materijala potreban +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u ljudskim resursima> HR postavke DocType: Program Enrollment Tool,Get Students From,Dobiti studenti iz DocType: Hub Settings,Seller Country,Prodavač Država apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Objavi stavke na web stranici @@ -3600,19 +3610,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Navedite uvjete za izračunavanje iznosa dostave DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Uloga dopušteno postavljanje blokada računa i uređivanje Frozen Entries apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Otvaranje vrijednost +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Otvaranje vrijednost DocType: Salary Detail,Formula,Formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serijski # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisija za prodaju DocType: Offer Letter Term,Value / Description,Vrijednost / Opis -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Red # {0}: Imovina {1} ne može se podnijeti, to je već {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Red # {0}: Imovina {1} ne može se podnijeti, to je već {2}" DocType: Tax Rule,Billing Country,Naplata Država DocType: Purchase Order Item,Expected Delivery Date,Očekivani rok isporuke apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debitne i kreditne nije jednaka za {0} # {1}. Razlika je {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Zabava Troškovi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Provjerite materijala zahtjev apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otvoreno Stavka {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodaja Račun {0} mora biti otkazana prije poništenja ovu prodajnog naloga +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodaja Račun {0} mora biti otkazana prije poništenja ovu prodajnog naloga apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Doba DocType: Sales Invoice Timesheet,Billing Amount,Naplata Iznos apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Navedena je pogrešna količina za proizvod {0}. Količina treba biti veći od 0. @@ -3635,7 +3645,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Novi prihod kupca apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,putni troškovi DocType: Maintenance Visit,Breakdown,Slom -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutom: {1} ne može se odabrati +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutom: {1} ne može se odabrati DocType: Bank Reconciliation Detail,Cheque Date,Ček Datum apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: nadređeni račun {1} ne pripada tvrtki: {2} DocType: Program Enrollment Tool,Student Applicants,Studentski Kandidati @@ -3655,11 +3665,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planir DocType: Material Request,Issued,Izdano apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Aktivnost studenata DocType: Project,Total Billing Amount (via Time Logs),Ukupno naplate Iznos (preko Vrijeme Trupci) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Prodajemo ovaj proizvod +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Prodajemo ovaj proizvod apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id Dobavljač DocType: Payment Request,Payment Gateway Details,Payment Gateway Detalji -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Količina bi trebala biti veća od 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Podaci o uzorku +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Količina bi trebala biti veća od 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Podaci o uzorku DocType: Journal Entry,Cash Entry,Novac Stupanje apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Dijete čvorovi mogu biti samo stvorio pod tipa čvorišta 'Grupa' DocType: Leave Application,Half Day Date,Poludnevni Datum @@ -3668,17 +3678,18 @@ DocType: Sales Partner,Contact Desc,Kontakt ukratko apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tip lišća poput casual, bolovanja i sl." DocType: Email Digest,Send regular summary reports via Email.,Pošalji redovite sažetak izvješća putem e-maila. DocType: Payment Entry,PE-,PE -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Molimo postavite zadanog računa o troškovima za tužbu tipa {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Molimo postavite zadanog računa o troškovima za tužbu tipa {0} DocType: Assessment Result,Student Name,Ime studenta DocType: Brand,Item Manager,Stavka Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Plaće Plaća DocType: Buying Settings,Default Supplier Type,Zadani tip dobavljača DocType: Production Order,Total Operating Cost,Ukupni trošak -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Napomena : Proizvod {0} je upisan više puta +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Napomena : Proizvod {0} je upisan više puta apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Svi kontakti. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Postavite cilj apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Kratica Društvo apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Korisnik {0} ne postoji -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Sirovina ne mogu biti isti kao glavni predmet +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Sirovina ne mogu biti isti kao glavni predmet DocType: Item Attribute Value,Abbreviation,Skraćenica apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Ulaz za plaćanje već postoji apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Niste ovlašteni od {0} prijeđenog limita @@ -3696,7 +3707,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Uloga dopuštenih ured ,Territory Target Variance Item Group-Wise,Pregled prometa po teritoriji i grupi proizvoda apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Sve grupe kupaca apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,ukupna mjesečna -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda Mjenjačnica zapis nije stvoren za {1} na {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda Mjenjačnica zapis nije stvoren za {1} na {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Porez Predložak je obavezno. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Račun {0}: nadređeni račun {1} ne postoji DocType: Purchase Invoice Item,Price List Rate (Company Currency),Stopa cjenika (valuta tvrtke) @@ -3707,7 +3718,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Postotak raspodje apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,tajnica DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ako onemogućite ", riječima 'polja neće biti vidljiva u bilo koju transakciju" DocType: Serial No,Distinct unit of an Item,Razlikuje jedinica stavku -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Postavite tvrtku +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Postavite tvrtku DocType: Pricing Rule,Buying,Nabava DocType: HR Settings,Employee Records to be created by,Zaposlenik Records bi se stvorili DocType: POS Profile,Apply Discount On,Nanesite popusta na @@ -3718,7 +3729,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stavka Wise Porezna Detalj apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut naziv ,Item-wise Price List Rate,Item-wise cjenik -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Dobavljač Ponuda +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Dobavljač Ponuda DocType: Quotation,In Words will be visible once you save the Quotation.,U riječi će biti vidljiv nakon što spremite ponudu. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne može biti frakcija u retku {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,prikupiti naknade @@ -3742,7 +3753,7 @@ Updated via 'Time Log'","U nekoliko minuta DocType: Customer,From Lead,Od Olovo apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Narudžbe objavljen za proizvodnju. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Odaberite fiskalnu godinu ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profil potrebna da bi POS unos +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profil potrebna da bi POS unos DocType: Program Enrollment Tool,Enroll Students,upisati studenti DocType: Hub Settings,Name Token,Naziv tokena apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna prodaja @@ -3760,7 +3771,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Stock Vrijednost razlika apps/erpnext/erpnext/config/learn.py +234,Human Resource,Ljudski Resursi DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pomirenje Plaćanje Plaćanje apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,porezna imovina -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Proizvodni nalog je bio {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Proizvodni nalog je bio {0} DocType: BOM Item,BOM No,BOM br. DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Temeljnica {0} nema račun {1} ili već usklađeni protiv drugog bona @@ -3774,7 +3785,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Prenesi apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Izvanredna Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Set cilja predmet Grupa-mudar za ovaj prodavač. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Dionice stariji od [ dana ] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Red # {0}: Imovina je obvezna za nepokretne imovine kupnju / prodaju +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Red # {0}: Imovina je obvezna za nepokretne imovine kupnju / prodaju apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ako dva ili više Cijene Pravila nalaze se na temelju gore navedenih uvjeta, Prioritet se primjenjuje. Prioritet je broj između 0 do 20, a zadana vrijednost je nula (prazno). Veći broj znači da će imati prednost ako ima više Cijene pravila s istim uvjetima." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiskalna godina: {0} ne postoji DocType: Currency Exchange,To Currency,Valutno @@ -3782,7 +3793,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Vrste Rashodi zahtjevu. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Stopa prodaje za stavku {0} niža je od njegove {1}. Stopa prodaje trebao bi biti najmanje {2} DocType: Item,Taxes,Porezi -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Plaćeni i nije isporučena +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Plaćeni i nije isporučena DocType: Project,Default Cost Center,Zadana troškovnih centara DocType: Bank Guarantee,End Date,Datum završetka apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock transakcije @@ -3799,7 +3810,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Svakodnevnom radu poduzeća Sažetak Postavke apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Proizvod {0} se ignorira budući da nije skladišni artikal DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Pošaljite ovaj radnog naloga za daljnju obradu . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Pošaljite ovaj radnog naloga za daljnju obradu . apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Da se ne primjenjuje pravilo Cijene u određenoj transakciji, svim primjenjivim pravilima cijena bi trebala biti onemogućen." DocType: Assessment Group,Parent Assessment Group,Roditelj Grupa procjena apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Posao @@ -3807,10 +3818,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Posao DocType: Employee,Held On,Održanoj apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Proizvodni proizvod ,Employee Information,Informacije o zaposleniku -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Stopa ( % ) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Stopa ( % ) DocType: Stock Entry Detail,Additional Cost,Dodatni trošak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"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" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Napravi ponudu dobavljaču +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Napravi ponudu dobavljaču DocType: Quality Inspection,Incoming,Dolazni DocType: BOM,Materials Required (Exploded),Potrebna roba apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Dodaj korisnika u vašoj organizaciji, osim sebe" @@ -3826,7 +3837,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Račun: {0} može se ažurirati samo preko Stock promet DocType: Student Group Creation Tool,Get Courses,dobiti Tečajevi DocType: GL Entry,Party,Stranka -DocType: Sales Order,Delivery Date,Datum isporuke +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Datum isporuke DocType: Opportunity,Opportunity Date,Datum prilike DocType: Purchase Receipt,Return Against Purchase Receipt,Povratak na primku DocType: Request for Quotation Item,Request for Quotation Item,Zahtjev za ponudu točke @@ -3840,7 +3851,7 @@ DocType: Task,Actual Time (in Hours),Stvarno vrijeme (u satima) DocType: Employee,History In Company,Povijest tvrtke apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletteri DocType: Stock Ledger Entry,Stock Ledger Entry,Upis u glavnu knjigu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Isti predmet je ušao više puta +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Isti predmet je ušao više puta DocType: Department,Leave Block List,Popis neodobrenih odsustva DocType: Sales Invoice,Tax ID,OIB apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Stavka {0} nije setup za serijski brojevi Stupac mora biti prazan @@ -3858,25 +3869,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Crna DocType: BOM Explosion Item,BOM Explosion Item,BOM eksplozije artikla DocType: Account,Auditor,Revizor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} predmeti koji +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} predmeti koji DocType: Cheque Print Template,Distance from top edge,Udaljenost od gornjeg ruba apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cjenik {0} je onemogućen ili ne postoji DocType: Purchase Invoice,Return,Povratak DocType: Production Order Operation,Production Order Operation,Proizvodni nalog Rad DocType: Pricing Rule,Disable,Ugasiti -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Način plaćanja potrebno je izvršiti uplatu +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Način plaćanja potrebno je izvršiti uplatu DocType: Project Task,Pending Review,U tijeku pregled apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nije upisana u skupinu {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Imovina {0} ne može biti otpisan, kao što je već {1}" DocType: Task,Total Expense Claim (via Expense Claim),Ukupni rashodi Zatraži (preko Rashodi Zahtjeva) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Odsutni -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Red {0}: Valuta sastavnice # {1} bi trebao biti jednak odabranoj valuti {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Red {0}: Valuta sastavnice # {1} bi trebao biti jednak odabranoj valuti {2} DocType: Journal Entry Account,Exchange Rate,Tečaj -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen DocType: Homepage,Tag Line,Tag linija DocType: Fee Component,Fee Component,Naknada Komponenta apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Mornarički menađer -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Dodavanje stavki iz +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Dodavanje stavki iz DocType: Cheque Print Template,Regular,redovan apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Ukupno weightage svih kriterija za ocjenjivanje mora biti 100% DocType: BOM,Last Purchase Rate,Zadnja kupovna cijena @@ -3897,12 +3908,12 @@ DocType: Employee,Reports to,Izvješća DocType: SMS Settings,Enter url parameter for receiver nos,Unesite URL parametar za prijemnike br DocType: Payment Entry,Paid Amount,Plaćeni iznos DocType: Assessment Plan,Supervisor,Nadzornik -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Na liniji +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Na liniji ,Available Stock for Packing Items,Raspoloživo stanje za pakirane proizvode DocType: Item Variant,Item Variant,Stavka Variant DocType: Assessment Result Tool,Assessment Result Tool,Procjena Alat Rezultat DocType: BOM Scrap Item,BOM Scrap Item,BOM otpaci predmeta -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje računa već u zaduženje, ne smiju postaviti 'ravnoteža se mora' kao 'kreditne'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Upravljanje kvalitetom apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Stavka {0} je onemogućen @@ -3933,7 +3944,7 @@ DocType: Item Group,Default Expense Account,Zadani račun rashoda apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student ID e-pošte DocType: Employee,Notice (days),Obavijest (dani) DocType: Tax Rule,Sales Tax Template,Porez Predložak -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Odaberite stavke za spremanje račun +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Odaberite stavke za spremanje račun DocType: Employee,Encashment Date,Encashment Datum DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Stock Podešavanje @@ -3981,10 +3992,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Otprema apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maksimalni dopušteni popust za proizvod: {0} je {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Neto imovina kao i na DocType: Account,Receivable,potraživanja -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Red # {0}: Nije dopušteno mijenjati dobavljača kao narudžbenice već postoji +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Red # {0}: Nije dopušteno mijenjati dobavljača kao narudžbenice već postoji DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Uloga koja je dopušteno podnijeti transakcije koje premašuju kreditnih ograničenja postavljena. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Odaberite stavke za proizvodnju -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master Data sinkronizacije, to bi moglo potrajati neko vrijeme" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Odaberite stavke za proizvodnju +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master Data sinkronizacije, to bi moglo potrajati neko vrijeme" DocType: Item,Material Issue,Materijal Issue DocType: Hub Settings,Seller Description,Prodavač Opis DocType: Employee Education,Qualification,Kvalifikacija @@ -4005,11 +4016,10 @@ DocType: BOM,Rate Of Materials Based On,Stopa materijali na temelju apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analitike podrške apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Poništite sve DocType: POS Profile,Terms and Conditions,Odredbe i uvjeti -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u ljudskim resursima> HR postavke apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Za datum mora biti unutar fiskalne godine. Pod pretpostavkom da bi datum = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ovdje možete održavati visina, težina, alergije, medicinske brige itd." DocType: Leave Block List,Applies to Company,Odnosi se na Društvo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Ne može se otkazati, jer skladišni ulaz {0} postoji" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Ne može se otkazati, jer skladišni ulaz {0} postoji" DocType: Employee Loan,Disbursement Date,datum isplate DocType: Vehicle,Vehicle,Vozilo DocType: Purchase Invoice,In Words,Riječima @@ -4047,7 +4057,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globalne postavke DocType: Assessment Result Detail,Assessment Result Detail,Procjena Detalj Rezultat DocType: Employee Education,Employee Education,Obrazovanje zaposlenika apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Dvostruki stavke skupina nalaze se u tablici stavke grupe -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,To je potrebno kako bi dohvatili Stavka Pojedinosti. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,To je potrebno kako bi dohvatili Stavka Pojedinosti. DocType: Salary Slip,Net Pay,Neto plaća DocType: Account,Account,Račun apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serijski Ne {0} već je primila @@ -4055,7 +4065,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,vozila Prijava DocType: Purchase Invoice,Recurring Id,Ponavljajući Id DocType: Customer,Sales Team Details,Detalji prodnog tima -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Brisanje trajno? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Brisanje trajno? DocType: Expense Claim,Total Claimed Amount,Ukupno Zatražio Iznos apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencijalne prilike za prodaju. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Pogrešna {0} @@ -4067,7 +4077,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Postavite svoj škola u ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Baza Promjena Iznos (Društvo valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nema računovodstvenih unosa za ova skladišta -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Spremite dokument prvi. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Spremite dokument prvi. DocType: Account,Chargeable,Naplativ DocType: Company,Change Abbreviation,Promijeni naziv DocType: Expense Claim Detail,Expense Date,Rashodi Datum @@ -4081,7 +4091,6 @@ DocType: BOM,Manufacturing User,Proizvodni korisnik DocType: Purchase Invoice,Raw Materials Supplied,Sirovine nabavlja DocType: Purchase Invoice,Recurring Print Format,Ponavljajući Ispis formata DocType: C-Form,Series,Serija -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Očekuje se dostava Datum ne može biti prije narudžbenice Datum DocType: Appraisal,Appraisal Template,Procjena Predložak DocType: Item Group,Item Classification,Klasifikacija predmeta apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Voditelj razvoja poslovanja @@ -4120,12 +4129,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Odaberite apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Trening događanja / rezultati apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Akumulirana amortizacija na DocType: Sales Invoice,C-Form Applicable,Primjenjivi C-obrazac -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Operacija vrijeme mora biti veći od 0 za rad {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Operacija vrijeme mora biti veći od 0 za rad {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Skladište je obavezno DocType: Supplier,Address and Contacts,Adresa i kontakti DocType: UOM Conversion Detail,UOM Conversion Detail,UOM pretvorbe Detalj DocType: Program,Program Abbreviation,naziv programa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Proizvodnja Red ne može biti podignuta protiv predložak točka +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Proizvodnja Red ne može biti podignuta protiv predložak točka apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Optužbe su ažurirani u KUPNJE protiv svake stavke DocType: Warranty Claim,Resolved By,Riješen Do DocType: Bank Guarantee,Start Date,Datum početka @@ -4160,6 +4169,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Povratne informacije trening apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Proizvodnja Red {0} mora biti podnesen apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Molimo odaberite datum početka i datum završetka za točke {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Postavite ciljanu prodajnu vrijednost koju želite postići. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Tečaj je obavezan u redu {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Do danas ne može biti prije od datuma DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4177,7 +4187,7 @@ DocType: Account,Income,Prihod DocType: Industry Type,Industry Type,Industrija Tip apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Nešto je pošlo po krivu! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Upozorenje: Ostavite program sadrži sljedeće blok datume -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Prodajni računi {0} su već potvrđeni +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Prodajni računi {0} su već potvrđeni DocType: Assessment Result Detail,Score,Postići apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Fiskalna godina {0} ne postoji apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Završetak Datum @@ -4207,7 +4217,7 @@ DocType: Naming Series,Help HTML,HTML pomoć DocType: Student Group Creation Tool,Student Group Creation Tool,Studentski alat za izradu Grupa DocType: Item,Variant Based On,Varijanta na temelju apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Ukupno bi trebalo biti dodijeljena weightage 100 % . To je {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Vaši dobavljači +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Vaši dobavljači apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Ne mogu se postaviti kao izgubljen kao prodajnog naloga je napravio . DocType: Request for Quotation Item,Supplier Part No,Dobavljač Dio Ne apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Ne mogu odbiti kada je kategorija za "vrednovanje" ili "Vaulation i ukupni ' @@ -4217,14 +4227,14 @@ DocType: Item,Has Serial No,Ima serijski br DocType: Employee,Date of Issue,Datum izdavanja apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Od {0} od {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kao i po postavkama kupnje ako je zahtjev za kupnju potreban == 'YES', a zatim za izradu fakture za kupnju, korisnik mora najprije stvoriti potvrdu o kupnji za stavku {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Red # {0}: Postavite dobavljač za stavke {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Red {0}: Sati vrijednost mora biti veća od nule. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Red # {0}: Postavite dobavljač za stavke {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Red {0}: Sati vrijednost mora biti veća od nule. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Web stranica slike {0} prilogu točki {1} Ne mogu naći DocType: Issue,Content Type,Vrsta sadržaja apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,računalo DocType: Item,List this Item in multiple groups on the website.,Prikaži ovu stavku u više grupa na web stranici. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Molimo provjerite više valuta mogućnost dopustiti račune s druge valute -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Stavka: {0} ne postoji u sustavu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Stavka: {0} ne postoji u sustavu apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Niste ovlašteni za postavljanje zamrznute vrijednosti DocType: Payment Reconciliation,Get Unreconciled Entries,Kreiraj neusklađene ulaze DocType: Payment Reconciliation,From Invoice Date,Iz dostavnice Datum @@ -4250,7 +4260,7 @@ DocType: Stock Entry,Default Source Warehouse,Zadano izvorno skladište DocType: Item,Customer Code,Kupac Šifra apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Rođendan Podsjetnik za {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dana od posljednje narudžbe -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Zaduženja računa mora biti bilanca račun +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Zaduženja računa mora biti bilanca račun DocType: Buying Settings,Naming Series,Imenovanje serije DocType: Leave Block List,Leave Block List Name,Naziv popisa neodobrenih odsustava apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Osiguranje Datum početka mora biti manja od osiguranja datum završetka @@ -4267,7 +4277,7 @@ DocType: Vehicle Log,Odometer,mjerač za pređeni put DocType: Sales Order Item,Ordered Qty,Naručena kol apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Stavka {0} je onemogućen DocType: Stock Settings,Stock Frozen Upto,Kataloški Frozen Upto -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ne sadrži bilo koji zaliha stavku +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM ne sadrži bilo koji zaliha stavku apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Razdoblje od razdoblja do datuma obvezna za ponavljajućih {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projekt aktivnost / zadatak. DocType: Vehicle Log,Refuelling Details,Punjenje Detalji @@ -4277,7 +4287,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Posljednja stopa kupnju nije pronađen DocType: Purchase Invoice,Write Off Amount (Company Currency),Otpis iznos (Društvo valuta) DocType: Sales Invoice Timesheet,Billing Hours,Radno vrijeme naplate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Zadana BOM za {0} nije pronađena +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Zadana BOM za {0} nije pronađena apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Red # {0}: Molimo postavite naručivanja količinu apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Dodirnite stavke da biste ih dodali ovdje DocType: Fees,Program Enrollment,Program za upis @@ -4310,6 +4320,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Starenje Raspon 2 DocType: SG Creation Tool Course,Max Strength,Max snaga apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM zamijenjeno +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Odaberite stavke na temelju datuma isporuke ,Sales Analytics,Prodajna analitika apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Dostupno {0} ,Prospects Engaged But Not Converted,"Izgledi angažirani, ali nisu konvertirani" @@ -4356,7 +4367,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Popust apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet za zadatke. DocType: Purchase Invoice,Against Expense Account,Protiv Rashodi račun DocType: Production Order,Production Order,Proizvodni nalog -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Napomena instalacije {0} je već potvrđena +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Napomena instalacije {0} je već potvrđena DocType: Bank Reconciliation,Get Payment Entries,Dobiti Ulaz plaćanja DocType: Quotation Item,Against Docname,Protiv Docname DocType: SMS Center,All Employee (Active),Svi zaposlenici (aktivni) @@ -4365,7 +4376,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Troškova sirovine DocType: Item Reorder,Re-Order Level,Ponovno bi razini DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Unesite stavke i planirani Količina za koje želite povećati proizvodne naloge ili preuzimanje sirovine za analizu. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantogram +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantogram apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Privemeno (nepuno radno vrijeme) DocType: Employee,Applicable Holiday List,Primjenjivo odmor Popis DocType: Employee,Cheque,Ček @@ -4421,11 +4432,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Rezervirano Kol za proizvodnju DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Ostavite neoznačeno ako ne želite razmotriti grupu dok stvarate grupe temeljene na tečajima. DocType: Asset,Frequency of Depreciation (Months),Učestalost Amortizacija (mjeseci) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Kreditni račun +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Kreditni račun DocType: Landed Cost Item,Landed Cost Item,Stavka zavisnih troškova apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Pokaži nulte vrijednosti DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Količina proizvoda dobivena nakon proizvodnje / pakiranja od navedene količine sirovina -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Postavljanje jednostavan website za moju organizaciju +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Postavljanje jednostavan website za moju organizaciju DocType: Payment Reconciliation,Receivable / Payable Account,Potraživanja / Plaća račun DocType: Delivery Note Item,Against Sales Order Item,Protiv prodaje reda točkom apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Navedite značajke vrijednost za atribut {0} @@ -4487,22 +4498,22 @@ DocType: Student,Nationality,Nacionalnost ,Items To Be Requested,Potraživani proizvodi DocType: Purchase Order,Get Last Purchase Rate,Kreiraj zadnju nabavnu cijenu DocType: Company,Company Info,Podaci o tvrtki -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Odaberite ili dodajte novi kupac -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Troška potrebno je rezervirati trošak zahtjev +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Odaberite ili dodajte novi kupac +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Troška potrebno je rezervirati trošak zahtjev apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Primjena sredstava ( aktiva ) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To se temelji na prisustvo tog zaposlenog -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Duguje račun +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Duguje račun DocType: Fiscal Year,Year Start Date,Početni datum u godini DocType: Attendance,Employee Name,Ime zaposlenika DocType: Sales Invoice,Rounded Total (Company Currency),Zaobljeni Ukupno (Društvo valuta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Ne može se tajno u grupu jer je izabrana vrsta računa. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} je izmijenjen. Osvježi stranicu. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} je izmijenjen. Osvježi stranicu. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Prestani korisnike od izrade ostaviti aplikacija na sljedećim danima. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Iznos narudžbe apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dobavljač Navod {0} stvorio apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Godina završetka ne može biti prije Početak godine apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Primanja zaposlenih -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Pakirana količina mora biti jednaka količini za proizvod {0} u redku {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Pakirana količina mora biti jednaka količini za proizvod {0} u redku {1} DocType: Production Order,Manufactured Qty,Proizvedena količina DocType: Purchase Receipt Item,Accepted Quantity,Prihvaćena količina apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Postavite zadani popis za odmor za zaposlenika {0} ili poduzeću {1} @@ -4513,11 +4524,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Redak Ne {0}: Iznos ne može biti veća od visine u tijeku protiv Rashodi Zahtjeva {1}. U tijeku Iznos je {2} DocType: Maintenance Schedule,Schedule,Raspored DocType: Account,Parent Account,Nadređeni račun -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Dostupno +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Dostupno DocType: Quality Inspection Reading,Reading 3,Čitanje 3 ,Hub,Središte DocType: GL Entry,Voucher Type,Bon Tip -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cjenik nije pronađen +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Cjenik nije pronađen DocType: Employee Loan Application,Approved,Odobren DocType: Pricing Rule,Price,Cijena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo ' @@ -4586,7 +4597,7 @@ DocType: SMS Settings,Static Parameters,Statički parametri DocType: Assessment Plan,Room,Soba DocType: Purchase Order,Advance Paid,Unaprijed plaćeni DocType: Item,Item Tax,Porez proizvoda -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materijal za dobavljača +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materijal za dobavljača apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Trošarine Račun apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Prag {0}% se pojavljuje više od jednom DocType: Expense Claim,Employees Email Id,Zaposlenici Email ID @@ -4626,7 +4637,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Model DocType: Production Order,Actual Operating Cost,Stvarni operativni trošak DocType: Payment Entry,Cheque/Reference No,Ček / Referentni broj -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> Vrsta dobavljača apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Korijen ne može se mijenjati . DocType: Item,Units of Measure,Mjerne jedinice DocType: Manufacturing Settings,Allow Production on Holidays,Dopustite proizvodnje na odmor @@ -4659,12 +4669,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Kreditne Dani apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Provjerite Student Hrpa DocType: Leave Type,Is Carry Forward,Je Carry Naprijed -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM) apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Potencijalni kupac - ukupno dana -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Red # {0}: datum knjiženja moraju biti isti kao i datum kupnje {1} od {2} imovine +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Red # {0}: datum knjiženja moraju biti isti kao i datum kupnje {1} od {2} imovine DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Provjerite je li student boravio u Hostelu Instituta. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Unesite prodajni nalozi u gornjoj tablici -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ne Poslao plaća gaćice +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Ne Poslao plaća gaćice ,Stock Summary,Stock Sažetak apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Prijenos imovine s jednog skladišta na drugo DocType: Vehicle,Petrol,Benzin diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv index 352dea5cabb..8f1c55b43cd 100644 --- a/erpnext/translations/hu.csv +++ b/erpnext/translations/hu.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Forgalmazó DocType: Employee,Rented,Bérelt DocType: Purchase Order,PO-,BESZMEGR- DocType: POS Profile,Applicable for User,Alkalmazandó ehhez a Felhasználóhoz -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Leállított gyártás rendelés nem törölhető, először tegye folyamatba a törléshez" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Leállított gyártás rendelés nem törölhető, először tegye folyamatba a törléshez" DocType: Vehicle Service,Mileage,Távolság apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Tényleg szeretné kiselejtezni ezt az eszközt? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Alapértelmezett beszállító kiválasztása @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% számlázva apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Az Átváltási aránynak ugyanannak kell lennie mint {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Vevő neve DocType: Vehicle,Natural Gas,Földgáz -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},A bankszámlát nem nevezhetjük mint {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},A bankszámlát nem nevezhetjük mint {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Vezetők (vagy csoportok), amely ellen könyvelési tételek készültek és egyenelegeit tartják karban." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),"Fennálló, kintlévő összeg erre: {0} nem lehet kevesebb, mint nulla ({1})" DocType: Manufacturing Settings,Default 10 mins,Alapértelmezett 10 perc @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Távollét típus neve apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mutassa nyitva apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Sorozat sikeresen frissítve apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Kijelentkezés -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Naplókönyvelés Beküldte +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Naplókönyvelés Beküldte DocType: Pricing Rule,Apply On,Alkalmazza ezen DocType: Item Price,Multiple Item prices.,Több tétel ár. ,Purchase Order Items To Be Received,Beszerzési megrendelés tételek beérkezett @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Fizetési számla módj apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Mutassa a változatokat DocType: Academic Term,Academic Term,Akadémia szemeszter apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Anyag -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Mennyiség +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Mennyiség apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Számlák tábla nem lehet üres. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Hitelek (kötelezettségek) DocType: Employee Education,Year of Passing,Elmúlt Év @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Egészségügyi ellátás apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Fizetési késedelem (napok) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Szolgáltatás költsége -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Sorozat szám: {0} már hivatkozott ezen az Értékesítési számlán: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Számla +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Sorozat szám: {0} már hivatkozott ezen az Értékesítési számlán: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Számla DocType: Maintenance Schedule Item,Periodicity,Időszakosság apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Pénzügyi év {0} szükséges -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Várható szállítási határidő előtt kell lenni a Vevői rendelés dátumának apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Védelem DocType: Salary Component,Abbr,Röv. DocType: Appraisal Goal,Score (0-5),Pontszám (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Összes Költség összege DocType: Delivery Note,Vehicle No,Jármű sz. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Kérjük, válasszon árjegyzéket" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,"Kérjük, válasszon árjegyzéket" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Sor # {0}: Fizetési dokumentum szükséges a teljes trasaction DocType: Production Order Operation,Work In Progress,Dolgozunk rajta apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Kérjük, válasszon dátumot" @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} egyik aktív pénzügyi évben sem. DocType: Packed Item,Parent Detail docname,Szülő Részlet docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referencia: {0}, pont kód: {1} és az ügyfél: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Napló apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Nyitott állások. DocType: Item Attribute,Increment,Növekmény @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Házas apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Nem engedélyezett erre {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Tételeket kér le innen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Készlet nem frissíthető ezzel a szállítólevéllel {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Készlet nem frissíthető ezzel a szállítólevéllel {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Gyártmány {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nincsenek listázott elemek DocType: Payment Reconciliation,Reconcile,Összeegyeztetni @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Nyugd apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Következő értékcsökkenés dátuma nem lehet korábbi a vásárlás dátumánál DocType: SMS Center,All Sales Person,Összes értékesítő DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"* Havi Felbontás** segít felbontani a Költségvetést / Célt a hónapok között, ha vállalkozásod szezonális." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Nem talált tételeket +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Nem talált tételeket apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Bérrendszer Hiányzó DocType: Lead,Person Name,Személy neve DocType: Sales Invoice Item,Sales Invoice Item,Kimenő értékesítési számla tételei @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ez tárgyi eszköz"" nem lehet kijelöletlen, mert Tárgyi eszköz rekord bejegyzés létezik ellen tételként" DocType: Vehicle Service,Brake Oil,Fékolaj DocType: Tax Rule,Tax Type,Adónem -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Adóalap +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Adóalap apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nincs engedélye bejegyzés hozzáadására és frissítésére előbb mint: {0} DocType: BOM,Item Image (if not slideshow),Tétel Kép (ha nem slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Az Ügyfél már létezik ezen a néven DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Óra érték / 60) * aktuális üzemidő -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Válasszon Anyagj +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Válasszon Anyagj DocType: SMS Log,SMS Log,SMS napló apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Költségét a szállított tételeken apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Ez az ünnep: {0} nincs az induló és a végső dátum közt @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Iskolák DocType: School Settings,Validate Batch for Students in Student Group,Érvényesítse a köteget a Diák csoportban lévő diák számára apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nem talál távollét bejegyzést erre a munkavállalóra {0} erre {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Kérjük, adja meg először céget" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Kérjük, válasszon Vállalkozást először" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Kérjük, válasszon Vállalkozást először" DocType: Employee Education,Under Graduate,Diplomázás alatt apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Cél ezen DocType: BOM,Total Cost,Összköltség DocType: Journal Entry Account,Employee Loan,Alkalmazotti hitel -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Tevékenység napló: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,"Tétel: {0} ,nem létezik a rendszerben, vagy lejárt" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Tevékenység napló: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,"Tétel: {0} ,nem létezik a rendszerben, vagy lejárt" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Ingatlan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Főkönyvi számla kivonata apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Gyógyszeriparok @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Garanciális igény összege apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Ismétlődő vevői csoport található a Vevő csoport táblázatában apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Beszállító típus / Beszállító DocType: Naming Series,Prefix,Előtag -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Állítsa be a Naming Series {0} beállítást a Beállítás> Beállítások> Nevezési sorozatok segítségével -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Fogyóeszközök +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Fogyóeszközök DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Importálás naplója DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Gyártási típusú anyag igénylés kivétele a fenti kritériumok alapján DocType: Training Result Employee,Grade,Osztály DocType: Sales Invoice Item,Delivered By Supplier,Beszállító által szállított DocType: SMS Center,All Contact,Összes Kapcsolattartó -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Gyártási rendelés már létrehozott valamennyi tételre egy Anyagjegyzékkel +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Gyártási rendelés már létrehozott valamennyi tételre egy Anyagjegyzékkel apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Éves Munkabér DocType: Daily Work Summary,Daily Work Summary,Napi munka összefoglalása DocType: Period Closing Voucher,Closing Fiscal Year,Pénzügyi év záró -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} fagyasztott +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} fagyasztott apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Kérjük, válassza ki, meglévő vállakozást a számlatükör létrehozásához" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Készlet költségek apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Cél Raktár kiválasztása @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Elfogadott + Elutasított Mennyiségnek meg kell egyeznie a {0} tétel beérkezett mennyiségével DocType: Request for Quotation,RFQ-,AJK- DocType: Item,Supply Raw Materials for Purchase,Nyersanyagok beszállítása beszerzéshez -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Legalább egy fizetési mód szükséges POS számlára. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Legalább egy fizetési mód szükséges POS számlára. DocType: Products Settings,Show Products as a List,Megmutatása a tételeket listában DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Töltse le a sablont, töltse ki a megfelelő adatokat és csatolja a módosított fájlt. Minden időpont és alkalmazott kombináció a kiválasztott időszakban bekerül a sablonba, a meglévő jelenléti ívekkel együtt" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,"Tétel: {0}, nem aktív, vagy elhasználódott" -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Példa: Matematika alapjai -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","A tétel adójának beillesztéséhez ebbe a sorba: {0}, az ebben a sorban {1} lévő adókat is muszály hozzávenni" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Példa: Matematika alapjai +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","A tétel adójának beillesztéséhez ebbe a sorba: {0}, az ebben a sorban {1} lévő adókat is muszály hozzávenni" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Beállítások a HR munkaügy modulhoz DocType: SMS Center,SMS Center,SMS Központ DocType: Sales Invoice,Change Amount,Váltópénz mennyiség @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},"A telepítés időpontja nem lehet korábbi, mint a szállítási határidő erre a Tételre: {0}" DocType: Pricing Rule,Discount on Price List Rate (%),Kedvezmény az Árlista ár értékén (%) DocType: Offer Letter,Select Terms and Conditions,Válasszon Feltételeket -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Értéken kívül +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Értéken kívül DocType: Production Planning Tool,Sales Orders,Vevői rendelés DocType: Purchase Taxes and Charges,Valuation,Készletérték ,Purchase Order Trends,Beszerzési megrendelések alakulása @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Ez kezdő könyvelési tétel DocType: Customer Group,Mention if non-standard receivable account applicable,"Megemlít, ha nem szabványos bevételi számla alkalmazandó" DocType: Course Schedule,Instructor Name,Oktató neve -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,"Raktár szükséges, mielőtt beküldané" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,"Raktár szükséges, mielőtt beküldané" apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Ekkor beérkezett DocType: Sales Partner,Reseller,Viszonteladó DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Ha be van jelölve, tartalmazni fogja a készleten nem lévő tételeket az anyag kérésekben." @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Ellen Értékesítési tétel számlák ,Production Orders in Progress,Folyamatban lévő gyártási rendelések apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Nettó pénzeszközök a pénzügyről -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","Helyi-tároló megtelt, nem menti" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","Helyi-tároló megtelt, nem menti" DocType: Lead,Address & Contact,Cím & Kapcsolattartó DocType: Leave Allocation,Add unused leaves from previous allocations,Adja hozzá a fel nem használt távoléteket a korábbi elhelyezkedésből apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Következő ismétlődő: {0} ekkor jön létre {1} DocType: Sales Partner,Partner website,Partner weboldal apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Tétel hozzáadása -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kapcsolattartó neve +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kapcsolattartó neve DocType: Course Assessment Criteria,Course Assessment Criteria,Tanfolyam Értékelési kritériumok DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Bérpapír létrehozása a fenti kritériumok alapján. DocType: POS Customer Group,POS Customer Group,POS Vásárlói csoport @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Sor {0}: Kérjük ellenőrizze, hogy 'ez előleg' a {1} számlához, tényleg egy előleg bejegyzés." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},{0} raktár nem tartozik a(z) {1} céghez DocType: Email Digest,Profit & Loss,Profit & veszteség -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Liter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Liter DocType: Task,Total Costing Amount (via Time Sheet),Összes költség összeg ((Idő nyilvántartó szerint) DocType: Item Website Specification,Item Website Specification,Tétel weboldal adatai apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Távollét blokkolt @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,Kimenő értékesítési számla száma DocType: Material Request Item,Min Order Qty,Min. rendelési menny. DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Diák csoport létrehozása Szerszám pálya DocType: Lead,Do Not Contact,Ne lépj kapcsolatba -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Emberek, akik tanítanak a válllakozásánál" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Emberek, akik tanítanak a válllakozásánál" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Az egyedi azonosítóval nyomon követi az összes visszatérő számlákat. Ezt a benyújtáskor hozza létre. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Szoftver fejlesztő DocType: Item,Minimum Order Qty,Minimális rendelési menny @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,Közzéteszi a Hubon DocType: Student Admission,Student Admission,Tanuló Felvételi ,Terretory,Terület apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} tétel törölve -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Anyagigénylés +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Anyagigénylés DocType: Bank Reconciliation,Update Clearance Date,Végső dátum frissítése DocType: Item,Purchase Details,Beszerzés adatai apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Tétel {0} nem található a 'Szállított alapanyagok' táblázatban ebben a Beszerzési Megrendelésben {1} @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,Flotta kezelő apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Sor # {0}: {1} nem lehet negatív a tételre: {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Hibás Jelszó DocType: Item,Variant Of,Változata -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Befejezett Menny nem lehet nagyobb, mint 'Gyártandó Menny'" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Befejezett Menny nem lehet nagyobb, mint 'Gyártandó Menny'" DocType: Period Closing Voucher,Closing Account Head,Záró fiók vezetője DocType: Employee,External Work History,Külső munka története apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Körkörös hivatkozás hiba @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,Távolság bal szélétő apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} darab [{1}] (#Form/Item/{1}) ebből található a [{2}](#Form/Warehouse/{2}) DocType: Lead,Industry,Ipar DocType: Employee,Job Profile,Munkakör +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Ez a Társasággal szembeni tranzakciókra épül. Lásd az alábbi idővonalat a részletekért DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Email értesítő létrehozása automatikus Anyag igény létrehozásához DocType: Journal Entry,Multi Currency,Több pénznem DocType: Payment Reconciliation Invoice,Invoice Type,Számla típusa -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Szállítólevél +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Szállítólevél apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Adók beállítása apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Eladott eszközök költsége apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Fizetés megadása módosításra került, miután lehívta. Kérjük, hívja le újra." @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Kérjük, írja be a 'Ismételje a hónap ezen napján' mező értékét" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Arány, amelyen az Ügyfél pénznemét átalakítja az ügyfél alapértelmezett pénznemére" DocType: Course Scheduling Tool,Course Scheduling Tool,Tanfolyam ütemező eszköz -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Sor # {0}: Beszerzési számlát nem lehet létrehozni egy már meglévő eszközre: {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Sor # {0}: Beszerzési számlát nem lehet létrehozni egy már meglévő eszközre: {1} DocType: Item Tax,Tax Rate,Adókulcs apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} már elkülönített a {1} Alkalmazotthoz a {2} -től {3} -ig időszakra -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Tétel kiválasztása +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Tétel kiválasztása apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Beszállítói számla: {0} már benyújtott apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Sor # {0}: Köteg számnak egyeznie kell ezzel {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Átalakítás nem-csoporttá @@ -443,7 +442,7 @@ DocType: Employee,Widowed,Özvegy DocType: Request for Quotation,Request for Quotation,Ajánlatkérés DocType: Salary Slip Timesheet,Working Hours,Munkaidő 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. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Hozzon létre egy új Vevőt +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Hozzon létre egy új Vevőt apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ha több árképzési szabály továbbra is fennáll, a felhasználók fel lesznek kérve, hogy a kézi prioritás beállítással orvosolják a konfliktusokat." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Beszerzési megrendelés létrehozása ,Purchase Register,Beszerzési Regisztráció @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Vizsgáztató neve DocType: Purchase Invoice Item,Quantity and Rate,Mennyiség és ár DocType: Delivery Note,% Installed,% telepítve -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Tantermek / Laboratoriumok stb, ahol előadások vehetők igénybe." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Tantermek / Laboratoriumok stb, ahol előadások vehetők igénybe." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Kérjük adja meg a cégnevet elsőként DocType: Purchase Invoice,Supplier Name,Beszállító neve apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Olvassa el a ERPNext kézikönyv @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,Értékesítési partner DocType: Account,Old Parent,Régi szülő apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Kötelező mező - Tanév DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Az email részét képező bevezető bemutatkozó szöveg testreszabása. Minden egyes tranzakció külön bevezető szöveggel rendelkezik. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},"Kérjük, állítsa be az alapértelmezett fizetendő számla a cég {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},"Kérjük, állítsa be az alapértelmezett fizetendő számla a cég {0}" apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globális beállítások minden egyes gyártási folyamatra. DocType: Accounts Settings,Accounts Frozen Upto,A számlák be vannak fagyasztva eddig DocType: SMS Log,Sent On,Elküldve ekkor @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,Beszállítóknak fizetendő számlák apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,A kiválasztott darabjegyzékeket nem ugyanarra a tételre DocType: Pricing Rule,Valid Upto,Érvényes eddig: DocType: Training Event,Workshop,Műhely -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Felsorol egy pár vevőt. Ők lehetnek szervezetek vagy magánszemélyek. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Felsorol egy pár vevőt. Ők lehetnek szervezetek vagy magánszemélyek. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Elég alkatrészek a megépítéshez apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Közvetlen jövedelem apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nem tudja szűrni számla alapján, ha számlánként csoportosított" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Igazgatási tisztviselő apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Kérjük, válasszon pályát" DocType: Timesheet Detail,Hrs,Óra -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Kérjük, válasszon Vállalkozást először" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Kérjük, válasszon Vállalkozást először" DocType: Stock Entry Detail,Difference Account,Különbség főkönyvi számla DocType: Purchase Invoice,Supplier GSTIN,Beszállító GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Nem zárható feladat, mivel a hozzá fűződő feladat: {0} nincs lezárva." @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,Offline POS neve apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Kérjük adja meg a küszöb fokozatát 0% DocType: Sales Order,To Deliver,Szállít DocType: Purchase Invoice Item,Item,Tétel -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Széria sz. tétel nem lehet egy törtrész +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Széria sz. tétel nem lehet egy törtrész DocType: Journal Entry,Difference (Dr - Cr),Különbség (Dr - Cr) DocType: Account,Profit and Loss,Eredménykimutatás apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Alvállalkozói munkák kezelése @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),Garancia idő (nap) DocType: Installation Note Item,Installation Note Item,Telepítési feljegyzés Elem DocType: Production Plan Item,Pending Qty,Folyamatban db DocType: Budget,Ignore,Mellőz -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} nem aktív +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} nem aktív apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},Küldött SMS alábbi telefonszámokon: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Csekk méretek telepítése a nyomtatáshoz DocType: Salary Slip,Salary Slip Timesheet,Bérpapirok munkaidő jelenléti ívei @@ -607,7 +606,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Feloszott apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +787,Sales Return,Eladás visszaküldése apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Megjegyzés: Az összes kijelölt távollét: {0} nem lehet kevesebb, mint a már jóváhagyott távollétek: {1} erre az időszakra" -,Total Stock Summary,Összesen Stock Összefoglaló +,Total Stock Summary,Összesen készlet Összefoglaló DocType: Announcement,Posted By,Általa rögzítve DocType: Item,Delivered by Supplier (Drop Ship),Beszállító által közvetlenül vevőnek szállított (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Adatbázist a potenciális vevőkről. @@ -637,7 +636,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Törzsadat adatok DocType: Assessment Plan,Maximum Assessment Score,Maximális értékelés pontszáma apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Frissítse a Banki Tranzakciók időpontjait apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Időkövetés -DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,Ismétlésben TRANSPORTER +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ISMÉTLŐDŐ FUVAROZÓRA DocType: Fiscal Year Company,Fiscal Year Company,Vállalkozás Pénzügyi éve DocType: Packing Slip Item,DN Detail,SZL részletek DocType: Training Event,Conference,Konferencia @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,TELFELJ- DocType: Production Order Operation,In minutes,Percekben DocType: Issue,Resolution Date,Megoldás dátuma DocType: Student Batch Name,Batch Name,Köteg neve -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Munkaidő jelenléti ív nyilvántartás létrehozva: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},"Kérjük, állítsda be az alapértelmezett Készpénz vagy bankszámlát a Fizetési módban {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Munkaidő jelenléti ív nyilvántartás létrehozva: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},"Kérjük, állítsda be az alapértelmezett Készpénz vagy bankszámlát a Fizetési módban {0}" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Beiratkozás DocType: GST Settings,GST Settings,GST Beállítások DocType: Selling Settings,Customer Naming By,Vevő elnevezés típusa @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,Projekt téma felhasználó apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Fogyasztott apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} nem található a Számla részletek táblázatban DocType: Company,Round Off Cost Center,Költséghely gyűjtő -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Ezt a karbantartás látogatást: {0} törölni kell mielőtt lemondaná ezt a Vevői rendelést +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Ezt a karbantartás látogatást: {0} törölni kell mielőtt lemondaná ezt a Vevői rendelést DocType: Item,Material Transfer,Anyag átvitel apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Nyitó (ÉCS.) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Kiküldetés időbélyegének ezutánina kell lennie {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,Összes fizetendő kamat DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Beszerzési költség adók és illetékek DocType: Production Order Operation,Actual Start Time,Tényleges kezdési idő DocType: BOM Operation,Operation Time,Működési idő -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Befejez +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Befejez apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Bázis DocType: Timesheet,Total Billed Hours,Összes számlázott Órák DocType: Journal Entry,Write Off Amount,Leírt összeg @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),Kilométer-számláló érték (utolsó) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Fizetés megadása már létrehozott DocType: Purchase Receipt Item Supplied,Current Stock,Jelenlegi raktárkészlet -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Sor # {0}: {1} Vagyontárgy nem kapcsolódik ehhez a tételhez {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Sor # {0}: {1} Vagyontárgy nem kapcsolódik ehhez a tételhez {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Bérpapír előnézet apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,A {0} számlát már többször bevitték DocType: Account,Expenses Included In Valuation,Készletértékelésbe belevitt költségek @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Légtér DocType: Journal Entry,Credit Card Entry,Hitelkártya bejegyzés apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Vállakozás és fiókok apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Beszállítóktól kapott áruk. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,Az Értékben +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,Az Értékben DocType: Lead,Campaign Name,Kampány neve DocType: Selling Settings,Close Opportunity After Days,Ügyek bezárása ennyi eltelt nap után ,Reserved,Fenntartott @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energia DocType: Opportunity,Opportunity From,Lehetőség tőle apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Havi kimutatást. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{0} sor: {1} A {2} tételhez szükséges sorozatszámok. Ön megadta a (z) {3} szolgáltatást. DocType: BOM,Website Specifications,Weboldal részletek apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Feladó {0} a {1} típusból DocType: Warranty Claim,CI-,GI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Conversion Factor kötelező DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Több Ár szabályzat létezik azonos kritériumokkal, kérjük megoldani konfliktust az elsőbbségek kiadásával. Ár Szabályok: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nem lehet kikapcsolni vagy törölni az Anyagjegyzéket mivel kapcsolódik más Darabjegyzékekhez +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nem lehet kikapcsolni vagy törölni az Anyagjegyzéket mivel kapcsolódik más Darabjegyzékekhez DocType: Opportunity,Maintenance,Karbantartás DocType: Item Attribute Value,Item Attribute Value,Tétel Jellemző értéke apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Értékesítési kampányok. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Munkaidő jelenléti ív létrehozás +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Munkaidő jelenléti ív létrehozás DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,E-mail fiók beállítása apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Kérjük, adja meg először a tételt" DocType: Account,Liability,Kötelezettség -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Szentesített összeg nem lehet nagyobb, mint az igény összege ebben a sorban {0}." +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Szentesített összeg nem lehet nagyobb, mint az igény összege ebben a sorban {0}." DocType: Company,Default Cost of Goods Sold Account,Alapértelmezett önköltség fiók apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Árlista nincs kiválasztva DocType: Employee,Family Background,Családi háttér @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,Alapértelmezett bankszámlaszám apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Az Ügyfél alapján kiszűrni, válasszuk ki az Ügyfél típpust először" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Készlet frissítés' nem ellenőrizhető, mert a tételek nem lettek elszállítva ezzel: {0}" DocType: Vehicle,Acquisition Date,Beszerzés dátuma -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Darabszám +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Darabszám DocType: Item,Items with higher weightage will be shown higher,Magasabb súlyozású tételek előrébb jelennek meg DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank egyeztetés részletek -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Sor # {0}: {1} Vagyontárgyat kell benyújtani +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Sor # {0}: {1} Vagyontárgyat kell benyújtani apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Egyetlen Alkalmazottat sem talált DocType: Supplier Quotation,Stopped,Megállítva DocType: Item,If subcontracted to a vendor,Ha alvállalkozásba kiadva egy beszállítóhoz @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimális Számla össze apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Költséghely {2} nem tartozik ehhez a vállalkozáshoz {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: fiók {2} nem lehet csoport apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Tétel sor {idx}: {doctype} {docname} nem létezik a fenti '{doctype}' táblában -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Jelenléti ív {0} már befejezett vagy törölt +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Jelenléti ív {0} már befejezett vagy törölt apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nincsenek feladatok DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","A hónap napja, amelyen a számla automatikusan jön létre pl 05, 28 stb" DocType: Asset,Opening Accumulated Depreciation,Nyitva halmozott ÉCS @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,Kért számok DocType: Production Planning Tool,Only Obtain Raw Materials,Csak nyersanyagokat szerezhet be apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Teljesítményértékelési rendszer. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","A 'Kosár használata' engedélyezése, mint kosár bekapcsolása, mely mellett ott kell lennie legalább egy adó szabálynak a Kosárra vonatkozólag" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Fizetés megadása {0} kapcsolódik ehhez a Rendeléshez {1}, jelülje be, ha ezen a számlán előlegként kerül lehívásra." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Fizetés megadása {0} kapcsolódik ehhez a Rendeléshez {1}, jelülje be, ha ezen a számlán előlegként kerül lehívásra." DocType: Sales Invoice Item,Stock Details,Készlet Részletek apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projekt téma érték apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Értékesítés-hely-kassza @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,Sorszámozás frissítése DocType: Supplier Quotation,Is Subcontracted,Alvállalkozó által feldolgozandó? DocType: Item Attribute,Item Attribute Values,Tétel Jellemző értékekben DocType: Examination Result,Examination Result,Vizsgálati eredmény -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Beszerzési megrendelés nyugta +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Beszerzési megrendelés nyugta ,Received Items To Be Billed,Számlázandó Beérkezett tételek -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Benyújtott bérpapírok +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Benyújtott bérpapírok apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Pénznem árfolyam törzsadat arányszám. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referencia Doctype közül kell {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Nem található a Időkeret a következő {0} napokra erre a műveletre: {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Nem található a Időkeret a következő {0} napokra erre a műveletre: {1} DocType: Production Order,Plan material for sub-assemblies,Terv anyag a részegységekre apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Vevő partnerek és Területek -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,ANYGJZ: {0} aktívnak kell lennie +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,ANYGJZ: {0} aktívnak kell lennie DocType: Journal Entry,Depreciation Entry,ÉCS bejegyzés apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Kérjük, válassza ki a dokumentum típusát először" apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Törölje az anyag szemlét: {0}mielőtt törölné ezt a karbantartási látogatást @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Összesen apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internetre kiadott DocType: Production Planning Tool,Production Orders,Gyártási rendelések -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Mérleg Érték +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Mérleg Érték apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Értékesítési árlista apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Közzéteszi a tételek szinkronizálásához DocType: Bank Reconciliation,Account Currency,A fiók pénzneme @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,Interjú részleteiből kilépés DocType: Item,Is Purchase Item,Ez beszerzendő tétel DocType: Asset,Purchase Invoice,Beszállítói számla DocType: Stock Ledger Entry,Voucher Detail No,Utalvány Részletei Sz. -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Új értékesítési számla +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Új értékesítési számla DocType: Stock Entry,Total Outgoing Value,Összes kimenő Érték apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Nyitás dátumának és zárás dátumának ugyanazon üzleti évben kell legyenek DocType: Lead,Request for Information,Információkérés ,LeaderBoard,Ranglista -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Offline számlák szinkronizálása +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Offline számlák szinkronizálása DocType: Payment Request,Paid,Fizetett DocType: Program Fee,Program Fee,Program díja DocType: Salary Slip,Total in words,Összesen szavakkal @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,Érdeklődés idő dátuma DocType: Guardian,Guardian Name,Helyettesítő neve DocType: Cheque Print Template,Has Print Format,Rendelkezik nyomtatási formátummal DocType: Employee Loan,Sanctioned,Szankcionált -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,kötelező. Talán nincs létrehozva Pénzváltó rekord ehhez +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,kötelező. Talán nincs létrehozva Pénzváltó rekord ehhez apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Sor # {0}: Kérjük adjon meg Szériaszámot erre a Tételre: {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'Termék köteg' tételeknek, raktárnak, Széria számnak és Köteg számnak fogják tekinteni a 'Csomagolási lista' táblázatból. Ha a Raktár és a Köteg szám egyezik az összes 'Tétel csomag' tételre, ezek az értékek bekerülnek a fő tétel táblába, értékek átmásolásra kerülnek a 'Csomagolási lista' táblázatba." DocType: Job Opening,Publish on website,Közzéteszi honlapján @@ -1006,7 +1006,7 @@ DocType: Cheque Print Template,Date Settings,Dátum beállítások apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variancia ,Company Name,Válallkozás neve DocType: SMS Center,Total Message(s),Összes üzenet(ek) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Válassza ki a tételt az átmozgatáshoz +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Válassza ki a tételt az átmozgatáshoz DocType: Purchase Invoice,Additional Discount Percentage,További kedvezmény százalék apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Minden súgó video megtekintése DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Válassza ki a a bank fiók vezetőjéet, ahol a csekket letétbe rakta." @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Nyersanyagköltség (Vállakozás pénzneme) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,"Összes tétel már átadott, erre a gyártási rendelésre." apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Sor # {0}: Érték nem lehet nagyobb, mint az érték amit ebben használt {1} {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Méter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Méter DocType: Workstation,Electricity Cost,Villamosenergia-költség DocType: HR Settings,Don't send Employee Birthday Reminders,Ne küldjön alkalmazotti születésnap emlékeztetőt DocType: Item,Inspection Criteria,Vizsgálati szempontok @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),Összes Érdeklődés (Nyitott) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Sor {0}: Mennyiség nem áll rendelkezésre {4} raktárban {1} a kiküldetés idején a bejegyzést ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Kifizetett előlegek átmásolása DocType: Item,Automatically Create New Batch,Automatikus Új köteg létrehozás -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Tesz +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Tesz DocType: Student Admission,Admission Start Date,Felvételi kezdési dátum DocType: Journal Entry,Total Amount in Words,Teljes összeg kiírva apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Hiba történt. Az egyik valószínű oka az lehet, hogy nem mentette az űrlapot. Kérjük, forduljon support@erpnext.com ha a probléma továbbra is fennáll." @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Kosaram apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Megrendelni típusa ezek közül kell legyen: {0} DocType: Lead,Next Contact Date,Következő megbeszélés dátuma apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Nyitó Mennyiség -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Kérjük, adja meg a Számlát a váltópénz mennyiséghez" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Kérjük, adja meg a Számlát a váltópénz mennyiséghez" DocType: Student Batch Name,Student Batch Name,Tanuló kötegnév DocType: Holiday List,Holiday List Name,Szabadnapok listájának neve DocType: Repayment Schedule,Balance Loan Amount,Hitel összeg mérlege @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Készlet lehetőségek DocType: Journal Entry Account,Expense Claim,Költség igény apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Tényleg szeretné visszaállítani ezt a kiselejtezett eszközt? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Mennyiség ehhez: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Mennyiség ehhez: {0} DocType: Leave Application,Leave Application,Távollét alkalmazás apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Távollét Lefoglaló Eszköz DocType: Leave Block List,Leave Block List Dates,Távollét blokk lista dátumok @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Ellen DocType: Item,Default Selling Cost Center,Alapértelmezett Értékesítési költséghely DocType: Sales Partner,Implementation Partner,Kivitelező partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Irányítószám +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Irányítószám apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Vevői rendelés {0} az ez {1} DocType: Opportunity,Contact Info,Kapcsolattartó infó apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Készlet bejegyzés létrehozás @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Cím apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Átlagéletkor DocType: School Settings,Attendance Freeze Date,Jelenlét zárolás dátuma DocType: Opportunity,Your sales person who will contact the customer in future,"Az értékesítési személy, aki felveszi a kapcsolatot a jövőben a vevővel" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Felsorolok néhány beszállítót. Ők lehetnek szervezetek vagy magánszemélyek. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Felsorolok néhány beszállítót. Ők lehetnek szervezetek vagy magánszemélyek. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Az összes termék megtekintése apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimális érdeklődés Életkora (napok) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,minden anyagjegyzéket +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,minden anyagjegyzéket DocType: Company,Default Currency,Alapértelmezett pénznem DocType: Expense Claim,From Employee,Alkalmazottól -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Figyelmeztetés: A rendszer nem ellenőrzi a túlszámlázást, hiszen a {0} tételre itt {1} az összeg nulla" +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Figyelmeztetés: A rendszer nem ellenőrzi a túlszámlázást, hiszen a {0} tételre itt {1} az összeg nulla" DocType: Journal Entry,Make Difference Entry,Különbözeti bejegyzés generálása DocType: Upload Attendance,Attendance From Date,Részvétel kezdő dátum DocType: Appraisal Template Goal,Key Performance Area,Teljesítménymutató terület @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,A Válallkozás regisztrációs számai. Pl.: adószám; stb. DocType: Sales Partner,Distributor,Forgalmazó DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Bevásárló kosár Szállítási szabály -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Gyártási rendelést: {0} törölni kell ennek a Vevői rendelésnek a törléséhez +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Gyártási rendelést: {0} törölni kell ennek a Vevői rendelésnek a törléséhez apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',"Kérjük, állítsa be az 'Alkalmazzon további kedvezmény ezen'" ,Ordered Items To Be Billed,Számlázandó Rendelt mennyiség apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Tartományból távolságnak kisebbnek kell lennie mint a Tartományba @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Levonások DocType: Leave Allocation,LAL/,TAVKIOSZT/ apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Kezdő év -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN első 2 számjegyének egyeznie kell az állam számával: {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN első 2 számjegyének egyeznie kell az állam számával: {0} DocType: Purchase Invoice,Start date of current invoice's period,Kezdési időpont az aktuális számla időszakra DocType: Salary Slip,Leave Without Pay,Fizetés nélküli távollét -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapacitás tervezés hiba +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kapacitás tervezés hiba ,Trial Balance for Party,Ügyfél Főkönyvi kivonat egyenleg DocType: Lead,Consultant,Szaktanácsadó DocType: Salary Slip,Earnings,Jövedelmek @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,Fizetői beállítások DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ez lesz hozzáfűzve a termék egy varióciájához. Például, ha a rövidítés ""SM"", és a tételkód ""T-shirt"", a tétel kód variánsa ez lesz ""SM feliratú póló""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Nettó fizetés (szavakkal) lesz látható, ha mentette a Bérpapírt." DocType: Purchase Invoice,Is Return,Ez visszáru -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Vissza / terhelési értesítés +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Vissza / terhelési értesítés DocType: Price List Country,Price List Country,Árlista Országa DocType: Item,UOMs,Mértékegységek apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},"{0} érvényes sorozatszámok, a(z) {1} tételhez" @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,Részben folyosított apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Beszállítói adatbázis. DocType: Account,Balance Sheet,Mérleg apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Költséghely tételhez ezzel a tétel kóddal ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Fizetési mód nincs beállítva. Kérjük, ellenőrizze, hogy a fiók be lett állítva a fizetési módon, vagy POS profilon." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Fizetési mód nincs beállítva. Kérjük, ellenőrizze, hogy a fiók be lett állítva a fizetési módon, vagy POS profilon." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Az értékesítési személy kap egy emlékeztetőt ezen a napon, az ügyféllel történő kapcsolatfelvételhez," apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Ugyanazt a tételt nem lehet beírni többször. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","További számlákat a Csoportok alatt hozhat létre, de bejegyzéseket lehet tenni a csoporttal nem rendelkezőkre is" @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,Törlesztési Info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Bejegyzések"" nem lehet üres" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},{0} ismétlődő sor azonos ezzel: {1} ,Trial Balance,Főkönyvi kivonat egyenleg -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Pénzügyi év {0} nem található +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Pénzügyi év {0} nem található apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Alkalmazottak beállítása DocType: Sales Order,SO-,VR- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Kérjük, válasszon prefix először" @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,Periódusai apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Legkorábbi apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Egy tétel csoport létezik azonos névvel, kérjük, változtassa meg az tétel nevét, vagy nevezze át a tétel-csoportot" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Tanuló Mobil sz. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,A világ többi része +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,A világ többi része apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,A tétel {0} nem lehet Köteg ,Budget Variance Report,Költségvetés variáció jelentés DocType: Salary Slip,Gross Pay,Bruttó bér -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Sor {0}: tevékenység típusa kötelező. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Sor {0}: tevékenység típusa kötelező. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Fizetett osztalék apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Számviteli Főkönyvi kivonat DocType: Stock Reconciliation,Difference Amount,Eltérés összege @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Alkalmazott távollét egyenleg apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Mérlegek a {0} számlákhoz legyenek mindig {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Készletérték ár szükséges a tételhez ebben a sorban: {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Példa: Számítógépes ismeretek törzsadat +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Példa: Számítógépes ismeretek törzsadat DocType: Purchase Invoice,Rejected Warehouse,Elutasított raktár DocType: GL Entry,Against Voucher,Ellen bizonylat DocType: Item,Default Buying Cost Center,Alapértelmezett Vásárlási Költséghely apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Ahhoz, hogy a legjobbat hozza ki ERPNext rendszerből, azt ajánljuk, hogy számjon időt ezekre a segítő videókra." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,részére +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,részére DocType: Supplier Quotation Item,Lead Time in days,Érdeklődés ideje napokban apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,A beszállítók felé fizetendő kötelezettségeink összefoglalása -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Bér kifizetése ettől {0} eddig {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Bér kifizetése ettől {0} eddig {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Nem engedélyezett szerkeszteni befagyasztott számlát {0} DocType: Journal Entry,Get Outstanding Invoices,Fennálló negatív kintlévő számlák lekérdezése -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Vevői rendelés {0} nem érvényes +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Vevői rendelés {0} nem érvényes apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Beszerzési megrendelések segítenek megtervezni és követni a beszerzéseket apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Sajnáljuk, a vállalkozásokat nem lehet összevonni," apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Közvetett költségek apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Sor {0}: Menny. kötelező apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Mezőgazdaság -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Törzsadatok szinkronizálása -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,A termékei vagy szolgáltatásai +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Törzsadatok szinkronizálása +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,A termékei vagy szolgáltatásai DocType: Mode of Payment,Mode of Payment,Fizetési mód apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Weboldal kép legyen nyilvános fájl vagy weboldal URL DocType: Student Applicant,AP,AP @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,A tétel adójának mértéke DocType: Student Group Student,Group Roll Number,Csoport regisztrációs száma apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0} -hoz, csak jóváírási számlákat lehet kapcsolni a másik ellen terheléshez" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Összesen feladat súlyozása legyen 1. Kérjük, állítsa a súlyozást minden projekt feladataira ennek megfelelően" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,A {0} Szállítólevelet nem nyújtották be +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,A {0} Szállítólevelet nem nyújtották be apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Tétel {0} kell egy Alvállalkozásban Elem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Alap Felszereltség apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Árképzési szabályt először 'Alkalmazza ezen' mező alapján kiválasztott, ami lehet tétel, pont-csoport vagy a márka." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,"Kérjük, először állítsa be a tételkódot" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,"Kérjük, először állítsa be a tételkódot" DocType: Hub Settings,Seller Website,Eladó Website DocType: Item,ITEM-,TÉTEL- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Az értékesítési csapat teljes lefoglalt százaléka 100 kell legyen DocType: Appraisal Goal,Goal,Cél DocType: Sales Invoice Item,Edit Description,Leírás szerkesztése ,Team Updates,Csapat frissítések -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Beszállítónak +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Beszállítónak DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Beállítás Account Type segít kiválasztani ezt a számlát a tranzakció. DocType: Purchase Invoice,Grand Total (Company Currency),Mindösszesen (Társaság Currency) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Nyomtatási formátum létrehozása @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,Weboldal tétel Csoportok DocType: Purchase Invoice,Total (Company Currency),Összesen (a cég pénznemében) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Széria sz. {0} többször bevitt DocType: Depreciation Schedule,Journal Entry,Könyvelési tétel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} tétel(ek) folyamatban +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} tétel(ek) folyamatban DocType: Workstation,Workstation Name,Munkaállomás neve DocType: Grading Scale Interval,Grade Code,Osztály kód DocType: POS Item Group,POS Item Group,POS tétel csoport apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Összefoglaló email: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},ANYGJZ {0} nem tartozik ehhez az elemhez: {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},ANYGJZ {0} nem tartozik ehhez az elemhez: {1} DocType: Sales Partner,Target Distribution,Cél felosztás DocType: Salary Slip,Bank Account No.,Bankszámla szám 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" @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,Bevásárló kosár apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Átlag napi kimenő DocType: POS Profile,Campaign,Kampány DocType: Supplier,Name and Type,Neve és típusa -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Elfogadás állapotának ""Jóváhagyott"" vagy ""Elutasított"" kell lennie" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Elfogadás állapotának ""Jóváhagyott"" vagy ""Elutasított"" kell lennie" DocType: Purchase Invoice,Contact Person,Kapcsolattartó személy apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Várható kezdés időpontja"" nem lehet nagyobb, mint a ""Várható befejezés időpontja""" DocType: Course Scheduling Tool,Course End Date,Tanfolyam befejező dátum @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Preferált e-mail apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Nettó állóeszköz változás DocType: Leave Control Panel,Leave blank if considered for all designations,"Hagyja üresen, ha figyelembe veszi valamennyi titulushoz" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} sorban az 'Aktuális' típusú terhelést nem lehet a Tétel árához hozzáadni -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} sorban az 'Aktuális' típusú terhelést nem lehet a Tétel árához hozzáadni +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Dátumtól DocType: Email Digest,For Company,A Vállakozásnak apps/erpnext/erpnext/config/support.py +17,Communication log.,Kommunikációs napló. @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Munkakör, sz DocType: Journal Entry Account,Account Balance,Számla egyenleg apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Adó szabály a tranzakciókra. DocType: Rename Tool,Type of document to rename.,Dokumentum típusa átnevezéshez. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Megvásároljuk ezt a tételt +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Megvásároljuk ezt a tételt apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Az Ügyfél kötelező a Bevételi számlához {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Összesen adók és illetékek (Vállakozás pénznemében) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Mutassa a lezáratlan pénzügyi évben a P&L mérlegeket @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,Olvasások DocType: Stock Entry,Total Additional Costs,Összes További költségek DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Hulladék anyagköltség (Vállaklozás pénzneme) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Részegységek +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Részegységek DocType: Asset,Asset Name,Vagyonieszköz neve DocType: Project,Task Weight,Feladat súlyozás DocType: Shipping Rule Condition,To Value,Értékeléshez @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Tétel változatok DocType: Company,Services,Szervíz szolgáltatások DocType: HR Settings,Email Salary Slip to Employee,E-mail Bérpapír nyomtatvány az alkalmazottnak DocType: Cost Center,Parent Cost Center,Szülő Költséghely -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Válasszon Lehetséges beszállítót +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Válasszon Lehetséges beszállítót DocType: Sales Invoice,Source,Forrás apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mutassa zárva DocType: Leave Type,Is Leave Without Pay,Ez fizetés nélküli szabadság @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,Kedvezmény alkalmazása DocType: GST HSN Code,GST HSN Code,GST HSN kód DocType: Employee External Work History,Total Experience,Összes Tapasztalat apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Nyílt projekt témák -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Csomagjegy(ek) törölve +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Csomagjegy(ek) törölve apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Pénzforgalom befektetésből DocType: Program Course,Program Course,Program pálya apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Szállítás és Továbbítási díjak @@ -1538,9 +1538,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Program beiratkozások DocType: Sales Invoice Item,Brand Name,Márkanév DocType: Purchase Receipt,Transporter Details,Fuvarozó Részletek -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Alapértelmezett raktár szükséges a kiválasztott elemhez -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Doboz -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Lehetséges Beszállító +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Alapértelmezett raktár szükséges a kiválasztott elemhez +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Doboz +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Lehetséges Beszállító DocType: Budget,Monthly Distribution,Havi Felbontás apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Vevő lista üres. Kérjük, hozzon létre Receiver listája" DocType: Production Plan Sales Order,Production Plan Sales Order,Vevői rendelés Legyártási terve @@ -1572,7 +1572,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Garanciális apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","A diákok a rendszer lelkei, összes tanuló hozzáadása" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},"Sor # {0}: Végső dátuma: {1} nem lehet, a csekk dátuma: {2} előtti" DocType: Company,Default Holiday List,Alapértelmezett távolléti lista -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Sor {0}: Időtől és időre {1} átfedésben van {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},Sor {0}: Időtől és időre {1} átfedésben van {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Készlet Források DocType: Purchase Invoice,Supplier Warehouse,Beszállító raktára DocType: Opportunity,Contact Mobile No,Kapcsolattartó mobilszáma @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},"Távollét típusa {0}, nem lehet hosszabb, mint {1}" DocType: Manufacturing Settings,Try planning operations for X days in advance.,Próbáljon tervezni tevékenységet X nappal előre. DocType: HR Settings,Stop Birthday Reminders,Születésnapi emlékeztetők kikapcsolása -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Kérjük, állítsa be alapértelmezett Bérszámfejtés fizetendő számlát a cégben: {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},"Kérjük, állítsa be alapértelmezett Bérszámfejtés fizetendő számlát a cégben: {0}" DocType: SMS Center,Receiver List,Vevő lista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Tétel keresése +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Tétel keresése apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Elfogyasztott mennyiség apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Nettó készpénz változás DocType: Assessment Plan,Grading Scale,Osztályozás időszak apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mértékegység {0} amit egynél többször adott meg a konverziós tényező táblázatban -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Már elkészült +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Már elkészült apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Raktárról apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Kifizetési kérelem már létezik: {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Problémás tételek költsége -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},"Mennyiség nem lehet több, mint {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},"Mennyiség nem lehet több, mint {0}" apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Előző pénzügyi év nem zárt apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Életkor (napok) DocType: Quotation Item,Quotation Item,Árajánlat tétele @@ -1613,8 +1613,9 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,referenciadokumentum apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} törlik vagy megállt DocType: Accounts Settings,Credit Controller,Követelés felügyelője +DocType: Sales Order,Final Delivery Date,Végső szállítási határidő DocType: Delivery Note,Vehicle Dispatch Date,A jármű útnak indításának ideje -DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC +DocType: Purchase Invoice Item,HSN/SAC,HSN/SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Beszerzési megrendelés nyugta {0} nem nyújtják be DocType: Company,Default Payable Account,Alapértelmezett kifizetendő számla apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Beállítások az Online bevásárlókosárhoz, mint a szállítás szabályai, árlisták stb" @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,Nyugdíjazás dátuma DocType: Upload Attendance,Get Template,Sablonok lekérdezése DocType: Material Request,Transferred,Átvitt DocType: Vehicle,Doors,Ajtók -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext telepítése befejeződött! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext telepítése befejeződött! DocType: Course Assessment Criteria,Weightage,Súlyozás -DocType: Sales Invoice,Tax Breakup,Adó Breakup +DocType: Purchase Invoice,Tax Breakup,Adó megszakítás DocType: Packing Slip,PS-,CSOMJ- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Költséghely szükséges az 'Eredménykimutatás' számlához {2}. Kérjük, állítsa be az alapértelmezett Költséghelyet a Vállalkozáshoz." apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Egy vevő csoport létezik azonos névvel, kérjük változtassa meg a Vevő nevét vagy nevezze át a @@ -1717,14 +1718,14 @@ DocType: Announcement,Instructor,Oktató DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ha ennek a tételnek vannak változatai, akkor nem lehet kiválasztani a vevői rendeléseken stb." DocType: Lead,Next Contact By,Következő kapcsolat evvel -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},"Szükséges mennyiség ebből a tételből {0}, ebben a sorban {1}" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},"Szükséges mennyiség ebből a tételből {0}, ebben a sorban {1}" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"{0} Raktárat nem lehet törölni, mint a {1} tételre létezik mennyiség" DocType: Quotation,Order Type,Rendelés típusa DocType: Purchase Invoice,Notification Email Address,Értesítendő emailcímek ,Item-wise Sales Register,Tételenkénti Értékesítés Regisztráció DocType: Asset,Gross Purchase Amount,Bruttó Vásárlás összege DocType: Asset,Depreciation Method,Értékcsökkentési módszer -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ez az adó az Alap árban benne van? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Összes célpont DocType: Job Applicant,Applicant for a Job,Kérelmező erre a munkahelyre @@ -1745,7 +1746,7 @@ DocType: Employee,Leave Encashed?,Távollét beváltása? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Lehetőség tőle mező kitöltése kötelező DocType: Email Digest,Annual Expenses,Éves költségek DocType: Item,Variants,Változatok -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Beszerzési rendelés létrehozás +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Beszerzési rendelés létrehozás DocType: SMS Center,Send To,Küldés Címzettnek apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nincs elég távollét egyenlege ehhez a távollét típushoz {0} DocType: Payment Reconciliation Payment,Allocated amount,Lekötött összeg @@ -1753,7 +1754,7 @@ DocType: Sales Team,Contribution to Net Total,Hozzájárulás a netto összeghez DocType: Sales Invoice Item,Customer's Item Code,Vevői tétel cikkszáma DocType: Stock Reconciliation,Stock Reconciliation,Készlet egyeztetés DocType: Territory,Territory Name,Terület neve -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,"Munkavégzés raktárra van szükség, beküldés előtt" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,"Munkavégzés raktárra van szükség, beküldés előtt" apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Kérelmező erre a munkahelyre. DocType: Purchase Order Item,Warehouse and Reference,Raktár és Referencia DocType: Supplier,Statutory info and other general information about your Supplier,Törvényes info és más általános információk a Beszállítóról @@ -1764,16 +1765,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Értékeléséből apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Ismétlődő sorozatszám lett beírva ehhez a tételhez: {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Egy Szállítási szabály feltételei apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Kérlek lépj be -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nem lehet túlszámlázni a tételt: {0} ebben a sorban: {1} több mint {2}. Ahhoz, hogy a túlszámlázhassa, állítsa be a vásárlás beállításoknál" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Kérjük, adja meg a szűrési feltételt a tétel vagy Raktár alapján" +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nem lehet túlszámlázni a tételt: {0} ebben a sorban: {1} több mint {2}. Ahhoz, hogy a túlszámlázhassa, állítsa be a vásárlás beállításoknál" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,"Kérjük, adja meg a szűrési feltételt a tétel vagy Raktár alapján" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),A nettó súlya ennek a csomagnak. (Automatikusan kiszámítja a tételek nettó súlyainak összegéből) DocType: Sales Order,To Deliver and Bill,Szállítani és számlázni DocType: Student Group,Instructors,Oktatók DocType: GL Entry,Credit Amount in Account Currency,Követelés összege a számla pénznemében -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,ANYGJZ {0} be kell nyújtani +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,ANYGJZ {0} be kell nyújtani DocType: Authorization Control,Authorization Control,Jóváhagyás vezérlés apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Sor # {0}: Elutasított Raktár kötelező az elutasított elemhez: {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Fizetés +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Fizetés apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Raktár {0} nem kapcsolódik semmilyen számlához, kérem tüntesse fel a számlát a raktár rekordban vagy az alapértelmezett leltár számláját állítsa be a vállalkozásnak: {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Megrendelései kezelése DocType: Production Order Operation,Actual Time and Cost,Tényleges idő és költség @@ -1789,12 +1790,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Csomag DocType: Quotation Item,Actual Qty,Aktuális menny. DocType: Sales Invoice Item,References,Referenciák DocType: Quality Inspection Reading,Reading 10,Olvasás 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sorolja fel a termékeket vagy szolgáltatásokat melyeket vásárol vagy elad. Ügyeljen arra, hogy ellenőrizze le a tétel csoportot, mértékegységet és egyéb tulajdonságokat, amikor elkezdi." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sorolja fel a termékeket vagy szolgáltatásokat melyeket vásárol vagy elad. Ügyeljen arra, hogy ellenőrizze le a tétel csoportot, mértékegységet és egyéb tulajdonságokat, amikor elkezdi." DocType: Hub Settings,Hub Node,Hub csomópont apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Ismétlődő tételeket adott meg. Kérjük orvosolja, és próbálja újra." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Társult +DocType: Company,Sales Target,Értékesítési cél DocType: Asset Movement,Asset Movement,Vagyoneszköz mozgás -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,új Kosár +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,új Kosár apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Tétel: {0} nem sorbarendezett tétel DocType: SMS Center,Create Receiver List,Címzettlista létrehozása DocType: Vehicle,Wheels,Kerekek @@ -1835,13 +1837,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Projektek irányít DocType: Supplier,Supplier of Goods or Services.,Az áruk vagy szolgáltatások beszállítója. DocType: Budget,Fiscal Year,Pénzügyi év DocType: Vehicle Log,Fuel Price,Üzemanyag ár +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Kérjük, állítsa be a számlázási sorozatokat a részvételhez a Beállítás> Számozási sorozatok segítségével" DocType: Budget,Budget,Költségkeret apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,"Befektetett Álló eszközöknek, nem készletezhető elemeknek kell lennie." apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Költségvetést nem lehet ehhez rendelni: {0}, mivel ez nem egy bevétel vagy kiadás főkönyvi számla" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Elért DocType: Student Admission,Application Form Route,Jelentkezési mód apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Terület / Vevő -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,pl. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,pl. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Távollét típus {0} nem lehet kiosztani, mivel az egy fizetés nélküli távollét" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Sor {0}: Elkülönített összeg: {1} kisebbnek vagy egyenlőnek kell lennie a számlázandó kintlévő negatív összegnél: {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"A szavakkal mező lesz látható, miután mentette az Értékesítési számlát." @@ -1850,11 +1853,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Tétel: {0}, nincs telepítve Széria sz.. Ellenőrizze a tétel törzsadatot" DocType: Maintenance Visit,Maintenance Time,Karbantartási idő ,Amount to Deliver,Szállítandó összeg -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Egy termék vagy szolgáltatás +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Egy termék vagy szolgáltatás apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"A kifejezés kezdő dátuma nem lehet korábbi, mint az előző évben kezdő tanév dátuma, amelyhez a kifejezés kapcsolódik (Tanév {}). Kérjük javítsa ki a dátumot, és próbálja újra." DocType: Guardian,Guardian Interests,Helyettesítő kamat DocType: Naming Series,Current Value,Jelenlegi érték -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Több pénzügyi éve létezik a dátum: {0}. Kérjük, állítsa be a céget a pénzügyi évben" +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Több pénzügyi éve létezik a dátum: {0}. Kérjük, állítsa be a céget a pénzügyi évben" apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} létrehozva DocType: Delivery Note Item,Against Sales Order,Ellen Vevői rendelések ,Serial No Status,Széria sz. állapota @@ -1867,7 +1870,7 @@ DocType: Pricing Rule,Selling,Értékesítés apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Összeg: {0} {1} levonásra ellenéből {2} DocType: Employee,Salary Information,Bérinformáció DocType: Sales Person,Name and Employee ID,Név és Alkalmazotti azonosító ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,A határidő nem lehet a rögzítés dátuma előtti +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,A határidő nem lehet a rögzítés dátuma előtti DocType: Website Item Group,Website Item Group,Weboldal tétel Csoport apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Vámok és adók apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Kérjük, adjon meg Hivatkozási dátumot" @@ -1922,9 +1925,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Állítsd be a Csatlakozás dátumát ehhez a munkavállalóhoz {0} DocType: Task,Total Billing Amount (via Time Sheet),Összesen számlázási összeg ((Idő nyilvántartó szerint) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Törzsvásárlói árbevétele -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) 'Kiadás jóváhagyó' beosztással kell rendelkeznie -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pár -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Válasszon Anyagj és Mennyiséget a Termeléshez +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) 'Kiadás jóváhagyó' beosztással kell rendelkeznie +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Pár +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Válasszon Anyagj és Mennyiséget a Termeléshez DocType: Asset,Depreciation Schedule,Értékcsökkentési leírás ütemezése apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Vevő Partner címek és Kapcsolatok DocType: Bank Reconciliation Detail,Against Account,Ellen számla @@ -1934,7 +1937,7 @@ DocType: Item,Has Batch No,Van kötegszáma apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Éves számlázás: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Áru és szolgáltatások adói (GST India) DocType: Delivery Note,Excise Page Number,Jövedéki Oldal száma -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Vállalkozás, kezdő dátum és a végső dátum kötelező" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Vállalkozás, kezdő dátum és a végső dátum kötelező" DocType: Asset,Purchase Date,Beszerzés dátuma DocType: Employee,Personal Details,Személyes adatai apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},"Kérjük, állítsa be a 'Eszköz értékcsökkenés Költséghely' ehhez a Vállalkozáshoz: {0}" @@ -1943,9 +1946,9 @@ DocType: Task,Actual End Date (via Time Sheet),Tényleges befejezés dátuma (Id apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Összeg: {0} {1} ellenéből {2} {3} ,Quotation Trends,Árajánlatok alakulása apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Tétel Csoport nem említett a tétel törzsadatban erre a tételre: {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Tartozás megterhelés számlának bevételi számlának kell lennie +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Tartozás megterhelés számlának bevételi számlának kell lennie DocType: Shipping Rule Condition,Shipping Amount,Szállítandó mennyiség -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Vevők hozzáadása +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Vevők hozzáadása apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Függőben lévő összeg DocType: Purchase Invoice Item,Conversion Factor,Konverziós tényező DocType: Purchase Order,Delivered,Kiszállítva @@ -1967,7 +1970,6 @@ DocType: Production Order,Use Multi-Level BOM,Többszíntű anyagjegyzék haszn DocType: Bank Reconciliation,Include Reconciled Entries,Tartalmazza az Egyeztetett bejegyzéseket DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Szülő kurzus (Hagyja üresen, ha ez nem része a szülő kurzusnak)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Hagyja üresen, ha figyelembe veszi valamennyi alkalmazotti típushoz" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Ügyfél> Ügyfélcsoport> Terület DocType: Landed Cost Voucher,Distribute Charges Based On,Forgalmazói díjak ez alapján apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,"Munkaidő jelenléti ív, nyilvántartók" DocType: HR Settings,HR Settings,Munkaügyi beállítások @@ -1975,7 +1977,7 @@ DocType: Salary Slip,net pay info,nettó fizetés információ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Költségén Követelés jóváhagyására vár. Csak a költség Jóváhagyó frissítheti állapotát. DocType: Email Digest,New Expenses,Új költségek DocType: Purchase Invoice,Additional Discount Amount,További kedvezmény összege -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Sor # {0}: Mennyiség legyen 1, a tétel egy tárgyi eszköz. Használjon külön sort több menny." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Sor # {0}: Mennyiség legyen 1, a tétel egy tárgyi eszköz. Használjon külön sort több menny." DocType: Leave Block List Allow,Leave Block List Allow,Távollét blokk lista engedélyezése apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Rövidített nem lehet üres vagy szóköz apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Csoport Csoporton kívülire @@ -1983,7 +1985,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sportok DocType: Loan Type,Loan Name,Hitel neve apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Összes Aktuális DocType: Student Siblings,Student Siblings,Tanuló Testvérek -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Egység +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Egység apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Kérjük adja meg a vállalkozás nevét ,Customer Acquisition and Loyalty,Vevőszerzés és hűség DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Raktár, ahol a visszautasított tételek készletezését kezeli" @@ -2001,12 +2003,12 @@ DocType: Workstation,Wages per hour,Bérek óránként apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Készlet egyenleg ebben a kötegben: {0} negatívvá válik {1} erre a tételre: {2} ebben a raktárunkban: {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Következő Anyag igénylések merültek fel automatikusan a Tétel újra-rendelés szinje alpján DocType: Email Digest,Pending Sales Orders,Függő Vevői rendelések -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},A {0} számla érvénytelen. A számla pénzneme legyen {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},A {0} számla érvénytelen. A számla pénzneme legyen {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},ME átváltási arányra is szükség van ebben a sorban {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Sor # {0}: Dokumentum típus hivatkozásnak Vevői rendelésnek, Értékesítési számlának, vagy Naplókönyvelésnek kell lennie" DocType: Salary Component,Deduction,Levonás -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Sor {0}: Időtől és időre kötelező. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Sor {0}: Időtől és időre kötelező. DocType: Stock Reconciliation Item,Amount Difference,Összeg különbség apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Tétel Ár hozzáadott {0} árjegyzékben {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Kérjük, adja meg Alkalmazotti azonosító ID, ehhez az értékesítőhöz" @@ -2016,11 +2018,11 @@ DocType: Project,Gross Margin,Bruttó árkülönbözet apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,"Kérjük, adjon meg Gyártandő tételt először" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Számított Bankkivonat egyenleg apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,letiltott felhasználó -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Árajánlat +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Árajánlat DocType: Quotation,QTN-,AJ- DocType: Salary Slip,Total Deduction,Összesen levonva ,Production Analytics,Termelési elemzések -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Költség Frissítve +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Költség Frissítve DocType: Employee,Date of Birth,Születési idő apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,"Tétel: {0}, már visszahozták" DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,"** Pénzügyi év ** jelképezi a Költségvetési évet. Minden könyvelési tétel, és más jelentős tranzakciók rögzítése ebben ** Pénzügyi Év **." @@ -2065,18 +2067,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Válasszon Vállalkozást... DocType: Leave Control Panel,Leave blank if considered for all departments,"Hagyja üresen, ha figyelembe veszi az összes szervezeti egységen" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Alkalmazott foglalkoztatás típusa (munkaidős, szerződéses, gyakornok stb)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} kötelező a(z) {1} tételnek +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} kötelező a(z) {1} tételnek DocType: Process Payroll,Fortnightly,Kéthetenkénti DocType: Currency Exchange,From Currency,Pénznemből apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Új beszerzés költsége -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Vevői rendelés szükséges ehhez a tételhez {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Vevői rendelés szükséges ehhez a tételhez {0} DocType: Purchase Invoice Item,Rate (Company Currency),Érték (a cég pénznemében) DocType: Student Guardian,Others,Egyéb DocType: Payment Entry,Unallocated Amount,A le nem foglalt összeg apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,"Nem találja a megfelelő tétel. Kérjük, válasszon egy másik értéket erre {0}." DocType: POS Profile,Taxes and Charges,Adók és költségek DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","A termék vagy szolgáltatás, amelyet vásárolt, eladott vagy tartanak raktáron." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Tételkód> Tételcsoport> Márka apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Nincs több frissítés apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Nem lehet kiválasztani az első sorra az 'Előző sor összegére' vagy 'Előző sor Összesen' terhelés típust apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Al tétel nem lehet egy termék csomag. Kérjük, távolítsa el tételt: `{0}' és mentse" @@ -2102,12 +2105,12 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Összesen Számlázott összeg apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Kell lennie egy alapértelmezett, engedélyezett bejövő e-mail fióknak ehhez a munkához. Kérjük, állítson be egy alapértelmezett bejövő e-mail fiókot (POP/IMAP), és próbálja újra." apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Bevételek számla -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Sor # {0}: {1} Vagyontárgy már {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Sor # {0}: {1} Vagyontárgy már {2} DocType: Quotation Item,Stock Balance,Készlet egyenleg apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Vevői rendelés a Fizetéshez apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Vezérigazgató(CEO) DocType: Expense Claim Detail,Expense Claim Detail,Költség igény részlete -DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Hármasával SZÁLLÍTÓ +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,HÁRMASÁVAL BESZÁLLÍTÓNAK apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Kérjük, válassza ki a megfelelő fiókot" DocType: Item,Weight UOM,Súly mértékegysége DocType: Salary Structure Employee,Salary Structure Employee,Alkalmazotti Bérrendszer @@ -2127,10 +2130,11 @@ DocType: C-Form,Received Date,Beérkezés dátuma DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ha már készítettünk egy szabványos sablont az értékesítéshez kapcsolódó adók és díjak sablonban, válasszon egyet és kattintson az alábbi gombra." DocType: BOM Scrap Item,Basic Amount (Company Currency),Alapösszeg (Vállalkozás pénznemében) DocType: Student,Guardians,Helyettesítők +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Szállító> Szállító típusa DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Az árak nem jelennek meg, ha Árlista nincs megadva" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Kérjük adjon meg egy országot a házhozszállítás szabályhoz vagy ellenőrizze az Egész világra kiterjedő szállítást DocType: Stock Entry,Total Incoming Value,Beérkező össz Érték -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Tartozás megterhelése szükséges +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Tartozás megterhelése szükséges apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Munkaidő jelenléti ív segít nyomon követni az idő, költség és számlázási tevékenységeit a csapatának." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Beszerzési árlista DocType: Offer Letter Term,Offer Term,Ajánlat feltételei @@ -2149,11 +2153,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Term DocType: Timesheet Detail,To Time,Ideig DocType: Authorization Rule,Approving Role (above authorized value),Jóváhagyó beosztása (a fenti engedélyezett érték) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Követelés főkönyvi számlának Fizetendő számlának kell lennie -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},ANYGJZ rekurzív: {0} nem lehet a szülő vagy a gyermeke ennek: {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},ANYGJZ rekurzív: {0} nem lehet a szülő vagy a gyermeke ennek: {2} DocType: Production Order Operation,Completed Qty,Befejezett Mennyiség apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0} -hoz, csak terhelés számlákat lehet kapcsolni a másik ellen jóváíráshoz" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Árlista {0} letiltva -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},"Sor {0}: Befejezett Menny nem lehet több, mint {1} működésre {2}" +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},"Sor {0}: Befejezett Menny nem lehet több, mint {1} működésre {2}" DocType: Manufacturing Settings,Allow Overtime,Túlóra engedélyezése apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Sorszámozott tétel {0} nem lehet frissíteni a Készlet egyesztetéssel, kérem használja a Készlet bejegyzést" DocType: Training Event Employee,Training Event Employee,Képzési munkavállalói esemény @@ -2171,10 +2175,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Külső apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Felhasználók és engedélyek DocType: Vehicle Log,VLOG.,VIDEÓBLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Gyártási rendelések létrehozva: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Gyártási rendelések létrehozva: {0} DocType: Branch,Branch,Ágazat DocType: Guardian,Mobile Number,Mobil szám apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Nyomtatás és Márkaépítés +DocType: Company,Total Monthly Sales,Havi eladások összesen DocType: Bin,Actual Quantity,Tényleges Mennyiség DocType: Shipping Rule,example: Next Day Shipping,például: Következő napi szállítás apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Széria sz. {0} nem található @@ -2204,7 +2209,7 @@ DocType: Payment Request,Make Sales Invoice,Vevői megrendelésre számla létre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Szoftverek apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Következő megbeszélés dátuma nem lehet a múltban DocType: Company,For Reference Only.,Csak tájékoztató jellegűek. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Válasszon köteg sz. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Válasszon köteg sz. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Érvénytelen {0}: {1} DocType: Purchase Invoice,PINV-RET-,BESZSZ-ELLEN- DocType: Sales Invoice Advance,Advance Amount,Előleg @@ -2217,7 +2222,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nincs tétel ezzel a Vonalkóddal {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Eset sz. nem lehet 0 DocType: Item,Show a slideshow at the top of the page,Mutass egy diavetítést a lap tetején -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Anyagjegyzékek +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Anyagjegyzékek apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Üzletek DocType: Serial No,Delivery Time,Szállítási idő apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Öregedés ezen alapszik @@ -2231,16 +2236,16 @@ DocType: Rename Tool,Rename Tool,Átnevezési eszköz apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Költségek újraszámolása DocType: Item Reorder,Item Reorder,Tétel újrarendelés apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Bérkarton megjelenítése -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Anyag Átvitel +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Anyag Átvitel DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Adja meg a műveletet, a működési költségeket, és adjon meg egy egyedi műveletet a műveletekhez." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ez a dokumentum túlcsordult ennyivel {0} {1} erre a tételre {4}. Létrehoz egy másik {3} ugyanazon {2} helyett? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,"Kérjük, állítsa be az ismétlődést a mentés után" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Válasszon váltópénz összeg számlát +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,"Kérjük, állítsa be az ismétlődést a mentés után" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Válasszon váltópénz összeg számlát DocType: Purchase Invoice,Price List Currency,Árlista pénzneme DocType: Naming Series,User must always select,Felhasználónak mindig választani kell DocType: Stock Settings,Allow Negative Stock,Negatív készlet engedélyezése DocType: Installation Note,Installation Note,Telepítési feljegyzés -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Adók hozzáadása +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Adók hozzáadása DocType: Topic,Topic,Téma apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Pénzforgalom pénzügyről DocType: Budget Account,Budget Account,Költségvetési elszámolási számla @@ -2254,7 +2259,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,A nyo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Pénzeszközök forrását (kötelezettségek) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Mennyiségnek ebben a sorban {0} ({1}) meg kell egyeznie a gyártott mennyiséggel {2} DocType: Appraisal,Employee,Alkalmazott -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Válasszon köteget +DocType: Company,Sales Monthly History,Értékesítés havi története +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Válasszon köteget apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} teljesen számlázott DocType: Training Event,End Time,Befejezés dátuma apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktív fizetés szerkezetet {0} talált alkalmazottra: {1} az adott dátumhoz @@ -2262,15 +2268,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Fizetési levonások vagy vesz apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Az általános szerződési feltételek az értékesítéshez vagy beszerzéshez. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Utalvány által csoportosítva apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Értékesítési folyamat -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},"Kérjük, állítsa be az alapértelmezett számla foókot a fizetés komponenshez {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},"Kérjük, állítsa be az alapértelmezett számla foókot a fizetés komponenshez {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Szükség DocType: Rename Tool,File to Rename,Átnevezendő fájl apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Kérjük, válassza ki ANYGJZ erre a tételre ebben a sorban {0}" apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Számla {0} nem egyezik ezzel a vállalkozással {1} ebben a módban: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Meghatározott ANYAGJEGYZ {0} nem létezik erre a tételre {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Ezt a karbantartási ütemtervet: {0}, törölni kell mielőtt lemondaná ezt a Vevői rendelést" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Ezt a karbantartási ütemtervet: {0}, törölni kell mielőtt lemondaná ezt a Vevői rendelést" DocType: Notification Control,Expense Claim Approved,Költség igény jóváhagyva -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Kérjük, állítsa be a számlázási sorozatokat a részvételhez a Beállítás> Számozási sorozatok segítségével" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Bérpapír az Alkalmazotthoz: {0} már létezik erre az időszakra apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Gyógyszeripari apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Bszerzett tételek költsége @@ -2287,7 +2292,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Késztermék Anyagj DocType: Upload Attendance,Attendance To Date,Részvétel befejezés dátuma DocType: Warranty Claim,Raised By,Felvetette DocType: Payment Gateway Account,Payment Account,Fizetési számla -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Kérjük, adja meg a vállalkozást a folytatáshoz" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Kérjük, adja meg a vállalkozást a folytatáshoz" apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Nettó Vevői számla tartozások változása apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompenzációs Ki DocType: Offer Letter,Accepted,Elfogadva @@ -2296,12 +2301,12 @@ DocType: SG Creation Tool Course,Student Group Name,Diák csoport neve apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Kérjük, győződjön meg róla, hogy valóban törölni szeretné az összes tranzakció ennél a vállalatnál. Az Ön törzsadati megmaradnak. Ez a művelet nem vonható vissza." DocType: Room,Room Number,Szoba szám apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Érvénytelen hivatkozás {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nem lehet nagyobb, mint a ({2}) tervezett mennyiség a {3} gyártási rendelésben" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nem lehet nagyobb, mint a ({2}) tervezett mennyiség a {3} gyártási rendelésben" DocType: Shipping Rule,Shipping Rule Label,Szállítási szabály címkéi apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Felhasználói fórum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Nyersanyagok nem lehet üres. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Nem sikerült frissíteni a készletet, számla tartalmaz közvetlen szállítási elemet." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Gyors Naplókönyvelés +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Nyersanyagok nem lehet üres. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Nem sikerült frissíteni a készletet, számla tartalmaz közvetlen szállítási elemet." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Gyors Naplókönyvelés apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Nem tudod megváltoztatni az árat, ha az említett ANYGJZ összefügg már egy tétellel" DocType: Employee,Previous Work Experience,Korábbi szakmai tapasztalat DocType: Stock Entry,For Quantity,Mennyiséghez @@ -2358,7 +2363,7 @@ DocType: SMS Log,No of Requested SMS,Igényelt SMS száma apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Fizetés nélküli távollét nem egyezik meg a jóváhagyott távolléti igény bejegyzésekkel DocType: Campaign,Campaign-.####,Kampány -.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Következő lépések -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Kérjük szállítsa be a tételeket a lehető legjobb árakon +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Kérjük szállítsa be a tételeket a lehető legjobb árakon DocType: Selling Settings,Auto close Opportunity after 15 days,Automatikus lezárása az ügyeknek 15 nap után apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Befejező év apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Áraj / Lehet % @@ -2395,7 +2400,7 @@ DocType: Homepage,Homepage,Kezdőlap DocType: Purchase Receipt Item,Recd Quantity,Szüks Mennyiség apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Díj rekordok létrehozva - {0} DocType: Asset Category Account,Asset Category Account,Vagyoneszköz kategória főkönyvi számla -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},"Nem lehet több mint ennyit {0} gyártani a tételből, mint amennyi a Vevői rendelési mennyiség {1}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},"Nem lehet több mint ennyit {0} gyártani a tételből, mint amennyi a Vevői rendelési mennyiség {1}" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,"Készlet bejegyzés: {0} nem nyújtják be," DocType: Payment Reconciliation,Bank / Cash Account,Bank / Készpénz számla apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,"Következő kapcsolat evvel nem lehet ugyanaz, mint az érdeklődő e-mail címe" @@ -2428,7 +2433,7 @@ DocType: Salary Structure,Total Earning,Összesen jóváírva DocType: Purchase Receipt,Time at which materials were received,Anyagok érkezésénak Időpontja DocType: Stock Ledger Entry,Outgoing Rate,Kimenő ár apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Vállalkozás ágazat törzsadat. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,vagy +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,vagy DocType: Sales Order,Billing Status,Számlázási állapot apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Probléma jelentése apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Közműben @@ -2436,7 +2441,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,"Sor # {0}: Naplókönyvelés {1} nem rendelkezik {2} számlával, vagy már összeegyeztetett egy másik utalvánnyal" DocType: Buying Settings,Default Buying Price List,Alapértelmezett Vásárlási árjegyzék DocType: Process Payroll,Salary Slip Based on Timesheet,Bérpapirok a munkaidő jelenléti ív alapján -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nincs a fenti kritériumnak megfelelő alkalmazottja VAGY Bérpapírt már létrehozta +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Nincs a fenti kritériumnak megfelelő alkalmazottja VAGY Bérpapírt már létrehozta DocType: Notification Control,Sales Order Message,Vevői rendelés üzenet apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Alapértelmezett értékek, mint a vállalkozás, pénznem, folyó pénzügyi év, stb. beállítása." DocType: Payment Entry,Payment Type,Fizetési mód @@ -2460,7 +2465,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Nyugta dokumentumot be kell nyújtani DocType: Purchase Invoice Item,Received Qty,Beérkezett Mennyiség DocType: Stock Entry Detail,Serial No / Batch,Széria sz. / Köteg -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Nem fizetett és le nem szállított +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Nem fizetett és le nem szállított DocType: Product Bundle,Parent Item,Szülő tétel DocType: Account,Account Type,Számla típus DocType: Delivery Note,DN-RET-,SZL-ELLEN- @@ -2490,8 +2495,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Lefoglalt teljes összeg apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Alapértelmezett készlet számla beállítása a folyamatos készlethez DocType: Item Reorder,Material Request Type,Anyagigénylés típusa -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Naplókönyvelés fizetések származó {0} {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","HelyiRaktár tele van, nem mentettem" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Naplókönyvelés fizetések származó {0} {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","HelyiRaktár tele van, nem mentettem" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Sor {0}: UOM átváltási arányra is kötelező apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Hiv. DocType: Budget,Cost Center,Költséghely @@ -2509,7 +2514,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Jöve apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ha a kiválasztott árképzési szabály az 'Ár' -hoz készül, az felülírja az árlistát. Árképzési szabály ára a végleges ár, így további kedvezményt nem képes alkalmazni. Ezért a vevői rendelés, beszerzési megrendelés, stb. tranzakcióknál, betöltésre kerül az ""Érték"" mezőbe az ""Árlista érték"" mező helyett." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Ipari típusonkénti Érdeklődés nyomonkövetése. DocType: Item Supplier,Item Supplier,Tétel Beszállító -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Kérjük, adja meg a tételkódot a köteg szám megadásához" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Kérjük, adja meg a tételkódot a köteg szám megadásához" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},"Kérjük, válasszon értéket {0} ehhez az árajánlathoz {1}" apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Összes cím. DocType: Company,Stock Settings,Készlet beállítások @@ -2536,7 +2541,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Tényleges Mennyiség a apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nem található bérpapít {0} és {1} közt ,Pending SO Items For Purchase Request,Függőben lévő VR tételek erre a vásárolható rendelésre apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Tanuló Felvételi -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} le van tiltva +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} le van tiltva DocType: Supplier,Billing Currency,Számlázási Árfolyam DocType: Sales Invoice,SINV-RET-,ÉSZLA-ELLEN- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Nagy @@ -2566,7 +2571,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Jelentkezés állapota DocType: Fees,Fees,Díjak DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Adja meg az átváltási árfolyamot egy pénznem másikra váltásához -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,{0} ajánlat törölve +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,{0} ajánlat törölve apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Teljes fennálló kintlévő összeg DocType: Sales Partner,Targets,Célok DocType: Price List,Price List Master,Árlista törzsadat @@ -2583,7 +2588,7 @@ DocType: POS Profile,Ignore Pricing Rule,Figyelmen kívül hagyja az árképzés DocType: Employee Education,Graduate,Diplomás DocType: Leave Block List,Block Days,Zárolt Napok DocType: Journal Entry,Excise Entry,Jövedéki Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Figyelmeztetés: Vevői rendelés: {0} már létezik a {1} Beszerzési megrendeléssel szemben +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Figyelmeztetés: Vevői rendelés: {0} már létezik a {1} Beszerzési megrendeléssel szemben DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2609,7 +2614,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ha e ,Salary Register,Bér regisztráció DocType: Warehouse,Parent Warehouse,Szülő Raktár DocType: C-Form Invoice Detail,Net Total,Nettó összesen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Az alapértelmezett BOM nem talált jogcím {0} és Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Határozza meg a különböző hiteltípusokat DocType: Bin,FCFS Rate,Érkezési sorrend szerinti kiszolgálás FCFS ár DocType: Payment Reconciliation Invoice,Outstanding Amount,Fennálló kinntlévő negatív összeg @@ -2646,21 +2651,21 @@ DocType: Salary Detail,Condition and Formula Help,Állapot és Űrlap Súgó apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Terület fa kezelése. DocType: Journal Entry Account,Sales Invoice,Értékesítési számla DocType: Journal Entry Account,Party Balance,Ügyfél egyenlege -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Kérjük, válassza az Alkalmazzon kedvezményt ezen" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Kérjük, válassza az Alkalmazzon kedvezményt ezen" DocType: Company,Default Receivable Account,Alapértelmezett Bevételi számla DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Készítsen Bank bejegyzést a teljes bért fizetésre a fent kiválasztott kritériumoknak megfelelően DocType: Stock Entry,Material Transfer for Manufacture,Anyag átvitel gyártásához apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Kedvezmény százalékot lehet alkalmazni vagy árlistában vagy az összes árlistában. DocType: Purchase Invoice,Half-yearly,Fél-évente apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Könyvelési tétel a Készlethez -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Már értékelni az értékelési kritériumokat {}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Már értékelte ezekkel az értékelési kritériumokkal: {}. DocType: Vehicle Service,Engine Oil,Motorolaj DocType: Sales Invoice,Sales Team1,Értékesítő csapat1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,"Tétel: {0}, nem létezik" DocType: Sales Invoice,Customer Address,Vevő címe DocType: Employee Loan,Loan Details,Hitel részletei DocType: Company,Default Inventory Account,Alapértelmezett készlet számla -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,"Sor {0}: Befejezve Mennyiség nagyobbnak kell lennie, mint nulla." +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,"Sor {0}: Befejezve Mennyiség nagyobbnak kell lennie, mint nulla." DocType: Purchase Invoice,Apply Additional Discount On,Alkalmazzon további kedvezmény ezen DocType: Account,Root Type,Root Type DocType: Item,FIFO,FIFO (EBEK) @@ -2677,7 +2682,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Minőségvizsgálat apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra kicsi DocType: Company,Standard Template,Alapértelmezett sablon DocType: Training Event,Theory,Elmélet -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,"Figyelmeztetés: Anyag Igénylés mennyisége kevesebb, mint Minimális rendelhető menny" +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,"Figyelmeztetés: Anyag Igénylés mennyisége kevesebb, mint Minimális rendelhető menny" apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,A {0} számla zárolt DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Jogi alany / leányvállalat a Szervezethez tartozó külön számlatükörrel DocType: Payment Request,Mute Email,E-mail elnémítás @@ -2701,7 +2706,7 @@ DocType: Training Event,Scheduled,Ütemezett apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Ajánlatkérés. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Kérjük, válasszon tételt, ahol ""Készleten lévő tétel"" az ""Nem"" és ""Értékesíthető tétel"" az ""Igen"", és nincs más termék csomag" DocType: Student Log,Academic,Akadémiai -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Összesen előleg ({0}) erre a rendelésre {1} nem lehet nagyobb, mint a végösszeg ({2})" +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Összesen előleg ({0}) erre a rendelésre {1} nem lehet nagyobb, mint a végösszeg ({2})" DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Válassza ki a havi elosztást a célok egyenlőtlen elosztásához a hónapban . DocType: Purchase Invoice Item,Valuation Rate,Becsült ár DocType: Stock Reconciliation,SR/,KÉSZLEGY / @@ -2739,7 +2744,7 @@ DocType: Homepage,Company Description for website homepage,Vállalkozás leírá DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","A vevők kényelméért, ezek a kódok használhatók a nyomtatási formátumokhoz, mint számlákon és a szállítóleveleken" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Beszállító neve DocType: Sales Invoice,Time Sheet List,Idő nyilvántartó lista -DocType: Employee,You can enter any date manually,Megadhat bármilyen dátum kézzel +DocType: Employee,You can enter any date manually,Megadhat bármilyen dátumot manuálisan DocType: Asset Category Account,Depreciation Expense Account,Értékcsökkentési ráfordítás számla apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Próbaidő períódus DocType: Customer Group,Only leaf nodes are allowed in transaction,Csak levélcsomópontok engedélyezettek a tranzakcióban @@ -2765,6 +2770,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Összeg DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Adja meg a kampányt nevét, ha az árajánlat kérés forrása kampány" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Hírlevél publikálók apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Válasszon pénzügyi évet +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Várható szállítási határidőt az értékesítési rendelés után kell megadni apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Újra rendelési szint DocType: Company,Chart Of Accounts Template,Számlatükör sablonok DocType: Attendance,Attendance Date,Részvétel dátuma @@ -2789,14 +2795,14 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An acade apps/erpnext/erpnext/stock/doctype/item/item.py +461,"As there are existing transactions against item {0}, you can not change the value of {1}","Mivel már vannak tranzakciók ehhez az elemhez: {0}, ezért nem tudja megváltoztatni ennek az értékét {1}" DocType: UOM,Must be Whole Number,Egész számnak kell lennie DocType: Leave Control Panel,New Leaves Allocated (In Days),Új távollét lefoglalása (napokban) -DocType: Sales Invoice,Invoice Copy,Számla másolása +DocType: Sales Invoice,Invoice Copy,Számla másolás apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,A {0} Széria sz. nem létezik DocType: Sales Invoice Item,Customer Warehouse (Optional),Ügyfél raktár (opcionális) DocType: Pricing Rule,Discount Percentage,Kedvezmény százaléka DocType: Payment Reconciliation Invoice,Invoice Number,Számla száma DocType: Shopping Cart Settings,Orders,Rendelések DocType: Employee Leave Approver,Leave Approver,Távollét jóváhagyó -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,"Kérjük, válasszon egy köteget" +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,"Kérjük, válasszon egy köteget" DocType: Assessment Group,Assessment Group Name,Értékelési csoport neve DocType: Manufacturing Settings,Material Transferred for Manufacture,Anyag átadott gyártáshoz DocType: Expense Claim,"A user with ""Expense Approver"" role","Egy felhasználó a ""Költség Jóváhagyó"" beosztással" @@ -2832,18 +2838,18 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Utolsó nap a következő hónapban DocType: Support Settings,Auto close Issue after 7 days,Automatikus lezárása az ügyeknek 7 nap után apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Távollétet nem lehet kiosztani előbb mint {0}, mivel a távollét egyenleg már továbbított ehhez a jövőbeni távollét kiosztás rekordhoz {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Megjegyzés: Esedékesség / Referencia dátum túllépése engedélyezett az ügyfél hitelezésre {0} nap(ok)al +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Megjegyzés: Esedékesség / Referencia dátum túllépése engedélyezett az ügyfél hitelezésre {0} nap(ok)al apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Tanuló kérelmező -DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,EREDETI a kedvezményezett +DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,EREDETI A KEDVEZMÉNYEZETTNEK DocType: Asset Category Account,Accumulated Depreciation Account,Halmozott értékcsökkenés számla DocType: Stock Settings,Freeze Stock Entries,Készlet zárolás -DocType: Program Enrollment,Boarding Student,Étkezés Student +DocType: Program Enrollment,Boarding Student,Étkezés tanuló DocType: Asset,Expected Value After Useful Life,Várható érték a hasznos élettartam után DocType: Item,Reorder level based on Warehouse,Raktárkészleten alapuló újrerendelési szint DocType: Activity Cost,Billing Rate,Számlázási ár ,Qty to Deliver,Leszállítandó mannyiség ,Stock Analytics,Készlet analítika -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Műveletek nem maradhatnak üresen +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Műveletek nem maradhatnak üresen DocType: Maintenance Visit Purpose,Against Document Detail No,Ellen Dokument Részlet sz. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Ügyfél típus kötelező DocType: Quality Inspection,Outgoing,Kimenő @@ -2884,15 +2890,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Elérhető mennyiség a raktárban apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Számlázott összeg DocType: Asset,Double Declining Balance,Progresszív leírási modell egyenleg -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Lezárt rendelést nem lehet törölni. Nyissa fel megszüntetéshez. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Lezárt rendelést nem lehet törölni. Nyissa fel megszüntetéshez. DocType: Student Guardian,Father,Apa -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Készlet frisítés' nem ellenőrizhető tárgyi eszköz értékesítésre +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Készlet frisítés' nem ellenőrizhető tárgyi eszköz értékesítésre DocType: Bank Reconciliation,Bank Reconciliation,Bank egyeztetés DocType: Attendance,On Leave,Távolléten apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Változások lekérdezése apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: fiók {2} nem tartozik ehhez a vállalkozáshoz {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,"A(z) {0} anyagigénylés törölve, vagy leállítva" -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Adjunk hozzá néhány minta bejegyzést +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Adjunk hozzá néhány minta bejegyzést apps/erpnext/erpnext/config/hr.py +301,Leave Management,Távollét kezelő apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Számla által csoportosítva DocType: Sales Order,Fully Delivered,Teljesen leszállítva @@ -2901,12 +2907,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Különbség számlának Eszköz / Kötelezettség típusú számlának kell lennie, mivel ez a Készlet egyeztetés egy kezdő könyvelési tétel" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},"Folyósított összeg nem lehet nagyobb, a kölcsön összegénél {0}" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Beszerzési megrendelés száma szükséges ehhez az elemhez {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Gyártási rendelés nincs létrehozva -apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"a ""Dátumtól"" dátumnál későbbinek kell lennie a ""Dátumig""" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Gyártási rendelés nincs létrehozva +apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"a ""Dátumtól"" értéknek későbbinek kell lennie a ""Dátumig"" értéknél" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},"Nem lehet megváltoztatni az állapotát, mivel a hallgató: {0} hozzá van fűzve ehhez az alkalmazáshoz: {1}" DocType: Asset,Fully Depreciated,Teljesen amortizálódott ,Stock Projected Qty,Készlet kivetített Mennyiség -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Vevő {0} nem tartozik ehhez a projekthez {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Vevő {0} nem tartozik ehhez a projekthez {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Jelzett Nézőszám HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Árajánlatok mind javaslatok, a vásárlói részére kiküldött ajánlatok" DocType: Sales Order,Customer's Purchase Order,Vevői Beszerzési megrendelés @@ -2916,7 +2922,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Kérjük, állítsa be a könyvelt amortizációk számát" apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Érték vagy menny apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Gyártási rendeléseket nem lehet megemelni erre: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Perc +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Perc DocType: Purchase Invoice,Purchase Taxes and Charges,Beszerzési megrendelés Adók és díjak ,Qty to Receive,Mennyiség a fogadáshoz DocType: Leave Block List,Leave Block List Allowed,Távollét blokk lista engedélyezett @@ -2929,7 +2935,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Összes beszállító típus DocType: Global Defaults,Disable In Words,Szavakkal mező elrejtése apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Tétel kód megadása kötelező, mert Tétel nincs automatikusan számozva" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Árajánlat {0} nem ilyen típusú {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Árajánlat {0} nem ilyen típusú {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Karbantartandó ütemező tétel DocType: Sales Order,% Delivered,% kiszállítva DocType: Production Order,PRO-,GYR- @@ -2952,7 +2958,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Eladó Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Beszerzés teljes költsége (Beszerzési számla alapján) DocType: Training Event,Start Time,Kezdés ideje -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Válasszon mennyiséget +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Válasszon mennyiséget DocType: Customs Tariff Number,Customs Tariff Number,Vámtarifa szám apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Jóváhagyó beosztás nem lehet ugyanaz, mint a beosztás melyre a szabály alkalmazandó" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Leiratkozni erről az üsszefoglaló e-mail -ről @@ -2976,7 +2982,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,FIZKER részlete DocType: Sales Order,Fully Billed,Teljesen számlázott apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Kézben lévő Készpénz -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Szállítási raktár szükséges erre az tételre: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Szállítási raktár szükséges erre az tételre: {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),A csomag bruttó tömege. Általában a nettó tömeg + csomagolóanyag súlya. (nyomtatáshoz) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"A felhasználók ezzel a Beosztással engedélyt kapnak, hogy zároljanak számlákat és létrehozzanek / módosítsanak könyvelési tételeket a zárolt számlákon" @@ -2985,7 +2991,7 @@ DocType: Student Group,Group Based On,Ezen alapuló csoport DocType: Journal Entry,Bill Date,Számla kelte apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Szolgáltatás tétel, Típus, gyakorisága és ráfordítások összege kötelező" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Még ha több árképzési szabály is van kiemelve, akkor a következő belső prioritások kerülnek alkalmazásra:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Tényleg e szeretné nyújtani az összes Bérpapírt ettől {0} eddig {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Tényleg e szeretné nyújtani az összes Bérpapírt ettől {0} eddig {1} DocType: Cheque Print Template,Cheque Height,Csekk magasság DocType: Supplier,Supplier Details,Beszállítói adatok DocType: Expense Claim,Approval Status,Jóváhagyás állapota @@ -3007,12 +3013,12 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Érdeklődést Lehet apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nincs mást mutatnak. DocType: Lead,From Customer,Vevőtől apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Hívások -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,sarzsok +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,sarzsok DocType: Project,Total Costing Amount (via Time Logs),Összes Költség Összeg (Időnyilvántartó szerint) DocType: Purchase Order Item Supplied,Stock UOM,Készlet mértékegysége apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Beszerzési megrendelés {0} nem nyújtják be DocType: Customs Tariff Number,Tariff Number,Vámtarifaszám -DocType: Production Order Item,Available Qty at WIP Warehouse,Elérhető Mennyiség a WIP Warehouse +DocType: Production Order Item,Available Qty at WIP Warehouse,Elérhető Mennyiség a WIP raktárban apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Tervezett apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Széria sz.: {0} nem tartozik ehhez a Raktárhoz {1} apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Megjegyzés: A rendszer nem ellenőrzi a túlteljesítést és túl-könyvelést erre a tételre {0}, mivel a mennyiség vagy összeg az: 0" @@ -3038,7 +3044,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Beszerzési számla el DocType: Item,Warranty Period (in days),Garancia hossza (napokban) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Összefüggés a Helyettesítő1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Származó nettó a műveletekből -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,pl. ÁFA +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,pl. ÁFA apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,4. tétel DocType: Student Admission,Admission End Date,Felvételi Végdátum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Alvállalkozói @@ -3046,7 +3052,7 @@ DocType: Journal Entry Account,Journal Entry Account,Könyvelési tétel számla apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Diákcsoport DocType: Shopping Cart Settings,Quotation Series,Árajánlat szériák apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Egy tétel létezik azonos névvel ({0}), kérjük, változtassa meg a tétel csoport nevét, vagy nevezze át a tételt" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,"Kérjük, válasszon vevőt" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,"Kérjük, válasszon vevőt" DocType: C-Form,I,én DocType: Company,Asset Depreciation Cost Center,Vagyoneszköz Értékcsökkenés Költséghely DocType: Sales Order Item,Sales Order Date,Vevői rendelés dátuma @@ -3057,6 +3063,7 @@ DocType: Stock Settings,Limit Percent,Limit Percent ,Payment Period Based On Invoice Date,Fizetési határidő számla dátuma alapján apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Hiányzó pénznem árfolyamok ehhez: {0} DocType: Assessment Plan,Examiner,Vizsgáztató +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Állítsa be a Naming Series {0} beállítást a Beállítás> Beállítások> Nevezési sorozatok segítségével DocType: Student,Siblings,Testvérek DocType: Journal Entry,Stock Entry,Készlet bejegyzés DocType: Payment Entry,Payment References,Fizetési hivatkozások @@ -3081,7 +3088,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Ahol a gyártási műveleteket végzik. DocType: Asset Movement,Source Warehouse,Forrás raktár DocType: Installation Note,Installation Date,Telepítés dátuma -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Sor # {0}: {1} Vagyontárgy nem tartozik ehhez a céghez {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Sor # {0}: {1} Vagyontárgy nem tartozik ehhez a céghez {2} DocType: Employee,Confirmation Date,Visszaigazolás dátuma DocType: C-Form,Total Invoiced Amount,Teljes kiszámlázott összeg apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,"Min Menny nem lehet nagyobb, mint Max Mennyiség" @@ -3113,7 +3120,7 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Beszerzési m apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,A Válallkozás neve nem lehet Válallkozás apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Levél fejlécek a nyomtatási sablonokhoz. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Címek nyomtatási sablonokhoz pl. Pro forma számla. -DocType: Program Enrollment,Walking,gyalogló +DocType: Program Enrollment,Walking,Gyalogló DocType: Student Guardian,Student Guardian,Diák felügyelő apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +201,Valuation type charges can not marked as Inclusive,Készletérték típusú költségeket nem lehet megjelölni értékbe beszámíthatónak DocType: POS Profile,Update Stock,Készlet frissítése @@ -3154,7 +3161,7 @@ DocType: Company,Default Letter Head,Alapértelmezett levélfejléc DocType: Purchase Order,Get Items from Open Material Requests,Kapjon tételeket Nyitott Anyag igénylésekből DocType: Item,Standard Selling Rate,Alapértelmezett értékesítési ár DocType: Account,Rate at which this tax is applied,"Arány, amelyen ezt az adót alkalmazzák" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Újra rendelendő mennyiség +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Újra rendelendő mennyiség apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Jelenlegi munkalehetőségek DocType: Company,Stock Adjustment Account,Készlet igazítás számla apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Leíró @@ -3168,7 +3175,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Beszállító szállít a Vevőnek apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0}) elfogyott apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,"Következő Dátumnak nagyobbnak kell lennie, mint a Beküldés dátuma" -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Határidő / referencia dátum nem lehet {0} utáni +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Határidő / referencia dátum nem lehet {0} utáni apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Adatok importálása és exportálása apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nem talált diákokat apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Számla Könyvelési dátuma @@ -3188,12 +3195,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ez a Tanuló jelenlétén alapszik apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Nincs diák ebben apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,További tételek hozzáadása vagy nyisson új űrlapot -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Kérjük, írja be: 'Várható szállítási időpont""" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,"A {0} Szállítóleveleket törölni kell, mielőtt lemondásra kerül a Vevői rendelés" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,"A {0} Szállítóleveleket törölni kell, mielőtt lemondásra kerül a Vevői rendelés" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,"Fizetett összeg + Leírható összeg nem lehet nagyobb, mint a Teljes összeg" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nem érvényes Köteg szám ehhez a tételhez {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Megjegyzés: Nincs elég távollét egyenlege erre a távollét típusra {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Érvénytelen GSTIN vagy írja be NA a nem regisztrálthoz +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Érvénytelen GSTIN vagy írja be NA a nem regisztrálthoz DocType: Training Event,Seminar,Szeminárium DocType: Program Enrollment Fee,Program Enrollment Fee,Program Beiratkozási díj DocType: Item,Supplier Items,Beszállítói tételek @@ -3211,7 +3217,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Készlet öregedés apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Tanuló {0} létezik erre a hallgatói kérelmezésre {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Jelenléti ív -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' letiltott +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' letiltott apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Megnyitottá állít DocType: Cheque Print Template,Scanned Cheque,Beolvasott Csekk DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Küldjön automatikus e-maileket a Kapcsolatoknak a benyújtott tranzakciókkal. @@ -3257,7 +3263,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Árlista váltási árfolyama DocType: Purchase Invoice Item,Rate,Arány apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Belső -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Cím Neve +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Cím Neve DocType: Stock Entry,From BOM,Anyagjegyzékből DocType: Assessment Code,Assessment Code,Értékelés kód apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Alapvető @@ -3270,20 +3276,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Bérrendszer DocType: Account,Bank,Bank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Légitársaság -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Problémás Anyag +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Problémás Anyag DocType: Material Request Item,For Warehouse,Ebbe a raktárba DocType: Employee,Offer Date,Ajánlat dátuma apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Árajánlatok -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Ön offline módban van. Ön nem lesz képes, frissíteni amíg nincs hálózata." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Ön offline módban van. Ön nem lesz képes, frissíteni amíg nincs hálózata." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Diákcsoportokat nem hozott létre. DocType: Purchase Invoice Item,Serial No,Széria sz. apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,"Havi törlesztés összege nem lehet nagyobb, mint a hitel összege" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Kérjük, adja meg a fenntartás Részleteket először" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,# {0} sor: A várt kiszállítási dátum nem lehet a vételi megbízás dátuma előtt DocType: Purchase Invoice,Print Language,Nyomtatási nyelv DocType: Salary Slip,Total Working Hours,Teljes munkaidő DocType: Stock Entry,Including items for sub assemblies,Tartalmazza a részegységek tételeit -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Beírt értéknek pozitívnak kell lennie -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Tételkód> Tételcsoport> Márka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Beírt értéknek pozitívnak kell lennie apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Összes Terület DocType: Purchase Invoice,Items,Tételek apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Tanuló már részt. @@ -3305,7 +3311,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Alapértelmezett mértékegysége a '{0}' variánsnak meg kell egyeznie a '{1}' sablonban lévővel. DocType: Shipping Rule,Calculate Based On,Számítás ezen alapul DocType: Delivery Note Item,From Warehouse,Raktárról -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Nincs elem az Anyagjegyzéken a Gyártáshoz +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Nincs elem az Anyagjegyzéken a Gyártáshoz DocType: Assessment Plan,Supervisor Name,Felügyelő neve DocType: Program Enrollment Course,Program Enrollment Course,Program Jelentkezés kurzus DocType: Purchase Taxes and Charges,Valuation and Total,Készletérték és Teljes érték @@ -3320,32 +3326,33 @@ DocType: Training Event Employee,Attended,Részt vett apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Az utolsó rendelés óta eltelt napok""-nak nagyobbnak vagy egyenlőnek kell lennie nullával" DocType: Process Payroll,Payroll Frequency,Bérszámfejtés gyakoriság DocType: Asset,Amended From,Módosított feladója -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Nyersanyag +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Nyersanyag DocType: Leave Application,Follow via Email,Kövesse e-mailben apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Géppark és gépek DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Adó összege a kedvezmény összege után DocType: Daily Work Summary Settings,Daily Work Summary Settings,Napi munka összefoglalása beállítások -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Pénznem ebben az árlistában {0} nem hasonlít erre a kiválasztott pénznemre {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Pénznem ebben az árlistában {0} nem hasonlít erre a kiválasztott pénznemre {1} DocType: Payment Entry,Internal Transfer,belső Transfer apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Al fiók létezik erre a számlára. Nem törölheti ezt a fiókot. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Vagy előirányzott Menny. vagy előirányzott összeg kötelező apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Nincs alapértelmezett Anyagjegyzék erre a tételre {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Kérjük, válasszon Könyvelési dátumot először" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Kérjük, válasszon Könyvelési dátumot először" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Nyitás dátumának előbb kel llennie mint a zárás dátuma DocType: Leave Control Panel,Carry Forward,Átvihető a szabadság apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Költséghely meglévő tranzakciókkal nem lehet átalakítani főkönyvi számlává DocType: Department,Days for which Holidays are blocked for this department.,Napok melyeket az Ünnepnapok blokkolják ezen az osztályon. ,Produced,Készült -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Bér papírok létrehozás +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Bér papírok létrehozás DocType: Item,Item Code for Suppliers,Tétel kód a Beszállítóhoz DocType: Issue,Raised By (Email),Felvetette (e-mail) DocType: Training Event,Trainer Name,Képző neve DocType: Mode of Payment,General,Általános apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Utolsó kommunikáció apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nem vonható le, ha a kategória a 'Készletérték' vagy 'Készletérték és Teljes érték'" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sorolja fel az adó fejléceket (például ÁFA, vám stb.; rendelkezniük kell egyedi nevekkel) és a normál áraikat. Ez létre fog hozni egy szokásos sablont, amely szerkeszthet, és később hozzá adhat még többet." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sorolja fel az adó fejléceket (például ÁFA, vám stb.; rendelkezniük kell egyedi nevekkel) és a normál áraikat. Ez létre fog hozni egy szokásos sablont, amely szerkeszthet, és később hozzá adhat még többet." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Széria számok szükségesek a sorbarendezett tételhez: {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Kifizetések és számlák főkönyvi egyeztetése +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},"# {0} sor: Kérjük, adja meg a kézbesítési dátumot az {1}" DocType: Journal Entry,Bank Entry,Bank adatbevitel DocType: Authorization Rule,Applicable To (Designation),Alkalmazandó (Titulus) ,Profitability Analysis,Jövedelmezőség elemzése @@ -3361,17 +3368,18 @@ DocType: Quality Inspection,Item Serial No,Tétel-sorozatszám apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Készítsen Alkalmazott nyilvántartást apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Összesen meglévő apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Könyvelési kimutatások -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Óra +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Óra apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Új széria számnak nem lehet Raktára. Raktárat be kell állítani a Készlet bejegyzéssel vagy Beszerzési nyugtával DocType: Lead,Lead Type,Érdeklődés típusa apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Nincs engedélye jóváhagyni az távolléteket a blokkolt dátumokon -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Mindezen tételek már kiszámlázottak +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Mindezen tételek már kiszámlázottak +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Havi eladási cél apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Jóváhagyhatja: {0} DocType: Item,Default Material Request Type,Alapértelmezett anyagigény típus apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Ismeretlen DocType: Shipping Rule,Shipping Rule Conditions,Szállítás szabály feltételei DocType: BOM Replace Tool,The new BOM after replacement,"Az új anyagjegyzék, amire lecseréli mindenhol" -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Értékesítési hely kassza +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Értékesítési hely kassza DocType: Payment Entry,Received Amount,Beérkezett összeg DocType: GST Settings,GSTIN Email Sent On,GSTIN e-mail elküldve ekkor DocType: Program Enrollment,Pick/Drop by Guardian,Kiálasztás / Csökkenés helyettesítőnként @@ -3386,8 +3394,8 @@ DocType: C-Form,Invoices,Számlák DocType: Batch,Source Document Name,Forrás dokumentum neve DocType: Job Opening,Job Title,Állás megnevezése apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Felhasználók létrehozása -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gramm -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,"Gyártáshoz a mennyiségnek nagyobbnak kell lennie, mint 0." +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gramm +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,"Gyártáshoz a mennyiségnek nagyobbnak kell lennie, mint 0." apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Látogassa jelentést karbantartási hívást. DocType: Stock Entry,Update Rate and Availability,Frissítse az árat és az elérhetőséget DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Százalék amennyivel többet kaphat és adhat a megrendelt mennyiségnél. Például: Ha Ön által megrendelt 100 egység, és az engedmény 10%, akkor kaphat 110 egységet." @@ -3399,7 +3407,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,"Kérjük, vonja vissza a(z) {0} Beszállítói számlát először" apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-mail címnek egyedinek kell lennie, ez már létezik: {0}" DocType: Serial No,AMC Expiry Date,Éves karbantartási szerződés lejárati dátuma -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Nyugta +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Nyugta ,Sales Register,Értékesítési Regisztráció DocType: Daily Work Summary Settings Company,Send Emails At,Küldj e-maileket ide DocType: Quotation,Quotation Lost Reason,Árajánlat elutasításának oka @@ -3412,14 +3420,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Még nem Vev apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Pénzforgalmi kimutatás apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Hitel összege nem haladhatja meg a maximális kölcsön összegét {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licensz -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Töröld a számlát: {0} a C-űrlapból: {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Töröld a számlát: {0} a C-űrlapból: {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Kérjük, válassza ki az átvitelt, ha Ön is szeretné az előző pénzügyi év mérlege ágait erre a költségvetési évre áthozni" DocType: GL Entry,Against Voucher Type,Ellen-bizonylat típusa DocType: Item,Attributes,Jellemzők apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Kérjük, adja meg a Leíráshoz használt számlát" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Utolsó rendelési dátum apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},A {0}számlához nem tartozik a {1} vállalat -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Sorozatszámok ebben a sorban {0} nem egyezik a szállítólevéllel +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Sorozatszámok ebben a sorban {0} nem egyezik a szállítólevéllel DocType: Student,Guardian Details,Helyettesítő részletei DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Jelölje a Jelenlétet több alkalmazotthoz @@ -3451,16 +3459,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Te DocType: Tax Rule,Sales,Értékesítés DocType: Stock Entry Detail,Basic Amount,Alapösszege DocType: Training Event,Exam,Vizsga -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Raktár szükséges a {0} tételhez +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Raktár szükséges a {0} tételhez DocType: Leave Allocation,Unused leaves,A fel nem használt távollétek -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Kr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Kr DocType: Tax Rule,Billing State,Számlázási Állam apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Átutalás apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nincs összekapcsolva ezzel az Ügyfél fiókkal {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Hozzon létre robbant anyagjegyzéket BOM (beleértve a részegységeket) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Hozzon létre robbant anyagjegyzéket BOM (beleértve a részegységeket) DocType: Authorization Rule,Applicable To (Employee),Alkalmazandó (Alkalmazott) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Határidő dátum kötelező apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Növekmény erre a Jellemzőre {0} nem lehet 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Ügyfél> Ügyfélcsoport> Terület DocType: Journal Entry,Pay To / Recd From,Fizetni neki / követelni tőle DocType: Naming Series,Setup Series,Sorszámozás telepítése DocType: Payment Reconciliation,To Invoice Date,A számla keltétől @@ -3487,7 +3496,7 @@ DocType: Journal Entry,Write Off Based On,Leírja ez alapján apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Érdeklődés készítés apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Nyomtatás és papíráruk DocType: Stock Settings,Show Barcode Field,Mutatása a Vonalkód mezőt -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Beszállítói e-mailek küldése +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Beszállítói e-mailek küldése apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Fizetés már feldolgozott a {0} és {1} közti időszakra, Távollét alkalmazásának időszaka nem eshet ezek közözti időszakok közé." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Telepítés rekordot egy Széria számra DocType: Guardian Interest,Guardian Interest,Helyettesítő kamat @@ -3500,7 +3509,7 @@ DocType: Offer Letter,Awaiting Response,Várakozás válaszra apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Fent apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Érvénytelen Jellemző {0} {1} DocType: Supplier,Mention if non-standard payable account,"Megemlít, ha nem szabványos fizetendő számla" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Ugyanaz a tétel már többször megjelenik. {lista} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Ugyanaz a tétel már többször megjelenik. {lista} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',"Kérjük, válasszon értékelés csoprotot ami más mint 'Az összes Értékelési csoportok'" DocType: Salary Slip,Earning & Deduction,Jövedelem és levonás apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"Választható. Ezt a beállítást kell használni, a különböző tranzakciók szűréséhez." @@ -3519,7 +3528,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Selejtezett eszközök költsége apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Költséghely kötelező ehhez a tételhez {2} DocType: Vehicle,Policy No,Irányelv sz.: -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Hogy elemeket Termék Bundle +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Hogy elemeket Termék Bundle DocType: Asset,Straight Line,Egyenes DocType: Project User,Project User,Projekt téma felhasználó apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Osztott @@ -3531,6 +3540,7 @@ DocType: Sales Team,Contact No.,Kapcsolattartó szám DocType: Bank Reconciliation,Payment Entries,Fizetési bejegyzések DocType: Production Order,Scrap Warehouse,Hulladék raktár DocType: Production Order,Check if material transfer entry is not required,"Ellenőrizze, hogy az anyag átadás bejegyzés nem szükséges" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Kérjük, állítsa be az alkalmazottak elnevezési rendszerét az emberi erőforrás> HR beállításoknál" DocType: Program Enrollment Tool,Get Students From,Diák űrlapok lekérése DocType: Hub Settings,Seller Country,Eladó Országa apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Közzéteszi a tételt a weboldalon @@ -3548,19 +3558,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Adja meg a feltételeket a szállítási költség kiszámításához 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 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Nyitó érték +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Nyitó érték DocType: Salary Detail,Formula,Képlet apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Szériasz # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Értékesítések jutalékai DocType: Offer Letter Term,Value / Description,Érték / Leírás -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Sor # {0}: {1} Vagyontárgyat nem lehet benyújtani, ez már {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Sor # {0}: {1} Vagyontárgyat nem lehet benyújtani, ez már {2}" DocType: Tax Rule,Billing Country,Számlázási Ország DocType: Purchase Order Item,Expected Delivery Date,Várható szállítás dátuma apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Tartozik és követel nem egyenlő a {0} # {1}. Ennyi a különbség {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Reprezentációs költségek apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Anyag igénylés létrehozás apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Nyitott tétel {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A {0} kimenő vevői rendelési számlát vissza kell vonni a vevői rendelés lemondása elött +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A {0} kimenő vevői rendelési számlát vissza kell vonni a vevői rendelés lemondása elött apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Életkor DocType: Sales Invoice Timesheet,Billing Amount,Számlaérték apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Érvénytelen mennyiséget megadott elem {0}. A mennyiség nagyobb, mint 0." @@ -3583,7 +3593,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Új Vevő árbevétel apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Utazási költségek DocType: Maintenance Visit,Breakdown,Üzemzavar -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Számla: {0} ebben a pénznemben: {1} nem választható +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Számla: {0} ebben a pénznemben: {1} nem választható DocType: Bank Reconciliation Detail,Cheque Date,Csekk dátuma apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},A {0} számla: Szülő számla {1} nem tartozik ehhez a céghez: {2} DocType: Program Enrollment Tool,Student Applicants,Tanuló pályázóknak @@ -3603,11 +3613,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Tervez DocType: Material Request,Issued,Kiadott Probléma apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Tanulói tevékenység DocType: Project,Total Billing Amount (via Time Logs),Összesen Számlázott összeg (Idő Nyilvántartó szerint) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Értékesítjük ezt a tételt +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Értékesítjük ezt a tételt apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Beszállító Id DocType: Payment Request,Payment Gateway Details,Fizetési átjáró részletei -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,"Mennyiség nagyobbnak kell lennie, mint 0" -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Sample Data +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,"Mennyiség nagyobbnak kell lennie, mint 0" +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Minta adat DocType: Journal Entry,Cash Entry,Készpénz bejegyzés apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Al csomópontok csak 'csoport' típusú csomópontok alatt hozhatók létre DocType: Leave Application,Half Day Date,Félnapos dátuma @@ -3616,17 +3626,18 @@ DocType: Sales Partner,Contact Desc,Kapcsolattartó leírása apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Távollétek típusa, mint alkalmi, beteg stb." DocType: Email Digest,Send regular summary reports via Email.,Küldje el a rendszeres összefoglaló jelentéseket e-mailben. DocType: Payment Entry,PE-,FIZBEV- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Kérjük, állítsa be az alapértelmezett főkönyvi számlát a Költség Követelés típusban: {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},"Kérjük, állítsa be az alapértelmezett főkönyvi számlát a Költség Követelés típusban: {0}" DocType: Assessment Result,Student Name,Tanuló név DocType: Brand,Item Manager,Tétel kezelő apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Bérszámfejtés fizetendő DocType: Buying Settings,Default Supplier Type,Alapértelmezett beszállító típus DocType: Production Order,Total Operating Cost,Teljes működési költség -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,"Megjegyzés: Tétel {0}, többször vitték be" +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,"Megjegyzés: Tétel {0}, többször vitték be" apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Összes Kapcsolattartó. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Állítsa be célját apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Vállakozás rövidítése apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,A(z) {0} felhasználó nem létezik -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,"Alapanyag nem lehet ugyanaz, mint a fő elem" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,"Alapanyag nem lehet ugyanaz, mint a fő elem" DocType: Item Attribute Value,Abbreviation,Rövidítés apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Fizetés megadása már létezik apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Nem engedélyezett hiszen {0} meghaladja határértékek @@ -3644,7 +3655,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Beosztás engedélyezi ,Territory Target Variance Item Group-Wise,"Terület Cél Variáció, tételcsoportonként" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Összes vevői csoport apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Halmozott Havi -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} kötelező. Talán a Pénzváltó rekord nincs létrehozva ettől {1} eddig {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} kötelező. Talán a Pénzváltó rekord nincs létrehozva ettől {1} eddig {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Adó Sablon kötelező. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,A {0} számla: Szülő számla {1} nem létezik DocType: Purchase Invoice Item,Price List Rate (Company Currency),Árlista árak (Vállalat pénznemében) @@ -3655,7 +3666,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Százalékos mego apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Titkár DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ha kikapcsolja, a ""Szavakkal"" mező nem fog látszódni egyik tranzakcióban sem" DocType: Serial No,Distinct unit of an Item,Különálló egység egy tételhez -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,"Kérjük, állítsa be a Vállalkozást" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,"Kérjük, állítsa be a Vállalkozást" DocType: Pricing Rule,Buying,Beszerzés DocType: HR Settings,Employee Records to be created by,Alkalmazott bejegyzést létrehozó DocType: POS Profile,Apply Discount On,Alkalmazzon kedvezmény ezen @@ -3666,7 +3677,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Tételenkénti adó részletek apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Intézet rövidítése ,Item-wise Price List Rate,Tételenkénti Árlista árjegyzéke -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Beszállítói ajánlat +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Beszállítói ajánlat DocType: Quotation,In Words will be visible once you save the Quotation.,"A szavakkal mező lesz látható, miután mentette az Árajánlatot." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Mennyiség ({0}) nem lehet egy töredék ebben a sorban {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Díjak gyűjtése @@ -3689,7 +3700,7 @@ Updated via 'Time Log'",percben Frissítve az 'Idő napló'-n keresztül DocType: Customer,From Lead,Érdeklődésből apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Megrendelések gyártásra bocsátva. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Válasszon pénzügyi évet ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS profil szükséges a POS bevitelhez +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS profil szükséges a POS bevitelhez DocType: Program Enrollment Tool,Enroll Students,Diákok felvétele DocType: Hub Settings,Name Token,Név Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Alapértelmezett értékesítési @@ -3707,7 +3718,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Készlet értékkülönbözet apps/erpnext/erpnext/config/learn.py +234,Human Resource,Emberi Erőforrás HR DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Fizetés főkönyvi egyeztetés Fizetés apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Adó eszközök -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Termelés rendelést {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Gyártási rendelést {0} DocType: BOM Item,BOM No,Anyagjegyzék száma DocType: Instructor,INS/,OKT/ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Naplókönyvelés {0} nincs főkönyvi számlája {1} vagy már párosított másik utalvánnyal @@ -3721,7 +3732,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Töltsd apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Fennálló kinntlévő negatív össz DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Csoportonkénti Cél tétel beállítás ehhez az Értékesítő személyhez. DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days] régebbi készlet zárolása -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Sor # {0}: Vagyontárgy kötelező állóeszköz vétel / eladás +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Sor # {0}: Vagyontárgy kötelező állóeszköz vétel / eladás apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ha két vagy több árképzési szabály található a fenti feltételek alapján, Prioritást alkalmazzák. Prioritás egy 0-20 közötti szám, míg az alapértelmezett értéke nulla (üres). A magasabb szám azt jelenti, hogy elsőbbséget élvez, ha több árképzési szabály azonos feltételekkel rendelkezik." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Pénzügyi év: {0} nem létezik DocType: Currency Exchange,To Currency,Pénznemhez @@ -3729,7 +3740,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Garanciális ügyek költség típusa. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"Eladási ár ehhez a tételhez {0} alacsonyabb, mint a {1}. Eladási árnak legalább ennyienk kell lennie {2}" DocType: Item,Taxes,Adók -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Fizetett és nincs leszállítva +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Fizetett és nincs leszállítva DocType: Project,Default Cost Center,Alapértelmezett költséghely DocType: Bank Guarantee,End Date,Befejezés dátuma apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Készlet tranzakciók @@ -3746,7 +3757,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Napi munka összefoglalása vállkozási beállítások apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Tétel: {0} - figyelmen kívül hagyva, mivel ez nem egy készletezhető tétel" DocType: Appraisal,APRSL,TELJESITM -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Nyújsa be ezt a Gyártási megrendelést további feldolgozásra. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Nyújsa be ezt a Gyártási megrendelést további feldolgozásra. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Hogy nem használhassa az árképzési szabályt egy adott ügyletben, az összes árképzési szabályt le kell tiltani." DocType: Assessment Group,Parent Assessment Group,Szülő értékelési csoport apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Állás @@ -3754,14 +3765,14 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Állás DocType: Employee,Held On,Tartott apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Gyártási tétel ,Employee Information,Alkalmazott adatok -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Ráta (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Ráta (%) DocType: Stock Entry Detail,Additional Cost,Járulékos költség apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"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" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Beszállítói ajánlat létrehozás +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Beszállítói ajánlat létrehozás DocType: Quality Inspection,Incoming,Bejövő DocType: BOM,Materials Required (Exploded),Szükséges anyagok (Robbantott) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Adjon hozzá felhasználókat a szervezetéhez, saját magán kívül" -apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Kérjük, állítsa Company szűrni üresen, ha Group By a „Társaság”" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Kérjük, állítsa Vállakozás szűrését üresre, ha a csoportosítás beállítása 'Vállalkozás'" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Könyvelési dátum nem lehet jövőbeni időpontban apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Sor # {0}: Sorszám {1} nem egyezik a {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Alkalmi távollét @@ -3773,7 +3784,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Számla: {0} csak Készlet tranzakciókkal frissíthető DocType: Student Group Creation Tool,Get Courses,Tanfolyamok lekérése DocType: GL Entry,Party,Ügyfél -DocType: Sales Order,Delivery Date,Szállítás dátuma +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Szállítás dátuma DocType: Opportunity,Opportunity Date,Lehetőség dátuma DocType: Purchase Receipt,Return Against Purchase Receipt,Vásárlási nyugtával ellenszámlája DocType: Request for Quotation Item,Request for Quotation Item,Árajánlatkérés tételre @@ -3787,7 +3798,7 @@ DocType: Task,Actual Time (in Hours),Tényleges idő (óra) DocType: Employee,History In Company,Előzmények a cégnél apps/erpnext/erpnext/config/learn.py +107,Newsletters,Hírlevelek DocType: Stock Ledger Entry,Stock Ledger Entry,Készlet könyvelés tétele -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Ugyanazt a tételt már többször rögzítették +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Ugyanazt a tételt már többször rögzítették DocType: Department,Leave Block List,Távollét blokk lista DocType: Sales Invoice,Tax ID,Adóazonosító apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,"Tétel: {0}, nincs telepítve Széria sz. Oszlopot hagyja üressen" @@ -3805,25 +3816,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Fekete DocType: BOM Explosion Item,BOM Explosion Item,ANYGJZ Robbantott tétel DocType: Account,Auditor,Könyvvizsgáló -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} előállított tétel(ek) +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} előállított tétel(ek) DocType: Cheque Print Template,Distance from top edge,Távolság felső széle apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Árlista {0} letiltott vagy nem létezik DocType: Purchase Invoice,Return,Visszatérés DocType: Production Order Operation,Production Order Operation,Gyártási rendelés végrehajtás DocType: Pricing Rule,Disable,Tiltva -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Fizetési módra van szükség a fizetéshez +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Fizetési módra van szükség a fizetéshez DocType: Project Task,Pending Review,Ellenőrzésre vár apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nem vontunk be ebbe a kötegbe {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Vagyoneszköz {0} nem selejtezhető, mivel már {1}" DocType: Task,Total Expense Claim (via Expense Claim),Teljes Költség Követelés (költségtérítési igényekkel) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Hiányzónak jelöl -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Sor {0}: Anyagjegyzés BOM pénzneme #{1} egyeznie kell a kiválasztott pénznemhez {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Sor {0}: Anyagjegyzés BOM pénzneme #{1} egyeznie kell a kiválasztott pénznemhez {2} DocType: Journal Entry Account,Exchange Rate,Átváltási arány -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Vevői rendelés {0} nem nyújtják be +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Vevői rendelés {0} nem nyújtják be DocType: Homepage,Tag Line,Jelmondat sor DocType: Fee Component,Fee Component,Díj komponens apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Flotta kezelés -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Tételek hozzáadása innen +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Tételek hozzáadása innen DocType: Cheque Print Template,Regular,Szabályos apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Összesen súlyozás minden Értékelési kritériumra legalább 100% DocType: BOM,Last Purchase Rate,Utolsó beszerzési ár @@ -3844,12 +3855,12 @@ DocType: Employee,Reports to,Jelentések DocType: SMS Settings,Enter url parameter for receiver nos,Adjon url paramétert a fogadó számaihoz DocType: Payment Entry,Paid Amount,Fizetett összeg DocType: Assessment Plan,Supervisor,Felügyelő -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online ,Available Stock for Packing Items,Elérhető készlet a tételek csomagolásához DocType: Item Variant,Item Variant,Tétel variáns DocType: Assessment Result Tool,Assessment Result Tool,Assessment Eredmény eszköz DocType: BOM Scrap Item,BOM Scrap Item,Anyagjegyzék Fémhulladék tétel -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Benyújtott megbízásokat nem törölheti +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Benyújtott megbízásokat nem törölheti apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Számlaegyenleg már Nekünk tartozik, akkor nem szabad beállítani ""Ennek egyenlege"", mint ""Tőlünk követel""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Minőségbiztosítás apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,"Tétel {0} ,le lett tiltva" @@ -3880,7 +3891,7 @@ DocType: Item Group,Default Expense Account,Alapértelmezett Kiadás számla apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Tanuló e-mail azonosító DocType: Employee,Notice (days),Felmondás (nap(ok)) DocType: Tax Rule,Sales Tax Template,Értékesítési adó sablon -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Válassza ki a tételeket a számla mentéséhez +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Válassza ki a tételeket a számla mentéséhez DocType: Employee,Encashment Date,Beváltás dátuma DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Készlet igazítás @@ -3909,7 +3920,7 @@ DocType: Guardian,Guardian Of ,Helyettesítője DocType: Grading Scale Interval,Threshold,Küszöb DocType: BOM Replace Tool,Current BOM,Aktuális anyagjegyzék (mit) apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Széria szám hozzáadása -DocType: Production Order Item,Available Qty at Source Warehouse,Elérhető Mennyiség a Source Warehouse +DocType: Production Order Item,Available Qty at Source Warehouse,Elérhető Mennyiség a Forrás raktárban apps/erpnext/erpnext/config/support.py +22,Warranty,Garancia/szavatosság DocType: Purchase Invoice,Debit Note Issued,Terhelési értesítés kiadva DocType: Production Order,Warehouses,Raktárak @@ -3928,10 +3939,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Feladá apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,A(z) {0} tételre max. {1}% engedmény adható apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Eszközérték ezen DocType: Account,Receivable,Bevételek -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Sor # {0}: nem szabad megváltoztatni a beszállítót, mivel már van rá Beszerzési Megrendelés" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Sor # {0}: nem szabad megváltoztatni a beszállítót, mivel már van rá Beszerzési Megrendelés" DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Beosztást, amely lehetővé tette, hogy nyújtson be tranzakciókat, amelyek meghaladják a követelés határértékeket." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Tételek kiválasztása gyártáshoz -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Törzsadatok szinkronizálása, ez eltart egy ideig" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Tételek kiválasztása gyártáshoz +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Törzsadatok szinkronizálása, ez eltart egy ideig" DocType: Item,Material Issue,Anyag probléma DocType: Hub Settings,Seller Description,Eladó Leírása DocType: Employee Education,Qualification,Képesítés @@ -3952,11 +3963,10 @@ DocType: BOM,Rate Of Materials Based On,Anyagköltség számítás módja apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Támogatási analitika apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Összes kijelöletlen DocType: POS Profile,Terms and Conditions,Általános Szerződési Feltételek -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Kérjük, állítsa be az alkalmazottak elnevezési rendszerét az emberi erőforrás> HR beállításoknál" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},A végső napnak a pénzügyi éven bellülinek kell lennie. Feltételezve a végső nap = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Itt tarthatja karban a magasságot, súlyt, allergiát, egészségügyi problémákat stb" DocType: Leave Block List,Applies to Company,Vállaltra vonatkozik -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Nem lehet lemondani, mert Készlet bejegyzés: {0} létezik" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Nem lehet lemondani, mert Készlet bejegyzés: {0} létezik" DocType: Employee Loan,Disbursement Date,Folyósítás napja DocType: Vehicle,Vehicle,Jármű DocType: Purchase Invoice,In Words,Szavakkal @@ -3994,7 +4004,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globális beállításo DocType: Assessment Result Detail,Assessment Result Detail,Értékelés eredménye részlet DocType: Employee Education,Employee Education,Alkalmazott képzése apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Ismétlődő elem csoport található a csoport táblázatában -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,"Erre azért van szükség, hogy behozza a Termék részleteket." +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,"Erre azért van szükség, hogy behozza a Termék részleteket." DocType: Salary Slip,Net Pay,Nettó fizetés DocType: Account,Account,Számla apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Széria sz. {0} már beérkezett @@ -4002,7 +4012,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Jármű napló DocType: Purchase Invoice,Recurring Id,Ismétlődő Id DocType: Customer,Sales Team Details,Értékesítő csapat részletei -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Véglegesen törli? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Véglegesen törli? DocType: Expense Claim,Total Claimed Amount,Összes Garanciális összeg apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciális értékesítési lehetőségek. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Érvénytelen {0} @@ -4014,7 +4024,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Állítsa be az Iskolát az ERPNext-ben DocType: Sales Invoice,Base Change Amount (Company Currency),Bázis váltó összeg (Vállalat pénzneme) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nincs számviteli bejegyzést az alábbi raktárakra -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Először mentse el a dokumentumot. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Először mentse el a dokumentumot. DocType: Account,Chargeable,Felszámítható DocType: Company,Change Abbreviation,Váltópénz rövidítése DocType: Expense Claim Detail,Expense Date,Költség igénylés dátuma @@ -4028,7 +4038,6 @@ DocType: BOM,Manufacturing User,Gyártás Felhasználó DocType: Purchase Invoice,Raw Materials Supplied,Alapanyagok leszállítottak DocType: Purchase Invoice,Recurring Print Format,Ismétlődő Print Format DocType: C-Form,Series,Sorozat -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Várható szállítás dátuma nem lehet korábbi mint a beszerzési rendelés dátuma DocType: Appraisal,Appraisal Template,Teljesítmény értékelő sablon DocType: Item Group,Item Classification,Tétel osztályozás apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4067,12 +4076,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Válasszon apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Képzési emények/Eredmények apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Halmozott értékcsökkenés ekkor DocType: Sales Invoice,C-Form Applicable,C-formában idéztük -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},"Működési időnek nagyobbnak kell lennie, mint 0 erre a műveletre: {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},"Működési időnek nagyobbnak kell lennie, mint 0 erre a műveletre: {0}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Raktár kötelező DocType: Supplier,Address and Contacts,Cím és Kapcsolatok DocType: UOM Conversion Detail,UOM Conversion Detail,Mértékegység konvertálásának részlete DocType: Program,Program Abbreviation,Program rövidítése -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Gyártási rendelést nem lehet emelni a tétel terméksablonnal szemben +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Gyártási rendelést nem lehet emelni a tétel terméksablonnal szemben apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Díjak frissülnek a vásárláskor kapott nyugtán a tételek szerint DocType: Warranty Claim,Resolved By,Megoldotta DocType: Bank Guarantee,Start Date,Kezdés dátuma @@ -4107,6 +4116,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Képzési Visszajelzés apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Gyártási rendelést: {0} be kell benyújtani apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Kérjük, válassza ki a Start és végé dátumát erre a tételre {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Állítson be egy elérni kívánt értékesítési célt. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Tanfolyam kötelező ebben a sorban {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,"A végső nap nem lehet, a kezdő dátum előtti" DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4124,7 +4134,7 @@ DocType: Account,Income,Jövedelem DocType: Industry Type,Industry Type,Iparág apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Valami hiba történt! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Figyelmeztetés: Távolét ealkalmazás a következő blokkoló dátumokat tartalmazza -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,A {0} kimenő értékesítési számla már elküldve +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,A {0} kimenő értékesítési számla már elküldve DocType: Assessment Result Detail,Score,Pontszám apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Pénzügyi év {0} nem létezik apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Teljesítési dátum @@ -4135,7 +4145,7 @@ DocType: Announcement,Student,Diák apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Vállalkozás egység (osztály) törzsadat. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,"Kérjük, adjon meg érvényes mobil számokat" apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Kérjük, elküldés előtt adja meg az üzenetet" -DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,Ismétlésben SZÁLLÍTÓ +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,ISMÉTLŐDŐ BESZÁLLÍTÓRA DocType: Email Digest,Pending Quotations,Függő árajánlatok apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Értékesítési hely profil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,"Kérjük, frissítsd az SMS beállításokat" @@ -4154,7 +4164,7 @@ DocType: Naming Series,Help HTML,Súgó HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Diákcsoport készítő eszköz DocType: Item,Variant Based On,Változat ez alapján apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Összesen kijelölés súlyozásának 100% -nak kell lennie. Ez: {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Ön Beszállítói +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Ön Beszállítói apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Nem lehet beállítani elveszettnek ezt a Vevői rendelést, mivel végre van hajtva." DocType: Request for Quotation Item,Supplier Part No,Beszállítói alkatrész sz apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nem vonható le, ha a kategória a 'Készletérték' vagy 'Készletérték és Teljes érték'" @@ -4164,14 +4174,14 @@ DocType: Item,Has Serial No,Van sorozatszáma DocType: Employee,Date of Issue,Probléma dátuma apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Feladó: {0} a {1} -hez apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Mivel a per a vásárlás beállítások, ha vásárlás átvételi szükséges == „IGEN”, akkor létrehozására vásárlást igazoló számlát, a felhasználó létre kell hoznia vásárlási nyugta első jogcím {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Sor # {0}: Nem beszállító erre a tételre {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,"Sor {0}: Óra értéknek nagyobbnak kell lennie, mint nulla." +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Sor # {0}: Nem beszállító erre a tételre {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,"Sor {0}: Óra értéknek nagyobbnak kell lennie, mint nulla." apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,"Weboldal kép: {0} ami csatolva lett a {1} tételhez, nem található" DocType: Issue,Content Type,Tartalom típusa apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Számítógép DocType: Item,List this Item in multiple groups on the website.,Sorolja ezeket a tételeket több csoportba a weboldalon. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Kérjük, ellenőrizze a Több pénznem opciót, a más pénznemű számlák engedélyezéséhez" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Tétel: {0} nem létezik a rendszerben +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Tétel: {0} nem létezik a rendszerben apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nincs engedélye a zárolt értékek beállítására DocType: Payment Reconciliation,Get Unreconciled Entries,Nem egyeztetett bejegyzések lekérdezése DocType: Payment Reconciliation,From Invoice Date,Számla dátumától @@ -4197,7 +4207,7 @@ DocType: Stock Entry,Default Source Warehouse,Alapértelmezett forrás raktár DocType: Item,Customer Code,Vevő kódja apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Születésnapi emlékeztető {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Utolsó rendeléstől eltel napok -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Tartozás főkönyvi számlának Mérlegszámlának kell lennie +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Tartozás főkönyvi számlának Mérlegszámlának kell lennie DocType: Buying Settings,Naming Series,Sorszámozási csoportok DocType: Leave Block List,Leave Block List Name,Távollét blokk lista neve apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,"Biztosítás kezdeti dátumának kisebbnek kell lennie, mint a biztosítás befejezés dátuma" @@ -4214,7 +4224,7 @@ DocType: Vehicle Log,Odometer,Kilométer-számláló DocType: Sales Order Item,Ordered Qty,Rendelt menny. apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Tétel {0} letiltva DocType: Stock Settings,Stock Frozen Upto,Készlet zárolása eddig -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,ANYGJZ nem tartalmaz semmilyen készlet tételt +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,ANYGJZ nem tartalmaz semmilyen készlet tételt apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Az időszak eleje és vége kötelező ehhez a visszatérőhöz: {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projekt téma feladatok / tevékenységek. DocType: Vehicle Log,Refuelling Details,Tankolás Részletek @@ -4224,7 +4234,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Utolsó vételi ár nem található DocType: Purchase Invoice,Write Off Amount (Company Currency),Írj egy egyszeri összeget (Társaság Currency) DocType: Sales Invoice Timesheet,Billing Hours,Számlázási Óra(k) -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Alapértelmezett anyagjegyzék BOM {0} nem található +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Alapértelmezett anyagjegyzék BOM {0} nem található apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,"Sor # {0}: Kérjük, állítsa újrarendezésből mennyiség" apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Érintse a tételeket, ahhoz, hogy ide tegye" DocType: Fees,Program Enrollment,Program Beiratkozási @@ -4256,6 +4266,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Öregedés tartomány 2 DocType: SG Creation Tool Course,Max Strength,Max állomány apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Anyagjegyzék helyettesítve +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Válasszon elemeket a szállítási dátum alapján ,Sales Analytics,Értékesítési elemzés apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Elérhető {0} ,Prospects Engaged But Not Converted,Kilátások elértek de nem átalakítottak @@ -4302,7 +4313,7 @@ DocType: Authorization Rule,Customerwise Discount,Vevőszerinti kedvezmény apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Jelenléti ív a feladatokra. DocType: Purchase Invoice,Against Expense Account,Ellen költség számla DocType: Production Order,Production Order,Gyártásrendelés -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Telepítési feljegyzés {0} már benyújtott +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Telepítési feljegyzés {0} már benyújtott DocType: Bank Reconciliation,Get Payment Entries,Fizetési bejegyzések lekérése DocType: Quotation Item,Against Docname,Ellen Doknév DocType: SMS Center,All Employee (Active),Összes alkalmazott (Aktív) @@ -4311,7 +4322,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Nyersanyagköltsége DocType: Item Reorder,Re-Order Level,Újra-rendelési szint DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Adjon tételeket és tervezett Mennyiséget amellyel növelni szeretné a gyártási megrendeléseket, vagy töltse le a nyersanyagokat elemzésre." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt diagram +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt diagram apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Részidős DocType: Employee,Applicable Holiday List,Alkalmazandó Ünnepek listája DocType: Employee,Cheque,Csekk @@ -4367,11 +4378,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Fenntartott db Termelés DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Hagyja bejelöletlenül, ha nem szeretné, kötegelni miközben kurzus alapú csoportokat hoz létre." DocType: Asset,Frequency of Depreciation (Months),Az értékcsökkenés elszámolásának gyakorisága (hónapok) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Követelésszámla +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Követelésszámla DocType: Landed Cost Item,Landed Cost Item,Beszerzési költség tétel apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mutassa a nulla értékeket DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,"Mennyiség amit ebből a tételből kapott a gyártás / visszacsomagolás után, a megadott alapanyagok mennyiségének felhasználásával." -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Telepítsen egy egyszerű weboldalt a vállalkozásunkhoz +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Telepítsen egy egyszerű weboldalt a vállalkozásunkhoz DocType: Payment Reconciliation,Receivable / Payable Account,Bevételek / Fizetendő számla DocType: Delivery Note Item,Against Sales Order Item,Ellen Vevői rendelési tétel apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Kérjük, adja meg a Jellemző értékét erre a Jellemzőre: {0}" @@ -4433,22 +4444,22 @@ DocType: Student,Nationality,Állampolgárság ,Items To Be Requested,Tételek kell kérni DocType: Purchase Order,Get Last Purchase Rate,Utolsó Beszerzési ár lekérése DocType: Company,Company Info,Vállakozás adatai -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Válasszon ki vagy adjon hozzá új vevőt -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Költséghely szükséges költségtérítési igény könyveléséhez +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Válasszon ki vagy adjon hozzá új vevőt +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Költséghely szükséges költségtérítési igény könyveléséhez apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Vagyon tárgyak alkalmazás (vagyoni eszközök) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ez az Alkalmazott jelenlétén alapszik -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Tartozás Számla +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Tartozás Számla DocType: Fiscal Year,Year Start Date,Év kezdő dátuma DocType: Attendance,Employee Name,Alkalmazott neve DocType: Sales Invoice,Rounded Total (Company Currency),Kerekített összeg (a cég pénznemében) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Nem lehet csoporttá alakítani, mert a számla típus ki van választva." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,"{0} {1} módosításra került. Kérjük, frissítse." +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,"{0} {1} módosításra került. Kérjük, frissítse." DocType: Leave Block List,Stop users from making Leave Applications on following days.,"Tiltsa a felhasználóknak, hogy eltávozást igényelhessenek a következő napokra." apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Beszerzés összege apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Beszállító árajánlata :{0} létrehozva apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Befejező év nem lehet a kezdés évnél korábbi apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Alkalmazotti juttatások -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Csomagolt mennyiségeknek egyezniük kell a {1} sorban lévő {0} tétel mennyiségével +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Csomagolt mennyiségeknek egyezniük kell a {1} sorban lévő {0} tétel mennyiségével DocType: Production Order,Manufactured Qty,Gyártott menny. DocType: Purchase Receipt Item,Accepted Quantity,Elfogadott mennyiség apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Kérjük, állítsa be az alapértelmezett Ünnepet erre az Alkalmazottra: {0} vagy Vállalkozásra: {1}" @@ -4456,14 +4467,14 @@ apps/erpnext/erpnext/accounts/party.py +30,{0}: {1} does not exists,{0}: {1} nem apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +74,Select Batch Numbers,Válasszon köteg számokat apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Vevők számlái apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekt téma azonosító -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Row {0}: Az összeg nem lehet nagyobb, mint lévő összeget ad költségelszámolás benyújtás {1}. Függő Összeg: {2}" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Sor {0}: Az összeg nem lehet nagyobb, mint a függőben lévő összege ezzel a költségtérítéssel szemben: {1}. Függőben lévő Összeg: {2}" DocType: Maintenance Schedule,Schedule,Ütemezés DocType: Account,Parent Account,Szülő számla -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Elérhető +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Elérhető DocType: Quality Inspection Reading,Reading 3,Olvasás 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Bizonylat típusa -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,"Árlista nem található, vagy letiltva" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,"Árlista nem található, vagy letiltva" DocType: Employee Loan Application,Approved,Jóváhagyott DocType: Pricing Rule,Price,Árazás apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Elengedett alkalmazott: {0} , be kell állítani mint 'Távol'" @@ -4477,7 +4488,7 @@ apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified, apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Választható. Megadja cég alapértelmezett pénznemét, ha nincs meghatározva." DocType: Sales Invoice,Customer GSTIN,Vevő GSTIN apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Könyvelési naplóbejegyzések. -DocType: Delivery Note Item,Available Qty at From Warehouse,Elérhető Mennyiség a befozatali raktárról +DocType: Delivery Note Item,Available Qty at From Warehouse,Elérhető Mennyiség a befozatali raktárban apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Kérjük, válassza ki először az Alkalmazotti bejegyzést." DocType: POS Profile,Account for Change Amount,Átváltási összeg számlája apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Sor {0}: Ügyfél / fiók nem egyezik {1} / {2} a {3} {4} @@ -4532,7 +4543,7 @@ DocType: SMS Settings,Static Parameters,Statikus paraméterek DocType: Assessment Plan,Room,Szoba DocType: Purchase Order,Advance Paid,A kifizetett előleg DocType: Item,Item Tax,Tétel adójának típusa -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Anyag beszállítóhoz +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Anyag beszállítóhoz apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Jövedéki számla apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Küszöb {0}% egynél többször jelenik meg DocType: Expense Claim,Employees Email Id,Alkalmazottak email id azonosító @@ -4572,7 +4583,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Modell DocType: Production Order,Actual Operating Cost,Tényleges működési költség DocType: Payment Entry,Cheque/Reference No,Csekk/Hivatkozási szám -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Szállító> Szállító típusa apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root nem lehet szerkeszteni. DocType: Item,Units of Measure,Mértékegységek DocType: Manufacturing Settings,Allow Production on Holidays,Termelés engedélyezése az ünnepnapokon @@ -4605,12 +4615,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Követelés Napok apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Tanuló köteg létrehozás DocType: Leave Type,Is Carry Forward,Ez átvitt -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Elemek lekérése Anyagjegyzékből +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Elemek lekérése Anyagjegyzékből apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Érdeklődés idő napokban -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Sor # {0}: Beküldés dátuma meg kell egyeznie a vásárlás dátumát {1} eszköz {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Sor # {0}: Beküldés dátuma meg kell egyeznie a vásárlás dátumát {1} eszköz {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Jelölje be ezt, ha a diák lakóhelye az intézet Hostel." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Kérjük, adja meg a vevői rendeléseket, a fenti táblázatban" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Beküldetlen bérpapírok +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Beküldetlen bérpapírok ,Stock Summary,Készlet Összefoglaló apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Egy eszköz átvitele az egyik raktárból a másikba DocType: Vehicle,Petrol,Benzin diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index d9dd3609a7d..01f0c807475 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Dealer (Pelaku) DocType: Employee,Rented,Sewaan DocType: Purchase Order,PO-,po DocType: POS Profile,Applicable for User,Berlaku untuk Pengguna -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Berhenti Order Produksi tidak dapat dibatalkan, unstop terlebih dahulu untuk membatalkan" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Berhenti Order Produksi tidak dapat dibatalkan, unstop terlebih dahulu untuk membatalkan" DocType: Vehicle Service,Mileage,Jarak tempuh apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Apakah Anda benar-benar ingin membatalkan aset ini? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Pilih Default Pemasok @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,Ditagih % apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Kurs harus sama dengan {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Nama Konsumen DocType: Vehicle,Natural Gas,Gas alam -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Rekening bank tidak dapat namakan sebagai {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Rekening bank tidak dapat namakan sebagai {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kepala (atau kelompok) terhadap yang Entri Akuntansi dibuat dan saldo dipertahankan. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Posisi untuk {0} tidak bisa kurang dari nol ({1}) DocType: Manufacturing Settings,Default 10 mins,Standar 10 menit @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Nama Tipe Cuti apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Tampilkan terbuka apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Series Berhasil Diupdate apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Periksa -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entri Dikirim +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entri Dikirim DocType: Pricing Rule,Apply On,Terapkan Pada DocType: Item Price,Multiple Item prices.,Multiple Item harga. ,Purchase Order Items To Be Received,Order Pembelian Stok Barang Akan Diterima @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Mode Akun Pembayaran Re apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Tampilkan Varian DocType: Academic Term,Academic Term,Jangka akademik apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Bahan -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Kuantitas +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Kuantitas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Tabel account tidak boleh kosong. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Kredit (Kewajiban) DocType: Employee Education,Year of Passing,Tahun Berjalan @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Kesehatan apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Keterlambatan pembayaran (Hari) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Beban layanan -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Nomor Seri: {0} sudah dirujuk dalam Faktur Penjualan: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Faktur +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Nomor Seri: {0} sudah dirujuk dalam Faktur Penjualan: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Faktur DocType: Maintenance Schedule Item,Periodicity,Periode apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Tahun fiskal {0} diperlukan -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Diharapkan Pengiriman Tanggal adalah menjadi sebelum Sales Order Tanggal apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Pertahanan DocType: Salary Component,Abbr,Singkatan DocType: Appraisal Goal,Score (0-5),Skor (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Jumlah Total Biaya DocType: Delivery Note,Vehicle No,Nomor Kendaraan -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Silakan pilih Daftar Harga +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Silakan pilih Daftar Harga apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Dokumen Pembayaran diperlukan untuk menyelesaikan trasaction yang DocType: Production Order Operation,Work In Progress,Pekerjaan dalam proses apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Silakan pilih tanggal @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} tidak dalam Tahun Anggaran aktif. DocType: Packed Item,Parent Detail docname,Induk Detil docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referensi: {0}, Kode Item: {1} dan Pelanggan: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Lowongan untuk Pekerjaan. DocType: Item Attribute,Increment,Kenaikan @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Menikah apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Tidak diizinkan untuk {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Mendapatkan Stok Barang-Stok Barang dari -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock tidak dapat diperbarui terhadap Delivery Note {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock tidak dapat diperbarui terhadap Delivery Note {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produk {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Tidak ada item yang terdaftar DocType: Payment Reconciliation,Reconcile,Rekonsiliasi @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Dana apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Berikutnya Penyusutan Tanggal tidak boleh sebelum Tanggal Pembelian DocType: SMS Center,All Sales Person,Semua Salesmen DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Distribusi Bulanan ** membantu Anda mendistribusikan Anggaran / Target di antara bulan-bulan jika bisnis Anda memiliki musim. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Tidak item yang ditemukan +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Tidak item yang ditemukan apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Struktur Gaji Hilang DocType: Lead,Person Name,Nama orang DocType: Sales Invoice Item,Sales Invoice Item,Faktur Penjualan Stok Barang @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Aset Tetap"" tidak dapat dicentang, karena ada catatan Asset terhadap item" DocType: Vehicle Service,Brake Oil,rem Minyak DocType: Tax Rule,Tax Type,Jenis pajak -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Jumlah Kena Pajak +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Jumlah Kena Pajak apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Anda tidak diizinkan untuk menambah atau memperbarui entri sebelum {0} DocType: BOM,Item Image (if not slideshow),Gambar Stok Barang (jika tidak slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Sebuah Konsumen ada dengan nama yang sama DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif per Jam / 60) * Masa Beroperasi Sebenarnya -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Pilih BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Pilih BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Biaya Produk Terkirim apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Liburan di {0} bukan antara Dari Tanggal dan To Date @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,sekolah DocType: School Settings,Validate Batch for Students in Student Group,Validasi Batch untuk Siswa di Kelompok Pelajar apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Tidak ada cuti record yang ditemukan untuk karyawan {0} untuk {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Silahkan masukkan perusahaan terlebih dahulu -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Silakan pilih Perusahaan terlebih dahulu +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Silakan pilih Perusahaan terlebih dahulu DocType: Employee Education,Under Graduate,Sarjana apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Sasaran On DocType: BOM,Total Cost,Total Biaya DocType: Journal Entry Account,Employee Loan,Pinjaman karyawan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Log Aktivitas: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Item {0} tidak ada dalam sistem atau telah berakhir +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Log Aktivitas: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Item {0} tidak ada dalam sistem atau telah berakhir apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Laporan Rekening apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmasi @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Nilai Klaim apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,kelompok pelanggan duplikat ditemukan di tabel kelompok cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Supplier Type / Supplier DocType: Naming Series,Prefix,Awalan -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Harap tentukan Seri Penamaan untuk {0} melalui Setup> Settings> Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumable +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumable DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Impor Log DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Tarik Bahan Permintaan jenis Industri berdasarkan kriteria di atas DocType: Training Result Employee,Grade,Kelas DocType: Sales Invoice Item,Delivered By Supplier,Terkirim Oleh Supplier DocType: SMS Center,All Contact,Semua Kontak -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Pesanan produksi sudah dibuat untuk semua item dengan BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Pesanan produksi sudah dibuat untuk semua item dengan BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Gaji Tahunan DocType: Daily Work Summary,Daily Work Summary,Ringkasan Pekerjaan sehari-hari DocType: Period Closing Voucher,Closing Fiscal Year,Penutup Tahun Anggaran -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} dibekukan +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} dibekukan apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Silakan pilih Perusahaan yang ada untuk menciptakan Chart of Account apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Beban Stok apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Pilih Target Warehouse @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Jumlah Diterima + Ditolak harus sama dengan jumlah yang diterima untuk Item {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Bahan pasokan baku untuk Pembelian -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Setidaknya satu cara pembayaran diperlukan untuk POS faktur. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Setidaknya satu cara pembayaran diperlukan untuk POS faktur. DocType: Products Settings,Show Products as a List,Tampilkan Produk sebagai sebuah Daftar DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Unduh Template, isi data yang sesuai dan melampirkan gambar yang sudah dimodifikasi. Semua tanggal dan karyawan kombinasi dalam jangka waktu yang dipilih akan datang dalam template, dengan catatan kehadiran yang ada" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Item {0} tidak aktif atau akhir hidup telah tercapai -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Contoh: Matematika Dasar -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk mencakup pajak berturut-turut {0} di tingkat Stok Barang, pajak dalam baris {1} juga harus disertakan" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Contoh: Matematika Dasar +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk mencakup pajak berturut-turut {0} di tingkat Stok Barang, pajak dalam baris {1} juga harus disertakan" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Pengaturan untuk modul HR DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,perubahan Jumlah @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Tanggal instalasi tidak bisa sebelum tanggal pengiriman untuk Item {0} DocType: Pricing Rule,Discount on Price List Rate (%),Diskon Harga Daftar Rate (%) DocType: Offer Letter,Select Terms and Conditions,Pilih Syarat dan Ketentuan -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,out Nilai +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,out Nilai DocType: Production Planning Tool,Sales Orders,Order Penjualan DocType: Purchase Taxes and Charges,Valuation,Valuation ,Purchase Order Trends,Trend Order Pembelian @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Entri Pembuka? DocType: Customer Group,Mention if non-standard receivable account applicable,Sebutkan jika akun non-standar piutang yang berlaku DocType: Course Schedule,Instructor Name,instruktur Nama -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Submit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Submit apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Diterima pada DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Jika dicentang, akan mencakup item non-saham di Permintaan Material." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Terhadap Stok Barang di Faktur Penjualan ,Production Orders in Progress,Order produksi dalam Proses apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Kas Bersih dari Pendanaan -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyimpan" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyimpan" DocType: Lead,Address & Contact,Alamat & Kontak DocType: Leave Allocation,Add unused leaves from previous allocations,Tambahkan 'cuti tak terpakai' dari alokasi sebelumnya apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Berikutnya Berulang {0} akan dibuat pada {1} DocType: Sales Partner,Partner website,situs mitra apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Tambahkan Barang -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nama Kontak +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nama Kontak DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteria Penilaian saja DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Membuat Slip gaji untuk kriteria yang disebutkan di atas. DocType: POS Customer Group,POS Customer Group,POS Pelanggan Grup @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Baris {0}: Silakan periksa 'Apakah Muka' terhadap Rekening {1} jika ini adalah sebuah entri muka. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Gudang {0} bukan milik perusahaan {1} DocType: Email Digest,Profit & Loss,Rugi laba -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Liter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Liter DocType: Task,Total Costing Amount (via Time Sheet),Total Costing Jumlah (via Waktu Lembar) DocType: Item Website Specification,Item Website Specification,Item Situs Spesifikasi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Cuti Diblokir @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Nomor Faktur Penjualan DocType: Material Request Item,Min Order Qty,Min Order Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursus Grup Pelajar Penciptaan Alat DocType: Lead,Do Not Contact,Jangan Hubungi -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Orang-orang yang mengajar di organisasi Anda +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Orang-orang yang mengajar di organisasi Anda DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id yang unik untuk melacak semua tagihan berulang. Hal ini dihasilkan di submit. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer DocType: Item,Minimum Order Qty,Minimum Order Qty @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Publikasikan di Hub DocType: Student Admission,Student Admission,Mahasiswa Pendaftaran ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Item {0} dibatalkan -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Permintaan Material +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Permintaan Material DocType: Bank Reconciliation,Update Clearance Date,Perbarui Izin Tanggal DocType: Item,Purchase Details,Rincian pembelian apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} tidak ditemukan dalam 'Bahan Baku Disediakan' tabel dalam Purchase Order {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,armada Manajer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} tidak bisa menjadi negatif untuk item {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Kata Sandi Salah DocType: Item,Variant Of,Varian Of -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Selesai Qty tidak dapat lebih besar dari 'Jumlah untuk Produksi' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Selesai Qty tidak dapat lebih besar dari 'Jumlah untuk Produksi' DocType: Period Closing Voucher,Closing Account Head,Penutupan Akun Kepala DocType: Employee,External Work History,Pengalaman Kerja Diluar apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Referensi Kesalahan melingkar @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Jarak dari tepi kiri apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unit [{1}] (# Form / Item / {1}) ditemukan di [{2}] (# Form / Gudang / {2}) DocType: Lead,Industry,Industri DocType: Employee,Job Profile,Profil Pekerjaan +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Hal ini didasarkan pada transaksi terhadap Perusahaan ini. Lihat garis waktu di bawah untuk rinciannya DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Memberitahu melalui Email pada penciptaan Permintaan Bahan otomatis DocType: Journal Entry,Multi Currency,Multi Mata Uang DocType: Payment Reconciliation Invoice,Invoice Type,Tipe Faktur -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Nota Pengiriman +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Nota Pengiriman apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Persiapan Pajak apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Biaya Asset Terjual apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Entri pembayaran telah dimodifikasi setelah Anda menariknya. Silakan menariknya lagi. @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Entrikan 'Ulangi pada Hari Bulan' nilai bidang DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tingkat di mana Konsumen Mata Uang dikonversi ke mata uang dasar Konsumen DocType: Course Scheduling Tool,Course Scheduling Tool,Tentu saja Penjadwalan Perangkat -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Pembelian Faktur tidak dapat dilakukan terhadap aset yang ada {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Pembelian Faktur tidak dapat dilakukan terhadap aset yang ada {1} DocType: Item Tax,Tax Rate,Tarif Pajak apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} sudah dialokasikan untuk Karyawan {1} untuk periode {2} ke {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Pilih Stok Barang +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Pilih Stok Barang apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Faktur Pembelian {0} sudah Terkirim apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch ada harus sama {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Dikonversi ke non-Grup @@ -444,7 +443,7 @@ DocType: Employee,Widowed,Janda DocType: Request for Quotation,Request for Quotation,Permintaan Quotation DocType: Salary Slip Timesheet,Working Hours,Jam Kerja DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mengubah mulai / nomor urut saat ini dari seri yang ada. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Buat Pelanggan baru +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Buat Pelanggan baru apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jika beberapa Aturan Harga terus menang, pengguna akan diminta untuk mengatur Prioritas manual untuk menyelesaikan konflik." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Buat Purchase Order ,Purchase Register,Register Pembelian @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Nama pemeriksa DocType: Purchase Invoice Item,Quantity and Rate,Jumlah dan Tingkat Harga DocType: Delivery Note,% Installed,% Terpasang -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Ruang kelas / Laboratorium dll di mana kuliah dapat dijadwalkan. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Ruang kelas / Laboratorium dll di mana kuliah dapat dijadwalkan. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Silahkan masukkan nama perusahaan terlebih dahulu DocType: Purchase Invoice,Supplier Name,Nama Supplier apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Baca Pedoman ERPNEXT @@ -486,7 +485,7 @@ DocType: Lead,Channel Partner,Chanel Mitra DocType: Account,Old Parent,Old Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Bidang Wajib - Tahun Akademik DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Sesuaikan teks pengantar yang berlangsung sebagai bagian dari email itu. Setiap transaksi memiliki teks pengantar yang terpisah. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Harap atur akun hutang default untuk perusahaan {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Harap atur akun hutang default untuk perusahaan {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Pengaturan global untuk semua proses manufaktur. DocType: Accounts Settings,Accounts Frozen Upto,Akun dibekukan sampai dengan DocType: SMS Log,Sent On,Dikirim Pada @@ -525,14 +524,14 @@ DocType: Journal Entry,Accounts Payable,Hutang apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,BOMs yang dipilih tidak untuk item yang sama DocType: Pricing Rule,Valid Upto,Valid Upto DocType: Training Event,Workshop,Bengkel -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Daftar beberapa Konsumen Anda. Mereka bisa menjadi organisasi atau individu. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Daftar beberapa Konsumen Anda. Mereka bisa menjadi organisasi atau individu. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Bagian yang cukup untuk Membangun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Pendapatan Langsung apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Tidak dapat memfilter berdasarkan Account, jika dikelompokkan berdasarkan Account" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Petugas Administrasi apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Silakan pilih Kursus DocType: Timesheet Detail,Hrs,Hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Silakan pilih Perusahaan +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Silakan pilih Perusahaan DocType: Stock Entry Detail,Difference Account,Perbedaan Akun DocType: Purchase Invoice,Supplier GSTIN,Pemasok GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Tidak bisa tugas sedekat tugas yang tergantung {0} tidak tertutup. @@ -548,7 +547,7 @@ DocType: Sales Invoice,Offline POS Name,POS Offline Nama apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Harap tentukan nilai untuk Threshold 0% DocType: Sales Order,To Deliver,Mengirim DocType: Purchase Invoice Item,Item,Barang -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serial Item tidak dapat pecahan +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serial Item tidak dapat pecahan DocType: Journal Entry,Difference (Dr - Cr),Perbedaan (Dr - Cr) DocType: Account,Profit and Loss,Laba Rugi apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Pengaturan Subkontrak @@ -574,7 +573,7 @@ DocType: Serial No,Warranty Period (Days),Masa Garansi (Hari) DocType: Installation Note Item,Installation Note Item,Laporan Instalasi Stok Barang DocType: Production Plan Item,Pending Qty,Qty Tertunda DocType: Budget,Ignore,Diabaikan -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} tidak aktif +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} tidak aktif apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS dikirim ke nomor berikut: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,dimensi penyiapan cek untuk pencetakan DocType: Salary Slip,Salary Slip Timesheet,Daftar Absen Slip Gaji @@ -678,8 +677,8 @@ DocType: Installation Note,IN-,DI- DocType: Production Order Operation,In minutes,Dalam menit DocType: Issue,Resolution Date,Tanggal Resolusi DocType: Student Batch Name,Batch Name,Batch Nama -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Absen dibuat: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Silakan set Cash standar atau rekening Bank Mode Pembayaran {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Absen dibuat: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Silakan set Cash standar atau rekening Bank Mode Pembayaran {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Mendaftar DocType: GST Settings,GST Settings,Pengaturan GST DocType: Selling Settings,Customer Naming By,Penamaan Konsumen Dengan @@ -699,7 +698,7 @@ DocType: Activity Cost,Projects User,Pengguna Proyek apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Dikonsumsi apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} tidak ditemukan dalam tabel Rincian Tagihan DocType: Company,Round Off Cost Center,Pembulatan Pusat Biaya -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Pemeliharaan Kunjungan {0} harus dibatalkan sebelum membatalkan Sales Order ini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Pemeliharaan Kunjungan {0} harus dibatalkan sebelum membatalkan Sales Order ini DocType: Item,Material Transfer,Transfer Barang apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Pembukaan (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Posting timestamp harus setelah {0} @@ -708,7 +707,7 @@ DocType: Employee Loan,Total Interest Payable,Total Utang Bunga DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Biaya Pajak dan Landing Cost DocType: Production Order Operation,Actual Start Time,Waktu Mulai Aktual DocType: BOM Operation,Operation Time,Waktu Operasi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Selesai +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Selesai apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Mendasarkan DocType: Timesheet,Total Billed Hours,Total Jam Ditagih DocType: Journal Entry,Write Off Amount,Jumlah Nilai Write Off @@ -733,7 +732,7 @@ DocType: Vehicle,Odometer Value (Last),Odometer Nilai (terakhir) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Entri pembayaran sudah dibuat DocType: Purchase Receipt Item Supplied,Current Stock,Stok saat ini -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Aset {1} tidak terkait dengan Butir {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Aset {1} tidak terkait dengan Butir {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Slip Gaji Preview apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Akun {0} telah dimasukkan beberapa kali DocType: Account,Expenses Included In Valuation,Biaya Termasuk di Dalam Penilaian Barang @@ -757,7 +756,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Entri Kartu Kredit apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Perusahaan dan Account apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Stok Barang yang diterima dari Supplier. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,Nilai +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,Nilai DocType: Lead,Campaign Name,Nama Promosi Kampanye DocType: Selling Settings,Close Opportunity After Days,Tutup Peluang Setelah Days ,Reserved,Ditahan @@ -782,17 +781,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energi DocType: Opportunity,Opportunity From,Peluang Dari apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Laporan gaji bulanan. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Baris {0}: {1} Nomor seri diperlukan untuk Item {2}. Anda telah memberikan {3}. DocType: BOM,Website Specifications,Website Spesifikasi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Dari {0} tipe {1} DocType: Warranty Claim,CI-,cipher apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Faktor Konversi adalah wajib DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Beberapa Aturan Harga ada dengan kriteria yang sama, silahkan menyelesaikan konflik dengan menetapkan prioritas. Harga Aturan: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak bisa menonaktifkan atau membatalkan BOM seperti yang terkait dengan BOMs lainnya +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak bisa menonaktifkan atau membatalkan BOM seperti yang terkait dengan BOMs lainnya DocType: Opportunity,Maintenance,Pemeliharaan DocType: Item Attribute Value,Item Attribute Value,Nilai Item Atribut apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Kampanye penjualan. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,membuat Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,membuat Timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -845,7 +845,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Menyiapkan Akun Email apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Entrikan Stok Barang terlebih dahulu DocType: Account,Liability,Kewajiban -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksi Jumlah tidak dapat lebih besar dari Klaim Jumlah dalam Row {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksi Jumlah tidak dapat lebih besar dari Klaim Jumlah dalam Row {0}. DocType: Company,Default Cost of Goods Sold Account,Standar Harga Pokok Penjualan apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Daftar Harga tidak dipilih DocType: Employee,Family Background,Latar Belakang Keluarga @@ -856,10 +856,10 @@ DocType: Company,Default Bank Account,Standar Rekening Bank apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Untuk menyaring berdasarkan Party, pilih Partai Ketik terlebih dahulu" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Pembaharuan Persediaan Barang' tidak dapat diperiksa karena barang tidak dikirim melalui {0} DocType: Vehicle,Acquisition Date,Tanggal akuisisi -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Item dengan weightage lebih tinggi akan ditampilkan lebih tinggi DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Rincian Rekonsiliasi Bank -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Aset {1} harus diserahkan +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Aset {1} harus diserahkan apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Tidak ada karyawan yang ditemukan DocType: Supplier Quotation,Stopped,Terhenti DocType: Item,If subcontracted to a vendor,Jika subkontrak ke vendor @@ -875,7 +875,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Nilai Minimum Faktur apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Biaya Pusat {2} bukan milik Perusahaan {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Akun {2} tidak dapat di Kelompokkan apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {idx}: {doctype} {DOCNAME} tidak ada di atas '{doctype}' table -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Absen {0} sudah selesai atau dibatalkan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Absen {0} sudah selesai atau dibatalkan apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Tidak ada tugas DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Hari bulan yang otomatis faktur akan dihasilkan misalnya 05, 28 dll" DocType: Asset,Opening Accumulated Depreciation,Membuka Penyusutan Akumulasi @@ -934,7 +934,7 @@ DocType: SMS Log,Requested Numbers,Nomor yang Diminta DocType: Production Planning Tool,Only Obtain Raw Materials,Hanya Mendapatkan Bahan Baku apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Penilaian kinerja. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Mengaktifkan 'Gunakan untuk Keranjang Belanja', sebagai Keranjang Belanja diaktifkan dan harus ada setidaknya satu Rule Pajak untuk Belanja" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Masuk pembayaran {0} terkait terhadap Orde {1}, memeriksa apakah itu harus ditarik sebagai uang muka dalam faktur ini." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Masuk pembayaran {0} terkait terhadap Orde {1}, memeriksa apakah itu harus ditarik sebagai uang muka dalam faktur ini." DocType: Sales Invoice Item,Stock Details,Detail Stok apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Nilai Proyek apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,POS @@ -957,15 +957,15 @@ DocType: Naming Series,Update Series,Pembaruan Series DocType: Supplier Quotation,Is Subcontracted,Apakah Subkontrak? DocType: Item Attribute,Item Attribute Values,Item Nilai Atribut DocType: Examination Result,Examination Result,Hasil pemeriksaan -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Nota Penerimaan +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Nota Penerimaan ,Received Items To Be Billed,Produk Diterima Akan Ditagih -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Dikirim Slips Gaji +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Dikirim Slips Gaji apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Master Nilai Mata Uang apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referensi DOCTYPE harus menjadi salah satu {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Tidak dapat menemukan waktu Slot di {0} hari berikutnya untuk Operasi {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Tidak dapat menemukan waktu Slot di {0} hari berikutnya untuk Operasi {1} DocType: Production Order,Plan material for sub-assemblies,Planning Material untuk Barang Rakitan apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Mitra Penjualan dan Wilayah -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} harus aktif +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} harus aktif DocType: Journal Entry,Depreciation Entry,penyusutan Masuk apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Silakan pilih jenis dokumen terlebih dahulu apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Batal Kunjungan Material {0} sebelum membatalkan ini Maintenance Visit @@ -975,7 +975,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Nilai Total apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Penerbitan Internet DocType: Production Planning Tool,Production Orders,Order Produksi -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Nilai Saldo +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Nilai Saldo apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Daftar Harga Jual apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publikasikan untuk sinkronisasi item DocType: Bank Reconciliation,Account Currency,Mata Uang Akun @@ -1000,12 +1000,12 @@ DocType: Employee,Exit Interview Details,Detail Exit Interview DocType: Item,Is Purchase Item,Stok Dibeli dari Supplier DocType: Asset,Purchase Invoice,Faktur Pembelian DocType: Stock Ledger Entry,Voucher Detail No,Nomor Detail Voucher -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Baru Faktur Penjualan +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Baru Faktur Penjualan DocType: Stock Entry,Total Outgoing Value,Nilai Total Keluaran apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Tanggal dan Closing Date membuka harus berada dalam Tahun Anggaran yang sama DocType: Lead,Request for Information,Request for Information ,LeaderBoard,LeaderBoard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sinkronisasi Offline Faktur +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sinkronisasi Offline Faktur DocType: Payment Request,Paid,Dibayar DocType: Program Fee,Program Fee,Biaya Program DocType: Salary Slip,Total in words,Jumlah kata @@ -1013,7 +1013,7 @@ DocType: Material Request Item,Lead Time Date,Waktu Tenggang Pesanan DocType: Guardian,Guardian Name,Nama wali DocType: Cheque Print Template,Has Print Format,Memiliki Print Format DocType: Employee Loan,Sanctioned,sanksi -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,Wajib diisi. Mungkin Kurs Mata Uang belum dibuat untuk +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,Wajib diisi. Mungkin Kurs Mata Uang belum dibuat untuk apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Silakan tentukan Serial ada untuk Item {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk barang-barang 'Bundel Produk', Gudang, Nomor Serial dan Nomor Batch akan diperhitungkan dari tabel 'Packing List'. Bila Gudang dan Nomor Batch sama untuk semua barang-barang kemasan dari segala barang 'Bundel Produk', maka nilai tersebut dapat dimasukkan dalam tabel Barang utama, nilai tersebut akan disalin ke tabel 'Packing List'." DocType: Job Opening,Publish on website,Mempublikasikan di website @@ -1026,7 +1026,7 @@ DocType: Cheque Print Template,Date Settings,Pengaturan Tanggal apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variance ,Company Name,Nama Perusahaan DocType: SMS Center,Total Message(s),Total Pesan (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Pilih item untuk transfer +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Pilih item untuk transfer DocType: Purchase Invoice,Additional Discount Percentage,Persentase Diskon Tambahan apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Lihat daftar semua bantuan video DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Pilih kepala rekening bank mana cek diendapkan. @@ -1040,7 +1040,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Biaya Bahan Baku (Perusahaan Mata Uang) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Semua item telah dialihkan untuk Order Produksi ini. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Baris # {0}: Tarif tidak boleh lebih besar dari tarif yang digunakan di {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Meter DocType: Workstation,Electricity Cost,Biaya Listrik DocType: HR Settings,Don't send Employee Birthday Reminders,Jangan Kirim Pengingat Ulang Tahun DocType: Item,Inspection Criteria,Kriteria Inspeksi @@ -1054,7 +1054,7 @@ DocType: SMS Center,All Lead (Open),Semua Kesempatan (Open) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty tidak tersedia untuk {4} di gudang {1} pada postingan kali entri ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Dapatkan Uang Muka Dibayar DocType: Item,Automatically Create New Batch,Buat Batch Baru secara otomatis -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Membuat +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Membuat DocType: Student Admission,Admission Start Date,Pendaftaran Mulai Tanggal DocType: Journal Entry,Total Amount in Words,Jumlah Total dalam Kata apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Ada kesalahan. Salah satu alasan yang mungkin bisa jadi Anda belum menyimpan formulir. Silahkan hubungi support@erpnext.com jika masalah terus berlanjut. @@ -1062,7 +1062,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Cart saya apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Order Type harus menjadi salah satu {0} DocType: Lead,Next Contact Date,Tanggal Komunikasi Selanjutnya apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty Pembukaan -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Silahkan masukkan account untuk Perubahan Jumlah +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Silahkan masukkan account untuk Perubahan Jumlah DocType: Student Batch Name,Student Batch Name,Mahasiswa Nama Batch DocType: Holiday List,Holiday List Name,Daftar Nama Hari Libur DocType: Repayment Schedule,Balance Loan Amount,Saldo Jumlah Pinjaman @@ -1070,7 +1070,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opsi Persediaan DocType: Journal Entry Account,Expense Claim,Biaya Klaim apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Apakah Anda benar-benar ingin mengembalikan aset dibuang ini? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Jumlah untuk {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Jumlah untuk {0} DocType: Leave Application,Leave Application,Aplikasi Cuti apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Alat Alokasi Cuti DocType: Leave Block List,Leave Block List Dates,Tanggal Blok List Cuti @@ -1120,7 +1120,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Terhadap DocType: Item,Default Selling Cost Center,Standar Pusat Biaya Jual DocType: Sales Partner,Implementation Partner,Mitra Implementasi -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Kode Pos +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Kode Pos apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} adalah {1} DocType: Opportunity,Contact Info,Informasi Kontak apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Membuat Stok Entri @@ -1138,13 +1138,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Untu apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Rata-rata Usia DocType: School Settings,Attendance Freeze Date,Tanggal Pembekuan Kehadiran DocType: Opportunity,Your sales person who will contact the customer in future,Sales Anda yang akan menghubungi Konsumen di masa depan -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Daftar beberapa Supplier Anda. Mereka bisa menjadi organisasi atau individu. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Daftar beberapa Supplier Anda. Mereka bisa menjadi organisasi atau individu. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Lihat Semua Produk apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Usia Pemimpin Minimum (Hari) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,semua BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,semua BOMs DocType: Company,Default Currency,Standar Mata Uang DocType: Expense Claim,From Employee,Dari Karyawan -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Peringatan: Sistem tidak akan memeriksa overbilling karena jumlahnya untuk Item {0} pada {1} adalah nol +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Peringatan: Sistem tidak akan memeriksa overbilling karena jumlahnya untuk Item {0} pada {1} adalah nol DocType: Journal Entry,Make Difference Entry,Buat Entri Perbedaan DocType: Upload Attendance,Attendance From Date,Absensi Kehadiran dari Tanggal DocType: Appraisal Template Goal,Key Performance Area,Area Kinerja Kunci @@ -1161,7 +1161,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Nomor registrasi perusahaan untuk referensi Anda. Nomor pajak dll DocType: Sales Partner,Distributor,Distributor DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Aturan Pengiriman Belanja Shoping Cart -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Order produksi {0} harus dibatalkan sebelum membatalkan Sales Order ini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Order produksi {0} harus dibatalkan sebelum membatalkan Sales Order ini apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Silahkan mengatur 'Terapkan Diskon tambahan On' ,Ordered Items To Be Billed,Item Pesanan Tertagih apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Dari Rentang harus kurang dari Untuk Rentang @@ -1170,10 +1170,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Pengurangan DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Mulai Tahun -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},2 digit pertama GSTIN harus sesuai dengan nomor Negara {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},2 digit pertama GSTIN harus sesuai dengan nomor Negara {0} DocType: Purchase Invoice,Start date of current invoice's period,Tanggal faktur periode saat ini mulai DocType: Salary Slip,Leave Without Pay,Cuti Tanpa Bayar -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kesalahan Perencanaan Kapasitas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kesalahan Perencanaan Kapasitas ,Trial Balance for Party,Trial Balance untuk Partai DocType: Lead,Consultant,Konsultan DocType: Salary Slip,Earnings,Pendapatan @@ -1189,7 +1189,7 @@ DocType: Cheque Print Template,Payer Settings,Pengaturan Wajib DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ini akan ditambahkan ke Item Code dari varian. Sebagai contoh, jika Anda adalah singkatan ""SM"", dan kode Stok Barang adalah ""T-SHIRT"", kode item varian akan ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pay Bersih (dalam kata-kata) akan terlihat setelah Anda menyimpan Slip Gaji. DocType: Purchase Invoice,Is Return,Retur Barang -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Kembali / Debit Note +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Kembali / Debit Note DocType: Price List Country,Price List Country,Negara Daftar Harga DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} nomor seri berlaku untuk Item {1} @@ -1202,7 +1202,7 @@ DocType: Employee Loan,Partially Disbursed,sebagian Dicairkan apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Database Supplier. DocType: Account,Balance Sheet,Neraca apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Biaya Center For Stok Barang dengan Item Code ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modus pembayaran tidak dikonfigurasi. Silakan periksa, apakah akun telah ditetapkan pada Cara Pembayaran atau POS Profil." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modus pembayaran tidak dikonfigurasi. Silakan periksa, apakah akun telah ditetapkan pada Cara Pembayaran atau POS Profil." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Sales Anda akan mendapatkan pengingat pada tanggal ini untuk menghubungi Konsumen apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,item yang sama tidak dapat dimasukkan beberapa kali. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Account lebih lanjut dapat dibuat di bawah Grup, tapi entri dapat dilakukan terhadap non-Grup" @@ -1230,7 +1230,7 @@ DocType: Employee Loan Application,Repayment Info,Info pembayaran apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Entries' tidak boleh kosong apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Baris duplikat {0} dengan sama {1} ,Trial Balance,Trial Balance -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Tahun fiskal {0} tidak ditemukan +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Tahun fiskal {0} tidak ditemukan apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Persiapan Karyawan DocType: Sales Order,SO-,BEGITU- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Silakan pilih awalan terlebih dahulu @@ -1245,11 +1245,11 @@ DocType: Grading Scale,Intervals,interval apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Paling Awal apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Item Grup ada dengan nama yang sama, ubah nama item atau mengubah nama kelompok Stok Barang" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Mahasiswa Nomor Ponsel -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Rest of The World +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Rest of The World apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} tidak dapat memiliki Batch ,Budget Variance Report,Laporan Perbedaan Anggaran DocType: Salary Slip,Gross Pay,Nilai Gross Bayar -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Jenis Kegiatan adalah wajib. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Row {0}: Jenis Kegiatan adalah wajib. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividen Dibagi apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Buku Besar Akuntansi DocType: Stock Reconciliation,Difference Amount,Jumlah Perbedaan @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Nilai Cuti Karyawan apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Saldo Rekening {0} harus selalu {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Penilaian Tingkat diperlukan untuk Item berturut-turut {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Contoh: Magister Ilmu Komputer +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Contoh: Magister Ilmu Komputer DocType: Purchase Invoice,Rejected Warehouse,Gudang Reject DocType: GL Entry,Against Voucher,Terhadap Voucher DocType: Item,Default Buying Cost Center,Standar Biaya Pusat Pembelian apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Untuk mendapatkan yang terbaik dari ERPNext, kami menyarankan Anda mengambil beberapa waktu dan menonton video ini membantu." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,untuk +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,untuk DocType: Supplier Quotation Item,Lead Time in days,Waktu Tenggang Dalam Hari apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Ringkasan Buku Besar Hutang -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Pembayaran gaji dari {0} ke {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Pembayaran gaji dari {0} ke {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Tidak berwenang untuk mengedit Akun frozen {0} DocType: Journal Entry,Get Outstanding Invoices,Dapatkan Faktur Berjalan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Order Penjualan {0} tidak valid +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Order Penjualan {0} tidak valid apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,pesanan pembelian membantu Anda merencanakan dan menindaklanjuti pembelian Anda apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Maaf, perusahaan tidak dapat digabungkan" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Biaya tidak langsung apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Pertanian -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Produk atau Jasa +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Produk atau Jasa DocType: Mode of Payment,Mode of Payment,Mode Pembayaran apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Website Image harus file umum atau URL situs DocType: Student Applicant,AP,AP @@ -1324,18 +1324,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Tarif Pajak Stok Barang DocType: Student Group Student,Group Roll Number,Nomor roll grup apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Untuk {0}, hanya rekening kredit dapat dihubungkan dengan entri debit lain" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total semua bobot tugas harus 1. Sesuaikan bobot dari semua tugas Proyek sesuai -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Nota pengiriman {0} tidak Terkirim +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Nota pengiriman {0} tidak Terkirim apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Item {0} harus Item Sub-kontrak apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Perlengkapan Modal apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rule harga terlebih dahulu dipilih berdasarkan 'Terapkan On' lapangan, yang dapat Stok Barang, Stok Barang Grup atau Merek." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Harap set Kode Item terlebih dahulu +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Harap set Kode Item terlebih dahulu DocType: Hub Settings,Seller Website,Situs Penjual DocType: Item,ITEM-,BARANG- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Persentase total yang dialokasikan untuk tim penjualan harus 100 DocType: Appraisal Goal,Goal,Sasaran DocType: Sales Invoice Item,Edit Description,Edit Keterangan ,Team Updates,tim Pembaruan -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Untuk Supplier +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Untuk Supplier DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Mengatur Tipe Akun membantu dalam memilih Akun ini dalam transaksi. DocType: Purchase Invoice,Grand Total (Company Currency),Jumlah Nilai Total (Mata Uang Perusahaan) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Buat Print Format @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,Situs Grup Stok Barang DocType: Purchase Invoice,Total (Company Currency),Total (Perusahaan Mata Uang) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Serial number {0} masuk lebih dari sekali DocType: Depreciation Schedule,Journal Entry,Jurnal Entri -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} item berlangsung +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} item berlangsung DocType: Workstation,Workstation Name,Nama Workstation DocType: Grading Scale Interval,Grade Code,Kode kelas DocType: POS Item Group,POS Item Group,POS Barang Grup apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} bukan milik Stok Barang {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} bukan milik Stok Barang {1} DocType: Sales Partner,Target Distribution,Target Distribusi 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 @@ -1411,7 +1411,7 @@ DocType: Quotation,Shopping Cart,Daftar Belanja apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Rata-rata Harian Outgoing DocType: POS Profile,Campaign,Promosi DocType: Supplier,Name and Type,Nama dan Jenis -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Status Persetujuan harus 'Disetujui' atau 'Ditolak' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Status Persetujuan harus 'Disetujui' atau 'Ditolak' DocType: Purchase Invoice,Contact Person,Contact Person apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Jadwal Tanggal Mulai' tidak dapat lebih besar dari 'Jadwal Tanggal Selesai'" DocType: Course Scheduling Tool,Course End Date,Tentu saja Tanggal Akhir @@ -1423,8 +1423,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,prefered Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Perubahan bersih dalam Aset Tetap DocType: Leave Control Panel,Leave blank if considered for all designations,Biarkan kosong jika dipertimbangkan untuk semua sebutan -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mengisi tipe 'sebenarnya' berturut-turut {0} tidak dapat dimasukkan dalam Butir Tingkat -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mengisi tipe 'sebenarnya' berturut-turut {0} tidak dapat dimasukkan dalam Butir Tingkat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Dari Datetime DocType: Email Digest,For Company,Untuk Perusahaan apps/erpnext/erpnext/config/support.py +17,Communication log.,Log komunikasi. @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profil pekerja DocType: Journal Entry Account,Account Balance,Saldo Akun Rekening apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Aturan pajak untuk transaksi. DocType: Rename Tool,Type of document to rename.,Jenis dokumen untuk mengubah nama. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Kami membeli item ini +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Kami membeli item ini apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Pelanggan diperlukan terhadap akun piutang {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Jumlah Pajak dan Biaya (Perusahaan Mata Uang) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Tampilkan P & saldo L tahun fiskal tertutup ini @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,Bacaan DocType: Stock Entry,Total Additional Costs,Total Biaya Tambahan DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Scrap Material Cost (Perusahaan Mata Uang) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub Assemblies DocType: Asset,Asset Name,Aset Nama DocType: Project,Task Weight,tugas Berat DocType: Shipping Rule Condition,To Value,Untuk Dinilai @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Item Varian DocType: Company,Services,Jasa DocType: HR Settings,Email Salary Slip to Employee,Email Slip Gaji ke Karyawan DocType: Cost Center,Parent Cost Center,Parent Biaya Pusat -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Pilih Kemungkinan Pemasok +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Pilih Kemungkinan Pemasok DocType: Sales Invoice,Source,Sumber apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Tampilkan ditutup DocType: Leave Type,Is Leave Without Pay,Apakah Cuti Tanpa Bayar @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,Terapkan Diskon DocType: GST HSN Code,GST HSN Code,Kode HSN GST DocType: Employee External Work History,Total Experience,Jumlah Pengalaman apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,terbuka Proyek -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Packing slip (s) dibatalkan +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Packing slip (s) dibatalkan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Arus Kas dari Investasi DocType: Program Course,Program Course,Kursus Program apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Pengangkutan dan Forwarding Biaya @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Program Terdaftar DocType: Sales Invoice Item,Brand Name,Merek Nama DocType: Purchase Receipt,Transporter Details,Detail transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,gudang standar diperlukan untuk item yang dipilih -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Kotak -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,mungkin Pemasok +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,gudang standar diperlukan untuk item yang dipilih +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Kotak +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,mungkin Pemasok DocType: Budget,Monthly Distribution,Distribusi bulanan apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver List kosong. Silakan membuat Receiver List DocType: Production Plan Sales Order,Production Plan Sales Order,Rencana Produksi berdasar Order Penjualan @@ -1593,7 +1593,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Klaim untuk b apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Siswa di jantung dari sistem, menambahkan semua siswa Anda" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: tanggal Jarak {1} tidak bisa sebelum Cek Tanggal {2} DocType: Company,Default Holiday List,Standar Daftar Hari Libur -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Hutang Stok DocType: Purchase Invoice,Supplier Warehouse,Gudang Supplier DocType: Opportunity,Contact Mobile No,Kontak Mobile No @@ -1609,18 +1609,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Cuti jenis {0} tidak boleh lebih dari {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Coba operasi untuk hari X perencanaan di muka. DocType: HR Settings,Stop Birthday Reminders,Stop Pengingat Ulang Tahun -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Silahkan mengatur default Payroll Hutang Akun di Perusahaan {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Silahkan mengatur default Payroll Hutang Akun di Perusahaan {0} DocType: SMS Center,Receiver List,Daftar Penerima -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Cari Barang +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Cari Barang apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Dikonsumsi Jumlah apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Perubahan bersih dalam kas DocType: Assessment Plan,Grading Scale,Skala penilaian apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Satuan Ukur {0} telah dimasukkan lebih dari sekali dalam Faktor Konversi Tabel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Sudah lengkap +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Sudah lengkap apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Saham di tangan apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Permintaan pembayaran sudah ada {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Biaya Produk Dikeluarkan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Kuantitas tidak boleh lebih dari {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Kuantitas tidak boleh lebih dari {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Sebelumnya Keuangan Tahun tidak tertutup apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Umur (Hari) DocType: Quotation Item,Quotation Item,Quotation Stok Barang @@ -1634,6 +1634,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Dokumen referensi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan DocType: Accounts Settings,Credit Controller,Kredit Kontroller +DocType: Sales Order,Final Delivery Date,Tanggal pengiriman akhir DocType: Delivery Note,Vehicle Dispatch Date,Kendaraan Dikirim Tanggal DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Nota Penerimaan {0} tidak Terkirim @@ -1722,9 +1723,9 @@ DocType: Employee,Date Of Retirement,Tanggal Pensiun DocType: Upload Attendance,Get Template,Dapatkan Template DocType: Material Request,Transferred,Ditransfer DocType: Vehicle,Doors,pintu -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Pengaturan Selesai! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Pengaturan Selesai! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Perpisahan pajak +DocType: Purchase Invoice,Tax Breakup,Perpisahan pajak DocType: Packing Slip,PS-,PS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Pusat Biaya diperlukan untuk akun 'Rugi Laba' {2}. Silakan membuat Pusat Biaya default untuk Perusahaan. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Kelompok Konsumen sudah ada dengan nama yang sama, silakan mengubah nama Konsumen atau mengubah nama Grup Konsumen" @@ -1737,14 +1738,14 @@ DocType: Announcement,Instructor,Pengajar DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jika item ini memiliki varian, maka tidak dapat dipilih dalam order penjualan dll" DocType: Lead,Next Contact By,Kontak Selanjutnya Oleh -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Kuantitas yang dibutuhkan untuk Item {0} berturut-turut {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Kuantitas yang dibutuhkan untuk Item {0} berturut-turut {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak dapat dihapus sebagai kuantitas ada untuk Item {1} DocType: Quotation,Order Type,Tipe Order DocType: Purchase Invoice,Notification Email Address,Alamat Email Pemberitahuan ,Item-wise Sales Register,Item-wise Daftar Penjualan DocType: Asset,Gross Purchase Amount,Jumlah Pembelian Gross DocType: Asset,Depreciation Method,Metode penyusutan -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Apakah Pajak ini termasuk dalam Basic Rate? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Total Jumlah Target DocType: Job Applicant,Applicant for a Job,Pemohon untuk Lowongan Kerja @@ -1765,7 +1766,7 @@ DocType: Employee,Leave Encashed?,Cuti dicairkan? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Peluang Dari Bidang Usaha Wajib Diisi DocType: Email Digest,Annual Expenses,Beban tahunan DocType: Item,Variants,Varian -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Buat Order Pembelian +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Buat Order Pembelian DocType: SMS Center,Send To,Kirim Ke apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Tidak ada saldo cuti cukup bagi Leave Type {0} DocType: Payment Reconciliation Payment,Allocated amount,Jumlah yang dialokasikan @@ -1773,7 +1774,7 @@ DocType: Sales Team,Contribution to Net Total,Kontribusi terhadap Net Jumlah DocType: Sales Invoice Item,Customer's Item Code,Kode Barang/Item Konsumen DocType: Stock Reconciliation,Stock Reconciliation,Rekonsiliasi Stok DocType: Territory,Territory Name,Nama Wilayah -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Kerja-in-Progress Gudang diperlukan sebelum Submit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Kerja-in-Progress Gudang diperlukan sebelum Submit apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Pemohon untuk Lowongan Pekerjaan DocType: Purchase Order Item,Warehouse and Reference,Gudang dan Referensi DocType: Supplier,Statutory info and other general information about your Supplier,Info Statutory dan informasi umum lainnya tentang Supplier Anda @@ -1784,16 +1785,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Penilaian apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Gandakan Serial ada dimasukkan untuk Item {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Sebuah kondisi untuk Aturan Pengiriman apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,masukkan -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Tidak bisa overbill untuk Item {0} berturut-turut {1} lebih dari {2}. Untuk memungkinkan over-billing, silakan diatur dalam Membeli Pengaturan" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Silahkan mengatur filter berdasarkan Barang atau Gudang +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Tidak bisa overbill untuk Item {0} berturut-turut {1} lebih dari {2}. Untuk memungkinkan over-billing, silakan diatur dalam Membeli Pengaturan" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Silahkan mengatur filter berdasarkan Barang atau Gudang DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih package ini. (Dihitung secara otomatis sebagai jumlah berat bersih item) DocType: Sales Order,To Deliver and Bill,Untuk Dikirim dan Ditagih DocType: Student Group,Instructors,instruktur DocType: GL Entry,Credit Amount in Account Currency,Jumlah kredit di Akun Mata Uang -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} harus diserahkan +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} harus diserahkan DocType: Authorization Control,Authorization Control,Pengendali Otorisasi apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Ditolak Gudang adalah wajib terhadap ditolak Stok Barang {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Pembayaran +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Pembayaran apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Gudang {0} tidak ditautkan ke akun apa pun, sebutkan akun di catatan gudang atau tetapkan akun inventaris default di perusahaan {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Mengelola pesanan Anda DocType: Production Order Operation,Actual Time and Cost,Waktu dan Biaya Aktual @@ -1809,12 +1810,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundel DocType: Quotation Item,Actual Qty,Jumlah Aktual DocType: Sales Invoice Item,References,Referensi DocType: Quality Inspection Reading,Reading 10,Membaca 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Daftar produk atau jasa yang Anda membeli atau menjual. Pastikan untuk memeriksa Grup Stok Barang, Satuan Ukur dan properti lainnya ketika Anda mulai." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Daftar produk atau jasa yang Anda membeli atau menjual. Pastikan untuk memeriksa Grup Stok Barang, Satuan Ukur dan properti lainnya ketika Anda mulai." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Anda telah memasukkan item yang sama. Harap diperbaiki dan coba lagi. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Rekan +DocType: Company,Sales Target,Target Penjualan DocType: Asset Movement,Asset Movement,Gerakan aset -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Cart baru +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Cart baru apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Item {0} bukan merupakan Stok Barang serial DocType: SMS Center,Create Receiver List,Buat Daftar Penerima DocType: Vehicle,Wheels,roda @@ -1855,13 +1857,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Pengelolaan Proyek DocType: Supplier,Supplier of Goods or Services.,Supplier Stok Barang atau Jasa. DocType: Budget,Fiscal Year,Tahun Fiskal DocType: Vehicle Log,Fuel Price,Harga BBM +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Silakan setup seri penomoran untuk Kehadiran melalui Setup> Numbering Series DocType: Budget,Budget,Anggaran belanja apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Fixed Asset Item harus item non-saham. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Anggaran tidak dapat ditugaskan terhadap {0}, karena itu bukan Penghasilan atau Beban akun" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Tercapai DocType: Student Admission,Application Form Route,Form aplikasi Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Wilayah / Konsumen -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,misalnya 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,misalnya 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Tinggalkan Jenis {0} tidak dapat dialokasikan karena itu pergi tanpa membayar apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Baris {0}: Alokasi jumlah {1} harus kurang dari atau sama dengan faktur jumlah yang luar biasa {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Faktur Penjualan. @@ -1870,11 +1873,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Stok Barang {0} tidak setup untuk Serial Nos Periksa Stok Barang induk DocType: Maintenance Visit,Maintenance Time,Waktu Pemeliharaan ,Amount to Deliver,Jumlah untuk Dikirim -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Produk atau Jasa +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Produk atau Jasa apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Jangka Tanggal Mulai tidak dapat lebih awal dari Tahun Tanggal Mulai Tahun Akademik yang istilah terkait (Tahun Akademik {}). Perbaiki tanggal dan coba lagi. DocType: Guardian,Guardian Interests,wali Minat DocType: Naming Series,Current Value,Nilai saat ini -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Beberapa tahun fiskal ada untuk tanggal {0}. Silakan set perusahaan di Tahun Anggaran +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Beberapa tahun fiskal ada untuk tanggal {0}. Silakan set perusahaan di Tahun Anggaran apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} dibuat DocType: Delivery Note Item,Against Sales Order,Berdasarkan Order Penjualan ,Serial No Status,Status Nomor Serial @@ -1888,7 +1891,7 @@ DocType: Pricing Rule,Selling,Penjualan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Jumlah {0} {1} dipotong terhadap {2} DocType: Employee,Salary Information,Informasi Gaji DocType: Sales Person,Name and Employee ID,Nama dan ID Karyawan -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Tanggal jatuh tempo tidak bisa sebelum Tanggal Posting +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Tanggal jatuh tempo tidak bisa sebelum Tanggal Posting DocType: Website Item Group,Website Item Group,Situs Stok Barang Grup apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Tarif dan Pajak apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Harap masukkan tanggal Referensi @@ -1943,9 +1946,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Harap atur tanggal bergabung untuk karyawan {0} DocType: Task,Total Billing Amount (via Time Sheet),Jumlah Total Penagihan (via Waktu Lembar) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Pendapatan konsumen langganan -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) harus memiliki akses sebagai 'Pemberi Izin Pengeluaran' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pasangan -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Pilih BOM dan Qty untuk Produksi +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) harus memiliki akses sebagai 'Pemberi Izin Pengeluaran' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Pasangan +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Pilih BOM dan Qty untuk Produksi DocType: Asset,Depreciation Schedule,Jadwal penyusutan apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Alamat Mitra Penjualan Dan Kontak DocType: Bank Reconciliation Detail,Against Account,Terhadap Akun @@ -1955,7 +1958,7 @@ DocType: Item,Has Batch No,Bernomor Batch apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Penagihan tahunan: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Pajak Barang dan Jasa (GST India) DocType: Delivery Note,Excise Page Number,Jumlah Halaman Excise -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Perusahaan, Dari Tanggal dan To Date adalah wajib" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Perusahaan, Dari Tanggal dan To Date adalah wajib" DocType: Asset,Purchase Date,Tanggal Pembelian DocType: Employee,Personal Details,Data Pribadi apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Silahkan mengatur 'Biaya Penyusutan Asset Center di Perusahaan {0} @@ -1964,9 +1967,9 @@ DocType: Task,Actual End Date (via Time Sheet),Sebenarnya Tanggal Akhir (via Wak apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Jumlah {0} {1} terhadap {2} {3} ,Quotation Trends,Trend Quotation apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Item Grup tidak disebutkan dalam master Stok Barang untuk item {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debit Untuk akun harus rekening Piutang +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debit Untuk akun harus rekening Piutang DocType: Shipping Rule Condition,Shipping Amount,Jumlah Pengiriman -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Tambahkan Pelanggan +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Tambahkan Pelanggan apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Jumlah Pending DocType: Purchase Invoice Item,Conversion Factor,Faktor konversi DocType: Purchase Order,Delivered,Dikirim @@ -1988,7 +1991,6 @@ DocType: Production Order,Use Multi-Level BOM,Gunakan Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Termasuk Entri Rekonsiliasi DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kursus Orang Tua (Biarkan kosong, jika ini bukan bagian dari Kursus Orang Tua)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Biarkan kosong jika dipertimbangkan untuk semua jenis karyawan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah DocType: Landed Cost Voucher,Distribute Charges Based On,Distribusi Biaya Berdasarkan apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,Pengaturan Sumber Daya Manusia @@ -1996,7 +1998,7 @@ DocType: Salary Slip,net pay info,net Info pay apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Beban Klaim sedang menunggu persetujuan. Hanya Approver Beban dapat memperbarui status. DocType: Email Digest,New Expenses,Beban baru DocType: Purchase Invoice,Additional Discount Amount,Jumlah Diskon Tambahan -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty harus 1, sebagai item aset tetap. Silakan gunakan baris terpisah untuk beberapa qty." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty harus 1, sebagai item aset tetap. Silakan gunakan baris terpisah untuk beberapa qty." DocType: Leave Block List Allow,Leave Block List Allow,Cuti Block List Izinkan apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Singkatan tidak boleh kosong atau spasi apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Kelompok Non-kelompok @@ -2004,7 +2006,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Olahraga DocType: Loan Type,Loan Name,pinjaman Nama apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Aktual DocType: Student Siblings,Student Siblings,Saudara mahasiswa -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Satuan +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Satuan apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Silakan tentukan Perusahaan ,Customer Acquisition and Loyalty,Akuisisi Konsumen dan Loyalitas DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Gudang di mana Anda mempertahankan stok item ditolak @@ -2022,12 +2024,12 @@ DocType: Workstation,Wages per hour,Upah per jam apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Saldo Stok di Batch {0} akan menjadi negatif {1} untuk Item {2} di Gudang {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Berikut Permintaan Bahan telah dibesarkan secara otomatis berdasarkan tingkat re-order Item DocType: Email Digest,Pending Sales Orders,Pending Order Penjualan -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Akun {0} tidak berlaku. Mata Uang Akun harus {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Akun {0} tidak berlaku. Mata Uang Akun harus {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM Konversi diperlukan berturut-turut {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Sales Order, Faktur Penjualan atau Journal Entri" DocType: Salary Component,Deduction,Deduksi -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Dari Waktu dan To Waktu adalah wajib. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Row {0}: Dari Waktu dan To Waktu adalah wajib. DocType: Stock Reconciliation Item,Amount Difference,jumlah Perbedaan apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Item Harga ditambahkan untuk {0} di Daftar Harga {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Cukup masukkan Id Karyawan Sales Person ini @@ -2037,11 +2039,11 @@ DocType: Project,Gross Margin,Margin kotor apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Entrikan Produksi Stok Barang terlebih dahulu apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Dihitung keseimbangan Laporan Bank apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Pengguna Non-aktif -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Quotation +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Quotation DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Jumlah Deduksi ,Production Analytics,Analytics produksi -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Perbarui Biaya +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Perbarui Biaya DocType: Employee,Date of Birth,Tanggal Lahir apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Item {0} telah dikembalikan DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Tahun Anggaran ** mewakili Tahun Keuangan. Semua entri akuntansi dan transaksi besar lainnya dilacak terhadap Tahun Anggaran ** **. @@ -2086,18 +2088,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Pilih Perusahaan ... DocType: Leave Control Panel,Leave blank if considered for all departments,Biarkan kosong jika dianggap untuk semua departemen apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Jenis pekerjaan (permanen, kontrak, magang dll)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} adalah wajib untuk Item {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} adalah wajib untuk Item {1} DocType: Process Payroll,Fortnightly,sekali dua minggu DocType: Currency Exchange,From Currency,Dari mata uang apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Biaya Pembelian New -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Sales Order yang diperlukan untuk Item {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Sales Order yang diperlukan untuk Item {0} DocType: Purchase Invoice Item,Rate (Company Currency),Rate (Perusahaan Mata Uang) DocType: Student Guardian,Others,Lainnya DocType: Payment Entry,Unallocated Amount,Jumlah yang tidak terisi apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Tidak dapat menemukan yang cocok Item. Silakan pilih beberapa nilai lain untuk {0}. DocType: POS Profile,Taxes and Charges,Pajak dan Biaya DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Sebuah Produk atau Jasa yang dibeli, dijual atau disimpan di gudang." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Brand apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Tidak ada update lebih apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Tidak dapat memilih jenis biaya sebagai 'Pada Row Sebelumnya Jumlah' atau 'On Sebelumnya Row Jumlah' untuk baris terlebih dahulu apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Barang Turunan tidak boleh berupa sebuah Bundel Produk. Silahkan hapus barang `{0}` dan simpan @@ -2123,7 +2126,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Jumlah Total Tagihan apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Harus ada Akun Email bawaan masuk diaktifkan untuk bekerja. Silakan pengaturan default masuk Email Account (POP / IMAP) dan coba lagi. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Akun Piutang -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Aset {1} sudah {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Aset {1} sudah {2} DocType: Quotation Item,Stock Balance,Balance Nilai Stok apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Nota Penjualan untuk Pembayaran apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2148,10 +2151,11 @@ DocType: C-Form,Received Date,Diterima Tanggal DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Jika Anda telah membuat template standar dalam Penjualan Pajak dan Biaya Template, pilih salah satu dan klik pada tombol di bawah ini." DocType: BOM Scrap Item,Basic Amount (Company Currency),Dasar Jumlah (Perusahaan Mata Uang) DocType: Student,Guardians,Penjaga +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Supplier Type DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Harga tidak akan ditampilkan jika Harga Daftar tidak diatur apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Silakan tentukan negara untuk Aturan Pengiriman ini atau periksa Seluruh Dunia Pengiriman DocType: Stock Entry,Total Incoming Value,Total nilai masuk -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debit Untuk diperlukan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debit Untuk diperlukan apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets membantu melacak waktu, biaya dan penagihan untuk kegiatan yang dilakukan oleh tim Anda" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Pembelian Daftar Harga DocType: Offer Letter Term,Offer Term,Penawaran Term @@ -2170,11 +2174,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cari DocType: Timesheet Detail,To Time,Untuk Waktu DocType: Authorization Rule,Approving Role (above authorized value),Menyetujui Peran (di atas nilai yang berwenang) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredit Untuk akun harus rekening Hutang -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} tidak bisa menjadi induk atau cabang dari {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} tidak bisa menjadi induk atau cabang dari {2} DocType: Production Order Operation,Completed Qty,Qty Selesai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Untuk {0}, hanya rekening debit dapat dihubungkan dengan entri kredit lain" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Daftar Harga {0} dinonaktifkan -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Selesai Qty tidak bisa lebih dari {1} untuk operasi {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Selesai Qty tidak bisa lebih dari {1} untuk operasi {2} DocType: Manufacturing Settings,Allow Overtime,Izinkan Lembur apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} tidak dapat diperbarui menggunakan Stock Reconciliation, mohon gunakan Stock Entry" DocType: Training Event Employee,Training Event Employee,Acara Pelatihan Karyawan @@ -2192,10 +2196,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Eksternal apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Pengguna dan Perizinan DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Produksi Pesanan Dibuat: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Produksi Pesanan Dibuat: {0} DocType: Branch,Branch,Cabang DocType: Guardian,Mobile Number,Nomor handphone apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Percetakan dan Branding +DocType: Company,Total Monthly Sales,Total Penjualan Bulanan DocType: Bin,Actual Quantity,Kuantitas Aktual DocType: Shipping Rule,example: Next Day Shipping,Contoh: Hari Berikutnya Pengiriman apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} tidak ditemukan @@ -2225,7 +2230,7 @@ DocType: Payment Request,Make Sales Invoice,Buat Faktur Penjualan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,software apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Berikutnya Hubungi Tanggal tidak dapat di masa lalu DocType: Company,For Reference Only.,Untuk referensi saja. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Pilih Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Pilih Batch No apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Valid {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Jumlah Uang Muka @@ -2238,7 +2243,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ada Stok Barang dengan Barcode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Kasus No tidak bisa 0 DocType: Item,Show a slideshow at the top of the page,Tampilkan slideshow di bagian atas halaman -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOMS +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,BOMS apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Toko DocType: Serial No,Delivery Time,Waktu Pengiriman apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Umur Berdasarkan @@ -2252,16 +2257,16 @@ DocType: Rename Tool,Rename Tool,Alat Perubahan Nama apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Perbarui Biaya DocType: Item Reorder,Item Reorder,Item Reorder apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Slip acara Gaji -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transfer Material/Stok Barang +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transfer Material/Stok Barang DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Tentukan operasi, biaya operasi dan memberikan Operation unik ada pada operasi Anda." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dokumen ini adalah lebih dari batas oleh {0} {1} untuk item {4}. Apakah Anda membuat yang lain {3} terhadap yang sama {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Silahkan mengatur berulang setelah menyimpan -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Pilih akun berubah jumlah +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Silahkan mengatur berulang setelah menyimpan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Pilih akun berubah jumlah DocType: Purchase Invoice,Price List Currency,Daftar Harga Mata uang DocType: Naming Series,User must always select,Pengguna harus selalu pilih DocType: Stock Settings,Allow Negative Stock,Izinkkan Stok Negatif DocType: Installation Note,Installation Note,Nota Installasi -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Tambahkan Pajak +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Tambahkan Pajak DocType: Topic,Topic,Tema apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Arus Kas dari Pendanaan DocType: Budget Account,Budget Account,Akun anggaran @@ -2275,7 +2280,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Lacak apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Sumber Dana (Kewajiban) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Jumlah berturut-turut {0} ({1}) harus sama dengan jumlah yang diproduksi {2} DocType: Appraisal,Employee,Karyawan -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Pilih Batch +DocType: Company,Sales Monthly History,Riwayat Bulanan Penjualan +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Pilih Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} telah ditagih sepenuhnya DocType: Training Event,End Time,Waktu Akhir apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Struktur Gaji aktif {0} ditemukan untuk karyawan {1} untuk tanggal yang diberikan @@ -2283,15 +2289,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Pengurangan pembayaran atau Ru apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Ketentuan kontrak standar untuk Penjualan atau Pembelian. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Group by Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline penjualan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Silakan set account default di Komponen Gaji {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Silakan set account default di Komponen Gaji {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Diperlukan pada DocType: Rename Tool,File to Rename,Nama File untuk Diganti apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Silakan pilih BOM untuk Item di Row {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Akun {0} tidak cocok dengan Perusahaan {1} dalam Mode Akun: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Ditentukan BOM {0} tidak ada untuk Item {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadwal pemeliharaan {0} harus dibatalkan sebelum membatalkan Sales Order ini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadwal pemeliharaan {0} harus dibatalkan sebelum membatalkan Sales Order ini DocType: Notification Control,Expense Claim Approved,Klaim Biaya Disetujui -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Silakan setup seri penomoran untuk Kehadiran melalui Setup> Numbering Series apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Slip Gaji karyawan {0} sudah dibuat untuk periode ini apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmasi apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Biaya Produk Dibeli @@ -2308,7 +2313,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,No. BOM untuk Stok DocType: Upload Attendance,Attendance To Date,Kehadiran Sampai Tanggal DocType: Warranty Claim,Raised By,Diangkat Oleh DocType: Payment Gateway Account,Payment Account,Akun Pembayaran -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Silahkan tentukan Perusahaan untuk melanjutkan +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Silahkan tentukan Perusahaan untuk melanjutkan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Perubahan bersih Piutang apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompensasi Off DocType: Offer Letter,Accepted,Diterima @@ -2317,12 +2322,12 @@ DocType: SG Creation Tool Course,Student Group Name,Nama Kelompok Mahasiswa apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Pastikan Anda benar-benar ingin menghapus semua transaksi untuk perusahaan ini. Data master Anda akan tetap seperti itu. Tindakan ini tidak bisa dibatalkan. DocType: Room,Room Number,Nomor kamar apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referensi yang tidak valid {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) tidak dapat lebih besar dari jumlah yang direncanakan ({2}) di Order Produksi {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) tidak dapat lebih besar dari jumlah yang direncanakan ({2}) di Order Produksi {3} DocType: Shipping Rule,Shipping Rule Label,Peraturan Pengiriman Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum pengguna -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Bahan baku tidak boleh kosong. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Tidak bisa update Stok, faktur berisi penurunan Stok Barang pengiriman." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Jurnal Entry Cepat +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Bahan baku tidak boleh kosong. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Tidak bisa update Stok, faktur berisi penurunan Stok Barang pengiriman." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Jurnal Entry Cepat apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Anda tidak dapat mengubah kurs jika BOM disebutkan atas tiap Stok Barang DocType: Employee,Previous Work Experience,Pengalaman Kerja Sebelumnya DocType: Stock Entry,For Quantity,Untuk Kuantitas @@ -2379,7 +2384,7 @@ DocType: SMS Log,No of Requested SMS,Tidak ada dari Diminta SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Tinggalkan Tanpa Bayar tidak sesuai dengan catatan Cuti Aplikasi disetujui DocType: Campaign,Campaign-.####,Promosi-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Langkah selanjutnya -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Silakan memasok barang-barang tertentu dengan tarif terbaik +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Silakan memasok barang-barang tertentu dengan tarif terbaik DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Peluang dekat setelah 15 hari apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,akhir Tahun apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2436,7 +2441,7 @@ DocType: Homepage,Homepage,Homepage DocType: Purchase Receipt Item,Recd Quantity,Qty Diterima apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Biaya Rekaman Dibuat - {0} DocType: Asset Category Account,Asset Category Account,Aset Kategori Akun -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Tidak dapat menghasilkan lebih Stok Barang {0} daripada kuantitas Sales Order {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Tidak dapat menghasilkan lebih Stok Barang {0} daripada kuantitas Sales Order {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Entri Bursa {0} tidak Terkirim DocType: Payment Reconciliation,Bank / Cash Account,Bank / Rekening Kas apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Berikutnya Hubungi Dengan tidak bisa sama dengan Timbal Alamat Email @@ -2469,7 +2474,7 @@ DocType: Salary Structure,Total Earning,Total Penghasilan DocType: Purchase Receipt,Time at which materials were received,Waktu di mana bahan yang diterima DocType: Stock Ledger Entry,Outgoing Rate,Tingkat keluar apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Cabang master organisasi. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,atau +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,atau DocType: Sales Order,Billing Status,Status Penagihan apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Laporkan Masalah apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Beban utilitas @@ -2477,7 +2482,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entri {1} tidak memiliki akun {2} atau sudah cocok dengan voucher lain DocType: Buying Settings,Default Buying Price List,Standar Membeli Daftar Harga DocType: Process Payroll,Salary Slip Based on Timesheet,Slip Gaji Berdasarkan Daftar Absen -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Tidak ada karyawan untuk kriteria di atas yang dipilih ATAU Slip gaji sudah dibuat +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Tidak ada karyawan untuk kriteria di atas yang dipilih ATAU Slip gaji sudah dibuat DocType: Notification Control,Sales Order Message,Pesan Nota Penjualan apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Nilai Default seperti Perusahaan, Mata Uang, Tahun Anggaran Current, dll" DocType: Payment Entry,Payment Type,Jenis Pembayaran @@ -2501,7 +2506,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,dokumen tanda terima harus diserahkan DocType: Purchase Invoice Item,Received Qty,Qty Diterima DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Tidak Dibayar dan tidak Terkirim +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Tidak Dibayar dan tidak Terkirim DocType: Product Bundle,Parent Item,Induk Stok Barang DocType: Account,Account Type,Jenis Account DocType: Delivery Note,DN-RET-,DN-RET- @@ -2531,8 +2536,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Jumlah Total Dialokasikan apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Tetapkan akun inventaris default untuk persediaan perpetual DocType: Item Reorder,Material Request Type,Permintaan Jenis Bahan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal masuk untuk gaji dari {0} ke {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyimpan" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Journal masuk untuk gaji dari {0} ke {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyimpan" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Faktor Konversi adalah wajib apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Biaya Pusat @@ -2550,7 +2555,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Pajak apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jika Aturan Harga yang dipilih dibuat untuk 'Harga', itu akan menimpa Daftar Harga. Harga Rule harga adalah harga akhir, sehingga tidak ada diskon lebih lanjut harus diterapkan. Oleh karena itu, dalam transaksi seperti Sales Order, Purchase Order dll, maka akan diambil di lapangan 'Tingkat', daripada lapangan 'Daftar Harga Tingkat'." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Melacak Memimpin menurut Produksi Type. DocType: Item Supplier,Item Supplier,Item Supplier -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Entrikan Item Code untuk mendapatkan bets tidak +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Entrikan Item Code untuk mendapatkan bets tidak apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Silakan pilih nilai untuk {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Semua Alamat DocType: Company,Stock Settings,Pengaturan Stok @@ -2577,7 +2582,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Jumlah Aktual Setelah T apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Tidak ada slip gaji ditemukan antara {0} dan {1} ,Pending SO Items For Purchase Request,Pending SO Items Untuk Pembelian Permintaan apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Penerimaan Mahasiswa -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} dinonaktifkan +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} dinonaktifkan DocType: Supplier,Billing Currency,Mata Uang Penagihan DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Ekstra Besar @@ -2607,7 +2612,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Status aplikasi DocType: Fees,Fees,biaya DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Tentukan Nilai Tukar untuk mengkonversi satu mata uang ke yang lain -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Quotation {0} dibatalkan +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Quotation {0} dibatalkan apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Jumlah Total Outstanding DocType: Sales Partner,Targets,Target DocType: Price List,Price List Master,Daftar Harga Guru @@ -2624,7 +2629,7 @@ DocType: POS Profile,Ignore Pricing Rule,Abaikan Aturan Harga DocType: Employee Education,Graduate,Lulusan DocType: Leave Block List,Block Days,Blokir Hari DocType: Journal Entry,Excise Entry,Cukai Entri -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Peringatan: Sales Order {0} sudah ada terhadap Purchase Order Konsumen {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Peringatan: Sales Order {0} sudah ada terhadap Purchase Order Konsumen {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2662,7 +2667,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Jika ,Salary Register,Register Gaji DocType: Warehouse,Parent Warehouse,Gudang tua DocType: C-Form Invoice Detail,Net Total,Jumlah Bersih -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Default BOM tidak ditemukan untuk Item {0} dan Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Default BOM tidak ditemukan untuk Item {0} dan Project {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Mendefinisikan berbagai jenis pinjaman DocType: Bin,FCFS Rate,FCFS Tingkat DocType: Payment Reconciliation Invoice,Outstanding Amount,Jumlah yang luar biasa @@ -2699,7 +2704,7 @@ DocType: Salary Detail,Condition and Formula Help,Kondisi dan Formula Bantuan apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Kelola Wilayah Tree. DocType: Journal Entry Account,Sales Invoice,Faktur Penjualan DocType: Journal Entry Account,Party Balance,Saldo Partai -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Silakan pilih Terapkan Diskon Pada +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Silakan pilih Terapkan Diskon Pada DocType: Company,Default Receivable Account,Standar Piutang Rekening DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Buat Bank Entri untuk total gaji yang dibayarkan untuk kriteria di atas yang dipilih DocType: Stock Entry,Material Transfer for Manufacture,Alih Material untuk Produksi @@ -2713,7 +2718,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Alamat Konsumen DocType: Employee Loan,Loan Details,Detail pinjaman DocType: Company,Default Inventory Account,Akun Inventaris Default -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Selesai Qty harus lebih besar dari nol. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Row {0}: Selesai Qty harus lebih besar dari nol. DocType: Purchase Invoice,Apply Additional Discount On,Terapkan tambahan Diskon Pada DocType: Account,Root Type,Akar Type DocType: Item,FIFO,FIFO @@ -2730,7 +2735,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Inspeksi Kualitas apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Ekstra Kecil DocType: Company,Standard Template,Template standar DocType: Training Event,Theory,Teori -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Peringatan: Material Diminta Qty kurang dari Minimum Order Qty +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Peringatan: Material Diminta Qty kurang dari Minimum Order Qty apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Akun {0} dibekukan DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Badan Hukum / Anak dengan Bagan terpisah Account milik Organisasi. DocType: Payment Request,Mute Email,Bisu Email @@ -2754,7 +2759,7 @@ DocType: Training Event,Scheduled,Dijadwalkan apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Meminta kutipan. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Silahkan pilih barang yang bukan ""Barang Stok"" (nilai: ""Tidak"") dan berupa ""Barang Jualan"" (nilai: ""Ya""), serta tidak ada Bundel Produk lainnya" DocType: Student Log,Academic,Akademis -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total muka ({0}) terhadap Orde {1} tidak dapat lebih besar dari Grand Total ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total muka ({0}) terhadap Orde {1} tidak dapat lebih besar dari Grand Total ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Pilih Distribusi bulanan untuk merata mendistribusikan target di bulan. DocType: Purchase Invoice Item,Valuation Rate,Tingkat Penilaian DocType: Stock Reconciliation,SR/,SR / @@ -2818,6 +2823,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Entrikan nama kampanye jika sumber penyelidikan adalah kampanye apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Penerbit Koran apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Pilih Tahun Fiskal +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Tanggal Pengiriman yang Diharapkan harus setelah Tanggal Pesanan Penjualan apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Tingkat Re-Order DocType: Company,Chart Of Accounts Template,Grafik Of Account Template DocType: Attendance,Attendance Date,Tanggal Kehadiran @@ -2849,7 +2855,7 @@ DocType: Pricing Rule,Discount Percentage,Persentase Diskon DocType: Payment Reconciliation Invoice,Invoice Number,Nomor Faktur DocType: Shopping Cart Settings,Orders,Order DocType: Employee Leave Approver,Leave Approver,Approver Cuti -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Silakan pilih satu batch +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Silakan pilih satu batch DocType: Assessment Group,Assessment Group Name,Nama penilaian Grup DocType: Manufacturing Settings,Material Transferred for Manufacture,Bahan Ditransfer untuk Produksi DocType: Expense Claim,"A user with ""Expense Approver"" role","Pengguna dengan peran ""Expense Approver""" @@ -2885,7 +2891,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Hari terakhir dari Bulan Depan DocType: Support Settings,Auto close Issue after 7 days,Auto Issue dekat setelah 7 hari apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Cuti tidak dapat dialokasikan sebelum {0}, saldo cuti sudah pernah membawa-diteruskan dalam catatan alokasi cuti masa depan {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Catatan: Karena / Referensi Tanggal melebihi diperbolehkan hari kredit Konsumen dengan {0} hari (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Catatan: Karena / Referensi Tanggal melebihi diperbolehkan hari kredit Konsumen dengan {0} hari (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Mahasiswa Pemohon DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL UNTUK RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Akun Penyusutan Akumulasi @@ -2896,7 +2902,7 @@ DocType: Item,Reorder level based on Warehouse,Tingkat Re-Order berdasarkan Guda DocType: Activity Cost,Billing Rate,Tarip penagihan ,Qty to Deliver,Qty untuk Dikirim ,Stock Analytics,Stock Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operasi tidak dapat dibiarkan kosong +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operasi tidak dapat dibiarkan kosong DocType: Maintenance Visit Purpose,Against Document Detail No,Terhadap Detail Dokumen No. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Partai Type adalah wajib DocType: Quality Inspection,Outgoing,Keluaran @@ -2937,15 +2943,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Jumlah Tersedia di Gudang apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Jumlah Tagihan DocType: Asset,Double Declining Balance,Ganda Saldo Menurun -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Agar tertutup tidak dapat dibatalkan. Unclose untuk membatalkan. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Agar tertutup tidak dapat dibatalkan. Unclose untuk membatalkan. DocType: Student Guardian,Father,Ayah -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' tidak dapat diperiksa untuk penjualan aset tetap +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' tidak dapat diperiksa untuk penjualan aset tetap DocType: Bank Reconciliation,Bank Reconciliation,Rekonsiliasi Bank DocType: Attendance,On Leave,Sedang cuti apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Dapatkan Update apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Akun {2} bukan milik Perusahaan {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Permintaan Material {0} dibatalkan atau dihentikan -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Tambahkan beberapa catatan sampel +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Tambahkan beberapa catatan sampel apps/erpnext/erpnext/config/hr.py +301,Leave Management,Manajemen Cuti apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Group by Akun DocType: Sales Order,Fully Delivered,Sepenuhnya Terkirim @@ -2954,12 +2960,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Perbedaan Akun harus rekening Jenis Aset / Kewajiban, karena ini Bursa Rekonsiliasi adalah Entri Pembukaan" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Dicairkan Jumlah tidak dapat lebih besar dari Jumlah Pinjaman {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Nomor Purchase Order yang diperlukan untuk Item {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Pesanan produksi tidak diciptakan +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Pesanan produksi tidak diciptakan apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Tanggal Mulai' harus sebelum 'Tanggal Akhir' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},tidak dapat mengubah status sebagai mahasiswa {0} terkait dengan aplikasi mahasiswa {1} DocType: Asset,Fully Depreciated,sepenuhnya disusutkan ,Stock Projected Qty,Stock Proyeksi Jumlah -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Konsumen {0} bukan milik proyek {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Konsumen {0} bukan milik proyek {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Kehadiran ditandai HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Kutipan proposal, tawaran Anda telah dikirim ke pelanggan Anda" DocType: Sales Order,Customer's Purchase Order,Purchase Order Konsumen @@ -2969,7 +2975,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Silakan mengatur Jumlah Penyusutan Dipesan apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Nilai atau Qty apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Produksi Pesanan tidak dapat diangkat untuk: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Menit +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Menit DocType: Purchase Invoice,Purchase Taxes and Charges,Pajak Pembelian dan Biaya ,Qty to Receive,Qty untuk Menerima DocType: Leave Block List,Leave Block List Allowed,Cuti Block List Diizinkan @@ -2982,7 +2988,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Semua Jenis Supplier DocType: Global Defaults,Disable In Words,Nonaktifkan Dalam Kata-kata apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Item Code adalah wajib karena Item tidak secara otomatis nomor -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Quotation {0} bukan dari jenis {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Quotation {0} bukan dari jenis {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Jadwal pemeliharaan Stok Barang DocType: Sales Order,% Delivered,% Terkirim DocType: Production Order,PRO-,PRO- @@ -3005,7 +3011,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Email Penjual DocType: Project,Total Purchase Cost (via Purchase Invoice),Total Biaya Pembelian (Purchase Invoice via) DocType: Training Event,Start Time,Waktu Mulai -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Pilih Kuantitas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Pilih Kuantitas DocType: Customs Tariff Number,Customs Tariff Number,Tarif Bea Nomor apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Menyetujui Peran tidak bisa sama dengan peran aturan yang Berlaku Untuk apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Berhenti berlangganan dari Email ini Digest @@ -3029,7 +3035,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detil DocType: Sales Order,Fully Billed,Sepenuhnya Ditagih apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Cash In Hand -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Pengiriman gudang diperlukan untuk item Stok {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Pengiriman gudang diperlukan untuk item Stok {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Berat kotor paket. Berat + kemasan biasanya net berat bahan. (Untuk mencetak) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Pengguna dengan peran ini diperbolehkan untuk mengatur account beku dan membuat / memodifikasi entri akuntansi terhadap rekening beku @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Grup Berdasarkan DocType: Journal Entry,Bill Date,Tanggal Penagihan apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Layanan Item, Jenis, frekuensi dan jumlah beban yang diperlukan" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Bahkan jika ada beberapa Aturan Harga dengan prioritas tertinggi, kemudian mengikuti prioritas internal diterapkan:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Apakah Anda benar-benar ingin Menyerahkan semua Slip Gaji dari {0} ke {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Apakah Anda benar-benar ingin Menyerahkan semua Slip Gaji dari {0} ke {1} DocType: Cheque Print Template,Cheque Height,Cek Tinggi DocType: Supplier,Supplier Details,Rincian Supplier DocType: Expense Claim,Approval Status,Approval Status @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Kesempatan menjadi P apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Tidak lebih untuk ditampilkan. DocType: Lead,From Customer,Dari Konsumen apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Panggilan -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Batches +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Batches DocType: Project,Total Costing Amount (via Time Logs),Jumlah Total Biaya (via Waktu Log) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Order Pembelian {0} tidak terkirim @@ -3091,7 +3097,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Kembali Terhadap Pembe DocType: Item,Warranty Period (in days),Masa Garansi (dalam hari) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Hubungan dengan Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Kas Bersih dari Operasi -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,misalnya PPN +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,misalnya PPN apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Item 4 DocType: Student Admission,Admission End Date,Pendaftaran Tanggal Akhir apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-kontraktor @@ -3099,7 +3105,7 @@ DocType: Journal Entry Account,Journal Entry Account,Akun Jurnal Entri apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Kelompok mahasiswa DocType: Shopping Cart Settings,Quotation Series,Quotation Series apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Sebuah item yang ada dengan nama yang sama ({0}), silakan mengubah nama kelompok Stok Barang atau mengubah nama item" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Silakan pilih pelanggan +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Silakan pilih pelanggan DocType: C-Form,I,saya DocType: Company,Asset Depreciation Cost Center,Asset Pusat Penyusutan Biaya DocType: Sales Order Item,Sales Order Date,Tanggal Nota Penjualan @@ -3110,6 +3116,7 @@ DocType: Stock Settings,Limit Percent,batas Persen ,Payment Period Based On Invoice Date,Masa Pembayaran Berdasarkan Faktur Tanggal apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Hilang Kurs mata uang Tarif untuk {0} DocType: Assessment Plan,Examiner,Pemeriksa +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Harap tentukan Seri Penamaan untuk {0} melalui Setup> Settings> Naming Series DocType: Student,Siblings,saudara DocType: Journal Entry,Stock Entry,Stock Entri DocType: Payment Entry,Payment References,Referensi pembayaran @@ -3134,7 +3141,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Dimana operasi manufaktur dilakukan. DocType: Asset Movement,Source Warehouse,Sumber Gudang DocType: Installation Note,Installation Date,Instalasi Tanggal -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Aset {1} bukan milik perusahaan {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Aset {1} bukan milik perusahaan {2} DocType: Employee,Confirmation Date,Konfirmasi Tanggal DocType: C-Form,Total Invoiced Amount,Jumlah Total Tagihan apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty tidak dapat lebih besar dari Max Qty @@ -3207,7 +3214,7 @@ DocType: Company,Default Letter Head,Standar Surat Kepala DocType: Purchase Order,Get Items from Open Material Requests,Dapatkan Produk dari Permintaan Buka Material DocType: Item,Standard Selling Rate,Standard Jual Tingkat DocType: Account,Rate at which this tax is applied,Tingkat di mana pajak ini diterapkan -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Susun ulang Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Susun ulang Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Job Openings saat DocType: Company,Stock Adjustment Account,Penyesuaian Stock Akun apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Mencoret @@ -3221,7 +3228,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Supplier memberikan kepada Konsumen apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form/Item/{0}) habis persediaannya apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Tanggal berikutnya harus lebih besar dari Tanggal Posting -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Karena / Referensi Tanggal tidak boleh setelah {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Karena / Referensi Tanggal tidak boleh setelah {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Data Impor dan Ekspor apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Tidak ada siswa Ditemukan apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktur Posting Tanggal @@ -3241,12 +3248,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Hal ini didasarkan pada kehadiran mahasiswa ini apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Tidak ada siswa apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Menambahkan item lebih atau bentuk penuh terbuka -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Entrikan 'Diharapkan Pengiriman Tanggal' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Catatan pengiriman {0} harus dibatalkan sebelum membatalkan Sales Order ini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Catatan pengiriman {0} harus dibatalkan sebelum membatalkan Sales Order ini apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Jumlah yang dibayarkan + Write Off Jumlah tidak bisa lebih besar dari Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} tidak Nomor Batch berlaku untuk Stok Barang {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Catatan: Tidak ada saldo cuti cukup bagi Leave Type {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN tidak valid atau Enter NA untuk tidak terdaftar +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN tidak valid atau Enter NA untuk tidak terdaftar DocType: Training Event,Seminar,Seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Program Pendaftaran Biaya DocType: Item,Supplier Items,Supplier Produk @@ -3264,7 +3270,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stock Penuaan apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Mahasiswa {0} ada terhadap pemohon mahasiswa {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' dinonaktifkan +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' dinonaktifkan apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Ditetapkan sebagai Terbuka DocType: Cheque Print Template,Scanned Cheque,scan Cek DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Kirim email otomatis ke Kontak transaksi Mengirimkan. @@ -3310,7 +3316,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Daftar Harga Tukar DocType: Purchase Invoice Item,Rate,Menilai apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Menginternir -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Nama alamat +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Nama alamat DocType: Stock Entry,From BOM,Dari BOM DocType: Assessment Code,Assessment Code,Kode penilaian apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Dasar @@ -3323,20 +3329,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Struktur Gaji DocType: Account,Bank,Bank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Maskapai Penerbangan -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Isu Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Isu Material DocType: Material Request Item,For Warehouse,Untuk Gudang DocType: Employee,Offer Date,Penawaran Tanggal apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Quotation -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Anda berada dalam mode offline. Anda tidak akan dapat memuat sampai Anda memiliki jaringan. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Anda berada dalam mode offline. Anda tidak akan dapat memuat sampai Anda memiliki jaringan. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Tidak Grup Pelajar dibuat. DocType: Purchase Invoice Item,Serial No,Serial ada apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Bulanan Pembayaran Jumlah tidak dapat lebih besar dari Jumlah Pinjaman apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Cukup masukkan Maintaince Detail terlebih dahulu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Baris # {0}: Tanggal Pengiriman yang Diharapkan tidak boleh sebelum Tanggal Pemesanan Pembelian DocType: Purchase Invoice,Print Language,cetak Bahasa DocType: Salary Slip,Total Working Hours,Jumlah Jam Kerja DocType: Stock Entry,Including items for sub assemblies,Termasuk item untuk sub rakitan -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Masukkan nilai harus positif -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Brand +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Masukkan nilai harus positif apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Semua Wilayah DocType: Purchase Invoice,Items,Items apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Mahasiswa sudah terdaftar. @@ -3358,7 +3364,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standar Satuan Ukur untuk Variant '{0}' harus sama seperti di Template '{1}' DocType: Shipping Rule,Calculate Based On,Hitung Berbasis On DocType: Delivery Note Item,From Warehouse,Dari Gudang -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Tidak ada Item dengan Bill of Material untuk Industri +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Tidak ada Item dengan Bill of Material untuk Industri DocType: Assessment Plan,Supervisor Name,Nama pengawas DocType: Program Enrollment Course,Program Enrollment Course,Kursus Pendaftaran Program DocType: Purchase Taxes and Charges,Valuation and Total,Penilaian dan Total @@ -3373,32 +3379,33 @@ DocType: Training Event Employee,Attended,dihadiri apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Hari Sejak Pemesanan terakhir' harus lebih besar dari atau sama dengan nol DocType: Process Payroll,Payroll Frequency,Payroll Frekuensi DocType: Asset,Amended From,Diubah Dari -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Bahan Baku +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Bahan Baku DocType: Leave Application,Follow via Email,Ikuti via Email apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Tanaman dan Mesin DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Jumlah pajak Setelah Diskon Jumlah DocType: Daily Work Summary Settings,Daily Work Summary Settings,Pengaturan Kerja Ringkasan Harian -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Mata uang dari daftar harga {0} tidak sama dengan mata uang yang dipilih {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Mata uang dari daftar harga {0} tidak sama dengan mata uang yang dipilih {1} DocType: Payment Entry,Internal Transfer,internal transfer apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Akun anak ada untuk akun ini. Anda tidak dapat menghapus akun ini. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Entah sasaran qty atau jumlah target adalah wajib apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Tidak ada standar BOM ada untuk Item {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Silakan pilih Posting Tanggal terlebih dahulu +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Silakan pilih Posting Tanggal terlebih dahulu apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Tanggal pembukaan harus sebelum Tanggal Penutupan DocType: Leave Control Panel,Carry Forward,Carry Teruskan apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke buku DocType: Department,Days for which Holidays are blocked for this department.,Hari yang Holidays diblokir untuk departemen ini. ,Produced,Diproduksi -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Dibuat Slips Gaji +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Dibuat Slips Gaji DocType: Item,Item Code for Suppliers,Item Code untuk Supplier DocType: Issue,Raised By (Email),Dibesarkan Oleh (Email) DocType: Training Event,Trainer Name,Nama pelatih DocType: Mode of Payment,General,Umum apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikasi terakhir apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak bisa mengurangi ketika kategori adalah untuk 'Penilaian' atau 'Penilaian dan Total' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Daftar kepala pajak Anda (misalnya PPN, Bea Cukai dll, mereka harus memiliki nama yang unik) dan tarif standar mereka. Ini akan membuat template standar, yang dapat Anda edit dan menambahkan lagi nanti." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Daftar kepala pajak Anda (misalnya PPN, Bea Cukai dll, mereka harus memiliki nama yang unik) dan tarif standar mereka. Ini akan membuat template standar, yang dapat Anda edit dan menambahkan lagi nanti." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Nos Diperlukan untuk Serial Stok Barang {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Pembayaran pertandingan dengan Faktur +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Baris # {0}: Harap masukkan Tanggal Pengiriman terhadap item {1} DocType: Journal Entry,Bank Entry,Bank Entri DocType: Authorization Rule,Applicable To (Designation),Berlaku Untuk (Penunjukan) ,Profitability Analysis,Analisis profitabilitas @@ -3414,17 +3421,18 @@ DocType: Quality Inspection,Item Serial No,Item Serial No apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Buat Rekaman Karyawan apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total Hadir apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Laporan akuntansi -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Jam +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Jam apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Baru Serial ada tidak dapat memiliki Gudang. Gudang harus diatur oleh Bursa Entri atau Nota Penerimaan DocType: Lead,Lead Type,Timbal Type apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Anda tidak berwenang untuk menyetujui cuti di Blok Tanggal -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Semua Stok Barang-Stok Barang tersebut telah ditagih +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Semua Stok Barang-Stok Barang tersebut telah ditagih +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Target Penjualan Bulanan apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Dapat disetujui oleh {0} DocType: Item,Default Material Request Type,Default Bahan Jenis Permintaan apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,tidak diketahui DocType: Shipping Rule,Shipping Rule Conditions,Aturan Pengiriman Kondisi DocType: BOM Replace Tool,The new BOM after replacement,The BOM baru setelah penggantian -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Point of Sale DocType: Payment Entry,Received Amount,menerima Jumlah DocType: GST Settings,GSTIN Email Sent On,Email GSTIN Terkirim Di DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop oleh Guardian @@ -3439,8 +3447,8 @@ DocType: C-Form,Invoices,Faktur DocType: Batch,Source Document Name,Nama dokumen sumber DocType: Job Opening,Job Title,Jabatan apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Buat Pengguna -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Kuantitas untuk Produksi harus lebih besar dari 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Kuantitas untuk Produksi harus lebih besar dari 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Kunjungi laporan untuk panggilan pemeliharaan. DocType: Stock Entry,Update Rate and Availability,Update Rate dan Ketersediaan DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Persentase Anda diijinkan untuk menerima atau memberikan lebih terhadap kuantitas memerintahkan. Misalnya: Jika Anda telah memesan 100 unit. dan Tunjangan Anda adalah 10% maka Anda diperbolehkan untuk menerima 110 unit. @@ -3452,7 +3460,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Batalkan Purchase Invoice {0} pertama apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Alamat Email harus unik, sudah ada untuk {0}" DocType: Serial No,AMC Expiry Date,Tanggal Kadaluarsa AMC -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Penerimaan +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Penerimaan ,Sales Register,Daftar Penjualan DocType: Daily Work Summary Settings Company,Send Emails At,Kirim Email Di DocType: Quotation,Quotation Lost Reason,Quotation Kehilangan Alasan @@ -3465,14 +3473,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Belum ada pel apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Laporan arus kas apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak dapat melebihi Jumlah pinjaman maksimum {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Lisensi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Hapus Invoice ini {0} dari C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Hapus Invoice ini {0} dari C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Silakan pilih Carry Teruskan jika Anda juga ingin menyertakan keseimbangan fiskal tahun sebelumnya cuti tahun fiskal ini DocType: GL Entry,Against Voucher Type,Terhadap Tipe Voucher DocType: Item,Attributes,Atribut apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Cukup masukkan Write Off Akun apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Order terakhir Tanggal apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Akun {0} bukan milik perusahaan {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Nomor Seri di baris {0} tidak cocok dengan Catatan Pengiriman +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Nomor Seri di baris {0} tidak cocok dengan Catatan Pengiriman DocType: Student,Guardian Details,Detail wali DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Kehadiran untuk beberapa karyawan @@ -3504,16 +3512,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Je DocType: Tax Rule,Sales,Penjualan DocType: Stock Entry Detail,Basic Amount,Jumlah Dasar DocType: Training Event,Exam,Ujian -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Gudang diperlukan untuk stok Stok Barang {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Gudang diperlukan untuk stok Stok Barang {0} DocType: Leave Allocation,Unused leaves,cuti terpakai -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Negara penagihan apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} tidak terkait dengan Akun Partai {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch meledak BOM (termasuk sub-rakitan) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch meledak BOM (termasuk sub-rakitan) DocType: Authorization Rule,Applicable To (Employee),Berlaku Untuk (Karyawan) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date adalah wajib apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Kenaikan untuk Atribut {0} tidak dapat 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah DocType: Journal Entry,Pay To / Recd From,Pay To / RECD Dari DocType: Naming Series,Setup Series,Pengaturan Series DocType: Payment Reconciliation,To Invoice Date,Untuk Faktur Tanggal @@ -3540,7 +3549,7 @@ DocType: Journal Entry,Write Off Based On,Menulis Off Berbasis On apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,membuat Memimpin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Cetak dan Alat Tulis DocType: Stock Settings,Show Barcode Field,Tampilkan Barcode Lapangan -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Kirim Pemasok Email +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Kirim Pemasok Email apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gaji sudah diproses untuk periode antara {0} dan {1}, Tinggalkan periode aplikasi tidak dapat antara rentang tanggal ini." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Catatan instalasi untuk No Serial DocType: Guardian Interest,Guardian Interest,wali Tujuan @@ -3553,7 +3562,7 @@ DocType: Offer Letter,Awaiting Response,Menunggu Respon apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Di atas apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},atribut tidak valid {0} {1} DocType: Supplier,Mention if non-standard payable account,Sebutkan jika akun hutang non-standar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Item yang sama telah beberapa kali dimasukkan. {daftar} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Item yang sama telah beberapa kali dimasukkan. {daftar} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Harap pilih kelompok penilaian selain 'Semua Kelompok Penilaian' DocType: Salary Slip,Earning & Deduction,Earning & Pengurangan apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opsional. Pengaturan ini akan digunakan untuk menyaring dalam berbagai transaksi. @@ -3572,7 +3581,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Biaya Asset dibatalkan apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},"{0} {1}: ""Cost Center"" adalah wajib untuk Item {2}" DocType: Vehicle,Policy No,Kebijakan Tidak ada -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Dapatkan Barang-barang dari Bundel Produk +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Dapatkan Barang-barang dari Bundel Produk DocType: Asset,Straight Line,Garis lurus DocType: Project User,Project User,proyek Pengguna apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Membagi @@ -3584,6 +3593,7 @@ DocType: Sales Team,Contact No.,Hubungi Nomor DocType: Bank Reconciliation,Payment Entries,Entries pembayaran DocType: Production Order,Scrap Warehouse,Gudang memo DocType: Production Order,Check if material transfer entry is not required,Periksa apakah entri pemindahan material tidak diperlukan +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Silakan setup Employee Naming System di Human Resource> HR Settings DocType: Program Enrollment Tool,Get Students From,Dapatkan Siswa Dari DocType: Hub Settings,Seller Country,Penjual Negara apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publikasikan Produk di Website @@ -3601,19 +3611,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Tentukan kondisi untuk menghitung jumlah pengiriman DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Peran Diizinkan Set Beku Account & Edit Frozen Entri apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,Tidak dapat mengkonversi Biaya Center untuk buku karena memiliki node anak -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Nilai pembukaan +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Nilai pembukaan DocType: Salary Detail,Formula,Rumus apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisi Penjualan DocType: Offer Letter Term,Value / Description,Nilai / Keterangan -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Aset {1} tidak dapat disampaikan, itu sudah {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Aset {1} tidak dapat disampaikan, itu sudah {2}" DocType: Tax Rule,Billing Country,Negara Penagihan DocType: Purchase Order Item,Expected Delivery Date,Diharapkan Pengiriman Tanggal apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debit dan Kredit tidak sama untuk {0} # {1}. Perbedaan adalah {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Beban Hiburan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Membuat Material Permintaan apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Terbuka Barang {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktur Penjualan {0} harus dibatalkan sebelum membatalkan Sales Order ini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktur Penjualan {0} harus dibatalkan sebelum membatalkan Sales Order ini apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Usia DocType: Sales Invoice Timesheet,Billing Amount,Jumlah Penagihan apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Kuantitas tidak valid untuk item {0}. Jumlah harus lebih besar dari 0. @@ -3636,7 +3646,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,New Pendapatan Konsumen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Biaya Perjalanan DocType: Maintenance Visit,Breakdown,Rincian -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Account: {0} dengan mata uang: {1} tidak dapat dipilih +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Account: {0} dengan mata uang: {1} tidak dapat dipilih DocType: Bank Reconciliation Detail,Cheque Date,Cek Tanggal apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Akun {0}: akun Induk {1} bukan milik perusahaan: {2} DocType: Program Enrollment Tool,Student Applicants,Pelamar mahasiswa @@ -3656,11 +3666,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Perenc DocType: Material Request,Issued,Diterbitkan apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Kegiatan Siswa DocType: Project,Total Billing Amount (via Time Logs),Jumlah Total Tagihan (via Waktu Log) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Kami menjual item ini +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Kami menjual item ini apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Supplier Id DocType: Payment Request,Payment Gateway Details,Pembayaran Detail Gateway -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Kuantitas harus lebih besar dari 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Contoh data +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Kuantitas harus lebih besar dari 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Contoh data DocType: Journal Entry,Cash Entry,Entri Kas apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,node anak hanya dapat dibuat di bawah 'Grup' Jenis node DocType: Leave Application,Half Day Date,Tanggal Setengah Hari @@ -3669,17 +3679,18 @@ DocType: Sales Partner,Contact Desc,Contact Info apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Jenis cuti seperti kasual, dll sakit" DocType: Email Digest,Send regular summary reports via Email.,Mengirim laporan ringkasan rutin melalui Email. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Silakan set account default di Beban Klaim Jenis {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Silakan set account default di Beban Klaim Jenis {0} DocType: Assessment Result,Student Name,Nama siswa DocType: Brand,Item Manager,Item Manajer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll Hutang DocType: Buying Settings,Default Supplier Type,Standar Supplier Type DocType: Production Order,Total Operating Cost,Total Biaya Operasional -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Catatan: Stok Barang {0} masuk beberapa kali +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Catatan: Stok Barang {0} masuk beberapa kali apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Semua Kontak. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Tetapkan Target Anda apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Singkatan Perusahaan apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Pengguna {0} tidak ada -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Bahan baku tidak bisa sama dengan Butir utama +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Bahan baku tidak bisa sama dengan Butir utama DocType: Item Attribute Value,Abbreviation,Singkatan apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Masuk pembayaran sudah ada apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Tidak Authroized sejak {0} melebihi batas @@ -3697,7 +3708,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Peran Diizinkan untuk ,Territory Target Variance Item Group-Wise,Wilayah Sasaran Variance Stok Barang Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Semua Grup Konsumen apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,akumulasi Bulanan -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin data rekaman kurs mata uang tidak dibuat untuk {1} ke {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin data rekaman kurs mata uang tidak dibuat untuk {1} ke {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Template pajak adalah wajib. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Akun {0}: akun Induk {1} tidak ada DocType: Purchase Invoice Item,Price List Rate (Company Currency),Daftar Harga Rate (Perusahaan Mata Uang) @@ -3708,7 +3719,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Persentase Alokas apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretaris DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Jika menonaktifkan, 'Dalam Kata-kata' bidang tidak akan terlihat di setiap transaksi" DocType: Serial No,Distinct unit of an Item,Unit berbeda Item -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Harap set Perusahaan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Harap set Perusahaan DocType: Pricing Rule,Buying,Pembelian DocType: HR Settings,Employee Records to be created by,Rekaman Karyawan yang akan dibuat oleh DocType: POS Profile,Apply Discount On,Terapkan Diskon Pada @@ -3719,7 +3730,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stok Barang Wise Detil Pajak apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Singkatan Institute ,Item-wise Price List Rate,Stok Barang-bijaksana Daftar Harga Tingkat -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Supplier Quotation +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Supplier Quotation DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam Kata-kata akan terlihat sekali Anda menyimpan Quotation tersebut. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kuantitas ({0}) tidak boleh menjadi pecahan dalam baris {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,kumpulkan Biaya @@ -3743,7 +3754,7 @@ Updated via 'Time Log'","di Menit DocType: Customer,From Lead,Dari Timbal apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Order dirilis untuk produksi. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Pilih Tahun Anggaran ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profil diperlukan untuk membuat POS Entri +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profil diperlukan untuk membuat POS Entri DocType: Program Enrollment Tool,Enroll Students,Daftarkan Siswa DocType: Hub Settings,Name Token,Nama Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Jual @@ -3761,7 +3772,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Nilai Stok Perbedaan apps/erpnext/erpnext/config/learn.py +234,Human Resource,Sumber Daya Manusia DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Rekonsiliasi Pembayaran Pembayaran apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Aset pajak -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Pesanan Produksi telah {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Pesanan Produksi telah {0} DocType: BOM Item,BOM No,No. BOM DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Jurnal Entri {0} tidak memiliki akun {1} atau sudah dicocokkan voucher lainnya @@ -3775,7 +3786,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Upload apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Posisi Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Target Set Stok Barang Group-bijaksana untuk Sales Person ini. DocType: Stock Settings,Freeze Stocks Older Than [Days],Bekukan Stok Lebih Lama Dari [Hari] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Aset adalah wajib untuk aktiva tetap pembelian / penjualan +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Aset adalah wajib untuk aktiva tetap pembelian / penjualan apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jika dua atau lebih Aturan Harga yang ditemukan berdasarkan kondisi di atas, Prioritas diterapkan. Prioritas adalah angka antara 0 sampai 20, sementara nilai default adalah nol (kosong). Jumlah yang lebih tinggi berarti akan diutamakan jika ada beberapa Aturan Harga dengan kondisi yang sama." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Tahun Anggaran: {0} tidak ada DocType: Currency Exchange,To Currency,Untuk Mata @@ -3783,7 +3794,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Jenis Beban Klaim. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tingkat penjualan untuk item {0} lebih rendah dari {1} nya. Tingkat penjualan harus atleast {2} DocType: Item,Taxes,PPN -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Dibayar dan Tidak Terkirim +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Dibayar dan Tidak Terkirim DocType: Project,Default Cost Center,Standar Biaya Pusat DocType: Bank Guarantee,End Date,Tanggal Berakhir apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transaksi saham @@ -3800,7 +3811,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Kerja Harian Ringkasan Pengaturan Perusahaan apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Item {0} diabaikan karena bukan Stok Barang stok DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Kirim Produksi ini Order untuk diproses lebih lanjut. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Kirim Produksi ini Order untuk diproses lebih lanjut. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Untuk tidak berlaku Rule Harga dalam transaksi tertentu, semua Aturan Harga yang berlaku harus dinonaktifkan." DocType: Assessment Group,Parent Assessment Group,Induk Penilaian Grup apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs @@ -3808,10 +3819,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs DocType: Employee,Held On,Diadakan Pada apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produksi Stok Barang ,Employee Information,Informasi Karyawan -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Rate (%) DocType: Stock Entry Detail,Additional Cost,Biaya tambahan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Tidak dapat memfilter berdasarkan No. Voucher, jika dikelompokkan berdasarkan Voucher" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Membuat Pemasok Quotation +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Membuat Pemasok Quotation DocType: Quality Inspection,Incoming,Incoming DocType: BOM,Materials Required (Exploded),Bahan yang dibutuhkan (Meledak) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Tambahkan user ke organisasi Anda, selain diri Anda sendiri" @@ -3827,7 +3838,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Akun: {0} hanya dapat diperbarui melalui Transaksi Stok DocType: Student Group Creation Tool,Get Courses,Dapatkan Program DocType: GL Entry,Party,Pihak -DocType: Sales Order,Delivery Date,Tanggal Pengiriman +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Tanggal Pengiriman DocType: Opportunity,Opportunity Date,Peluang Tanggal DocType: Purchase Receipt,Return Against Purchase Receipt,Kembali Terhadap Pembelian Penerimaan DocType: Request for Quotation Item,Request for Quotation Item,Permintaan Quotation Barang @@ -3841,7 +3852,7 @@ DocType: Task,Actual Time (in Hours),Waktu Aktual (dalam Jam) DocType: Employee,History In Company,Sejarah Dalam Perusahaan apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletter DocType: Stock Ledger Entry,Stock Ledger Entry,Bursa Ledger entri -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,item yang sama telah dimasukkan beberapa kali +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,item yang sama telah dimasukkan beberapa kali DocType: Department,Leave Block List,Cuti Block List DocType: Sales Invoice,Tax ID,Id pajak apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Stok Barang {0} tidak setup untuk Serial Nos Kolom harus kosong @@ -3859,25 +3870,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Hitam DocType: BOM Explosion Item,BOM Explosion Item,BOM Ledakan Stok Barang DocType: Account,Auditor,Akuntan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} item diproduksi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} item diproduksi DocType: Cheque Print Template,Distance from top edge,Jarak dari tepi atas apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Daftar Harga {0} dinonaktifkan atau tidak ada DocType: Purchase Invoice,Return,Kembali DocType: Production Order Operation,Production Order Operation,Order Operasi Produksi DocType: Pricing Rule,Disable,Nonaktifkan -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Cara pembayaran yang diperlukan untuk melakukan pembayaran +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Cara pembayaran yang diperlukan untuk melakukan pembayaran DocType: Project Task,Pending Review,Pending Ulasan apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} tidak terdaftar dalam Batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Aset {0} tidak dapat dihapus, karena sudah {1}" DocType: Task,Total Expense Claim (via Expense Claim),Jumlah Klaim Beban (via Beban Klaim) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absen -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Mata dari BOM # {1} harus sama dengan mata uang yang dipilih {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Mata dari BOM # {1} harus sama dengan mata uang yang dipilih {2} DocType: Journal Entry Account,Exchange Rate,Nilai Tukar -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Order Penjualan {0} tidak Terkirim +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Order Penjualan {0} tidak Terkirim DocType: Homepage,Tag Line,klimaks DocType: Fee Component,Fee Component,biaya Komponen apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Manajemen armada -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Menambahkan item dari +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Menambahkan item dari DocType: Cheque Print Template,Regular,Reguler apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Total weightage semua Kriteria Penilaian harus 100% DocType: BOM,Last Purchase Rate,Tingkat Pembelian Terakhir @@ -3898,12 +3909,12 @@ DocType: Employee,Reports to,Laporan untuk DocType: SMS Settings,Enter url parameter for receiver nos,Entrikan parameter url untuk penerima nos DocType: Payment Entry,Paid Amount,Dibayar Jumlah DocType: Assessment Plan,Supervisor,Pengawas -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,On line +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,On line ,Available Stock for Packing Items,Tersedia Stock untuk Packing Produk DocType: Item Variant,Item Variant,Item Variant DocType: Assessment Result Tool,Assessment Result Tool,Alat Hasil penilaian DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Barang -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,perintah yang disampaikan tidak dapat dihapus +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,perintah yang disampaikan tidak dapat dihapus apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo rekening sudah berada di Debit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Kredit'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Manajemen Kualitas apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Item {0} telah dinonaktifkan @@ -3934,7 +3945,7 @@ DocType: Item Group,Default Expense Account,Beban standar Akun apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Mahasiswa ID Email DocType: Employee,Notice (days),Notice (hari) DocType: Tax Rule,Sales Tax Template,Template Pajak Penjualan -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Pilih item untuk menyimpan faktur +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Pilih item untuk menyimpan faktur DocType: Employee,Encashment Date,Pencairan Tanggal DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Penyesuaian Stock @@ -3982,10 +3993,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Pengiri apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Diskon Max diperbolehkan untuk item: {0} {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Nilai Aktiva Bersih seperti pada DocType: Account,Receivable,Piutang -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Tidak diperbolehkan untuk mengubah Supplier sebagai Purchase Order sudah ada +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Tidak diperbolehkan untuk mengubah Supplier sebagai Purchase Order sudah ada DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Peran yang diperbolehkan untuk mengirimkan transaksi yang melebihi batas kredit yang ditetapkan. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Pilih Produk untuk Industri -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Data master sinkronisasi, itu mungkin memakan waktu" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Pilih Produk untuk Industri +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Data master sinkronisasi, itu mungkin memakan waktu" DocType: Item,Material Issue,Keluar Barang DocType: Hub Settings,Seller Description,Penjual Deskripsi DocType: Employee Education,Qualification,Kualifikasi @@ -4006,11 +4017,10 @@ DocType: BOM,Rate Of Materials Based On,Laju Bahan Berbasis On apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Dukungan Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Jangan tandai semua DocType: POS Profile,Terms and Conditions,Syarat dan Ketentuan -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Silakan setup Employee Naming System di Human Resource> HR Settings apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Untuk tanggal harus dalam Tahun Anggaran. Dengan asumsi To Date = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Di sini Anda dapat mempertahankan tinggi, berat, alergi, masalah medis dll" DocType: Leave Block List,Applies to Company,Berlaku untuk Perusahaan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Tidak bisa membatalkan karena ada Stock entri {0} Terkirim +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Tidak bisa membatalkan karena ada Stock entri {0} Terkirim DocType: Employee Loan,Disbursement Date,pencairan Tanggal DocType: Vehicle,Vehicle,Kendaraan DocType: Purchase Invoice,In Words,Dalam Kata @@ -4048,7 +4058,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Pengaturan global DocType: Assessment Result Detail,Assessment Result Detail,Penilaian Detil Hasil DocType: Employee Education,Employee Education,Pendidikan Karyawan apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Kelompok barang duplikat yang ditemukan dalam tabel grup item -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Hal ini diperlukan untuk mengambil Item detail. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Hal ini diperlukan untuk mengambil Item detail. DocType: Salary Slip,Net Pay,Nilai Bersih Terbayar DocType: Account,Account,Akun apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial ada {0} telah diterima @@ -4056,7 +4066,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,kendaraan Log DocType: Purchase Invoice,Recurring Id,Berulang Id DocType: Customer,Sales Team Details,Rincian Tim Penjualan -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Hapus secara permanen? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Hapus secara permanen? DocType: Expense Claim,Total Claimed Amount,Jumlah Total Diklaim apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potensi peluang untuk menjadi penjualan. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Valid {0} @@ -4068,7 +4078,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Pengaturan Sekolah Anda di ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Dasar Perubahan Jumlah (Perusahaan Mata Uang) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Tidak ada entri akuntansi untuk gudang berikut -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Simpan dokumen terlebih dahulu. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Simpan dokumen terlebih dahulu. DocType: Account,Chargeable,Dapat Dibebankan DocType: Company,Change Abbreviation,Ubah Singkatan DocType: Expense Claim Detail,Expense Date,Beban Tanggal @@ -4082,7 +4092,6 @@ DocType: BOM,Manufacturing User,Manufaktur Pengguna DocType: Purchase Invoice,Raw Materials Supplied,Bahan Baku Disupply DocType: Purchase Invoice,Recurring Print Format,Berulang Print Format DocType: C-Form,Series,Seri -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Diharapkan Pengiriman Tanggal tidak bisa sebelum Purchase Order Tanggal DocType: Appraisal,Appraisal Template,Template Penilaian DocType: Item Group,Item Classification,Klasifikasi Stok Barang apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4121,12 +4130,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Pilih Mere apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Acara / Hasil Pelatihan apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Akumulasi Penyusutan seperti pada DocType: Sales Invoice,C-Form Applicable,C-Form Berlaku -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Operasi Waktu harus lebih besar dari 0 untuk operasi {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Operasi Waktu harus lebih besar dari 0 untuk operasi {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Gudang adalah wajib DocType: Supplier,Address and Contacts,Alamat dan Kontak DocType: UOM Conversion Detail,UOM Conversion Detail,Detil UOM Konversi DocType: Program,Program Abbreviation,Singkatan Program -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Order produksi tidak dapat diajukan terhadap Template Stok Barang +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Order produksi tidak dapat diajukan terhadap Template Stok Barang apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Biaya diperbarui dalam Pembelian Penerimaan terhadap setiap item DocType: Warranty Claim,Resolved By,Terselesaikan Dengan DocType: Bank Guarantee,Start Date,Tanggal Mulai @@ -4161,6 +4170,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,pelatihan Masukan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Order produksi {0} harus diserahkan apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Silakan pilih Tanggal Mulai dan Tanggal Akhir untuk Item {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Tetapkan target penjualan yang ingin Anda capai. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Tentu saja adalah wajib berturut-turut {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Sampai saat ini tidak dapat sebelumnya dari tanggal DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4178,7 +4188,7 @@ DocType: Account,Income,Penghasilan DocType: Industry Type,Industry Type,Jenis Produksi apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Ada yang salah! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Peringatan: Cuti aplikasi berisi tanggal blok berikut -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Faktur Penjualan {0} telah terkirim +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Faktur Penjualan {0} telah terkirim DocType: Assessment Result Detail,Score,Skor apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Tahun fiskal {0} tidak ada apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Tanggal Penyelesaian @@ -4208,7 +4218,7 @@ DocType: Naming Series,Help HTML,Bantuan HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Alat Grup Pelajar Creation DocType: Item,Variant Based On,Varian Berbasis Pada apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Jumlah weightage ditugaskan harus 100%. Ini adalah {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Supplier Anda +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Supplier Anda apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Tidak dapat ditetapkan sebagai Hilang sebagai Sales Order dibuat. DocType: Request for Quotation Item,Supplier Part No,Pemasok Bagian Tidak apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',tidak bisa memotong ketika kategori adalah untuk 'Penilaian' atau 'Vaulation dan Total' @@ -4218,14 +4228,14 @@ DocType: Item,Has Serial No,Bernomor Seri DocType: Employee,Date of Issue,Tanggal Issue apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Dari {0} untuk {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sesuai dengan Setelan Pembelian jika Diperlukan Pembelian Diperlukan == 'YA', maka untuk membuat Purchase Invoice, pengguna harus membuat Purchase Receipt terlebih dahulu untuk item {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Set Supplier untuk item {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: nilai Jam harus lebih besar dari nol. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Set Supplier untuk item {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Row {0}: nilai Jam harus lebih besar dari nol. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Website Image {0} melekat Butir {1} tidak dapat ditemukan DocType: Issue,Content Type,Tipe Konten apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Komputer DocType: Item,List this Item in multiple groups on the website.,Daftar Stok Barang ini dalam beberapa kelompok di website. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Silakan periksa opsi Mata multi untuk memungkinkan account dengan mata uang lainnya -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} tidak ada dalam sistem +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Item: {0} tidak ada dalam sistem apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Anda tidak diizinkan untuk menetapkan nilai yg sedang dibekukan DocType: Payment Reconciliation,Get Unreconciled Entries,Dapatkan Entries Unreconciled DocType: Payment Reconciliation,From Invoice Date,Dari Faktur Tanggal @@ -4251,7 +4261,7 @@ DocType: Stock Entry,Default Source Warehouse,Standar Gudang Sumber DocType: Item,Customer Code,Kode Konsumen apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Birthday Reminder untuk {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Jumlah Hari Semenjak Order Terakhir -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debit Untuk akun harus rekening Neraca +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debit Untuk akun harus rekening Neraca DocType: Buying Settings,Naming Series,Series Penamaan DocType: Leave Block List,Leave Block List Name,Cuti Nama Block List apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Tanggal asuransi mulai harus kurang dari tanggal asuransi End @@ -4268,7 +4278,7 @@ DocType: Vehicle Log,Odometer,Odometer DocType: Sales Order Item,Ordered Qty,Qty Terorder apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Item {0} dinonaktifkan DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Upto -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM tidak mengandung stok barang +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM tidak mengandung stok barang apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periode Dari dan Untuk Periode tanggal wajib bagi berulang {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Kegiatan proyek / tugas. DocType: Vehicle Log,Refuelling Details,Detail Pengisian @@ -4278,7 +4288,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Tingkat pembelian terakhir tidak ditemukan DocType: Purchase Invoice,Write Off Amount (Company Currency),Jumlah Nilai Write Off (mata uang perusahaan) DocType: Sales Invoice Timesheet,Billing Hours,Jam penagihan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM default untuk {0} tidak ditemukan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM default untuk {0} tidak ditemukan apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Row # {0}: Silakan mengatur kuantitas menyusun ulang apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Ketuk item untuk menambahkannya di sini DocType: Fees,Program Enrollment,Program Pendaftaran @@ -4311,6 +4321,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Rentang Ageing 2 DocType: SG Creation Tool Course,Max Strength,Max Kekuatan apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM diganti +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Pilih Item berdasarkan Tanggal Pengiriman ,Sales Analytics,Analitika Penjualan apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Tersedia {0} ,Prospects Engaged But Not Converted,Prospek Terlibat Tapi Tidak Dikonversi @@ -4357,7 +4368,7 @@ DocType: Authorization Rule,Customerwise Discount,Diskon Berdasar Konsumen apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Absen untuk tugas-tugas. DocType: Purchase Invoice,Against Expense Account,Terhadap Akun Biaya DocType: Production Order,Production Order,Order Produksi -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Instalasi Catatan {0} telah Terkirim +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Instalasi Catatan {0} telah Terkirim DocType: Bank Reconciliation,Get Payment Entries,Dapatkan Entries Pembayaran DocType: Quotation Item,Against Docname,Terhadap Docname DocType: SMS Center,All Employee (Active),Semua Karyawan (Aktif) @@ -4366,7 +4377,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Biaya Bahan Baku DocType: Item Reorder,Re-Order Level,Tingkat Re-order DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Entrikan item dan qty direncanakan untuk yang Anda ingin meningkatkan Order produksi atau download bahan baku untuk analisis. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Bagan +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt Bagan apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part-time DocType: Employee,Applicable Holiday List,Daftar Hari Libur yang Berlaku DocType: Employee,Cheque,Cek @@ -4422,11 +4433,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Dicadangkan Jumlah Produksi DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Biarkan tidak dicentang jika Anda tidak ingin mempertimbangkan batch sambil membuat kelompok berbasis kursus. DocType: Asset,Frequency of Depreciation (Months),Frekuensi Penyusutan (Bulan) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Akun kredit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Akun kredit DocType: Landed Cost Item,Landed Cost Item,Jenis Barang Biaya Landing apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Tampilkan nilai nol DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Jumlah Stok Barang yang diperoleh setelah manufaktur / repacking dari mengingat jumlah bahan baku -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup website sederhana untuk organisasi saya +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup website sederhana untuk organisasi saya DocType: Payment Reconciliation,Receivable / Payable Account,Piutang / Account Payable DocType: Delivery Note Item,Against Sales Order Item,Terhadap Stok Barang di Order Penjualan apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Silakan tentukan Atribut Nilai untuk atribut {0} @@ -4488,22 +4499,22 @@ DocType: Student,Nationality,Kebangsaan ,Items To Be Requested,Items Akan Diminta DocType: Purchase Order,Get Last Purchase Rate,Dapatkan Terakhir Purchase Rate DocType: Company,Company Info,Info Perusahaan -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Pilih atau menambahkan pelanggan baru -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,pusat biaya diperlukan untuk memesan klaim biaya +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Pilih atau menambahkan pelanggan baru +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,pusat biaya diperlukan untuk memesan klaim biaya apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Penerapan Dana (Aset) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Hal ini didasarkan pada kehadiran Karyawan ini -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Akun Debit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Akun Debit DocType: Fiscal Year,Year Start Date,Tanggal Mulai Tahun DocType: Attendance,Employee Name,Nama Karyawan DocType: Sales Invoice,Rounded Total (Company Currency),Rounded Jumlah (Perusahaan Mata Uang) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Tidak dapat mengkonversi ke Grup karena Account Type dipilih. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} telah dimodifikasi. Silahkan me-refresh. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} telah dimodifikasi. Silahkan me-refresh. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Menghentikan pengguna dari membuat Aplikasi Leave pada hari-hari berikutnya. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Jumlah pembelian apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Pemasok Quotation {0} dibuat apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Akhir Tahun tidak boleh sebelum Mulai Tahun apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Manfaat Karyawan -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Dikemas kuantitas harus sama kuantitas untuk Item {0} berturut-turut {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Dikemas kuantitas harus sama kuantitas untuk Item {0} berturut-turut {1} DocType: Production Order,Manufactured Qty,Qty Diproduksi DocType: Purchase Receipt Item,Accepted Quantity,Qty Diterima apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Silahkan mengatur default Liburan Daftar Karyawan {0} atau Perusahaan {1} @@ -4514,11 +4525,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row ada {0}: Jumlah dapat tidak lebih besar dari Pending Jumlah terhadap Beban Klaim {1}. Pending Jumlah adalah {2} DocType: Maintenance Schedule,Schedule,Jadwal DocType: Account,Parent Account,Rekening Induk -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Tersedia +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Tersedia DocType: Quality Inspection Reading,Reading 3,Membaca 3 ,Hub,Pusat DocType: GL Entry,Voucher Type,Voucher Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Daftar Harga tidak ditemukan atau dinonaktifkan +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Daftar Harga tidak ditemukan atau dinonaktifkan DocType: Employee Loan Application,Approved,Disetujui DocType: Pricing Rule,Price,Harga apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Karyawan lega pada {0} harus ditetapkan sebagai 'Kiri' @@ -4587,7 +4598,7 @@ DocType: SMS Settings,Static Parameters,Parameter Statis DocType: Assessment Plan,Room,Kamar DocType: Purchase Order,Advance Paid,Pembayaran Dimuka (Advance) DocType: Item,Item Tax,Pajak Stok Barang -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Bahan untuk Supplier +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Bahan untuk Supplier apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Cukai Faktur apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% muncul lebih dari sekali DocType: Expense Claim,Employees Email Id,Karyawan Email Id @@ -4627,7 +4638,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Model DocType: Production Order,Actual Operating Cost,Biaya Operasi Aktual DocType: Payment Entry,Cheque/Reference No,Cek / Referensi Tidak ada -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Supplier Type apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root tidak dapat diedit. DocType: Item,Units of Measure,Satuan ukur DocType: Manufacturing Settings,Allow Production on Holidays,Izinkan Produksi di hari libur @@ -4660,12 +4670,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Hari Kredit apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Membuat Batch Mahasiswa DocType: Leave Type,Is Carry Forward,Apakah Carry Teruskan -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Dapatkan item dari BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Dapatkan item dari BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Memimpin Waktu Hari -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Tanggal harus sama dengan tanggal pembelian {1} aset {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Tanggal harus sama dengan tanggal pembelian {1} aset {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Periksa ini jika Siswa berada di Institute's Hostel. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Cukup masukkan Penjualan Pesanan dalam tabel di atas -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Tidak Dikirim Gaji Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Tidak Dikirim Gaji Slips ,Stock Summary,Stock Summary apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Mentransfer aset dari satu gudang ke yang lain DocType: Vehicle,Petrol,Bensin diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv index 163eaa93dce..0098ffa2a0a 100644 --- a/erpnext/translations/is.csv +++ b/erpnext/translations/is.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,söluaðila DocType: Employee,Rented,leigt DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Gildir fyrir notanda -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Hætt framleiðslu Order er ekki hægt að hætt, Unstop það fyrst til að fá ensku" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Hætt framleiðslu Order er ekki hægt að hætt, Unstop það fyrst til að fá ensku" DocType: Vehicle Service,Mileage,mílufjöldi apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Viltu virkilega að skrappa þessa eign? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Veldu Default Birgir @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Billed apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Gengi að vera það sama og {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Nafn viðskiptavinar DocType: Vehicle,Natural Gas,Náttúru gas -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},bankareikningur getur ekki verið nefnt sem {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},bankareikningur getur ekki verið nefnt sem {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Höfuð (eða hópar) gegn sem bókhaldsfærslum eru gerðar og jafnvægi er viðhaldið. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Framúrskarandi fyrir {0} má ekki vera minna en núll ({1}) DocType: Manufacturing Settings,Default 10 mins,Default 10 mínútur @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Skildu Tegund Nafn apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,sýna opinn apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Series Uppfært Tókst apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Athuga -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Lögð +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Lögð DocType: Pricing Rule,Apply On,gilda um DocType: Item Price,Multiple Item prices.,Margar Item verð. ,Purchase Order Items To Be Received,Purchase Order Items að berast @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Mode greiðslureikning apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Sýna Afbrigði DocType: Academic Term,Academic Term,fræðihugtak apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,efni -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,magn +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,magn apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Reikninga borð getur ekki verið autt. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Lán (skulda) DocType: Employee Education,Year of Passing,Ár Passing @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Heilbrigðisþjónusta apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Töf á greiðslu (dagar) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,þjónusta Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Raðnúmer: {0} er nú þegar vísað í sölureikning: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,reikningur +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Raðnúmer: {0} er nú þegar vísað í sölureikning: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,reikningur DocType: Maintenance Schedule Item,Periodicity,tíðni apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Reikningsár {0} er krafist -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Áætlaðan fæðingardag er að vera áður Sales Order Dagsetning apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Defense DocType: Salary Component,Abbr,skammst DocType: Appraisal Goal,Score (0-5),Score (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Alls Kosta Upphæð DocType: Delivery Note,Vehicle No,ökutæki Nei -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Vinsamlegast veldu verðskrá +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Vinsamlegast veldu verðskrá apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Greiðsla skjal er þarf til að ljúka trasaction DocType: Production Order Operation,Work In Progress,Verk í vinnslu apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Vinsamlegast veldu dagsetningu @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ekki í hvaða virka Fiscal Year. DocType: Packed Item,Parent Detail docname,Parent Detail DOCNAME apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Tilvísun: {0}, Liður: {1} og Viðskiptavinur: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,kg DocType: Student Log,Log,Log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Opnun fyrir Job. DocType: Item Attribute,Increment,vöxtur @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,giftur apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Ekki leyft {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Fá atriði úr -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock Ekki er hægt að uppfæra móti afhendingarseðlinum {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock Ekki er hægt að uppfæra móti afhendingarseðlinum {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Vara {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Engin atriði skráð DocType: Payment Reconciliation,Reconcile,sætta @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,lífe apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Næsta Afskriftir Dagsetning má ekki vera áður kaupdegi DocType: SMS Center,All Sales Person,Allt Sales Person DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Mánaðarleg dreifing ** hjálpar þér að dreifa fjárhagsáætlunar / Target yfir mánuði ef þú ert árstíðasveiflu í fyrirtæki þínu. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Ekki atriði fundust +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Ekki atriði fundust apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Laun Uppbygging vantar DocType: Lead,Person Name,Sá Name DocType: Sales Invoice Item,Sales Invoice Item,Velta Invoice Item @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Er Fast Asset" getur ekki verið valið, eins Asset met hendi á móti hlut" DocType: Vehicle Service,Brake Oil,Brake Oil DocType: Tax Rule,Tax Type,Tax Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Skattskyld fjárhæð +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Skattskyld fjárhæð apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Þú hefur ekki heimild til að bæta við eða endurnýja færslum áður {0} DocType: BOM,Item Image (if not slideshow),Liður Image (ef ekki myndasýning) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,An Viðskiptavinur til staðar með sama nafni DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hour Rate / 60) * Raunveruleg Rekstur Time -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Veldu BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Veldu BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostnaður við afhent Items apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,The frídagur á {0} er ekki á milli Frá Dagsetning og hingað @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,skólar DocType: School Settings,Validate Batch for Students in Student Group,Staðfestu hópur fyrir nemendur í nemendahópi apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ekkert leyfi fannst fyrir starfsmann {0} fyrir {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Vinsamlegast sláðu fyrirtæki fyrst -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Vinsamlegast veldu Company fyrst +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Vinsamlegast veldu Company fyrst DocType: Employee Education,Under Graduate,undir Graduate apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On DocType: BOM,Total Cost,Heildar kostnaður DocType: Journal Entry Account,Employee Loan,starfsmaður Lán -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Afþreying Log: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Liður {0} er ekki til í kerfinu eða er útrunnið +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Afþreying Log: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Liður {0} er ekki til í kerfinu eða er útrunnið apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Fasteign apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Reikningsyfirlit apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Pharmaceuticals @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,bótafjárhæðir apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Afrit viðskiptavinar hópur í cutomer töflunni apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Birgir Type / Birgir DocType: Naming Series,Prefix,forskeyti -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast settu Nafngerðaröð fyrir {0} í gegnum Skipulag> Stillingar> Nöfnunarröð -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,einnota +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,einnota DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,innflutningur Log DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Dragðu Material Beiðni um gerð Framleiðsla byggt á ofangreindum forsendum DocType: Training Result Employee,Grade,bekk DocType: Sales Invoice Item,Delivered By Supplier,Samþykkt með Birgir DocType: SMS Center,All Contact,Allt samband við -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Framleiðslu Order þegar búið fyrir öll atriði með BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Framleiðslu Order þegar búið fyrir öll atriði með BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,árslaunum DocType: Daily Work Summary,Daily Work Summary,Daily Work Yfirlit DocType: Period Closing Voucher,Closing Fiscal Year,Lokun fjárhagsársins -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} er frosinn +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} er frosinn apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vinsamlegast veldu núverandi fyrirtæki til að búa til töflu yfir reikninga apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,lager Útgjöld apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Veldu Target Warehouse @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Samþykkt + Hafnað Magn verður að vera jöfn Móttekin magn fyrir lið {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Framboð Raw Materials til kaups -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Að minnsta kosti einn háttur af greiðslu er krafist fyrir POS reikningi. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Að minnsta kosti einn háttur af greiðslu er krafist fyrir POS reikningi. DocType: Products Settings,Show Products as a List,Sýna vörur sem lista DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Sæktu sniðmát, fylla viðeigandi gögn og hengja við um hana. Allt dagsetningar og starfsmaður samspil völdu tímabili mun koma í sniðmát, með núverandi aðsóknarmet" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Liður {0} er ekki virkur eða enda líf hefur verið náð -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Dæmi: Basic stærðfræði -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Til eru skatt í röð {0} í lið gengi, skatta í raðir {1} skal einnig" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Dæmi: Basic stærðfræði +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Til eru skatt í röð {0} í lið gengi, skatta í raðir {1} skal einnig" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Stillingar fyrir HR Module DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,Breyta Upphæð @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Uppsetning dagsetning getur ekki verið áður fæðingardag fyrir lið {0} DocType: Pricing Rule,Discount on Price List Rate (%),Afsláttur á verðlista Rate (%) DocType: Offer Letter,Select Terms and Conditions,Valið Skilmálar og skilyrði -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,út Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,út Value DocType: Production Planning Tool,Sales Orders,velta Pantanir DocType: Purchase Taxes and Charges,Valuation,verðmat ,Purchase Order Trends,Purchase Order Trends @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Er Opnun færslu DocType: Customer Group,Mention if non-standard receivable account applicable,Umtal ef non-staðall nái reikning við DocType: Course Schedule,Instructor Name,kennari Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Fyrir Lager er krafist áður Senda +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Fyrir Lager er krafist áður Senda apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,fékk á DocType: Sales Partner,Reseller,sölumaður DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.",Ef hakað Mun fela ekki lager vörur í efni beiðnir. @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Gegn sölureikningi Item ,Production Orders in Progress,Framleiðslu Pantanir í vinnslu apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Handbært fé frá fjármögnun -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage er fullt, ekki spara" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage er fullt, ekki spara" DocType: Lead,Address & Contact,Heimilisfang & Hafa samband DocType: Leave Allocation,Add unused leaves from previous allocations,Bæta ónotuðum blöð frá fyrri úthlutanir apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Næsta Fastir {0} verður búin til á {1} DocType: Sales Partner,Partner website,Vefsíða Partner apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Bæta Hlutir -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nafn tengiliðar +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nafn tengiliðar DocType: Course Assessment Criteria,Course Assessment Criteria,Námsmat Viðmið DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Býr laun miði fyrir ofangreinda forsendum. DocType: POS Customer Group,POS Customer Group,POS viðskiptavinar Group @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Vinsamlegast athugaðu 'Er Advance' gegn reikninginn {1} ef þetta er fyrirfram færslu. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Warehouse {0} ekki tilheyra félaginu {1} DocType: Email Digest,Profit & Loss,Hagnaður & Tap -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Total kostnaðarútreikninga Magn (með Time Sheet) DocType: Item Website Specification,Item Website Specification,Liður Website Specification apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Skildu Bannaður @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,Reiknings No. DocType: Material Request Item,Min Order Qty,Min Order Magn DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course DocType: Lead,Do Not Contact,Ekki samband -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Fólk sem kenna í fyrirtæki þínu +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Fólk sem kenna í fyrirtæki þínu DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Einstök id til að rekja allar endurteknar reikninga. Það er myndaður á senda. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Forritari DocType: Item,Minimum Order Qty,Lágmark Order Magn @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,Birta á Hub DocType: Student Admission,Student Admission,Student Aðgangseyrir ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Liður {0} er hætt -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,efni Beiðni +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,efni Beiðni DocType: Bank Reconciliation,Update Clearance Date,Uppfæra Úthreinsun Dagsetning DocType: Item,Purchase Details,kaup Upplýsingar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Liður {0} fannst ekki í 'hráefnum Meðfylgjandi' borð í Purchase Order {1} @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} getur ekki verið neikvæð fyrir atriðið {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Rangt lykilorð DocType: Item,Variant Of,afbrigði af -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Lokið Magn má ekki vera meiri en 'Magn í Manufacture' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Lokið Magn má ekki vera meiri en 'Magn í Manufacture' DocType: Period Closing Voucher,Closing Account Head,Loka reikningi Head DocType: Employee,External Work History,Ytri Vinna Saga apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Hringlaga Tilvísun Villa @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,Fjarlægð frá vinstri k apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} einingar [{1}] (# Form / tl / {1}) fannst í [{2}] (# Form / Warehouse / {2}) DocType: Lead,Industry,Iðnaður DocType: Employee,Job Profile,Atvinna Profile +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Þetta byggist á viðskiptum gegn þessu fyrirtæki. Sjá tímalínu fyrir neðan til að fá nánari upplýsingar DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Tilkynna með tölvupósti á sköpun sjálfvirka Material Beiðni DocType: Journal Entry,Multi Currency,multi Gjaldmiðill DocType: Payment Reconciliation Invoice,Invoice Type,Reikningar Type -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Afhendingarseðilinn +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Afhendingarseðilinn apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Setja upp Skattar apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kostnaðarverð seldrar Eignastýring apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Greiðsla Entry hefur verið breytt eftir að þú draga það. Vinsamlegast rífa það aftur. @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Vinsamlegast sláðu inn "Endurtakið á Dagur mánaðar 'gildissvæðið DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Gengi sem viðskiptavinir Gjaldmiðill er breytt til grunngj.miðil viðskiptavinarins DocType: Course Scheduling Tool,Course Scheduling Tool,Auðvitað Tímasetningar Tool -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kaup Invoice ekki hægt að gera við núverandi eign {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kaup Invoice ekki hægt að gera við núverandi eign {1} DocType: Item Tax,Tax Rate,skatthlutfall apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} þegar úthlutað fyrir starfsmann {1} fyrir tímabilið {2} til {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Veldu Item +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Veldu Item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Purchase Invoice {0} er þegar lögð apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Hópur Nei verður að vera það sama og {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Umbreyta til non-Group @@ -443,7 +442,7 @@ DocType: Employee,Widowed,Ekkja DocType: Request for Quotation,Request for Quotation,Beiðni um tilvitnun DocType: Salary Slip Timesheet,Working Hours,Vinnutími DocType: Naming Series,Change the starting / current sequence number of an existing series.,Breyta upphafsdegi / núverandi raðnúmer núverandi röð. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Búa til nýja viðskiptavini +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Búa til nýja viðskiptavini apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ef margir Verðlagning Reglur halda áfram að sigra, eru notendur beðnir um að setja Forgangur höndunum til að leysa deiluna." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Búa innkaupapantana ,Purchase Register,kaup Register @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,prófdómari Name DocType: Purchase Invoice Item,Quantity and Rate,Magn og Rate DocType: Delivery Note,% Installed,% Uppsett -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Kennslustofur / Laboratories etc þar fyrirlestra geta vera tímaáætlun. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Kennslustofur / Laboratories etc þar fyrirlestra geta vera tímaáætlun. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Vinsamlegast sláðu inn nafn fyrirtækis fyrst DocType: Purchase Invoice,Supplier Name,Nafn birgja apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lestu ERPNext Manual @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Old Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Skyldanlegt námskeið - námsár DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Sérsníða inngangs texta sem fer eins og a hluti af þeim tölvupósti. Hver viðskipti er sérstakt inngangs texta. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Vinsamlegast settu sjálfgefinn greiðslureikning fyrir fyrirtækið {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Vinsamlegast settu sjálfgefinn greiðslureikning fyrir fyrirtækið {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global stillingar fyrir alla framleiðsluaðferðum. DocType: Accounts Settings,Accounts Frozen Upto,Reikninga Frozen uppí DocType: SMS Log,Sent On,sendi á @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,Viðskiptaskuldir apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Völdu BOMs eru ekki fyrir sama hlut DocType: Pricing Rule,Valid Upto,gildir uppí DocType: Training Event,Workshop,Workshop -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Listi nokkrar af viðskiptavinum þínum. Þeir gætu verið stofnanir eða einstaklingar. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Listi nokkrar af viðskiptavinum þínum. Þeir gætu verið stofnanir eða einstaklingar. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Nóg Varahlutir til að byggja apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,bein Tekjur apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Getur ekki síað byggð á reikning, ef flokkaðar eftir reikningi" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Administrative Officer apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vinsamlegast veldu Námskeið DocType: Timesheet Detail,Hrs,Hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Vinsamlegast veldu Company +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Vinsamlegast veldu Company DocType: Stock Entry Detail,Difference Account,munurinn Reikningur DocType: Purchase Invoice,Supplier GSTIN,Birgir GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Get ekki loka verkefni eins háð verkefni hennar {0} er ekki lokað. @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,Offline POS Name apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Vinsamlegast tilgreindu einkunn fyrir Þröskuld 0% DocType: Sales Order,To Deliver,til Bera DocType: Purchase Invoice Item,Item,Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serial engin lið getur ekki verið brot +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serial engin lið getur ekki verið brot DocType: Journal Entry,Difference (Dr - Cr),Munur (Dr - Cr) DocType: Account,Profit and Loss,Hagnaður og tap apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Annast undirverktöku @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),Ábyrgðartímabilið (dagar) DocType: Installation Note Item,Installation Note Item,Uppsetning Note Item DocType: Production Plan Item,Pending Qty,Bíður Magn DocType: Budget,Ignore,Hunsa -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} er ekki virkur +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} er ekki virkur apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS send til eftirfarandi númer: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Skipulag athuga mál fyrir prentun DocType: Salary Slip,Salary Slip Timesheet,Laun Slip Timesheet @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,í- DocType: Production Order Operation,In minutes,í mínútum DocType: Issue,Resolution Date,upplausn Dagsetning DocType: Student Batch Name,Batch Name,hópur Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet búið: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Vinsamlegast settu sjálfgefinn Cash eða bankareikning í háttur á greiðslu {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet búið: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Vinsamlegast settu sjálfgefinn Cash eða bankareikning í háttur á greiðslu {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,innritast DocType: GST Settings,GST Settings,GST Stillingar DocType: Selling Settings,Customer Naming By,Viðskiptavinur Nafngift By @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,verkefni User apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,neytt apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} fannst ekki í Reikningsupplýsingar töflu DocType: Company,Round Off Cost Center,Umferð Off Kostnaður Center -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Viðhald Visit {0} verður lokað áður en hætta þessu Velta Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Viðhald Visit {0} verður lokað áður en hætta þessu Velta Order DocType: Item,Material Transfer,efni Transfer apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Staða timestamp verður að vera eftir {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,Samtals vaxtagjöld DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landað Kostnaður Skattar og gjöld DocType: Production Order Operation,Actual Start Time,Raunveruleg Start Time DocType: BOM Operation,Operation Time,Operation Time -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Ljúka +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Ljúka apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Base DocType: Timesheet,Total Billed Hours,Samtals Greidd Hours DocType: Journal Entry,Write Off Amount,Skrifaðu Off Upphæð @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),Kílómetramæli Value (Last) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,markaðssetning apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Greiðsla Entry er þegar búið DocType: Purchase Receipt Item Supplied,Current Stock,Núverandi Stock -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} er ekki tengd við lið {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} er ekki tengd við lið {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Preview Laun Slip apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Reikningur {0} hefur verið slegið mörgum sinnum DocType: Account,Expenses Included In Valuation,Kostnaður í Verðmat @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Credit Card Entry apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Fyrirtæki og reikningar apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Vörur sem berast frá birgja. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,Virði +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,Virði DocType: Lead,Campaign Name,Heiti herferðar DocType: Selling Settings,Close Opportunity After Days,Loka Tækifæri Eftir daga ,Reserved,frátekin @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Orka DocType: Opportunity,Opportunity From,tækifæri Frá apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mánaðarlaun yfirlýsingu. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Raðnúmer er nauðsynlegt fyrir lið {2}. Þú hefur veitt {3}. DocType: BOM,Website Specifications,Vefsíða Upplýsingar apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Frá {0} tegund {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: viðskipta Factor er nauðsynlegur DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Margar verð Reglur hendi með sömu forsendum, vinsamlegast leysa deiluna með því að úthluta forgang. Verð Reglur: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ekki er hægt að slökkva eða hætta BOM eins og það er tengt við önnur BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ekki er hægt að slökkva eða hætta BOM eins og það er tengt við önnur BOMs DocType: Opportunity,Maintenance,viðhald DocType: Item Attribute Value,Item Attribute Value,Liður Attribute gildi apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Velta herferðir. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,gera timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,gera timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Setja upp Email Account apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Vinsamlegast sláðu inn Item fyrst DocType: Account,Liability,Ábyrgð -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bundnar Upphæð má ekki vera meiri en bótafjárhæðir í Row {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bundnar Upphæð má ekki vera meiri en bótafjárhæðir í Row {0}. DocType: Company,Default Cost of Goods Sold Account,Default Kostnaðarverð seldra vara reikning apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Verðskrá ekki valið DocType: Employee,Family Background,Family Background @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,Sjálfgefið Bank Account apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Að sía byggt á samningsaðila, velja Party Sláðu fyrst" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Uppfæra Stock' Ekki er hægt að athuga vegna þess að hlutir eru ekki send með {0} DocType: Vehicle,Acquisition Date,yfirtökudegi -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,nos DocType: Item,Items with higher weightage will be shown higher,Verk með hærri weightage verður sýnt meiri DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Sættir Detail -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} Leggja skal fram +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} Leggja skal fram apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Enginn starfsmaður fannst DocType: Supplier Quotation,Stopped,Tappi DocType: Item,If subcontracted to a vendor,Ef undirverktaka til seljanda @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Lágmark Reikningsupphæ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnaður Center {2} ekki tilheyra félaginu {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} getur ekki verið Group apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Liður Row {idx}: {DOCTYPE} {DOCNAME} er ekki til í að ofan '{DOCTYPE}' borð -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} er þegar lokið eða hætt +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} er þegar lokið eða hætt apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Engin verkefni DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dagur mánaðarins sem farartæki reikningur vilja vera mynda td 05, 28 osfrv" DocType: Asset,Opening Accumulated Depreciation,Opnun uppsöfnuðum afskriftum @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,umbeðin Numbers DocType: Production Planning Tool,Only Obtain Raw Materials,Aðeins fá hráefni apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Mat á frammistöðu. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Virkjun 'Nota fyrir Shopping Cart', eins og Shopping Cart er virkt og það ætti að vera að minnsta kosti einn Tax Rule fyrir Shopping Cart" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Greiðsla Entry {0} er tengd við Order {1}, athuga hvort það ætti að vera dreginn sem fyrirfram í þessum reikningi." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Greiðsla Entry {0} er tengd við Order {1}, athuga hvort það ætti að vera dreginn sem fyrirfram í þessum reikningi." DocType: Sales Invoice Item,Stock Details,Stock Nánar apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Project Value apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Sölustaður @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,Uppfæra Series DocType: Supplier Quotation,Is Subcontracted,er undirverktöku DocType: Item Attribute,Item Attribute Values,Liður eigindi gildi DocType: Examination Result,Examination Result,skoðun Niðurstaða -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Kvittun +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Kvittun ,Received Items To Be Billed,Móttekin Items verður innheimt -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Innsendar Laun laumar +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Innsendar Laun laumar apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Gengi meistara. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Tilvísun DOCTYPE verður að vera einn af {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Ekki er hægt að finna tíma rifa á næstu {0} dögum fyrir aðgerð {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Ekki er hægt að finna tíma rifa á næstu {0} dögum fyrir aðgerð {1} DocType: Production Order,Plan material for sub-assemblies,Plan efni fyrir undireiningum apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Velta Partners og Territory -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} verður að vera virkt +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} verður að vera virkt DocType: Journal Entry,Depreciation Entry,Afskriftir Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Vinsamlegast veldu tegund skjals fyrst apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Hætta Efni Heimsóknir {0} áður hætta þessu Viðhald Farðu @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Heildarupphæð apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,internet Publishing DocType: Production Planning Tool,Production Orders,framleiðslu Pantanir -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Balance Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Balance Value apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Velta Verðskrá apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Birta að samstilla atriði DocType: Bank Reconciliation,Account Currency,Reikningur Gjaldmiðill @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,Hætta Viðtal Upplýsingar DocType: Item,Is Purchase Item,Er Purchase Item DocType: Asset,Purchase Invoice,kaup Invoice DocType: Stock Ledger Entry,Voucher Detail No,Skírteini Detail No -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nýr reikningur +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nýr reikningur DocType: Stock Entry,Total Outgoing Value,Alls Outgoing Value apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Opnun Dagsetning og lokadagur ætti að vera innan sama reikningsár DocType: Lead,Request for Information,Beiðni um upplýsingar ,LeaderBoard,LeaderBoard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline Reikningar +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Reikningar DocType: Payment Request,Paid,greiddur DocType: Program Fee,Program Fee,program Fee DocType: Salary Slip,Total in words,Samtals í orðum @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,Lead Time Dagsetning DocType: Guardian,Guardian Name,Guardian Name DocType: Cheque Print Template,Has Print Format,Hefur prenta sniði DocType: Employee Loan,Sanctioned,bundnar -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,er nauðsynlegur. Kannski gjaldeyri færsla er ekki búin að +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,er nauðsynlegur. Kannski gjaldeyri færsla er ekki búin að apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Vinsamlegast tilgreinið Serial Nei fyrir lið {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Fyrir "vara búnt 'atriði, Lager, Serial Nei og Batch No verður að teljast úr' Pökkun lista 'töflunni. Ef Warehouse og Batch No eru sömu fyrir alla pökkun atriði fyrir hvaða "vara búnt 'lið, sem gildin má færa í helstu atriði borðið, gildi verða afrituð á' Pökkun lista 'borð." DocType: Job Opening,Publish on website,Birta á vefsíðu @@ -1006,7 +1006,7 @@ DocType: Cheque Print Template,Date Settings,Dagsetning Stillingar apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,dreifni ,Company Name,nafn fyrirtækis DocType: SMS Center,Total Message(s),Total Message (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Veldu Atriði til flutnings +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Veldu Atriði til flutnings DocType: Purchase Invoice,Additional Discount Percentage,Viðbótarupplýsingar Afsláttur Hlutfall apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Skoða lista yfir öll hjálparefni myndbönd DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Veldu yfirmaður reikning bankans þar stöðva var afhent. @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Raw Material Kostnaður (Company Gjaldmiðill) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Allir hlutir hafa þegar verið flutt í þessari framleiðslu Order. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Gengi má ekki vera hærra en hlutfallið sem notað er í {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Meter DocType: Workstation,Electricity Cost,rafmagn Kostnaður DocType: HR Settings,Don't send Employee Birthday Reminders,Ekki senda starfsmaður afmælisáminningar DocType: Item,Inspection Criteria,Skoðun Viðmið @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),Allt Lead (Open) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Magn er ekki í boði fyrir {4} í vöruhús {1} á að senda sinn færslunnar ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Fá Framfarir Greiddur DocType: Item,Automatically Create New Batch,Búðu til nýjan hóp sjálfkrafa -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,gera +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,gera DocType: Student Admission,Admission Start Date,Aðgangseyrir Start Date DocType: Journal Entry,Total Amount in Words,Heildarfjárhæð orðum apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Það var villa. Ein líkleg ástæða gæti verið að þú hefur ekki vistað mynd. Vinsamlegast hafðu samband support@erpnext.com ef vandamálið er viðvarandi. @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Karfan mín apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Order Type verður að vera einn af {0} DocType: Lead,Next Contact Date,Næsta samband við þann apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,opnun Magn -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Vinsamlegast sláðu inn reikning fyrir Change Upphæð +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Vinsamlegast sláðu inn reikning fyrir Change Upphæð DocType: Student Batch Name,Student Batch Name,Student Hópur Name DocType: Holiday List,Holiday List Name,Holiday List Nafn DocType: Repayment Schedule,Balance Loan Amount,Balance lánsfjárhæð @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Kaupréttir DocType: Journal Entry Account,Expense Claim,Expense Krafa apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Viltu virkilega að endurheimta rifið eign? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Magn {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Magn {0} DocType: Leave Application,Leave Application,Leave Umsókn apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Skildu Úthlutun Tól DocType: Leave Block List,Leave Block List Dates,Skildu Block Listi Dagsetningar @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,gegn DocType: Item,Default Selling Cost Center,Sjálfgefið Selja Kostnaður Center DocType: Sales Partner,Implementation Partner,framkvæmd Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Póstnúmer +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Póstnúmer apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Velta Order {0} er {1} DocType: Opportunity,Contact Info,Contact Info apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Gerð lager færslur @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Til apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Meðalaldur DocType: School Settings,Attendance Freeze Date,Viðburður Frystingardagur DocType: Opportunity,Your sales person who will contact the customer in future,Sala þinn sá sem mun hafa samband við viðskiptavininn í framtíðinni -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Listi nokkrar af birgja þína. Þeir gætu verið stofnanir eða einstaklingar. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Listi nokkrar af birgja þína. Þeir gætu verið stofnanir eða einstaklingar. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Sjá allar vörur apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lágmarksstigleiki (dagar) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Allir BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Allir BOMs DocType: Company,Default Currency,sjálfgefið mynt DocType: Expense Claim,From Employee,frá starfsmanni -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Viðvörun: Kerfi mun ekki stöðva overbilling síðan upphæð fyrir lið {0} í {1} er núll +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Viðvörun: Kerfi mun ekki stöðva overbilling síðan upphæð fyrir lið {0} í {1} er núll DocType: Journal Entry,Make Difference Entry,Gera Mismunur færslu DocType: Upload Attendance,Attendance From Date,Aðsókn Frá Dagsetning DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Fyrirtæki skráningarnúmer til viðmiðunar. Tax tölur o.fl. DocType: Sales Partner,Distributor,dreifingaraðili DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Shopping Cart Shipping Rule -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Framleiðslu Order {0} verður lokað áður en hætta þessu Velta Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Framleiðslu Order {0} verður lokað áður en hætta þessu Velta Order apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Vinsamlegast settu 'Virkja Viðbótarupplýsingar afslátt' ,Ordered Items To Be Billed,Pantaði Items verður innheimt apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Frá Range þarf að vera minna en við úrval @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,frádráttur DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start Ár -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Fyrstu 2 stafirnir í GSTIN ættu að passa við ríkisnúmer {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Fyrstu 2 stafirnir í GSTIN ættu að passa við ríkisnúmer {0} DocType: Purchase Invoice,Start date of current invoice's period,Upphafsdagur tímabils núverandi reikningi er DocType: Salary Slip,Leave Without Pay,Leyfi án launa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Getu Planning Villa +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Getu Planning Villa ,Trial Balance for Party,Trial Balance fyrir aðila DocType: Lead,Consultant,Ráðgjafi DocType: Salary Slip,Earnings,Hagnaður @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,greiðandi Stillingar DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Þetta verður bætt við Item Code afbrigði. Til dæmis, ef skammstöfun er "SM", og hluturinn kóða er "T-bolur", hluturinn kóðann um afbrigði verður "T-bolur-SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net Borga (í orðum) verður sýnileg þegar þú hefur vistað Laun Slip. DocType: Purchase Invoice,Is Return,er aftur -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Return / skuldfærslu Note +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Return / skuldfærslu Note DocType: Price List Country,Price List Country,Verðskrá Country DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} gild raðnúmer nos fyrir lið {1} @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,hluta ráðstafað apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Birgir gagnagrunni. DocType: Account,Balance Sheet,Efnahagsreikningur apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Kostnaður Center For lið með Item Code ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Greiðsla Mode er ekki stillt. Vinsamlegast athugaðu hvort reikningur hefur verið sett á Mode Greiðslur eða POS Profile. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Greiðsla Mode er ekki stillt. Vinsamlegast athugaðu hvort reikningur hefur verið sett á Mode Greiðslur eða POS Profile. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,velta manneskja mun fá áminningu á þessari dagsetningu til að hafa samband við viðskiptavini apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Sama atriði er ekki hægt inn mörgum sinnum. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Frekari reikninga er hægt að gera undir Hópar, en færslur er hægt að gera á móti non-hópa" @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,endurgreiðsla Upplýsingar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Færslur' má ekki vera autt apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Afrit róður {0} með sama {1} ,Trial Balance,Trial Balance -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Reikningsár {0} fannst ekki +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Reikningsár {0} fannst ekki apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Setja upp Starfsmenn DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Vinsamlegast veldu forskeyti fyrst @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,millibili apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,elstu apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","An Item Group til staðar með sama nafni, vinsamlegast breyta hlutinn nafni eða endurnefna atriði hópinn" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Rest Of The World +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Rest Of The World apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The Item {0} getur ekki Hópur ,Budget Variance Report,Budget Dreifni Report DocType: Salary Slip,Gross Pay,Gross Pay -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Activity Type er nauðsynlegur. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Row {0}: Activity Type er nauðsynlegur. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,arður Greiddur apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,bókhald Ledger DocType: Stock Reconciliation,Difference Amount,munurinn Upphæð @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Starfsmaður Leave Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Stöðunni á reikningnum {0} verður alltaf að vera {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Verðmat Gefa þarf fyrir lið í röð {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Dæmi: Masters í tölvunarfræði +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Dæmi: Masters í tölvunarfræði DocType: Purchase Invoice,Rejected Warehouse,hafnað Warehouse DocType: GL Entry,Against Voucher,Against Voucher DocType: Item,Default Buying Cost Center,Sjálfgefið Buying Kostnaður Center apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Til að fá það besta út úr ERPNext, mælum við með að þú að taka nokkurn tíma og horfa á þessi hjálp vídeó." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,að +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,að DocType: Supplier Quotation Item,Lead Time in days,Lead Time í dögum apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Viðskiptaskuldir Yfirlit -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Greiðsla launum frá {0} til {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Greiðsla launum frá {0} til {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Ekki heimild til að breyta frosinn reikning {0} DocType: Journal Entry,Get Outstanding Invoices,Fá útistandandi reikninga -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Velta Order {0} er ekki gilt +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Velta Order {0} er ekki gilt apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Kaup pantanir hjálpa þér að skipuleggja og fylgja eftir kaupum þínum apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Því miður, fyrirtæki geta ekki vera sameinuð" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,óbeinum kostnaði apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Magn er nauðsynlegur apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Landbúnaður -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Vörur eða þjónustu +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Vörur eða þjónustu DocType: Mode of Payment,Mode of Payment,Háttur á greiðslu apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Vefsíða Image ætti að vera opinber skrá eða vefslóð DocType: Student Applicant,AP,AP @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Liður Skatthlutfall DocType: Student Group Student,Group Roll Number,Group Roll Number apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Fyrir {0}, aðeins kredit reikninga er hægt að tengja við aðra gjaldfærslu" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Alls öllum verkefni lóðum skal vera 1. Stilltu vigta allar verkefni verkefni í samræmi við -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Afhending Note {0} er ekki lögð +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Afhending Note {0} er ekki lögð apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Liður {0} verður að vera Sub-dregist Item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capital útbúnaður apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Verðlagning Regla er fyrst valið byggist á 'Virkja Á' sviði, sem getur verið Item, Item Group eða Brand." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Vinsamlegast settu vörulistann fyrst +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Vinsamlegast settu vörulistann fyrst DocType: Hub Settings,Seller Website,Seljandi Website DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Samtals úthlutað hlutfall fyrir Söluteymi ætti að vera 100 DocType: Appraisal Goal,Goal,Markmið DocType: Sales Invoice Item,Edit Description,Breyta Lýsing ,Team Updates,Team uppfærslur -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,fyrir Birgir +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,fyrir Birgir DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Uppsetning reiknings Tegund hjálpar í því að velja þennan reikning í viðskiptum. DocType: Purchase Invoice,Grand Total (Company Currency),Grand Total (Company Gjaldmiðill) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Búa prenta sniði @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,Vefsíða Item Hópar DocType: Purchase Invoice,Total (Company Currency),Total (Company Gjaldmiðill) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Raðnúmer {0} inn oftar en einu sinni DocType: Depreciation Schedule,Journal Entry,Dagbókarfærsla -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} atriði í gangi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} atriði í gangi DocType: Workstation,Workstation Name,Workstation Name DocType: Grading Scale Interval,Grade Code,bekk Code DocType: POS Item Group,POS Item Group,POS Item Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Sendu Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} ekki tilheyra lið {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} ekki tilheyra lið {1} DocType: Sales Partner,Target Distribution,Target Dreifing 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 @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,Innkaupakerra apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daily Outgoing DocType: POS Profile,Campaign,herferð DocType: Supplier,Name and Type,Nafn og tegund -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Samþykki Staða verður "Samþykkt" eða "Hafnað ' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Samþykki Staða verður "Samþykkt" eða "Hafnað ' DocType: Purchase Invoice,Contact Person,Tengiliður apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"Bjóst Start Date 'má ekki vera meiri en' Bjóst Lokadagur ' DocType: Course Scheduling Tool,Course End Date,Auðvitað Lokadagur @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Ákjósanleg Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Net Breyting á fast eign DocType: Leave Control Panel,Leave blank if considered for all designations,Skildu eftir autt ef það er talið fyrir alla heita -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Gjald af gerðinni 'Raunveruleg' í röð {0} er ekki að vera með í Item Rate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Gjald af gerðinni 'Raunveruleg' í röð {0} er ekki að vera með í Item Rate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,frá DATETIME DocType: Email Digest,For Company,Company apps/erpnext/erpnext/config/support.py +17,Communication log.,Samskipti þig. @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Job uppsetning DocType: Journal Entry Account,Account Balance,Staða reiknings apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Tax Regla fyrir viðskiptum. DocType: Rename Tool,Type of document to rename.,Tegund skjals til að endurnefna. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Við þurfum að kaupa þessa vöru +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Við þurfum að kaupa þessa vöru apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Viðskiptavini er krafist móti óinnheimt reikninginn {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Samtals Skattar og gjöld (Company gjaldmiðli) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Sýna P & unclosed fjárhagsári er L jafnvægi @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,Upplestur DocType: Stock Entry,Total Additional Costs,Samtals viðbótarkostnað DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Rusl efniskostnaði (Company Gjaldmiðill) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub þing +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub þing DocType: Asset,Asset Name,Asset Name DocType: Project,Task Weight,verkefni Þyngd DocType: Shipping Rule Condition,To Value,til Value @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Item Afbrigði DocType: Company,Services,Þjónusta DocType: HR Settings,Email Salary Slip to Employee,Sendu Laun Slip til starfsmanns DocType: Cost Center,Parent Cost Center,Parent Kostnaður Center -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Veldu Möguleg Birgir +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Veldu Möguleg Birgir DocType: Sales Invoice,Source,Source apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Sýna lokaðar DocType: Leave Type,Is Leave Without Pay,Er Leyfi án launa @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,gilda Afsláttur DocType: GST HSN Code,GST HSN Code,GST HSN kóða DocType: Employee External Work History,Total Experience,Samtals Experience apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Opið Verkefni -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Pökkun Slip (s) Hætt +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Pökkun Slip (s) Hætt apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Cash Flow frá Fjárfesting DocType: Program Course,Program Course,program Námskeið apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Frakt og Áframsending Gjöld @@ -1538,9 +1538,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,program innritun nemenda DocType: Sales Invoice Item,Brand Name,Vörumerki DocType: Purchase Receipt,Transporter Details,Transporter Upplýsingar -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Sjálfgefið vöruhús er nauðsynlegt til valið atriði -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Box -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Möguleg Birgir +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Sjálfgefið vöruhús er nauðsynlegt til valið atriði +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Box +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Möguleg Birgir DocType: Budget,Monthly Distribution,Mánaðarleg dreifing apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver List er tóm. Vinsamlegast búa Receiver Listi DocType: Production Plan Sales Order,Production Plan Sales Order,Framleiðslu Plan Velta Order @@ -1572,7 +1572,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Kröfur fyrir apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Nemendur eru í hjarta kerfisins, bæta við öllum nemendum" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Úthreinsun dagsetning {1} er ekki hægt áður Ávísun Dagsetning {2} DocType: Company,Default Holiday List,Sjálfgefin Holiday List -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,lager Skuldir DocType: Purchase Invoice,Supplier Warehouse,birgir Warehouse DocType: Opportunity,Contact Mobile No,Viltu samband við Mobile Nei @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Leyfi af gerð {0} má ekki vera lengri en {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Prófaðu að skipuleggja starfsemi fyrir X daga fyrirvara. DocType: HR Settings,Stop Birthday Reminders,Stop afmælisáminningar -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Vinsamlegast settu Default Launaskrá Greiðist reikning í félaginu {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Vinsamlegast settu Default Launaskrá Greiðist reikning í félaginu {0} DocType: SMS Center,Receiver List,Receiver List -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,leit Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,leit Item apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,neytt Upphæð apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Net Breyting á Cash DocType: Assessment Plan,Grading Scale,flokkun Scale apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mælieiningin {0} hefur verið slegið oftar en einu sinni í viðskipta Factor töflu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,þegar lokið +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,þegar lokið apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Lager í hendi apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Greiðsla Beiðni þegar til staðar {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kostnaður af úthlutuðum Items -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Magn má ekki vera meira en {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Magn má ekki vera meira en {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Næstliðnu reikningsári er ekki lokað apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Aldur (dagar) DocType: Quotation Item,Quotation Item,Tilvitnun Item @@ -1613,6 +1613,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Tilvísun Document apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} er aflýst eða henni hætt DocType: Accounts Settings,Credit Controller,Credit Controller +DocType: Sales Order,Final Delivery Date,Lokadagur DocType: Delivery Note,Vehicle Dispatch Date,Ökutæki Sending Dagsetning DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Kvittun {0} er ekki lögð @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,Dagsetning starfsloka DocType: Upload Attendance,Get Template,fá sniðmát DocType: Material Request,Transferred,Flutt DocType: Vehicle,Doors,hurðir -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Uppsetningu lokið! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Uppsetningu lokið! DocType: Course Assessment Criteria,Weightage,weightage -DocType: Sales Invoice,Tax Breakup,Tax Breakup +DocType: Purchase Invoice,Tax Breakup,Tax Breakup DocType: Packing Slip,PS-,PS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kostnaður Center er nauðsynlegt fyrir 'RekstrarliÃ' reikning {2}. Vinsamlegast setja upp sjálfgefið kostnaðarstað til félagsins. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A Viðskiptavinur Group til staðar með sama nafni vinsamlegast breyta Customer Name eða endurnefna Viðskiptavinur Group @@ -1716,14 +1717,14 @@ DocType: Announcement,Instructor,kennari DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ef þessi atriði eru afbrigði, þá getur það ekki verið valinn í sölu skipunum o.fl." DocType: Lead,Next Contact By,Næsta Samband með -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Magn krafist fyrir lið {0} í röð {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Magn krafist fyrir lið {0} í röð {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} Ekki er hægt að eyða eins magn er fyrir hendi tl {1} DocType: Quotation,Order Type,Order Type DocType: Purchase Invoice,Notification Email Address,Tilkynning Netfang ,Item-wise Sales Register,Item-vitur Sales Register DocType: Asset,Gross Purchase Amount,Gross Kaup Upphæð DocType: Asset,Depreciation Method,Afskriftir Method -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er þetta Tax innifalinn í grunntaxta? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,alls Target DocType: Job Applicant,Applicant for a Job,Umsækjandi um starf @@ -1744,7 +1745,7 @@ DocType: Employee,Leave Encashed?,Leyfi Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Tækifæri Frá sviði er nauðsynlegur DocType: Email Digest,Annual Expenses,Árleg útgjöld DocType: Item,Variants,afbrigði -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Gera Purchase Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Gera Purchase Order DocType: SMS Center,Send To,Senda til apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Það er ekki nóg leyfi jafnvægi um leyfi Tegund {0} DocType: Payment Reconciliation Payment,Allocated amount,úthlutað magn @@ -1752,7 +1753,7 @@ DocType: Sales Team,Contribution to Net Total,Framlag til Nettó DocType: Sales Invoice Item,Customer's Item Code,Liður viðskiptavinar Code DocType: Stock Reconciliation,Stock Reconciliation,Stock Sættir DocType: Territory,Territory Name,Territory Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Work-í-gangi Warehouse er krafist áður Senda +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Work-í-gangi Warehouse er krafist áður Senda apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Umsækjandi um starf. DocType: Purchase Order Item,Warehouse and Reference,Warehouse og Tilvísun DocType: Supplier,Statutory info and other general information about your Supplier,Lögbundin upplýsingar og aðrar almennar upplýsingar um birgir @@ -1763,16 +1764,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,úttektir apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Afrit Serial Nei slegið í lið {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Skilyrði fyrir Shipping reglu apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,vinsamlegast sláðu -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Ekki er hægt að overbill fyrir atriðið {0} in row {1} meira en {2}. Til að leyfa yfir-innheimtu, skaltu stilla á að kaupa Stillingar" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Vinsamlegast settu síuna miðað Item eða Warehouse +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Ekki er hægt að overbill fyrir atriðið {0} in row {1} meira en {2}. Til að leyfa yfir-innheimtu, skaltu stilla á að kaupa Stillingar" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Vinsamlegast settu síuna miðað Item eða Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettóþyngd þessum pakka. (Reiknaðar sjálfkrafa sem summa nettó þyngd atriði) DocType: Sales Order,To Deliver and Bill,Að skila og Bill DocType: Student Group,Instructors,leiðbeinendur DocType: GL Entry,Credit Amount in Account Currency,Credit Upphæð í Account Gjaldmiðill -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} Leggja skal fram +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} Leggja skal fram DocType: Authorization Control,Authorization Control,Heimildin Control apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Hafnað Warehouse er nauðsynlegur móti hafnað Item {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,greiðsla +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,greiðsla apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Vörugeymsla {0} er ekki tengt neinum reikningi, vinsamlegast tilgreinið reikninginn í vörugeymslunni eða settu sjálfgefið birgðareikning í félaginu {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Stjórna pantanir DocType: Production Order Operation,Actual Time and Cost,Raunveruleg tíma og kostnað @@ -1788,12 +1789,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Knippi DocType: Quotation Item,Actual Qty,Raunveruleg Magn DocType: Sales Invoice Item,References,Tilvísanir DocType: Quality Inspection Reading,Reading 10,lestur 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Listi vörur þínar eða þjónustu sem þú kaupir eða selur. Gakktu úr skugga um að athuga Item Group, Mælieiningin og aðrar eignir þegar þú byrjar." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Listi vörur þínar eða þjónustu sem þú kaupir eða selur. Gakktu úr skugga um að athuga Item Group, Mælieiningin og aðrar eignir þegar þú byrjar." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Þú hefur slegið afrit atriði. Vinsamlegast lagfæra og reyndu aftur. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Félagi +DocType: Company,Sales Target,Sala Markmið DocType: Asset Movement,Asset Movement,Asset Hreyfing -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,nýtt körfu +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,nýtt körfu apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Liður {0} er ekki serialized Item DocType: SMS Center,Create Receiver List,Búa Receiver lista DocType: Vehicle,Wheels,hjól @@ -1834,13 +1836,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Annast verkefni DocType: Supplier,Supplier of Goods or Services.,Seljandi vöru eða þjónustu. DocType: Budget,Fiscal Year,Fiscal Year DocType: Vehicle Log,Fuel Price,eldsneyti verð +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp flokkunarnúmer fyrir þátttöku í gegnum skipulag> Númerakerfi DocType: Budget,Budget,Budget apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Fast Asset Item verður a non-birgðir atriði. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Fjárhagsáætlun er ekki hægt að úthlutað gegn {0}, eins og það er ekki tekjur eða gjöld reikning" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,náð DocType: Student Admission,Application Form Route,Umsóknareyðublað Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territory / Viðskiptavinur -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,td 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,td 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Skildu Type {0} er ekki hægt að úthluta þar sem það er leyfi án launa apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Reiknaðar upphæð {1} verður að vera minna en eða jafnt og til reikning útistandandi upphæð {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Í orðum verður sýnileg þegar þú vistar sölureikningi. @@ -1849,11 +1852,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Liður {0} er ekki skipulag fyrir Serial Nos. Athuga Item meistara DocType: Maintenance Visit,Maintenance Time,viðhald Time ,Amount to Deliver,Nema Bera -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Vörur eða þjónusta +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Vörur eða þjónusta apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Hugtakið Start Date getur ekki verið fyrr en árið upphafsdagur skólaárið sem hugtakið er tengt (skólaárið {}). Vinsamlega leiðréttu dagsetningar og reyndu aftur. DocType: Guardian,Guardian Interests,Guardian Áhugasvið DocType: Naming Series,Current Value,Núverandi Value -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Margar reikningsárin til fyrir dagsetningu {0}. Vinsamlegast settu fyrirtæki í Fiscal Year +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Margar reikningsárin til fyrir dagsetningu {0}. Vinsamlegast settu fyrirtæki í Fiscal Year apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} búin DocType: Delivery Note Item,Against Sales Order,Against Sales Order ,Serial No Status,Serial Nei Staða @@ -1866,7 +1869,7 @@ DocType: Pricing Rule,Selling,selja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Upphæð {0} {1} frádráttar {2} DocType: Employee,Salary Information,laun Upplýsingar DocType: Sales Person,Name and Employee ID,Nafn og Starfsmannafélag ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Skiladagur er ekki hægt áður Staða Dagsetning +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Skiladagur er ekki hægt áður Staða Dagsetning DocType: Website Item Group,Website Item Group,Vefsíða Item Group apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Skyldur og skattar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Vinsamlegast sláðu viðmiðunardagur @@ -1921,9 +1924,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Vinsamlegast settu Dagsetning Tengingar fyrir starfsmann {0} DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Magn (með Time Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Endurtaka Tekjur viðskiptavinar -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) verða að hafa hlutverk 'kostnað samþykkjari' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,pair -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Veldu BOM og Magn fyrir framleiðslu +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) verða að hafa hlutverk 'kostnað samþykkjari' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,pair +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Veldu BOM og Magn fyrir framleiðslu DocType: Asset,Depreciation Schedule,Afskriftir Stundaskrá apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Söluaðilar samstarfsaðilar og tengiliðir DocType: Bank Reconciliation Detail,Against Account,Against reikninginn @@ -1933,7 +1936,7 @@ DocType: Item,Has Batch No,Hefur Batch No apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Árleg Billing: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Vörur og þjónusta Skattur (GST Indland) DocType: Delivery Note,Excise Page Number,Vörugjöld Page Number -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Frá Dagsetning og hingað til er nauðsynlegur" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Company, Frá Dagsetning og hingað til er nauðsynlegur" DocType: Asset,Purchase Date,kaupdegi DocType: Employee,Personal Details,Persónulegar upplýsingar apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Vinsamlegast settu "Asset Afskriftir Kostnaður Center" í félaginu {0} @@ -1942,9 +1945,9 @@ DocType: Task,Actual End Date (via Time Sheet),Raunveruleg End Date (með Time S apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Upphæð {0} {1} gegn {2} {3} ,Quotation Trends,Tilvitnun Trends apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Item Group ekki getið í master lið fyrir lið {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debit Til reikning verður að vera Krafa reikning +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debit Til reikning verður að vera Krafa reikning DocType: Shipping Rule Condition,Shipping Amount,Sendingar Upphæð -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Bæta við viðskiptavinum +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Bæta við viðskiptavinum apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Bíður Upphæð DocType: Purchase Invoice Item,Conversion Factor,ummyndun Factor DocType: Purchase Order,Delivered,afhent @@ -1966,7 +1969,6 @@ DocType: Production Order,Use Multi-Level BOM,Notaðu Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Fela sáttir færslur DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Foreldraforrit (Leyfi blank, ef þetta er ekki hluti af foreldradeild)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Skildu eftir autt ef það er talið fyrir allar gerðir starfsmanna -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Territory DocType: Landed Cost Voucher,Distribute Charges Based On,Dreifa Gjöld Byggt á apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,HR Stillingar @@ -1974,7 +1976,7 @@ DocType: Salary Slip,net pay info,nettó borga upplýsingar apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Kostnað Krafa bíður samþykkis. Aðeins kostnað samþykki getur uppfært stöðuna. DocType: Email Digest,New Expenses,ný Útgjöld DocType: Purchase Invoice,Additional Discount Amount,Viðbótarupplýsingar Afsláttur Upphæð -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Magn verður að vera 1, eins atriði er fastur eign. Notaðu sérstaka röð fyrir margar Magn." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Magn verður að vera 1, eins atriði er fastur eign. Notaðu sérstaka röð fyrir margar Magn." DocType: Leave Block List Allow,Leave Block List Allow,Skildu Block List Leyfa apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Skammstöfun má ekki vera autt eða bil apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Group Non-Group @@ -1982,7 +1984,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Íþróttir DocType: Loan Type,Loan Name,lán Name apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,alls Raunveruleg DocType: Student Siblings,Student Siblings,Student Systkini -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Unit +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Unit apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Vinsamlegast tilgreinið Company ,Customer Acquisition and Loyalty,Viðskiptavinur Kaup og Hollusta DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse þar sem þú ert að halda úttekt hafnað atriðum @@ -2000,12 +2002,12 @@ DocType: Workstation,Wages per hour,Laun á klukkustund apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock jafnvægi í Batch {0} verður neikvætt {1} fyrir lið {2} í Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Eftirfarandi efni beiðnir hafa verið hækkaðir sjálfvirkt miðað aftur röð stigi atriðisins DocType: Email Digest,Pending Sales Orders,Bíður sölu skipunum -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Reikningur {0} er ógild. Reikningur Gjaldmiðill verður að vera {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Reikningur {0} er ógild. Reikningur Gjaldmiðill verður að vera {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM viðskipta þáttur er krafist í röð {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Sales Order, Sales Invoice eða Journal Entry" DocType: Salary Component,Deduction,frádráttur -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Frá Time og til tími er nauðsynlegur. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Row {0}: Frá Time og til tími er nauðsynlegur. DocType: Stock Reconciliation Item,Amount Difference,upphæð Mismunur apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Atriði Verð bætt fyrir {0} í verðskrá {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vinsamlegast sláðu Starfsmaður Id þessarar velta manneskja @@ -2015,11 +2017,11 @@ DocType: Project,Gross Margin,Heildarframlegð apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Vinsamlegast sláðu Production Item fyrst apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Útreiknuð Bank Yfirlýsing jafnvægi apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,fatlaður notandi -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Tilvitnun +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Tilvitnun DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Samtals Frádráttur ,Production Analytics,framleiðslu Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,kostnaður Uppfært +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,kostnaður Uppfært DocType: Employee,Date of Birth,Fæðingardagur apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Liður {0} hefur þegar verið skilað DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiscal Year ** táknar fjárhagsári. Öll bókhald færslur og aðrar helstu viðskipti eru raktar gegn ** Fiscal Year **. @@ -2064,18 +2066,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Veldu Company ... DocType: Leave Control Panel,Leave blank if considered for all departments,Skildu eftir autt ef það er talið að öllum deildum apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tegundir ráðninga (varanleg, samningur, nemi o.fl.)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} er nauðsynlegur fyrir lið {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} er nauðsynlegur fyrir lið {1} DocType: Process Payroll,Fortnightly,hálfsmánaðarlega DocType: Currency Exchange,From Currency,frá Gjaldmiðill apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Kostnaður við nýja kaup -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Velta Order krafist fyrir lið {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Velta Order krafist fyrir lið {0} DocType: Purchase Invoice Item,Rate (Company Currency),Hlutfall (Company Gjaldmiðill) DocType: Student Guardian,Others,aðrir DocType: Payment Entry,Unallocated Amount,óráðstafað Upphæð apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Get ekki fundið samsvörun hlut. Vinsamlegast veldu einhverja aðra verðmæti fyrir {0}. DocType: POS Profile,Taxes and Charges,Skattar og gjöld DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","A vöru eða þjónustu sem er keypt, selt eða haldið á lager." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Vörunúmer> Liðurhópur> Vörumerki apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Ekki fleiri uppfærslur apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Get ekki valið gjald tegund sem "On Fyrri Row Upphæð 'eða' Á fyrri röðinni Samtals 'fyrir fyrstu röðinni apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Barnið Item ætti ekki að vera Product Knippi. Fjarlægðu hlut `{0}` og vista @@ -2101,7 +2104,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Alls innheimtu upphæð apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Það verður að vera sjálfgefið komandi Email Account virkt til að þetta virki. Vinsamlegast skipulag sjálfgefið komandi netfangs (POP / IMAP) og reyndu aftur. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,viðskiptakröfur Reikningur -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er þegar {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er þegar {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Velta Order til greiðslu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,forstjóri @@ -2126,10 +2129,11 @@ DocType: C-Form,Received Date,fékk Date DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ef þú hefur búið til staðlaða sniðmát í sölu sköttum og gjöldum Snið, veldu einn og smelltu á hnappinn hér fyrir neðan." DocType: BOM Scrap Item,Basic Amount (Company Currency),Basic Magn (Company Gjaldmiðill) DocType: Student,Guardians,forráðamenn +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Birgir> Birgir Tegund DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Verð verður ekki sýnd ef verðskrá er ekki sett apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Vinsamlegast tilgreindu land fyrir þessa Shipping reglu eða stöðva Worldwide Shipping DocType: Stock Entry,Total Incoming Value,Alls Komandi Value -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Skuldfærslu Til er krafist +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Skuldfærslu Til er krafist apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets að halda utan um tíma, kostnað og innheimtu fyrir athafnir gert með lið" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Kaupverðið List DocType: Offer Letter Term,Offer Term,Tilboð Term @@ -2148,11 +2152,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Vöru DocType: Timesheet Detail,To Time,til Time DocType: Authorization Rule,Approving Role (above authorized value),Samþykkir hlutverk (að ofan er leyft gildi) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Inneign á reikninginn verður að vera Greiðist reikning -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM endurkvæmni: {0} er ekki hægt að foreldri eða barn {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM endurkvæmni: {0} er ekki hægt að foreldri eða barn {2} DocType: Production Order Operation,Completed Qty,lokið Magn apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Fyrir {0}, aðeins debetkort reikninga er hægt að tengja við aðra tekjufærslu" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Verðlisti {0} er óvirk -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Lokið Magn má ekki vera meira en {1} fyrir aðgerð {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Lokið Magn má ekki vera meira en {1} fyrir aðgerð {2} DocType: Manufacturing Settings,Allow Overtime,leyfa yfirvinnu apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} er ekki hægt að uppfæra með Stock Sátt, vinsamlegast notaðu Stock Entry" DocType: Training Event Employee,Training Event Employee,Þjálfun Event Starfsmaður @@ -2170,10 +2174,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,ytri apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Notendur og heimildir DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Framleiðslu Pantanir Búið til: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Framleiðslu Pantanir Búið til: {0} DocType: Branch,Branch,Branch DocType: Guardian,Mobile Number,Farsímanúmer apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Prentun og merkingu +DocType: Company,Total Monthly Sales,Samtals mánaðarleg sala DocType: Bin,Actual Quantity,Raunveruleg Magn DocType: Shipping Rule,example: Next Day Shipping,dæmi: Næsti dagur Shipping apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial Nei {0} fannst ekki @@ -2203,7 +2208,7 @@ DocType: Payment Request,Make Sales Invoice,Gera sölureikning apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,hugbúnaður apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Næsta Hafa Date getur ekki verið í fortíðinni DocType: Company,For Reference Only.,Til viðmiðunar aðeins. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Veldu lotu nr +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Veldu lotu nr apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ógild {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Advance Magn @@ -2216,7 +2221,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ekkert atriði með Strikamerki {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Case Nei getur ekki verið 0 DocType: Item,Show a slideshow at the top of the page,Sýnið skyggnusýningu efst á síðunni -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,verslanir DocType: Serial No,Delivery Time,Afhendingartími apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Öldrun Byggt á @@ -2230,16 +2235,16 @@ DocType: Rename Tool,Rename Tool,endurnefna Tól apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Uppfæra Kostnaður DocType: Item Reorder,Item Reorder,Liður Uppröðun apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Sýna Laun Slip -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transfer Efni +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transfer Efni DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Tilgreina rekstur, rekstrarkostnaði og gefa einstakt notkun eigi að rekstri þínum." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Þetta skjal er yfir mörkum með {0} {1} fyrir lið {4}. Ert þú að gera annað {3} gegn sama {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Vinsamlegast settu endurtekin eftir vistun -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Veldu breyting upphæð reiknings +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Vinsamlegast settu endurtekin eftir vistun +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Veldu breyting upphæð reiknings DocType: Purchase Invoice,Price List Currency,Verðskrá Gjaldmiðill DocType: Naming Series,User must always select,Notandi verður alltaf að velja DocType: Stock Settings,Allow Negative Stock,Leyfa Neikvæð lager DocType: Installation Note,Installation Note,uppsetning Note -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Bæta Skattar +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Bæta Skattar DocType: Topic,Topic,Topic apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Cash Flow frá fjármögnun DocType: Budget Account,Budget Account,Budget Account @@ -2253,7 +2258,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,rekja apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Uppruni Funds (Skuldir) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Magn í röð {0} ({1}) verður að vera það sama og framleiddar magn {2} DocType: Appraisal,Employee,Starfsmaður -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Veldu hópur +DocType: Company,Sales Monthly History,Sala mánaðarlega sögu +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Veldu hópur apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} er að fullu innheimt DocType: Training Event,End Time,End Time apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Active Laun Uppbygging {0} fannst fyrir starfsmann {1} fyrir gefin dagsetningar @@ -2261,15 +2267,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Greiðsla Frádráttur eða ta apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Stöðluð samningsskilyrði til sölu eða kaup. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Group eftir Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,velta Pipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Vinsamlegast settu sjálfgefin reikningur í laun Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Vinsamlegast settu sjálfgefin reikningur í laun Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Required On DocType: Rename Tool,File to Rename,Skrá til Endurnefna apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Vinsamlegast veldu BOM fyrir lið í Row {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Reikningur {0} passar ekki við fyrirtæki {1} í reikningsaðferð: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Tilgreint BOM {0} er ekki til fyrir lið {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Viðhald Dagskrá {0} verður lokað áður en hætta þessu Velta Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Viðhald Dagskrá {0} verður lokað áður en hætta þessu Velta Order DocType: Notification Control,Expense Claim Approved,Expense Krafa Samþykkt -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp flokkunarnúmer fyrir þátttöku í gegnum skipulag> Númerakerfi apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Laun Slip starfsmanns {0} þegar búin á þessu tímabili apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutical apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostnaður vegna aðkeyptrar atriði @@ -2286,7 +2291,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Nei fyrir Finis DocType: Upload Attendance,Attendance To Date,Aðsókn að Dagsetning DocType: Warranty Claim,Raised By,hækkaðir um DocType: Payment Gateway Account,Payment Account,greiðsla Reikningur -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Vinsamlegast tilgreinið Company til að halda áfram +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Vinsamlegast tilgreinið Company til að halda áfram apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Net Breyta viðskiptakrafna apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,jöfnunaraðgerðir Off DocType: Offer Letter,Accepted,Samþykkt @@ -2295,12 +2300,12 @@ DocType: SG Creation Tool Course,Student Group Name,Student Group Name apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Vinsamlegast vertu viss um að þú viljir virkilega að eyða öllum viðskiptum fyrir þetta fyrirtæki. stofngögn haldast eins og það er. Þessi aðgerð er ekki hægt að afturkalla. DocType: Room,Room Number,Room Number apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ógild vísun {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) getur ekki verið meiri en áætlað quanitity ({2}) í framleiðslu Order {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) getur ekki verið meiri en áætlað quanitity ({2}) í framleiðslu Order {3} DocType: Shipping Rule,Shipping Rule Label,Sendingar Regla Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Hráefni má ekki vera auður. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Gat ekki uppfært lager, reikningsnúmer inniheldur falla skipum hlut." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Journal Entry +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Hráefni má ekki vera auður. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Gat ekki uppfært lager, reikningsnúmer inniheldur falla skipum hlut." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Quick Journal Entry apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Þú getur ekki breytt hlutfall ef BOM getið agianst hvaða atriði DocType: Employee,Previous Work Experience,Fyrri Starfsreynsla DocType: Stock Entry,For Quantity,fyrir Magn @@ -2357,7 +2362,7 @@ DocType: SMS Log,No of Requested SMS,Ekkert af Beðið um SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Leyfi án launa passar ekki við viðurkenndar Leave Umsókn færslur DocType: Campaign,Campaign-.####,Herferð -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Næstu skref -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Gefðu tilgreind atriði í besta mögulega verð +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Gefðu tilgreind atriði í besta mögulega verð DocType: Selling Settings,Auto close Opportunity after 15 days,Auto nálægt Tækifæri eftir 15 daga apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,árslok apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2394,7 +2399,7 @@ DocType: Homepage,Homepage,heimasíða DocType: Purchase Receipt Item,Recd Quantity,Recd Magn apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Records Búið - {0} DocType: Asset Category Account,Asset Category Account,Asset Flokkur Reikningur -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Geta ekki framleitt meira ítarefni {0} en Sales Order Magn {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Geta ekki framleitt meira ítarefni {0} en Sales Order Magn {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock Entry {0} er ekki lögð DocType: Payment Reconciliation,Bank / Cash Account,Bank / Cash Account apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Næsta Samband með getur ekki verið sama og Lead netfanginu @@ -2427,7 +2432,7 @@ DocType: Salary Structure,Total Earning,alls earnings DocType: Purchase Receipt,Time at which materials were received,Tími þar sem efni bárust DocType: Stock Ledger Entry,Outgoing Rate,Outgoing Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Stofnun útibú húsbóndi. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,eða +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,eða DocType: Sales Order,Billing Status,Innheimta Staða apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Tilkynna um vandamál apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,gagnsemi Útgjöld @@ -2435,7 +2440,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} hefur ekki reikning {2} eða þegar samsvarandi gegn öðrum skírteini DocType: Buying Settings,Default Buying Price List,Sjálfgefið Buying Verðskrá DocType: Process Payroll,Salary Slip Based on Timesheet,Laun Slip Byggt á tímaskráningar -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Enginn starfsmaður fyrir ofan valin viðmiðunum eða laun miði nú þegar búið +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Enginn starfsmaður fyrir ofan valin viðmiðunum eða laun miði nú þegar búið DocType: Notification Control,Sales Order Message,Velta Order Message apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Default gildi eins Company, Gjaldmiðill, yfirstandandi reikningsári, o.fl." DocType: Payment Entry,Payment Type,greiðsla Type @@ -2459,7 +2464,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kvittun skjal skal skilað DocType: Purchase Invoice Item,Received Qty,fékk Magn DocType: Stock Entry Detail,Serial No / Batch,Serial Nei / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Ekki greidd og ekki skilað +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Ekki greidd og ekki skilað DocType: Product Bundle,Parent Item,Parent Item DocType: Account,Account Type,Tegund reiknings DocType: Delivery Note,DN-RET-,DN-RET- @@ -2489,8 +2494,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Samtals úthlutað magn apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Stilltu sjálfgefinn birgðareikning fyrir varanlegan birgða DocType: Item Reorder,Material Request Type,Efni Beiðni Type -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry fyrir laun frá {0} til {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage er fullt, ekki spara" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry fyrir laun frá {0} til {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage er fullt, ekki spara" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM viðskipta Factor er nauðsynlegur apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,kostnaður Center @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Tekju apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ef valið Verðlagning Regla er gert fyrir 'verð', mun það skrifa verðlista. Verðlagning Regla verð er endanlegt verð, þannig að engin frekari afsláttur ætti að vera beitt. Þess vegna, í viðskiptum eins Velta Order, Purchase Order etc, það verður sótt í 'gefa' sviði, frekar en 'verðlista gefa' sviði." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track Vísbendingar um Industry tegund. DocType: Item Supplier,Item Supplier,Liður Birgir -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Vinsamlegast sláðu Item Code til að fá lotu nr +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Vinsamlegast sláðu Item Code til að fá lotu nr apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Vinsamlegast veldu gildi fyrir {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Öllum vistföngum. DocType: Company,Stock Settings,lager Stillingar @@ -2535,7 +2540,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Raunveruleg Magn eftir apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Engin laun miði fannst á milli {0} og {1} ,Pending SO Items For Purchase Request,Bíður SO Hlutir til kaupa Beiðni apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Student Innlagnir -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} er óvirk +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} er óvirk DocType: Supplier,Billing Currency,Innheimta Gjaldmiðill DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Auka stór @@ -2565,7 +2570,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Umsókn Status DocType: Fees,Fees,Gjöld DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Tilgreina Exchange Rate að breyta einum gjaldmiðli í annan -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Tilvitnun {0} er hætt +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Tilvitnun {0} er hætt apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Heildarstöðu útistandandi DocType: Sales Partner,Targets,markmið DocType: Price List,Price List Master,Verðskrá Master @@ -2582,7 +2587,7 @@ DocType: POS Profile,Ignore Pricing Rule,Hunsa Verðlagning reglu DocType: Employee Education,Graduate,Útskrifast DocType: Leave Block List,Block Days,blokk Days DocType: Journal Entry,Excise Entry,vörugjöld Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Viðvörun: Velta Order {0} er þegar til staðar á móti Purchase Order viðskiptavinar {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Viðvörun: Velta Order {0} er þegar til staðar á móti Purchase Order viðskiptavinar {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2608,7 +2613,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ef f ,Salary Register,laun Register DocType: Warehouse,Parent Warehouse,Parent Warehouse DocType: C-Form Invoice Detail,Net Total,Net Total -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Sjálfgefið BOM fannst ekki fyrir lið {0} og verkefni {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Sjálfgefið BOM fannst ekki fyrir lið {0} og verkefni {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Skilgreina ýmsar tegundir lána DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,útistandandi fjárhæð @@ -2645,7 +2650,7 @@ DocType: Salary Detail,Condition and Formula Help,Ástand og Formula Hjálp apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Stjórna Territory Tree. DocType: Journal Entry Account,Sales Invoice,Reikningar DocType: Journal Entry Account,Party Balance,Party Balance -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Vinsamlegast veldu Virkja afsláttur á +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Vinsamlegast veldu Virkja afsláttur á DocType: Company,Default Receivable Account,Sjálfgefið Krafa Reikningur DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Búa Bank færslu fyrir heildarlaunum greitt fyrir ofan valin forsendum DocType: Stock Entry,Material Transfer for Manufacture,Efni Transfer fyrir Framleiðsla @@ -2659,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,viðskiptavinur Address DocType: Employee Loan,Loan Details,lán Nánar DocType: Company,Default Inventory Account,Sjálfgefin birgðareikningur -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Lokið Magn verður að vera hærri en núll. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Row {0}: Lokið Magn verður að vera hærri en núll. DocType: Purchase Invoice,Apply Additional Discount On,Berið Viðbótarupplýsingar afsláttur á DocType: Account,Root Type,Root Type DocType: Item,FIFO,FIFO @@ -2676,7 +2681,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,Standard Template DocType: Training Event,Theory,Theory -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Viðvörun: Efni Umbeðin Magn er minna en Minimum Order Magn +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Viðvörun: Efni Umbeðin Magn er minna en Minimum Order Magn apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Reikningur {0} er frosinn DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Lögaðili / Dótturfélag með sérstakri Mynd af reikninga tilheyra stofnuninni. DocType: Payment Request,Mute Email,Mute Email @@ -2700,7 +2705,7 @@ DocType: Training Event,Scheduled,áætlunarferðir apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Beiðni um tilvitnun. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Vinsamlegast veldu Hlutir sem "Er Stock Item" er "Nei" og "Er Velta Item" er "já" og það er engin önnur vara Bundle DocType: Student Log,Academic,Academic -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total fyrirfram ({0}) gegn Order {1} er ekki vera meiri en GRAND Samtals ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total fyrirfram ({0}) gegn Order {1} er ekki vera meiri en GRAND Samtals ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Veldu Hlaupa dreifingu til ójafnt dreifa skotmörk yfir mánuði. DocType: Purchase Invoice Item,Valuation Rate,verðmat Rate DocType: Stock Reconciliation,SR/,SR / @@ -2764,6 +2769,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Sláðu inn heiti herferðarinnar ef uppspretta rannsókn er herferð apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,dagblað Publishers apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Veldu Fiscal Year +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Væntanlegur afhendingardagur ætti að vera eftir söluupphæðardagsetningu apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Uppröðun Level DocType: Company,Chart Of Accounts Template,Mynd af reikningum sniðmáti DocType: Attendance,Attendance Date,Aðsókn Dagsetning @@ -2795,7 +2801,7 @@ DocType: Pricing Rule,Discount Percentage,afsláttur Hlutfall DocType: Payment Reconciliation Invoice,Invoice Number,Reikningsnúmer DocType: Shopping Cart Settings,Orders,pantanir DocType: Employee Leave Approver,Leave Approver,Skildu samþykkjari -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Vinsamlegast veldu lotu +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Vinsamlegast veldu lotu DocType: Assessment Group,Assessment Group Name,Mat Group Name DocType: Manufacturing Settings,Material Transferred for Manufacture,Efni flutt til Framleiðendur DocType: Expense Claim,"A user with ""Expense Approver"" role",A notandi með "Kostnað samþykkjari" hlutverk @@ -2831,7 +2837,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Last Day næsta mánaðar DocType: Support Settings,Auto close Issue after 7 days,Auto nálægt Issue eftir 7 daga apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Leyfi ekki hægt að skipta áður en {0}, sem orlof jafnvægi hefur þegar verið fært sendar í framtíðinni leyfi úthlutun met {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Ath: Vegna / Frestdagur umfram leyfð viðskiptavina kredit dagar eftir {0} dag (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Ath: Vegna / Frestdagur umfram leyfð viðskiptavina kredit dagar eftir {0} dag (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Umsækjandi DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,Upprunalega fyrir viðtakanda DocType: Asset Category Account,Accumulated Depreciation Account,Uppsöfnuðum afskriftum Reikningur @@ -2842,7 +2848,7 @@ DocType: Item,Reorder level based on Warehouse,Uppröðun stigi byggist á Lager DocType: Activity Cost,Billing Rate,Innheimta Rate ,Qty to Deliver,Magn í Bera ,Stock Analytics,lager Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Aðgerðir geta ekki vera autt +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Aðgerðir geta ekki vera autt DocType: Maintenance Visit Purpose,Against Document Detail No,Gegn Document Detail No apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party Type er nauðsynlegur DocType: Quality Inspection,Outgoing,Outgoing @@ -2883,15 +2889,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Laus Magn á Lager apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,billed Upphæð DocType: Asset,Double Declining Balance,Tvöfaldur Minnkandi Balance -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Lokað þess geta ekki verið lokað. Unclose að hætta. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Lokað þess geta ekki verið lokað. Unclose að hætta. DocType: Student Guardian,Father,faðir -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Uppfæra Stock' Ekki er hægt að athuga fasta sölu eigna +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Uppfæra Stock' Ekki er hægt að athuga fasta sölu eigna DocType: Bank Reconciliation,Bank Reconciliation,Bank Sættir DocType: Attendance,On Leave,Í leyfi apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,fá uppfærslur apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ekki tilheyra félaginu {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Efni Beiðni {0} er aflýst eða henni hætt -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Bæta nokkrum sýnishorn skrár +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Bæta nokkrum sýnishorn skrár apps/erpnext/erpnext/config/hr.py +301,Leave Management,Skildu Stjórnun apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Group eftir reikningi DocType: Sales Order,Fully Delivered,Alveg Skilað @@ -2900,12 +2906,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Munurinn Reikningur verður að vera Eigna- / Ábyrgðartegund reikningur, þar sem þetta Stock Sáttargjörð er Opening Entry" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Andvirði lánsins getur ekki verið hærri en Lánsupphæðir {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Innkaupapöntunarnúmeri þarf fyrir lið {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Framleiðsla Order ekki búin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Framleiðsla Order ekki búin apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Frá Dagsetning 'verður að vera eftir' Til Dagsetning ' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Get ekki breytt stöðu sem nemandi {0} er tengd við beitingu nemandi {1} DocType: Asset,Fully Depreciated,Alveg afskrifaðar ,Stock Projected Qty,Stock Áætlaðar Magn -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Viðskiptavinur {0} ekki tilheyra verkefninu {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Viðskiptavinur {0} ekki tilheyra verkefninu {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Marked Aðsókn HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",Tilvitnanir eru tillögur tilboðum þú sendir til viðskiptavina þinna DocType: Sales Order,Customer's Purchase Order,Viðskiptavinar Purchase Order @@ -2915,7 +2921,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Vinsamlegast settu Fjöldi Afskriftir Bókað apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Gildi eða Magn apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Pantanir geta ekki hækkað um: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minute +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minute DocType: Purchase Invoice,Purchase Taxes and Charges,Purchase skatta og gjöld ,Qty to Receive,Magn til Fá DocType: Leave Block List,Leave Block List Allowed,Skildu Block List leyfðar @@ -2928,7 +2934,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Allar Birgir ferðalaga DocType: Global Defaults,Disable In Words,Slökkva á í orðum apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Item Code er nauðsynlegur vegna þess að hluturinn er ekki sjálfkrafa taldir -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Tilvitnun {0} ekki af tegund {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Tilvitnun {0} ekki af tegund {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Viðhald Dagskrá Item DocType: Sales Order,% Delivered,% Skilað DocType: Production Order,PRO-,PRO @@ -2951,7 +2957,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Seljandi Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Total Kaup Kostnaður (í gegnum kaupa Reikningar) DocType: Training Event,Start Time,Byrjunartími -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Select Magn +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Select Magn DocType: Customs Tariff Number,Customs Tariff Number,Tollskrá Number apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Samþykkir hlutverki getur ekki verið sama og hlutverk reglan er við að apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Segja upp áskrift að þessum tölvupósti Digest @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Alveg Billed apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Handbært fé -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Afhending vöruhús krafist fyrir hlutabréfum lið {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Afhending vöruhús krafist fyrir hlutabréfum lið {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Framlegð þyngd pakkans. Venjulega nettóþyngd + umbúðir þyngd. (Til prentunar) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Notendur með þetta hlutverk er leyft að setja á frysta reikninga og búa til / breyta bókhaldsfærslum gegn frysta reikninga @@ -2984,7 +2990,7 @@ DocType: Student Group,Group Based On,Hópur byggt á DocType: Journal Entry,Bill Date,Bill Dagsetning apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Þjónusta Item, Tegund, tíðni og kostnað upphæð er krafist" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Jafnvel ef það eru margar Verðlagning Reglur með hæsta forgang, eru þá eftirfarandi innri forgangsmál beitt:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Viltu virkilega að leggja fram öll Laun miði frá {0} til {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Viltu virkilega að leggja fram öll Laun miði frá {0} til {1} DocType: Cheque Print Template,Cheque Height,ávísun Hæð DocType: Supplier,Supplier Details,birgir Upplýsingar DocType: Expense Claim,Approval Status,Staða samþykkis @@ -3006,7 +3012,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Leiða til tilvitnun apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ekkert meira að sýna. DocType: Lead,From Customer,frá viðskiptavinar apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,símtöl -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Hópur +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Hópur DocType: Project,Total Costing Amount (via Time Logs),Total Kosta Magn (með Time Logs) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Purchase Order {0} er ekki lögð @@ -3037,7 +3043,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Return Against kaupa R DocType: Item,Warranty Period (in days),Ábyrgðartímabilið (í dögum) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Tengsl Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Handbært fé frá rekstri -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,td VSK +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,td VSK apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Liður 4 DocType: Student Admission,Admission End Date,Aðgangseyrir Lokadagur apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-samningagerð @@ -3045,7 +3051,7 @@ DocType: Journal Entry Account,Journal Entry Account,Journal Entry Reikningur apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group DocType: Shopping Cart Settings,Quotation Series,Tilvitnun Series apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",Atriði til staðar með sama nafni ({0}) skaltu breyta liður heiti hópsins eða endurnefna hlutinn -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Vinsamlegast veldu viðskiptavin +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Vinsamlegast veldu viðskiptavin DocType: C-Form,I,ég DocType: Company,Asset Depreciation Cost Center,Eignastýring Afskriftir Kostnaður Center DocType: Sales Order Item,Sales Order Date,Velta Order Dagsetning @@ -3056,6 +3062,7 @@ DocType: Stock Settings,Limit Percent,Limit Percent ,Payment Period Based On Invoice Date,Greiðsla Tímabil Byggt á reikningi Dagsetning apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Vantar gjaldeyri Verð fyrir {0} DocType: Assessment Plan,Examiner,prófdómari +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast settu Nafngerðaröð fyrir {0} í gegnum Skipulag> Stillingar> Nöfnunarröð DocType: Student,Siblings,systkini DocType: Journal Entry,Stock Entry,Stock Entry DocType: Payment Entry,Payment References,Greiðsla Tilvísanir @@ -3080,7 +3087,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Hvar framleiðslu aðgerðir eru gerðar. DocType: Asset Movement,Source Warehouse,Source Warehouse DocType: Installation Note,Installation Date,uppsetning Dagsetning -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ekki tilheyra félaginu {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ekki tilheyra félaginu {2} DocType: Employee,Confirmation Date,staðfesting Dagsetning DocType: C-Form,Total Invoiced Amount,Alls Upphæð á reikningi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Magn má ekki vera meiri en Max Magn @@ -3153,7 +3160,7 @@ DocType: Company,Default Letter Head,Sjálfgefin bréf höfuð DocType: Purchase Order,Get Items from Open Material Requests,Fá atriði úr Open Efni Beiðnir DocType: Item,Standard Selling Rate,Standard sölugengi DocType: Account,Rate at which this tax is applied,Gengi sem þessi skattur er beitt -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Uppröðun Magn +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Uppröðun Magn apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Núverandi Op Atvinna DocType: Company,Stock Adjustment Account,Stock jöfnunarreikning apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Afskrifa @@ -3167,7 +3174,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Birgir skilar til viðskiptavinar apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) er út af lager apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Næsta Dagsetning verður að vera hærri en að senda Dagsetning -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Vegna / Reference Dagsetning má ekki vera á eftir {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Vegna / Reference Dagsetning má ekki vera á eftir {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Gögn Innflutningur og útflutningur apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Engar nemendur Found apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Reikningar Staða Date @@ -3187,12 +3194,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Þetta er byggt á mætingu þessa Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Engar nemendur í apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Bæta við fleiri atriði eða opnu fulla mynd -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Vinsamlegast sláðu inn 'áætlaðan fæðingardag' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Afhending Skýringar {0} verður lokað áður en hætta þessu Velta Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Afhending Skýringar {0} verður lokað áður en hætta þessu Velta Order apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Greiddur upphæð + afskrifa Upphæð má ekki vera meiri en Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} er ekki gild Batch Símanúmer fyrir lið {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Athugið: Það er ekki nóg leyfi jafnvægi um leyfi Tegund {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Ógild GSTIN eða Sláðu inn NA fyrir óskráð +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Ógild GSTIN eða Sláðu inn NA fyrir óskráð DocType: Training Event,Seminar,Seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Program innritunargjöld DocType: Item,Supplier Items,birgir Items @@ -3210,7 +3216,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stock Ageing apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} hendi gegn kæranda nemandi {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Tímatafla -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' er óvirk +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' er óvirk apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Setja sem Open DocType: Cheque Print Template,Scanned Cheque,skönnuð ávísun DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Senda sjálfvirkar tölvupóst til Tengiliði á Sendi viðskiptum. @@ -3256,7 +3262,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Verðskrá Exchange Rate DocType: Purchase Invoice Item,Rate,Gefa apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,netfang Nafn +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,netfang Nafn DocType: Stock Entry,From BOM,frá BOM DocType: Assessment Code,Assessment Code,mat Code apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Basic @@ -3269,20 +3275,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,laun Uppbygging DocType: Account,Bank,Bank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Airline -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Issue Efni +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Issue Efni DocType: Material Request Item,For Warehouse,fyrir Warehouse DocType: Employee,Offer Date,Tilboð Dagsetning apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Tilvitnun -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Þú ert í offline háttur. Þú munt ekki vera fær um að endurhlaða fyrr en þú hefur net. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Þú ert í offline háttur. Þú munt ekki vera fær um að endurhlaða fyrr en þú hefur net. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Engar Student Groups búin. DocType: Purchase Invoice Item,Serial No,Raðnúmer apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mánaðarlega endurgreiðslu Upphæð má ekki vera meiri en lánsfjárhæð apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Vinsamlegast sláðu Maintaince Nánar fyrst +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: Væntanlegur Afhendingardagur getur ekki verið fyrir Purchase Order Date DocType: Purchase Invoice,Print Language,Print Tungumál DocType: Salary Slip,Total Working Hours,Samtals Vinnutíminn DocType: Stock Entry,Including items for sub assemblies,Þ.mt atriði fyrir undir þingum -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Sláðu gildi verður að vera jákvæð -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Vörunúmer> Liðurhópur> Vörumerki +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Sláðu gildi verður að vera jákvæð apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Allir Territories DocType: Purchase Invoice,Items,atriði apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Nemandi er nú skráður. @@ -3304,7 +3310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default Mælieiningin fyrir Variant '{0}' verða að vera sama og í sniðmáti '{1}' DocType: Shipping Rule,Calculate Based On,Reikna miðað við DocType: Delivery Note Item,From Warehouse,frá Warehouse -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Engar Verk með Bill of Materials að Manufacture +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Engar Verk með Bill of Materials að Manufacture DocType: Assessment Plan,Supervisor Name,Umsjón Name DocType: Program Enrollment Course,Program Enrollment Course,Forritunarnámskeið DocType: Purchase Taxes and Charges,Valuation and Total,Verðmat og Total @@ -3319,32 +3325,33 @@ DocType: Training Event Employee,Attended,sótti apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dagar frá síðustu pöntun' verður að vera meiri en eða jafnt og núll DocType: Process Payroll,Payroll Frequency,launaskrá Tíðni DocType: Asset,Amended From,breytt Frá -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Hrátt efni +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Hrátt efni DocType: Leave Application,Follow via Email,Fylgdu með tölvupósti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Plöntur og Machineries DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skatthlutfall Eftir Afsláttur Upphæð DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daglegar Stillingar Vinna Yfirlit -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Gjaldmiðill verðlista {0} er ekki svipað með gjaldmiðli sem valinn {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Gjaldmiðill verðlista {0} er ekki svipað með gjaldmiðli sem valinn {1} DocType: Payment Entry,Internal Transfer,innri Transfer apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Barnið er til fyrir þennan reikning. Þú getur ekki eytt þessum reikningi. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Annaðhvort miða Magn eða miða upphæð er nauðsynlegur apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ekkert sjálfgefið BOM er til fyrir lið {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vinsamlegast veldu dagsetningu birtingar fyrst +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Vinsamlegast veldu dagsetningu birtingar fyrst apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Opnun Date ætti að vera áður lokadegi DocType: Leave Control Panel,Carry Forward,Haltu áfram apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kostnaður Center við núverandi viðskipti er ekki hægt að breyta í höfuðbók DocType: Department,Days for which Holidays are blocked for this department.,Dagar sem Frídagar eru læst í þessari deild. ,Produced,framleidd -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Búið Laun laumar +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Búið Laun laumar DocType: Item,Item Code for Suppliers,Item Code fyrir birgja DocType: Issue,Raised By (Email),Vakti By (Email) DocType: Training Event,Trainer Name,þjálfari Name DocType: Mode of Payment,General,almennt apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Síðasta samskipti apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Get ekki draga þegar flokkur er fyrir 'Verðmat' eða 'Verðmat og heildar' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Listi skatt höfuð (td VSK, toll etc, þeir ættu að hafa einstaka nöfn) og staðlaðar verð þeirra. Þetta mun búa til staðlaða sniðmát sem þú getur breytt og bætt meira seinna." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Listi skatt höfuð (td VSK, toll etc, þeir ættu að hafa einstaka nöfn) og staðlaðar verð þeirra. Þetta mun búa til staðlaða sniðmát sem þú getur breytt og bætt meira seinna." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Nos Áskilið fyrir serialized lið {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Passa Greiðslur með Reikningar +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Row # {0}: Vinsamlegast sláðu inn Sendingardag við atriði {1} DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Gildir til (Tilnefning) ,Profitability Analysis,arðsemi Greining @@ -3360,17 +3367,18 @@ DocType: Quality Inspection,Item Serial No,Liður Serial Nei apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Búa Employee Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,alls Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,bókhald Yfirlýsingar -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,klukkustund +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,klukkustund apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial Nei getur ekki hafa Warehouse. Warehouse verður að setja af lager Entry eða kvittun DocType: Lead,Lead Type,Lead Tegund apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Þú hefur ekki heimild til að samþykkja lauf á Block Dagsetningar -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Öll þessi atriði hafa þegar verið reikningsfærð +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Öll þessi atriði hafa þegar verið reikningsfærð +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Mánaðarlegt sölumarkmið apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Getur verið samþykkt af {0} DocType: Item,Default Material Request Type,Default Efni Beiðni Type apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,óþekkt DocType: Shipping Rule,Shipping Rule Conditions,Shipping regla Skilyrði DocType: BOM Replace Tool,The new BOM after replacement,Hin nýja BOM eftir skipti -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Sölustaður +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Sölustaður DocType: Payment Entry,Received Amount,fékk Upphæð DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Sent On DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop með forráðamanni @@ -3385,8 +3393,8 @@ DocType: C-Form,Invoices,reikningar DocType: Batch,Source Document Name,Heimild skjal Nafn DocType: Job Opening,Job Title,Starfsheiti apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Búa notendur -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Magn á Framleiðsla verður að vera hærri en 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Magn á Framleiðsla verður að vera hærri en 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Heimsókn skýrslu fyrir símtal viðhald. DocType: Stock Entry,Update Rate and Availability,Update Rate og Framboð DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Hlutfall sem þú ert leyft að taka á móti eða afhenda fleiri gegn pantað magn. Til dæmis: Ef þú hefur pantað 100 einingar. og barnabætur er 10% þá er leyft að taka á móti 110 einingar. @@ -3398,7 +3406,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Vinsamlegast hætta kaupa Reikningar {0} fyrst apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Netfang verður að vera einstakt, þegar til fyrir {0}" DocType: Serial No,AMC Expiry Date,AMC Fyrningardagsetning -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,kvittun +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,kvittun ,Sales Register,velta Nýskráning DocType: Daily Work Summary Settings Company,Send Emails At,Senda póst At DocType: Quotation,Quotation Lost Reason,Tilvitnun Lost Ástæða @@ -3411,14 +3419,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Engar viðski apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Sjóðstreymi apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lánið upphæð mega vera Hámarkslán af {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,License -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Vinsamlegast fjarlægðu þennan reikning {0} úr C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Vinsamlegast fjarlægðu þennan reikning {0} úr C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vinsamlegast veldu Yfirfæranlegt ef þú vilt líka að fela jafnvægi fyrra reikningsári er fer að þessu fjárhagsári DocType: GL Entry,Against Voucher Type,Against Voucher Tegund DocType: Item,Attributes,Eigindir apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Vinsamlegast sláðu afskrifa reikning apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Síðasta Röð Dagsetning apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Reikningur {0} er ekki tilheyrir fyrirtækinu {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Raðnúmer í röð {0} samsvarar ekki við Afhendingartilkynningu +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Raðnúmer í röð {0} samsvarar ekki við Afhendingartilkynningu DocType: Student,Guardian Details,Guardian Upplýsingar DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Mæting fyrir margar starfsmenn @@ -3450,16 +3458,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Te DocType: Tax Rule,Sales,velta DocType: Stock Entry Detail,Basic Amount,grunnfjárhæð DocType: Training Event,Exam,Exam -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Warehouse krafist fyrir hlutabréfum lið {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Warehouse krafist fyrir hlutabréfum lið {0} DocType: Leave Allocation,Unused leaves,ónotuð leyfi -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,cr DocType: Tax Rule,Billing State,Innheimta State apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} er ekki tengt við Party reikninginn {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Ná sprakk BOM (þ.mt undireiningar) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Ná sprakk BOM (þ.mt undireiningar) DocType: Authorization Rule,Applicable To (Employee),Gildir til (starfsmaður) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Skiladagur er nauðsynlegur apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Vöxtur fyrir eigind {0} er ekki verið 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Territory DocType: Journal Entry,Pay To / Recd From,Greiða til / Recd Frá DocType: Naming Series,Setup Series,skipulag Series DocType: Payment Reconciliation,To Invoice Date,Til dagsetningu reiknings @@ -3486,7 +3495,7 @@ DocType: Journal Entry,Write Off Based On,Skrifaðu Off byggt á apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,gera Blý apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Prenta og Ritföng DocType: Stock Settings,Show Barcode Field,Sýna Strikamerki Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Senda Birgir póst +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Senda Birgir póst apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Laun þegar unnin fyrir tímabilið milli {0} og {1}, Skildu umsókn tímabil getur ekki verið á milli þessu tímabili." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Uppsetning met fyrir Raðnúmer DocType: Guardian Interest,Guardian Interest,Guardian Vextir @@ -3499,7 +3508,7 @@ DocType: Offer Letter,Awaiting Response,bíður svars apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,hér að framan apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Ógild eiginleiki {0} {1} DocType: Supplier,Mention if non-standard payable account,Tilgreindu ef ekki staðlað greiðslureikningur -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Sama hlutur hefur verið sleginn inn mörgum sinnum. {Listi} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Sama hlutur hefur verið sleginn inn mörgum sinnum. {Listi} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Vinsamlegast veldu matshópinn annað en 'Öll matshópa' DocType: Salary Slip,Earning & Deduction,Launin & Frádráttur apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valfrjálst. Þessi stilling verður notuð til að sía í ýmsum viðskiptum. @@ -3518,7 +3527,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kostnaður við rifið Eignastýring apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnaður Center er nauðsynlegur fyrir lið {2} DocType: Vehicle,Policy No,stefna Nei -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Fá atriði úr Vara Knippi +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Fá atriði úr Vara Knippi DocType: Asset,Straight Line,Bein lína DocType: Project User,Project User,Project User apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Skipta @@ -3530,6 +3539,7 @@ DocType: Sales Team,Contact No.,Viltu samband við No. DocType: Bank Reconciliation,Payment Entries,Greiðsla Entries DocType: Production Order,Scrap Warehouse,rusl Warehouse DocType: Production Order,Check if material transfer entry is not required,Athugaðu hvort efnisflutningsfærsla sé ekki krafist +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlega settu upp starfsmannamiðlunarkerfi í mannauði> HR-stillingar DocType: Program Enrollment Tool,Get Students From,Fá nemendur frá DocType: Hub Settings,Seller Country,Seljandi Country apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Birta Atriði á vefsvæðinu @@ -3547,19 +3557,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Tilgreina skilyrði til að reikna sendingarkostnað upphæð DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Hlutverk leyft að setja á frysta reikninga & Sýsla Frozen færslur apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,opnun Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,opnun Value DocType: Salary Detail,Formula,Formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Þóknun á sölu DocType: Offer Letter Term,Value / Description,Gildi / Lýsing -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} er ekki hægt að skila, það er þegar {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} er ekki hægt að skila, það er þegar {2}" DocType: Tax Rule,Billing Country,Innheimta Country DocType: Purchase Order Item,Expected Delivery Date,Áætlaðan fæðingardag apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Greiðslu- ekki jafnir fyrir {0} # {1}. Munurinn er {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,risnu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Gera Material Beiðni apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open Item {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Velta Invoice {0} verður aflýst áður en hætta þessu Velta Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Velta Invoice {0} verður aflýst áður en hætta þessu Velta Order apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Aldur DocType: Sales Invoice Timesheet,Billing Amount,Innheimta Upphæð apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ógild magn sem tilgreint er fyrir lið {0}. Magn ætti að vera hærri en 0. @@ -3582,7 +3592,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Ný Tekjur Viðskiptavinur apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Ferðakostnaður DocType: Maintenance Visit,Breakdown,Brotna niður -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Reikningur: {0} með gjaldeyri: {1} Ekki er hægt að velja +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Reikningur: {0} með gjaldeyri: {1} Ekki er hægt að velja DocType: Bank Reconciliation Detail,Cheque Date,ávísun Dagsetning apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Reikningur {0}: Foreldri reikningur {1} ekki tilheyra fyrirtæki: {2} DocType: Program Enrollment Tool,Student Applicants,Student Umsækjendur @@ -3602,11 +3612,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,áætl DocType: Material Request,Issued,Útgefið apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Námsmat DocType: Project,Total Billing Amount (via Time Logs),Total Billing Magn (með Time Logs) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Við seljum þennan Item +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Við seljum þennan Item apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,birgir Id DocType: Payment Request,Payment Gateway Details,Greiðsla Gateway Upplýsingar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Magn ætti að vera meiri en 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Dæmi um gögn +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Magn ætti að vera meiri en 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Dæmi um gögn DocType: Journal Entry,Cash Entry,Cash Entry apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Barn hnútar geta verið aðeins búin undir 'group' tegund hnúta DocType: Leave Application,Half Day Date,Half Day Date @@ -3615,17 +3625,18 @@ DocType: Sales Partner,Contact Desc,Viltu samband við Ö apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Gerð af laufum eins frjálslegur, veikur osfrv" DocType: Email Digest,Send regular summary reports via Email.,Senda reglulegar skýrslur yfirlit með tölvupósti. DocType: Payment Entry,PE-,hagvexti -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Vinsamlegast settu sjálfgefin reikningur í kostnað kröfutegund {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Vinsamlegast settu sjálfgefin reikningur í kostnað kröfutegund {0} DocType: Assessment Result,Student Name,Student Name DocType: Brand,Item Manager,Item Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,launaskrá Greiðist DocType: Buying Settings,Default Supplier Type,Sjálfgefið Birgir Type DocType: Production Order,Total Operating Cost,Samtals rekstrarkostnaður -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Ath: Item {0} inn mörgum sinnum +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Ath: Item {0} inn mörgum sinnum apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Allir Tengiliðir. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Stilltu markmið þitt apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,fyrirtæki Skammstöfun apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,User {0} er ekki til -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Hráefni má ekki vera það sama og helstu atriði +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Hráefni má ekki vera það sama og helstu atriði DocType: Item Attribute Value,Abbreviation,skammstöfun apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Greiðsla Entry er þegar til apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ekki authroized síðan {0} umfram mörk @@ -3643,7 +3654,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Hlutverk Leyft að bre ,Territory Target Variance Item Group-Wise,Territory Target Dreifni Item Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Allir hópar viðskiptavina apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Uppsafnaður Monthly -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er nauðsynlegur. Kannski gjaldeyri færsla er ekki búin fyrir {1} til {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er nauðsynlegur. Kannski gjaldeyri færsla er ekki búin fyrir {1} til {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Tax Snið er nauðsynlegur. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Reikningur {0}: Foreldri reikningur {1} er ekki til DocType: Purchase Invoice Item,Price List Rate (Company Currency),Verðlisti Rate (Company Gjaldmiðill) @@ -3654,7 +3665,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,hlutfall Úthlutu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,ritari DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",Ef öryrkjar 'í orðum' sviði mun ekki vera sýnilegur í öllum viðskiptum DocType: Serial No,Distinct unit of an Item,Greinilegur eining hlut -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Vinsamlegast settu fyrirtækið +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Vinsamlegast settu fyrirtækið DocType: Pricing Rule,Buying,Kaup DocType: HR Settings,Employee Records to be created by,Starfskjör Records að vera búin með DocType: POS Profile,Apply Discount On,Gilda afsláttur á @@ -3665,7 +3676,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Liður Wise Tax Nánar apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute Skammstöfun ,Item-wise Price List Rate,Item-vitur Verðskrá Rate -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,birgir Tilvitnun +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,birgir Tilvitnun DocType: Quotation,In Words will be visible once you save the Quotation.,Í orðum verður sýnileg þegar þú hefur vistað tilvitnun. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Magn ({0}) getur ekki verið brot í röð {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,innheimta gjald @@ -3688,7 +3699,7 @@ Updated via 'Time Log'",Fundargerðir Uppfært gegnum 'Time Innskráning &qu DocType: Customer,From Lead,frá Lead apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Pantanir út fyrir framleiðslu. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Veldu fjárhagsársins ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profile þarf að gera POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profile þarf að gera POS Entry DocType: Program Enrollment Tool,Enroll Students,innritast Nemendur DocType: Hub Settings,Name Token,heiti Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selja @@ -3706,7 +3717,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Stock Value Mismunur apps/erpnext/erpnext/config/learn.py +234,Human Resource,Mannauðs DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Greiðsla Sættir Greiðsla apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,skattinneign -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Framleiðslufyrirmæli hefur verið {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Framleiðslufyrirmæli hefur verið {0} DocType: BOM Item,BOM No,BOM Nei DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} hefur ekki reikning {1} eða þegar samsvarandi á móti öðrum skírteini @@ -3720,7 +3731,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Hlaða apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Framúrskarandi Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Setja markmið Item Group-vitur fyrir þetta velta manneskja. DocType: Stock Settings,Freeze Stocks Older Than [Days],Frysta Stocks eldri en [Days] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset er nauðsynlegur fyrir fast eign kaup / sölu +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset er nauðsynlegur fyrir fast eign kaup / sölu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ef tveir eða fleiri Verðlagning Reglur finnast miðað við ofangreindar aðstæður, Forgangur er beitt. Forgangur er fjöldi milli 0 til 20 en Sjálfgefið gildi er núll (auður). Hærri tala þýðir að það mun hafa forgang ef það eru margar Verðlagning Reglur með sömu skilyrðum." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiscal Year: {0} er ekki til DocType: Currency Exchange,To Currency,til Gjaldmiðill @@ -3728,7 +3739,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tegundir kostnað kröfu. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Salahlutfall fyrir atriði {0} er lægra en {1} þess. Sala ætti að vera að minnsta kosti {2} DocType: Item,Taxes,Skattar -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Greitt og ekki afhent +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Greitt og ekki afhent DocType: Project,Default Cost Center,Sjálfgefið Kostnaður Center DocType: Bank Guarantee,End Date,Lokadagur apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,lager Viðskipti @@ -3745,7 +3756,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daily Work Yfirlit Stillingar Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Liður {0} hunsuð þar sem það er ekki birgðir atriði DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Senda þessari framleiðslu Raða til frekari vinnslu. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Senda þessari framleiðslu Raða til frekari vinnslu. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Að ekki um Verðlagning reglunni í tilteknu viðskiptum, öll viðeigandi Verðlagning Reglur ætti að vera óvirk." DocType: Assessment Group,Parent Assessment Group,Parent Mat Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Störf @@ -3753,10 +3764,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Störf DocType: Employee,Held On,Hélt í apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,framleiðsla Item ,Employee Information,starfsmaður Upplýsingar -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Hlutfall (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Hlutfall (%) DocType: Stock Entry Detail,Additional Cost,aukakostnaðar apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"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 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Gera Birgir Tilvitnun +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Gera Birgir Tilvitnun DocType: Quality Inspection,Incoming,Komandi DocType: BOM,Materials Required (Exploded),Efni sem þarf (Sprakk) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Bæta við notendum til fyrirtækisins, annarra en sjálfur" @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Reikningur: {0} Aðeins er hægt að uppfæra í gegnum lager Viðskipti DocType: Student Group Creation Tool,Get Courses,fá Námskeið DocType: GL Entry,Party,Party -DocType: Sales Order,Delivery Date,Afhendingardagur +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Afhendingardagur DocType: Opportunity,Opportunity Date,tækifæri Dagsetning DocType: Purchase Receipt,Return Against Purchase Receipt,Return Against kvittun DocType: Request for Quotation Item,Request for Quotation Item,Beiðni um Tilvitnun Item @@ -3786,7 +3797,7 @@ DocType: Task,Actual Time (in Hours),Tíminn (í klst) DocType: Employee,History In Company,Saga In Company apps/erpnext/erpnext/config/learn.py +107,Newsletters,Fréttabréf DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Sama atriði hefur verið gert mörgum sinnum +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Sama atriði hefur verið gert mörgum sinnum DocType: Department,Leave Block List,Skildu Block List DocType: Sales Invoice,Tax ID,Tax ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Liður {0} er ekki skipulag fyrir Serial Nos. Column verður auður @@ -3804,25 +3815,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Black DocType: BOM Explosion Item,BOM Explosion Item,BOM Sprenging Item DocType: Account,Auditor,endurskoðandi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} atriði framleitt +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} atriði framleitt DocType: Cheque Print Template,Distance from top edge,Fjarlægð frá efstu brún apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Verðlisti {0} er óvirk eða er ekki til DocType: Purchase Invoice,Return,Return DocType: Production Order Operation,Production Order Operation,Framleiðsla Order Operation DocType: Pricing Rule,Disable,Slökkva -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Háttur af greiðslu er krafist til að greiða +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Háttur af greiðslu er krafist til að greiða DocType: Project Task,Pending Review,Bíður Review apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} er ekki skráður í lotuna {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Eignastýring {0} er ekki hægt að rífa, eins og það er nú þegar {1}" DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Krafa (með kostnað kröfu) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Gjaldmiðill af BOM # {1} ætti að vera jafn völdu gjaldmiðil {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Gjaldmiðill af BOM # {1} ætti að vera jafn völdu gjaldmiðil {2} DocType: Journal Entry Account,Exchange Rate,Exchange Rate -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Velta Order {0} er ekki lögð +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Velta Order {0} er ekki lögð DocType: Homepage,Tag Line,tag Line DocType: Fee Component,Fee Component,Fee Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Lo Stjórn -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Bæta atriði úr +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Bæta atriði úr DocType: Cheque Print Template,Regular,Venjulegur apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Alls weightage allra Námsmat Criteria verður að vera 100% DocType: BOM,Last Purchase Rate,Síðasta Kaup Rate @@ -3843,12 +3854,12 @@ DocType: Employee,Reports to,skýrslur til DocType: SMS Settings,Enter url parameter for receiver nos,Sláðu url breytu til móttakara Nos DocType: Payment Entry,Paid Amount,greiddur Upphæð DocType: Assessment Plan,Supervisor,Umsjón -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online ,Available Stock for Packing Items,Laus Stock fyrir pökkun atriði DocType: Item Variant,Item Variant,Liður Variant DocType: Assessment Result Tool,Assessment Result Tool,Mat Niðurstaða Tool DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Lagðar pantanir ekki hægt að eyða +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Lagðar pantanir ekki hægt að eyða apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Viðskiptajöfnuður þegar í Debit, þú ert ekki leyft að setja 'Balance Verður Be' eins og 'Credit "" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gæðastjórnun apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Liður {0} hefur verið gerð óvirk @@ -3879,7 +3890,7 @@ DocType: Item Group,Default Expense Account,Sjálfgefið kostnað reiknings apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID DocType: Employee,Notice (days),Tilkynning (dagar) DocType: Tax Rule,Sales Tax Template,Söluskattur Snið -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Veldu atriði til að bjarga reikning +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Veldu atriði til að bjarga reikning DocType: Employee,Encashment Date,Encashment Dagsetning DocType: Training Event,Internet,internet DocType: Account,Stock Adjustment,Stock Leiðrétting @@ -3927,10 +3938,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Sending apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max afsláttur leyfð lið: {0} er {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Innra virði og á DocType: Account,Receivable,viðskiptakröfur -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ekki leyfilegt að breyta birgi Purchase Order er þegar til +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ekki leyfilegt að breyta birgi Purchase Order er þegar til DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Hlutverk sem er leyft að leggja viðskiptum sem fara lánamörk sett. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Veldu Hlutir til Manufacture -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master gögn syncing, gæti það tekið smá tíma" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Veldu Hlutir til Manufacture +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master gögn syncing, gæti það tekið smá tíma" DocType: Item,Material Issue,efni Issue DocType: Hub Settings,Seller Description,Seljandi Lýsing DocType: Employee Education,Qualification,HM @@ -3951,11 +3962,10 @@ DocType: BOM,Rate Of Materials Based On,Hlutfall af efni byggt á apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Stuðningur Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Afhakaðu allt DocType: POS Profile,Terms and Conditions,Skilmálar og skilyrði -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlega settu upp starfsmannamiðlunarkerfi í mannauði> HR-stillingar apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Til Dagsetning ætti að vera innan fjárhagsársins. Að því gefnu að Dagsetning = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hér er hægt að halda hæð, þyngd, ofnæmi, læknis áhyggjum etc" DocType: Leave Block List,Applies to Company,Gildir til félagsins -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Ekki er hægt að hætta við vegna þess að lögð Stock Entry {0} hendi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Ekki er hægt að hætta við vegna þess að lögð Stock Entry {0} hendi DocType: Employee Loan,Disbursement Date,útgreiðsludagur DocType: Vehicle,Vehicle,ökutæki DocType: Purchase Invoice,In Words,í orðum @@ -3993,7 +4003,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Global Settings DocType: Assessment Result Detail,Assessment Result Detail,Mat Niðurstaða Detail DocType: Employee Education,Employee Education,starfsmaður Menntun apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Afrit atriði hópur í lið töflunni -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Það er nauðsynlegt að ná Item upplýsingar. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Það er nauðsynlegt að ná Item upplýsingar. DocType: Salary Slip,Net Pay,Net Borga DocType: Account,Account,Reikningur apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial Nei {0} hefur þegar borist @@ -4001,7 +4011,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,ökutæki Log DocType: Purchase Invoice,Recurring Id,Fastir Id DocType: Customer,Sales Team Details,Upplýsingar Söluteymi -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Eyða varanlega? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Eyða varanlega? DocType: Expense Claim,Total Claimed Amount,Alls tilkalli Upphæð apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Hugsanleg tækifæri til að selja. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ógild {0} @@ -4013,7 +4023,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Skipulag School þín í ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base Breyta Upphæð (Company Gjaldmiðill) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Engar bókhald færslur fyrir eftirfarandi vöruhús -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Vistaðu skjalið fyrst. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Vistaðu skjalið fyrst. DocType: Account,Chargeable,ákæru DocType: Company,Change Abbreviation,Breyta Skammstöfun DocType: Expense Claim Detail,Expense Date,Expense Dagsetning @@ -4027,7 +4037,6 @@ DocType: BOM,Manufacturing User,framleiðsla User DocType: Purchase Invoice,Raw Materials Supplied,Raw Materials Staðar DocType: Purchase Invoice,Recurring Print Format,Fastir Prenta Format DocType: C-Form,Series,Series -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Áætlaðan fæðingardag getur ekki verið áður Kaup Order Dagsetning DocType: Appraisal,Appraisal Template,Úttekt Snið DocType: Item Group,Item Classification,Liður Flokkun apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4066,12 +4075,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Veldu Bran apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Þjálfun viðburðir / niðurstöður apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Uppsöfnuðum afskriftum og á DocType: Sales Invoice,C-Form Applicable,C-Form Gildir -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Operation Time verður að vera hærri en 0 fyrir notkun {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Operation Time verður að vera hærri en 0 fyrir notkun {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse er nauðsynlegur DocType: Supplier,Address and Contacts,Heimilisfang og Tengiliðir DocType: UOM Conversion Detail,UOM Conversion Detail,UOM viðskipta Detail DocType: Program,Program Abbreviation,program Skammstöfun -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Framleiðsla Order er ekki hægt að hækka gegn Item sniðmáti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Framleiðsla Order er ekki hægt að hækka gegn Item sniðmáti apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Gjöld eru uppfærðar á kvittun við hvert atriði DocType: Warranty Claim,Resolved By,leyst með DocType: Bank Guarantee,Start Date,Upphafsdagur @@ -4106,6 +4115,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Þjálfun Feedback apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Framleiðslu Order {0} Leggja skal fram apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Vinsamlegast veldu Ræsa og lokadag fyrir lið {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Settu sölumark sem þú vilt ná. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Auðvitað er skylda í röð {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Hingað til er ekki hægt að áður frá dagsetningu DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4123,7 +4133,7 @@ DocType: Account,Income,tekjur DocType: Industry Type,Industry Type,Iðnaður Type apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Eitthvað fór úrskeiðis! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Viðvörun: Leyfi umsókn inniheldur eftirfarandi block dagsetningar -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Velta Invoice {0} hefur þegar verið lögð +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Velta Invoice {0} hefur þegar verið lögð DocType: Assessment Result Detail,Score,Mark apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Reikningsár {0} er ekki til apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Verklok @@ -4153,7 +4163,7 @@ DocType: Naming Series,Help HTML,Hjálp HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool DocType: Item,Variant Based On,Variant miðað við apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Alls weightage úthlutað ætti að vera 100%. Það er {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Birgjar þín +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Birgjar þín apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Get ekki stillt eins Lost og Sales Order er gert. DocType: Request for Quotation Item,Supplier Part No,Birgir Part No apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Get ekki draga þegar flokkur er fyrir 'Verðmat' eða 'Vaulation og heildar' @@ -4163,14 +4173,14 @@ DocType: Item,Has Serial No,Hefur Serial Nei DocType: Employee,Date of Issue,Útgáfudagur apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Frá {0} fyrir {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Eins og á kaupstillingarnar, ef kaupheimildin er krafist == 'YES', þá til að búa til innheimtufé, þarf notandi að búa til kaupgreiðsluna fyrst fyrir atriði {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Setja Birgir fyrir lið {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Hours verður að vera stærri en núll. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Setja Birgir fyrir lið {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Row {0}: Hours verður að vera stærri en núll. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Vefsíða Image {0} fylgir tl {1} er ekki hægt að finna DocType: Issue,Content Type,content Type apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,tölva DocType: Item,List this Item in multiple groups on the website.,Listi þetta atriði í mörgum hópum á vefnum. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Vinsamlegast athugaðu Multi Currency kost að leyfa reikninga með öðrum gjaldmiðli -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} er ekki til í kerfinu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Item: {0} er ekki til í kerfinu apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Þú hefur ekki heimild til að setja Frozen gildi DocType: Payment Reconciliation,Get Unreconciled Entries,Fá Unreconciled færslur DocType: Payment Reconciliation,From Invoice Date,Frá dagsetningu reiknings @@ -4196,7 +4206,7 @@ DocType: Stock Entry,Default Source Warehouse,Sjálfgefið Source Warehouse DocType: Item,Customer Code,viðskiptavinur Code apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Afmæli Áminning fyrir {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dagar frá síðustu Order -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debit Til reikning verður að vera Efnahagur reikning +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debit Til reikning verður að vera Efnahagur reikning DocType: Buying Settings,Naming Series,nafngiftir Series DocType: Leave Block List,Leave Block List Name,Skildu Block List Nafn apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Tryggingar Start dagsetning ætti að vera minna en tryggingar lokadagsetning @@ -4213,7 +4223,7 @@ DocType: Vehicle Log,Odometer,kílómetramæli DocType: Sales Order Item,Ordered Qty,Raðaður Magn apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Liður {0} er óvirk DocType: Stock Settings,Stock Frozen Upto,Stock Frozen uppí -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM inniheldur ekki lager atriði +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM inniheldur ekki lager atriði apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Tímabil Frá og tímabil Til dagsetningar lögboðnum fyrir endurteknar {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Project virkni / verkefni. DocType: Vehicle Log,Refuelling Details,Eldsneytisstöðvar Upplýsingar @@ -4223,7 +4233,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Síðustu kaup hlutfall fannst ekki DocType: Purchase Invoice,Write Off Amount (Company Currency),Skrifaðu Off Upphæð (Company Gjaldmiðill) DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Sjálfgefið BOM fyrir {0} fannst ekki +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Sjálfgefið BOM fyrir {0} fannst ekki apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Row # {0}: Vinsamlegast settu pöntunarmark magn apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Pikkaðu á atriði til að bæta þeim við hér DocType: Fees,Program Enrollment,program Innritun @@ -4255,6 +4265,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing Range 2 DocType: SG Creation Tool Course,Max Strength,max Strength apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM stað +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Veldu Atriði byggt á Afhendingardagur ,Sales Analytics,velta Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Laus {0} ,Prospects Engaged But Not Converted,Horfur Engaged en ekki umbreytt @@ -4301,7 +4312,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Afsláttur apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet fyrir verkefni. DocType: Purchase Invoice,Against Expense Account,Against kostnað reikning DocType: Production Order,Production Order,framleiðsla Order -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Uppsetning Ath {0} hefur þegar verið lögð fram +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Uppsetning Ath {0} hefur þegar verið lögð fram DocType: Bank Reconciliation,Get Payment Entries,Fá greiðslu færslur DocType: Quotation Item,Against Docname,Against DOCNAME DocType: SMS Center,All Employee (Active),Allt Starfsmaður (Active) @@ -4310,7 +4321,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Raw Material Kostnaður DocType: Item Reorder,Re-Order Level,Re-Order Level DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Sláðu atriði og fyrirhugað Magn sem þú vilt að hækka framleiðslu pantanir eða sækja hráefni til greiningar. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Mynd +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt Mynd apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Hluta DocType: Employee,Applicable Holiday List,Gildandi Holiday List DocType: Employee,Cheque,ávísun @@ -4366,11 +4377,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Frátekið Magn fyrir framleiðslu DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Leyfi óskráð ef þú vilt ekki íhuga hópur meðan þú setur námskeið. DocType: Asset,Frequency of Depreciation (Months),Tíðni Afskriftir (mánuðir) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Credit Reikningur +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Credit Reikningur DocType: Landed Cost Item,Landed Cost Item,Landað kostnaðarliðurinn apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Sýna núll gildi DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Magn lið sem fæst eftir framleiðslu / endurpökkunarinnar úr gefin magni af hráefni -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Skipulag einföld vefsíða fyrir fyrirtæki mitt +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Skipulag einföld vefsíða fyrir fyrirtæki mitt DocType: Payment Reconciliation,Receivable / Payable Account,/ Viðskiptakröfur Account DocType: Delivery Note Item,Against Sales Order Item,Gegn Sales Order Item apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Vinsamlegast tilgreindu Attribute virði fyrir eigind {0} @@ -4432,22 +4443,22 @@ DocType: Student,Nationality,Þjóðerni ,Items To Be Requested,Hlutir til að biðja DocType: Purchase Order,Get Last Purchase Rate,Fá Síðasta kaupgengi DocType: Company,Company Info,Upplýsingar um fyrirtæki -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Veldu eða bæta við nýjum viðskiptavin -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kostnaður sent er nauðsynlegt að bóka kostnað kröfu +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Veldu eða bæta við nýjum viðskiptavin +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Kostnaður sent er nauðsynlegt að bóka kostnað kröfu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Umsókn um Funds (eignum) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Þetta er byggt á mætingu þessa starfsmanns -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,skuldfærslureikning +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,skuldfærslureikning DocType: Fiscal Year,Year Start Date,Ár Start Date DocType: Attendance,Employee Name,starfsmaður Name DocType: Sales Invoice,Rounded Total (Company Currency),Ávalur Total (Company Gjaldmiðill) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Get ekki leynilegar að samstæðunnar vegna Tegund reiknings er valinn. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} hefur verið breytt. Vinsamlegast hressa. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} hefur verið breytt. Vinsamlegast hressa. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Hættu notendur frá gerð yfirgefa Umsóknir um næstu dögum. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,kaup Upphæð apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Birgir Tilvitnun {0} búin apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Árslok getur ekki verið áður Start Ár apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,starfskjör -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Pakkað magn verður að vera jafnt magn fyrir lið {0} í röð {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Pakkað magn verður að vera jafnt magn fyrir lið {0} í röð {1} DocType: Production Order,Manufactured Qty,Framleiðandi Magn DocType: Purchase Receipt Item,Accepted Quantity,Samþykkt Magn apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Vinsamlegast setja sjálfgefið Holiday lista fyrir Starfsmaður {0} eða fyrirtækis {1} @@ -4458,11 +4469,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Engin {0}: Upphæð má ekki vera meiri en Bíður Upphæð á móti kostnað {1} kröfu. Bið Upphæð er {2} DocType: Maintenance Schedule,Schedule,Dagskrá DocType: Account,Parent Account,Parent Reikningur -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Laus +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Laus DocType: Quality Inspection Reading,Reading 3,lestur 3 ,Hub,Hub DocType: GL Entry,Voucher Type,skírteini Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Verðlisti fannst ekki eða fatlaður +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Verðlisti fannst ekki eða fatlaður DocType: Employee Loan Application,Approved,samþykkt DocType: Pricing Rule,Price,verð apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Starfsmaður létta á {0} skal stilla eins 'Vinstri' @@ -4531,7 +4542,7 @@ DocType: SMS Settings,Static Parameters,Static Parameters DocType: Assessment Plan,Room,Room DocType: Purchase Order,Advance Paid,Advance Greiddur DocType: Item,Item Tax,Liður Tax -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Efni til Birgir +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Efni til Birgir apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,vörugjöld Invoice apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% virðist oftar en einu sinni DocType: Expense Claim,Employees Email Id,Starfsmenn Netfang Id @@ -4571,7 +4582,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Model DocType: Production Order,Actual Operating Cost,Raunveruleg rekstrarkostnaður DocType: Payment Entry,Cheque/Reference No,Ávísun / tilvísunarnúmer -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Birgir> Birgir Tegund apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root ekki hægt að breyta. DocType: Item,Units of Measure,Mælieiningar DocType: Manufacturing Settings,Allow Production on Holidays,Leyfa Framleiðsla á helgidögum @@ -4604,12 +4614,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Credit Days apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Gera Student Hópur DocType: Leave Type,Is Carry Forward,Er bera fram -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Fá atriði úr BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Fá atriði úr BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time Days -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Staða Dagsetning skal vera það sama og kaupdegi {1} eignar {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Staða Dagsetning skal vera það sama og kaupdegi {1} eignar {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kannaðu þetta ef nemandi er búsettur í gistihúsinu. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Vinsamlegast sláðu sölu skipunum í töflunni hér að ofan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ekki lögð Laun laumar +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Ekki lögð Laun laumar ,Stock Summary,Stock Yfirlit apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Flytja eign frá einu vöruhúsi til annars DocType: Vehicle,Petrol,Bensín diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index e51e9523e20..cdd7a049ef2 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Rivenditore DocType: Employee,Rented,Affittato DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Applicabile per utente -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Produzione Arrestato Ordine non può essere annullato, Unstop è prima di cancellare" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Produzione Arrestato Ordine non può essere annullato, Unstop è prima di cancellare" DocType: Vehicle Service,Mileage,Chilometraggio apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Vuoi davvero di accantonare questo bene? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Selezionare il Fornitore predefinito @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Fatturato apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Tasso di cambio deve essere uguale a {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Nome Cliente DocType: Vehicle,Natural Gas,Gas naturale -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Il Conto bancario non si può chiamare {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Il Conto bancario non si può chiamare {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Soci (o società) per le quali le scritture contabili sono fatte e i saldi vengono mantenuti. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Eccezionale per {0} non può essere inferiore a zero ( {1} ) DocType: Manufacturing Settings,Default 10 mins,Predefinito 10 minuti @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Lascia Tipo Nome apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mostra aperta apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Serie Aggiornato con successo apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Check-out -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural diario Inserito +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural diario Inserito DocType: Pricing Rule,Apply On,applicare On DocType: Item Price,Multiple Item prices.,Prezzi Articolo Multipli ,Purchase Order Items To Be Received,Ordine di Acquisto Oggetti da ricevere @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Modalità di pagamento apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Mostra Varianti DocType: Academic Term,Academic Term,Termine Accademico apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiale -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Quantità +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Quantità apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,La tabella dei conti non può essere vuota. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Prestiti (passività ) DocType: Employee Education,Year of Passing,Anni dal superamento @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Assistenza Sanitaria apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Ritardo nel pagamento (Giorni) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,spese per servizi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Numero di serie: {0} è già indicato nella fattura di vendita: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Fattura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Numero di serie: {0} è già indicato nella fattura di vendita: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Fattura DocType: Maintenance Schedule Item,Periodicity,Periodicità apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiscal Year {0} è richiesto -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Data prevista di consegna è essere prima di ordini di vendita Data apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Difesa DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),Punteggio (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Importo totale Costing DocType: Delivery Note,Vehicle No,Veicolo No -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Seleziona Listino Prezzi +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Seleziona Listino Prezzi apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: documento pagamento è richiesto per completare la trasaction DocType: Production Order Operation,Work In Progress,Lavori in corso apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Seleziona la data @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} non presente in alcun Anno Fiscale attivo. DocType: Packed Item,Parent Detail docname,Parent Dettaglio docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Riferimento: {0}, codice dell'articolo: {1} e cliente: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Apertura di un lavoro. DocType: Item Attribute,Increment,Incremento @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Sposato apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Non consentito per {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Ottenere elementi dal -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock non può essere aggiornata contro Consegna Nota {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock non può essere aggiornata contro Consegna Nota {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Prodotto {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nessun elemento elencato DocType: Payment Reconciliation,Reconcile,conciliare @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Fondi apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,La data di ammortamento successivo non puó essere prima della Data di acquisto DocType: SMS Center,All Sales Person,Tutti i Venditori DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Distribuzione mensile ** aiuta a distribuire il Budget / Target nei mesi, nel caso di di business stagionali." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Non articoli trovati +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Non articoli trovati apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Stipendio Struttura mancante DocType: Lead,Person Name,Nome della Persona DocType: Sales Invoice Item,Sales Invoice Item,Fattura Voce @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""E' un Asset"" non può essere deselezionato, in quanto esiste già un movimento collegato" DocType: Vehicle Service,Brake Oil,olio freno DocType: Tax Rule,Tax Type,Tipo fiscale -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Importo tassabile +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Importo tassabile apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Non sei autorizzato ad aggiungere o aggiornare le voci prima di {0} DocType: BOM,Item Image (if not slideshow),Immagine Articolo (se non slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Esiste un cliente con lo stesso nome DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tasso Orario / 60) * tempo operazione effettivo -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Seleziona la Distinta Materiali +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Seleziona la Distinta Materiali DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Costo di oggetti consegnati apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,La vacanza su {0} non è tra da Data e A Data @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Istruzione DocType: School Settings,Validate Batch for Students in Student Group,Convalida il gruppo per gli studenti del gruppo studente apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nessun record congedo trovato per dipendente {0} per {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Inserisci prima azienda -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Seleziona prima azienda +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Seleziona prima azienda DocType: Employee Education,Under Graduate,Laureando apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,obiettivo On DocType: BOM,Total Cost,Costo totale DocType: Journal Entry Account,Employee Loan,prestito dipendenti -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Registro attività: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,L'articolo {0} non esiste nel sistema o è scaduto +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Registro attività: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,L'articolo {0} non esiste nel sistema o è scaduto apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Immobiliare apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Estratto conto apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutici @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Importo Reclamo apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Gruppo di clienti duplicato trovato nella tabella gruppo cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Fornitore Tipo / Fornitore DocType: Naming Series,Prefix,Prefisso -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Serie Naming per {0} tramite Impostazioni> Impostazioni> Serie di denominazione -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumabile +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumabile DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Log Importazione DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Tirare Materiale Richiesta di tipo Produzione sulla base dei criteri di cui sopra DocType: Training Result Employee,Grade,Grado DocType: Sales Invoice Item,Delivered By Supplier,Consegnato dal Fornitore DocType: SMS Center,All Contact,Tutti i contatti -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Ordine di produzione già creato per tutti gli elementi con BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Ordine di produzione già creato per tutti gli elementi con BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Stipendio Annuo DocType: Daily Work Summary,Daily Work Summary,Riepilogo lavori giornaliero DocType: Period Closing Voucher,Closing Fiscal Year,Chiusura Anno Fiscale -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} è bloccato +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} è bloccato apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Seleziona esistente Società per la creazione di piano dei conti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Spese di stoccaggio apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Seleziona il Magazzino di Destinazione @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Quantità accettata + rifiutata deve essere uguale alla quantità ricevuta per {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Fornire Materie Prime per l'Acquisto -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,è richiesto almeno una modalità di pagamento per POS fattura. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,è richiesto almeno una modalità di pagamento per POS fattura. DocType: Products Settings,Show Products as a List,Mostra prodotti sotto forma di elenco DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Scarica il modello, compilare i dati appropriati e allegare il file modificato. Tutti date e dipendente combinazione nel periodo selezionato arriverà nel modello, con record di presenze esistenti" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,L'articolo {0} non è attivo o la fine della vita è stato raggiunta -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Esempio: Matematica di base -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per includere fiscale in riga {0} in rate articolo , tasse nelle righe {1} devono essere inclusi" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Esempio: Matematica di base +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per includere fiscale in riga {0} in rate articolo , tasse nelle righe {1} devono essere inclusi" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Impostazioni per il modulo HR DocType: SMS Center,SMS Center,Centro SMS DocType: Sales Invoice,Change Amount,quantità di modifica @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Data di installazione non può essere prima della data di consegna per la voce {0} DocType: Pricing Rule,Discount on Price List Rate (%),Sconto su Prezzo di Listino (%) DocType: Offer Letter,Select Terms and Conditions,Selezionare i Termini e Condizioni -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Valore out +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Valore out DocType: Production Planning Tool,Sales Orders,Ordini di vendita DocType: Purchase Taxes and Charges,Valuation,Valorizzazione ,Purchase Order Trends,Acquisto Tendenze Ordine @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Sta aprendo Entry DocType: Customer Group,Mention if non-standard receivable account applicable,Menzione se conto credito non standard applicabile DocType: Course Schedule,Instructor Name,Istruttore Nome -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Prima della conferma inserire per Magazzino +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Prima della conferma inserire per Magazzino apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Ricevuto On DocType: Sales Partner,Reseller,Rivenditore DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Se selezionato, comprenderà gli elementi non-azione nelle richieste dei materiali." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Contro fattura di vendita dell'oggetto ,Production Orders in Progress,Ordini di produzione in corso apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Di cassa netto da finanziamento -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage è piena, non ha salvato" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage è piena, non ha salvato" DocType: Lead,Address & Contact,Indirizzo e Contatto DocType: Leave Allocation,Add unused leaves from previous allocations,Aggiungere le foglie non utilizzate precedentemente assegnata apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Successivo ricorrente {0} verrà creato su {1} DocType: Sales Partner,Partner website,sito web partner apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Aggiungi articolo -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nome Contatto +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nome Contatto DocType: Course Assessment Criteria,Course Assessment Criteria,Criteri di valutazione del corso DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Crea busta paga per i criteri sopra menzionati. DocType: POS Customer Group,POS Customer Group,POS Gruppi clienti @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Riga {0}: Abilita 'è Advance' contro Account {1} se questa è una voce di anticipo. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Deposito {0} non appartiene alla società {1} DocType: Email Digest,Profit & Loss,Profit & Loss -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litro +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litro DocType: Task,Total Costing Amount (via Time Sheet),Totale Costing Importo (tramite Time Sheet) DocType: Item Website Specification,Item Website Specification,Specifica da Sito Web dell'articolo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Lascia Bloccato @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Fattura di Vendita n. DocType: Material Request Item,Min Order Qty,Qtà Minima Ordine DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Corso di Gruppo Student strumento di creazione DocType: Lead,Do Not Contact,Non Contattaci -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Le persone che insegnano presso la propria organizzazione +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Le persone che insegnano presso la propria organizzazione DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,L'ID univoco per il monitoraggio tutte le fatture ricorrenti. Si è generato su submit. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer DocType: Item,Minimum Order Qty,Qtà ordine minimo @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Pubblicare in Hub DocType: Student Admission,Student Admission,L'ammissione degli studenti ,Terretory,Territorio apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,L'articolo {0} è annullato -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Richiesta materiale +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Richiesta materiale DocType: Bank Reconciliation,Update Clearance Date,Aggiornare Liquidazione Data DocType: Item,Purchase Details,"Acquisto, i dati" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Articolo {0} non trovato tra le 'Materie Prime Fornite' tabella in Ordine di Acquisto {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Responsabile flotta aziendale apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} non può essere negativo per la voce {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Password Errata DocType: Item,Variant Of,Variante di -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Completato Quantità non può essere maggiore di 'Quantità di Fabbricazione' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Completato Quantità non può essere maggiore di 'Quantità di Fabbricazione' DocType: Period Closing Voucher,Closing Account Head,Chiudere Conto Primario DocType: Employee,External Work History,Storia del lavoro esterno apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Circular Error Reference @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Distanza dal bordo sinist apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unità di [{1}](#Form/Item/{1}) trovate in [{2}](#Form/Warehouse/{2}) DocType: Lead,Industry,Industria DocType: Employee,Job Profile,Profilo di lavoro +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Questo si basa sulle transazioni contro questa Azienda. Vedere la sequenza temporale qui sotto per i dettagli DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notifica tramite e-mail sulla creazione di Richiesta automatica Materiale DocType: Journal Entry,Multi Currency,Multi valuta DocType: Payment Reconciliation Invoice,Invoice Type,Tipo Fattura -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Documento Di Trasporto +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Documento Di Trasporto apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Impostazione Tasse apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Costo del bene venduto apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Pagamento ingresso è stato modificato dopo l'tirato. Si prega di tirare di nuovo. @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Inserisci ' Ripetere il giorno del mese ' valore di campo DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tasso con cui la valuta Cliente viene convertita in valuta di base del cliente DocType: Course Scheduling Tool,Course Scheduling Tool,Corso strumento Pianificazione -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Acquisto fattura non può essere fatta contro un bene esistente {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Acquisto fattura non può essere fatta contro un bene esistente {1} DocType: Item Tax,Tax Rate,Aliquota Fiscale apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} già allocato il dipendente {1} per il periodo {2} a {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Seleziona elemento +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Seleziona elemento apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,La Fattura di Acquisto {0} è già stata presentata apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Fila # {0}: Lotto n deve essere uguale a {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convert to non-Group @@ -444,7 +443,7 @@ DocType: Employee,Widowed,Vedovo DocType: Request for Quotation,Request for Quotation,Richiesta di offerta DocType: Salary Slip Timesheet,Working Hours,Orari di lavoro DocType: Naming Series,Change the starting / current sequence number of an existing series.,Cambia l'inizio/numero sequenza corrente per una serie esistente -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Creare un nuovo cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Creare un nuovo cliente apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se più regole dei prezzi continuano a prevalere, gli utenti sono invitati a impostare manualmente la priorità per risolvere il conflitto." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Creare ordini d'acquisto ,Purchase Register,Registro Acquisti @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Nome Examiner DocType: Purchase Invoice Item,Quantity and Rate,Quantità e Prezzo DocType: Delivery Note,% Installed,% Installato -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Aule / Laboratori etc dove le lezioni possono essere programmati. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Aule / Laboratori etc dove le lezioni possono essere programmati. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Inserisci il nome della società prima DocType: Purchase Invoice,Supplier Name,Nome Fornitore apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Leggere il manuale ERPNext @@ -486,7 +485,7 @@ DocType: Lead,Channel Partner,Canale Partner DocType: Account,Old Parent,Vecchio genitore apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Campo obbligatorio - Anno Accademico DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personalizza testo di introduzione che andrà nell'email. Ogni transazione ha un introduzione distinta. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Imposta il conto pagabile in default per la società {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Imposta il conto pagabile in default per la società {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Impostazioni globali per tutti i processi produttivi. DocType: Accounts Settings,Accounts Frozen Upto,Conti congelati fino al DocType: SMS Log,Sent On,Inviata il @@ -525,14 +524,14 @@ DocType: Journal Entry,Accounts Payable,Conti pagabili apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Le distinte materiali selezionati non sono per la stessa voce DocType: Pricing Rule,Valid Upto,Valido Fino DocType: Training Event,Workshop,Laboratorio -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Elencare alcuni dei vostri clienti . Potrebbero essere organizzazioni o individui . +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Elencare alcuni dei vostri clienti . Potrebbero essere organizzazioni o individui . apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Parti abbastanza per costruire apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,reddito diretta apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Non è possibile filtrare sulla base di conto , se raggruppati per conto" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,responsabile amministrativo apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Seleziona Corso DocType: Timesheet Detail,Hrs,ore -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Selezionare prego +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Selezionare prego DocType: Stock Entry Detail,Difference Account,account differenza DocType: Purchase Invoice,Supplier GSTIN,Fornitore GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Impossibile chiudere compito il compito dipendente {0} non è chiuso. @@ -548,7 +547,7 @@ DocType: Sales Invoice,Offline POS Name,Nome POS offline apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Definisci il grado per Soglia 0% DocType: Sales Order,To Deliver,Da Consegnare DocType: Purchase Invoice Item,Item,Articolo -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serial nessun elemento non può essere una frazione +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serial nessun elemento non può essere una frazione DocType: Journal Entry,Difference (Dr - Cr),Differenza ( Dr - Cr ) DocType: Account,Profit and Loss,Profitti e Perdite apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gestione conto lavoro / terzista @@ -574,7 +573,7 @@ DocType: Serial No,Warranty Period (Days),Periodo di garanzia (Giorni) DocType: Installation Note Item,Installation Note Item,Installazione Nota articolo DocType: Production Plan Item,Pending Qty,In attesa Quantità DocType: Budget,Ignore,Ignora -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} non è attivo +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} non è attivo apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS inviato al seguenti numeri: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Configurazione Dimensioni Assegno per la stampa DocType: Salary Slip,Salary Slip Timesheet,Stipendio slittamento Timesheet @@ -678,8 +677,8 @@ DocType: Installation Note,IN-,IN- DocType: Production Order Operation,In minutes,In pochi minuti DocType: Issue,Resolution Date,Risoluzione Data DocType: Student Batch Name,Batch Name,Batch Nome -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet creato: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Si prega di impostare di default Contanti o conto bancario in Modalità di pagamento {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet creato: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Si prega di impostare di default Contanti o conto bancario in Modalità di pagamento {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Iscriversi DocType: GST Settings,GST Settings,Impostazioni GST DocType: Selling Settings,Customer Naming By,Cliente nominato di @@ -699,7 +698,7 @@ DocType: Activity Cost,Projects User,Progetti utente apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Consumato apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} non trovato in tabella Dettagli Fattura DocType: Company,Round Off Cost Center,Arrotondamento Centro di costo -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,La manutenzione {0} deve essere cancellata prima di annullare questo ordine di vendita +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,La manutenzione {0} deve essere cancellata prima di annullare questo ordine di vendita DocType: Item,Material Transfer,Trasferimento materiale apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening ( Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Distacco timestamp deve essere successiva {0} @@ -708,7 +707,7 @@ DocType: Employee Loan,Total Interest Payable,Totale interessi passivi DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Tasse Landed Cost e oneri DocType: Production Order Operation,Actual Start Time,Ora di inizio effettiva DocType: BOM Operation,Operation Time,Tempo di funzionamento -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Finire +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Finire apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Base DocType: Timesheet,Total Billed Hours,Totale ore fatturate DocType: Journal Entry,Write Off Amount,Scrivi Off Importo @@ -733,7 +732,7 @@ DocType: Vehicle,Odometer Value (Last),Valore del contachilometri (Last) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Pagamento L'ingresso è già stato creato DocType: Purchase Receipt Item Supplied,Current Stock,Giacenza Corrente -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} non legata alla voce {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} non legata alla voce {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Anteprima foglio paga apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Account {0} è stato inserito più volte DocType: Account,Expenses Included In Valuation,Spese incluse nella valorizzazione @@ -757,7 +756,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,aerospazia DocType: Journal Entry,Credit Card Entry,Entry Carta di Credito apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Azienda e Contabilità apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Merce ricevuta dai fornitori. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,in Valore +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,in Valore DocType: Lead,Campaign Name,Nome Campagna DocType: Selling Settings,Close Opportunity After Days,Chiudi Opportunità dopo giorni ,Reserved,riservato @@ -782,17 +781,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energia DocType: Opportunity,Opportunity From,Opportunità da apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Busta Paga Mensile. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Riga {0}: {1} Numeri di serie necessari per l'articolo {2}. Hai fornito {3}. DocType: BOM,Website Specifications,Website Specifiche apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Da {0} di tipo {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Riga {0}: fattore di conversione è obbligatoria DocType: Employee,A+,A+ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Più regole Prezzo esiste con stessi criteri, si prega di risolvere i conflitti tramite l'assegnazione di priorità. Regole Prezzo: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Impossibile disattivare o cancellare distinta in quanto è collegata con altri BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Impossibile disattivare o cancellare distinta in quanto è collegata con altri BOM DocType: Opportunity,Maintenance,Manutenzione DocType: Item Attribute Value,Item Attribute Value,Valore Attributo Articolo apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campagne di vendita . -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Crea un Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Crea un Timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -845,7 +845,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Impostazione di account e-mail apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Inserisci articolo prima DocType: Account,Liability,responsabilità -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importo sanzionato non può essere maggiore di rivendicazione Importo in riga {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importo sanzionato non può essere maggiore di rivendicazione Importo in riga {0}. DocType: Company,Default Cost of Goods Sold Account,Costo predefinito di Account merci vendute apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Listino Prezzi non selezionati DocType: Employee,Family Background,Sfondo Famiglia @@ -856,10 +856,10 @@ DocType: Company,Default Bank Account,Conto Banca Predefinito apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Per filtrare sulla base del Partner, selezionare prima il tipo di Partner" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Aggiorna Scorte' non può essere selezionato perché gli articoli non vengono recapitati tramite {0} DocType: Vehicle,Acquisition Date,Data Acquisizione -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,nos DocType: Item,Items with higher weightage will be shown higher,Gli articoli con maggiore weightage nel periodo più alto DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Dettaglio Riconciliazione Banca -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} deve essere presentata +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} deve essere presentata apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nessun dipendente trovato DocType: Supplier Quotation,Stopped,Arrestato DocType: Item,If subcontracted to a vendor,Se subappaltato a un fornitore @@ -875,7 +875,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Importo Minimo Fattura apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Il Centro di Costo {2} non appartiene all'azienda {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Il conto {2} non può essere un gruppo apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Articolo Row {} IDX: {DOCTYPE} {} docname non esiste nel precedente '{} doctype' tavolo -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} è già completato o annullato +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} è già completato o annullato apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nessuna attività DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Il giorno del mese per cui la fattura automatica sarà generata, ad esempio 05, 28 ecc" DocType: Asset,Opening Accumulated Depreciation,Apertura del deprezzamento accumulato @@ -934,7 +934,7 @@ DocType: SMS Log,Requested Numbers,Numeri richiesti DocType: Production Planning Tool,Only Obtain Raw Materials,Ottenere solo materie prime apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Valutazione delle prestazioni. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","L'attivazione di 'utilizzare per il Carrello', come Carrello è abilitato e ci dovrebbe essere almeno una regola imposta per Carrello" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","La registrazione di pagamento {0} è legata all'ordine {1}, controllare se deve essere considerato come anticipo in questa fattura." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","La registrazione di pagamento {0} è legata all'ordine {1}, controllare se deve essere considerato come anticipo in questa fattura." DocType: Sales Invoice Item,Stock Details,Dettagli Stock apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valore di progetto apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punto vendita @@ -957,15 +957,15 @@ DocType: Naming Series,Update Series,Update DocType: Supplier Quotation,Is Subcontracted,È in Conto Lavorazione DocType: Item Attribute,Item Attribute Values,Valori Attributi Articolo DocType: Examination Result,Examination Result,L'esame dei risultati -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Ricevuta di Acquisto +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Ricevuta di Acquisto ,Received Items To Be Billed,Oggetti ricevuti da fatturare -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Buste paga presentate +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Buste paga presentate apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Maestro del tasso di cambio di valuta . apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Riferimento Doctype deve essere uno dei {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Impossibile trovare tempo di slot nei prossimi {0} giorni per l'operazione {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Impossibile trovare tempo di slot nei prossimi {0} giorni per l'operazione {1} DocType: Production Order,Plan material for sub-assemblies,Materiale Piano per sub-assemblaggi apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,I partner di vendita e Territorio -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} deve essere attivo +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} deve essere attivo DocType: Journal Entry,Depreciation Entry,Ammortamenti Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Si prega di selezionare il tipo di documento prima apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annulla Visite Materiale {0} prima di annullare questa visita di manutenzione @@ -975,7 +975,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Totale Importo apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing DocType: Production Planning Tool,Production Orders,Ordini di produzione -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Valore Saldo +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Valore Saldo apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Lista Prezzo di vendita apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Pubblica sincronizzare gli elementi DocType: Bank Reconciliation,Account Currency,Valuta del saldo @@ -1000,12 +1000,12 @@ DocType: Employee,Exit Interview Details,Uscire Dettagli Intervista DocType: Item,Is Purchase Item,È Acquisto Voce DocType: Asset,Purchase Invoice,Fattura di Acquisto DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail No -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nuova fattura di vendita +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nuova fattura di vendita DocType: Stock Entry,Total Outgoing Value,Totale Valore uscita apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Data e Data di chiusura di apertura dovrebbe essere entro lo stesso anno fiscale DocType: Lead,Request for Information,Richiesta di Informazioni ,LeaderBoard,Classifica -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sincronizzazione offline fatture +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sincronizzazione offline fatture DocType: Payment Request,Paid,Pagato DocType: Program Fee,Program Fee,Costo del programma DocType: Salary Slip,Total in words,Totale in parole @@ -1013,7 +1013,7 @@ DocType: Material Request Item,Lead Time Date,Data di Consegna DocType: Guardian,Guardian Name,Nome della guardia DocType: Cheque Print Template,Has Print Format,Ha Formato di stampa DocType: Employee Loan,Sanctioned,sanzionato -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,Obbligatorio. Forse non è stato definito il vambio di valuta +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,Obbligatorio. Forse non è stato definito il vambio di valuta apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Si prega di specificare Numero d'ordine per la voce {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Per 'prodotto Bundle', Warehouse, numero di serie e Batch No sarà considerata dal 'Packing List' tavolo. Se Magazzino e Batch No sono gli stessi per tutti gli elementi di imballaggio per un elemento qualsiasi 'Product Bundle', questi valori possono essere inseriti nella tabella principale elemento, i valori verranno copiati a 'Packing List' tavolo." DocType: Job Opening,Publish on website,Pubblicare sul sito web @@ -1026,7 +1026,7 @@ DocType: Cheque Print Template,Date Settings,Impostazioni della data apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varianza ,Company Name,Nome Azienda DocType: SMS Center,Total Message(s),Totale Messaggi -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Selezionare la voce per il trasferimento +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Selezionare la voce per il trasferimento DocType: Purchase Invoice,Additional Discount Percentage,Percentuale di sconto Aggiuntivo apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Visualizzare un elenco di tutti i video di aiuto DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Selezionare conto capo della banca in cui assegno è stato depositato. @@ -1040,7 +1040,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Società di valuta) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Tutti gli articoli sono già stati trasferiti per questo ordine di produzione. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Riga # {0}: la velocità non può essere superiore alla velocità utilizzata in {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,metro +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,metro DocType: Workstation,Electricity Cost,Costo Elettricità DocType: HR Settings,Don't send Employee Birthday Reminders,Non inviare Dipendente Birthday Reminders DocType: Item,Inspection Criteria,Criteri di ispezione @@ -1054,7 +1054,7 @@ DocType: SMS Center,All Lead (Open),Tutti i Lead (Aperti) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riga {0}: Qtà non disponibile per {4} in magazzino {1} al momento della pubblicazione della voce ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Ottenere anticipo pagamento DocType: Item,Automatically Create New Batch,Crea automaticamente un nuovo batch -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Fare +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Fare DocType: Student Admission,Admission Start Date,L'ammissione Data di inizio DocType: Journal Entry,Total Amount in Words,Importo Totale in lettere apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Si è verificato un errore . Una ragione probabile potrebbe essere che non si è salvato il modulo. Si prega di contattare support@erpnext.com se il problema persiste . @@ -1062,7 +1062,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Il mio carrello apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tipo ordine deve essere uno dei {0} DocType: Lead,Next Contact Date,Data del contatto successivo apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Quantità di apertura -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Si prega di inserire account per quantità di modifica +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Si prega di inserire account per quantità di modifica DocType: Student Batch Name,Student Batch Name,Studente Batch Nome DocType: Holiday List,Holiday List Name,Nome elenco vacanza DocType: Repayment Schedule,Balance Loan Amount,Importo del prestito di bilancio @@ -1070,13 +1070,13 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Stock Options DocType: Journal Entry Account,Expense Claim,Rimborso Spese apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Vuoi davvero ripristinare questo bene rottamato? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Quantità per {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Quantità per {0} DocType: Leave Application,Leave Application,Applicazione Permessi apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Strumento Allocazione Permessi DocType: Leave Block List,Leave Block List Dates,Lascia Blocco Elenco date DocType: Workstation,Net Hour Rate,Tasso Netto Orario DocType: Landed Cost Purchase Receipt,Landed Cost Purchase Receipt,Landed Cost ricevuta di acquisto -DocType: Company,Default Terms,Predefinito Termini +DocType: Company,Default Terms,Termini di pagamento predefinito DocType: Packing Slip Item,Packing Slip Item,Distinta di imballaggio articolo DocType: Purchase Invoice,Cash/Bank Account,Conto Cassa/Banca apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Si prega di specificare un {0} @@ -1120,7 +1120,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Previsione DocType: Item,Default Selling Cost Center,Centro di costo di vendita di default DocType: Sales Partner,Implementation Partner,Partner di implementazione -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,CAP +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,CAP apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} è {1} DocType: Opportunity,Contact Info,Info Contatto apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Creazione scorte @@ -1138,13 +1138,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Per apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Età media DocType: School Settings,Attendance Freeze Date,Data di congelamento della frequenza DocType: Opportunity,Your sales person who will contact the customer in future,Il vostro venditore che contatterà il cliente in futuro -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Elencare alcuni dei vostri fornitori . Potrebbero essere società o persone fisiche +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Elencare alcuni dei vostri fornitori . Potrebbero essere società o persone fisiche apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Visualizza tutti i prodotti apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Età di piombo minima (giorni) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,tutte le Distinte Materiali +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,tutte le Distinte Materiali DocType: Company,Default Currency,Valuta Predefinita DocType: Expense Claim,From Employee,Da Dipendente -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Attenzione : Il sistema non controlla fatturazione eccessiva poiché importo per la voce {0} in {1} è zero +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Attenzione : Il sistema non controlla fatturazione eccessiva poiché importo per la voce {0} in {1} è zero DocType: Journal Entry,Make Difference Entry,Aggiungi Differenza DocType: Upload Attendance,Attendance From Date,Partecipazione Da Data DocType: Appraisal Template Goal,Key Performance Area,Area Chiave Prestazioni @@ -1161,7 +1161,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Numeri di registrazione dell'azienda per il vostro riferimento. numero Tassa, ecc" DocType: Sales Partner,Distributor,Distributore DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regola Spedizione del Carrello -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Ordine di produzione {0} deve essere cancellato prima di annullare questo ordine di vendita +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Ordine di produzione {0} deve essere cancellato prima di annullare questo ordine di vendita apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Impostare 'Applicare lo Sconto Aggiuntivo su' ,Ordered Items To Be Billed,Articoli ordinati da fatturare apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Da Campo deve essere inferiore al campo @@ -1170,10 +1170,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Deduzioni DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Inizio Anno -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Le prime 2 cifre di GSTIN dovrebbero corrispondere al numero di stato {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Le prime 2 cifre di GSTIN dovrebbero corrispondere al numero di stato {0} DocType: Purchase Invoice,Start date of current invoice's period,Data finale del periodo di fatturazione corrente Avviare DocType: Salary Slip,Leave Without Pay,Lascia senza stipendio -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Capacity Planning Errore +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Capacity Planning Errore ,Trial Balance for Party,Bilancio di verifica per Partner DocType: Lead,Consultant,Consulente DocType: Salary Slip,Earnings,Rendimenti @@ -1189,7 +1189,7 @@ DocType: Cheque Print Template,Payer Settings,Impostazioni Pagatore DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Questo sarà aggiunto al codice articolo della variante. Ad esempio, se la sigla è ""SM"", e il codice articolo è ""T-SHIRT"", il codice articolo della variante sarà ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Paga Netta (in lettere) sarà visibile una volta che si salva la busta paga. DocType: Purchase Invoice,Is Return,È Return -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Reso / Nota di Debito +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Reso / Nota di Debito DocType: Price List Country,Price List Country,Listino Prezzi Nazione DocType: Item,UOMs,Unità di Misure apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} numeri di serie validi per l'articolo {1} @@ -1202,7 +1202,7 @@ DocType: Employee Loan,Partially Disbursed,parzialmente erogato apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Database dei fornitori. DocType: Account,Balance Sheet,Bilancio Patrimoniale apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Centro di costo per articoli con Codice Prodotto ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modalità di pagamento non è configurato. Si prega di verificare, se account è stato impostato sulla modalità di pagamento o su POS profilo." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modalità di pagamento non è configurato. Si prega di verificare, se account è stato impostato sulla modalità di pagamento o su POS profilo." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Il rivenditore riceverà un promemoria in questa data per contattare il cliente apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Lo stesso articolo non può essere inserito più volte. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ulteriori conti possono essere fatti in Gruppi, ma le voci possono essere fatte contro i non-Gruppi" @@ -1230,7 +1230,7 @@ DocType: Employee Loan Application,Repayment Info,Info rimborso apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'le voci' non possono essere vuote apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Fila Duplicate {0} con lo stesso {1} ,Trial Balance,Bilancio di verifica -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Anno fiscale {0} non trovato +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Anno fiscale {0} non trovato apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Impostazione dipendenti DocType: Sales Order,SO-,COSÌ- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Si prega di selezionare il prefisso prima @@ -1245,11 +1245,11 @@ DocType: Grading Scale,Intervals,intervalli apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,La prima apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Un gruppo di elementi esiste con lo stesso nome , si prega di cambiare il nome della voce o rinominare il gruppo di articoli" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,No. studente in mobilità -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resto del Mondo +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Resto del Mondo apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'articolo {0} non può avere Lotto ,Budget Variance Report,Report Variazione Budget DocType: Salary Slip,Gross Pay,Paga lorda -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Riga {0}: Tipo Attività è obbligatoria. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Riga {0}: Tipo Attività è obbligatoria. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendo liquidato apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Libro Mastro Contabile DocType: Stock Reconciliation,Difference Amount,Differenza Importo @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Saldo del Congedo Dipendete apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Il Saldo del Conto {0} deve essere sempre {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Tasso di valorizzazione richiesto per la voce sulla riga {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Esempio: Master in Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Esempio: Master in Computer Science DocType: Purchase Invoice,Rejected Warehouse,Magazzino Rifiutato DocType: GL Entry,Against Voucher,Per Tagliando DocType: Item,Default Buying Cost Center,Comprare Centro di costo predefinito apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Per ottenere il meglio da ERPNext, si consiglia di richiedere un certo tempo e guardare questi video di aiuto." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,a +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,a DocType: Supplier Quotation Item,Lead Time in days,Tempo di Consegna in giorni apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Conti pagabili Sommario -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Il pagamento dello stipendio da {0} a {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Il pagamento dello stipendio da {0} a {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Non autorizzato a modificare account congelati {0} DocType: Journal Entry,Get Outstanding Invoices,Ottieni fatture non saldate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Sales Order {0} non è valido +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Sales Order {0} non è valido apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Gli ordini di acquisto ti aiutano a pianificare e monitorare i tuoi acquisti apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Siamo spiacenti , le aziende non possono essere unite" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,spese indirette apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Riga {0}: Quantità è obbligatorio apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,agricoltura -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,I vostri prodotti o servizi +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,I vostri prodotti o servizi DocType: Mode of Payment,Mode of Payment,Modalità di Pagamento apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Website Immagine dovrebbe essere un file o URL del sito web pubblico DocType: Student Applicant,AP,AP @@ -1324,18 +1324,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Articolo Tax Rate DocType: Student Group Student,Group Roll Number,Numero di rotolo di gruppo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Per {0}, solo i conti di credito possono essere collegati contro un'altra voce di addebito" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totale di tutti i pesi compito dovrebbe essere 1. Regolare i pesi di tutte le attività del progetto di conseguenza -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Il Documento di Trasporto {0} non è confermato +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Il Documento di Trasporto {0} non è confermato apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,L'Articolo {0} deve essere di un sub-contratto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Attrezzature Capital apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regola Prezzi viene prima selezionato in base al 'applicare sul campo', che può essere prodotto, Articolo di gruppo o di marca." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Impostare prima il codice dell'articolo +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Impostare prima il codice dell'articolo DocType: Hub Settings,Seller Website,Venditore Sito DocType: Item,ITEM-,ARTICOLO- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Totale percentuale assegnato per il team di vendita dovrebbe essere di 100 DocType: Appraisal Goal,Goal,Obiettivo DocType: Sales Invoice Item,Edit Description,Modifica Descrizione ,Team Updates,squadra Aggiornamenti -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,per Fornitore +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,per Fornitore DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Impostazione Tipo di account aiuta nella scelta questo account nelle transazioni. DocType: Purchase Invoice,Grand Total (Company Currency),Somma totale (valuta Azienda) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Creare Formato di stampa @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,Sito gruppi di articoli DocType: Purchase Invoice,Total (Company Currency),Totale (Valuta Società) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Numero di serie {0} è entrato più di una volta DocType: Depreciation Schedule,Journal Entry,Registrazione Contabile -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} articoli in lavorazione +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} articoli in lavorazione DocType: Workstation,Workstation Name,Nome Stazione di lavoro DocType: Grading Scale Interval,Grade Code,Codice grado DocType: POS Item Group,POS Item Group,POS Gruppo Articolo apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email di Sintesi: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},Distinta Base {0} non appartiene alla voce {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},Distinta Base {0} non appartiene alla voce {1} DocType: Sales Partner,Target Distribution,Distribuzione di destinazione 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 @@ -1411,7 +1411,7 @@ DocType: Quotation,Shopping Cart,Carrello spesa apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Media giornaliera in uscita DocType: POS Profile,Campaign,Campagna DocType: Supplier,Name and Type,Nome e tipo -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Stato approvazione deve essere ' Approvato ' o ' Rifiutato ' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Stato approvazione deve essere ' Approvato ' o ' Rifiutato ' DocType: Purchase Invoice,Contact Person,Persona di Riferimento apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Data prevista di inizio' non può essere maggiore di 'Data di fine prevista' DocType: Course Scheduling Tool,Course End Date,Corso Data fine @@ -1423,8 +1423,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,preferito Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Variazione netta delle immobilizzazioni DocType: Leave Control Panel,Leave blank if considered for all designations,Lasciare vuoto se considerato per tutte le designazioni -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Carica di tipo ' Actual ' in riga {0} non può essere incluso nella voce Tasso -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Carica di tipo ' Actual ' in riga {0} non può essere incluso nella voce Tasso +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Da Datetime DocType: Email Digest,For Company,Per Azienda apps/erpnext/erpnext/config/support.py +17,Communication log.,Log comunicazione @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profilo Posizi DocType: Journal Entry Account,Account Balance,Saldo a bilancio apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regola fiscale per le operazioni. DocType: Rename Tool,Type of document to rename.,Tipo di documento da rinominare. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Compriamo questo articolo +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Compriamo questo articolo apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}:Per la Contabilità Clienti è necessario specificare un Cliente {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totale tasse e spese (Azienda valuta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Mostra di P & L saldi non chiusa anno fiscale di @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,Letture DocType: Stock Entry,Total Additional Costs,Totale Costi aggiuntivi DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Scrap Materiale Costo (Società di valuta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,sub Assemblies DocType: Asset,Asset Name,Asset Nome DocType: Project,Task Weight,Peso dell'attività DocType: Shipping Rule Condition,To Value,Per Valore @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Varianti Voce DocType: Company,Services,Servizi DocType: HR Settings,Email Salary Slip to Employee,E-mail busta paga per i dipendenti DocType: Cost Center,Parent Cost Center,Parent Centro di costo -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Selezionare il Fornitore Possibile +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Selezionare il Fornitore Possibile DocType: Sales Invoice,Source,Fonte apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostra chiusa DocType: Leave Type,Is Leave Without Pay,È lasciare senza stipendio @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,applicare Sconto DocType: GST HSN Code,GST HSN Code,Codice GST HSN DocType: Employee External Work History,Total Experience,Esperienza totale apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,progetti aperti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Bolla di accompagnamento ( s ) annullato +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Bolla di accompagnamento ( s ) annullato apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Cash Flow da investimenti DocType: Program Course,Program Course,programma del Corso apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Freight Forwarding e spese @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,iscrizioni Programma DocType: Sales Invoice Item,Brand Name,Nome Marchio DocType: Purchase Receipt,Transporter Details,Transporter Dettagli -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Deposito di default è richiesto per gli elementi selezionati -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Scatola -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Fornitore Possibile +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Deposito di default è richiesto per gli elementi selezionati +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Scatola +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Fornitore Possibile DocType: Budget,Monthly Distribution,Distribuzione Mensile apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Lista Receiver è vuoto . Si prega di creare List Ricevitore DocType: Production Plan Sales Order,Production Plan Sales Order,Produzione Piano di ordini di vendita @@ -1593,7 +1593,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Reclami per s apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Gli studenti sono al cuore del sistema, aggiungere tutti gli studenti" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Data di Liquidazione {1} non può essere prima Assegno Data {2} DocType: Company,Default Holiday List,Lista vacanze predefinita -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Passività in Giacenza DocType: Purchase Invoice,Supplier Warehouse,Magazzino Fornitore DocType: Opportunity,Contact Mobile No,Cellulare Contatto @@ -1609,18 +1609,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Lascia di tipo {0} non può essere superiore a {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Provare le operazioni per X giorni in programma in anticipo. DocType: HR Settings,Stop Birthday Reminders,Arresto Compleanno Promemoria -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Si prega di impostare di default Payroll conto da pagare in azienda {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Si prega di impostare di default Payroll conto da pagare in azienda {0} DocType: SMS Center,Receiver List,Lista Ricevitore -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Cerca articolo +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Cerca articolo apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Quantità consumata apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Variazione netta delle disponibilità DocType: Assessment Plan,Grading Scale,Scala di classificazione apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unità di misura {0} è stata inserita più volte nella tabella di conversione -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Già completato +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Già completato apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock in mano apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Richiesta di Pagamento già esistente {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Costo di elementi Emesso -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Quantità non deve essere superiore a {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Quantità non deve essere superiore a {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Precedente Esercizio non è chiuso apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Età (Giorni) DocType: Quotation Item,Quotation Item,Preventivo Articolo @@ -1634,6 +1634,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Documento di riferimento apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} viene cancellato o fermato DocType: Accounts Settings,Credit Controller,Controllare Credito +DocType: Sales Order,Final Delivery Date,Data di consegna finale DocType: Delivery Note,Vehicle Dispatch Date,Data Spedizione Veicolo DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,La Ricevuta di Acquisto {0} non è stata presentata @@ -1722,9 +1723,9 @@ DocType: Employee,Date Of Retirement,Data di pensionamento DocType: Upload Attendance,Get Template,Ottieni Modulo DocType: Material Request,Transferred,trasferito DocType: Vehicle,Doors,Porte -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Installazione ERPNext completa! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Installazione ERPNext completa! DocType: Course Assessment Criteria,Weightage,Pesa -DocType: Sales Invoice,Tax Breakup,Pausa fiscale +DocType: Purchase Invoice,Tax Breakup,Pausa fiscale DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: E' richiesto il Centro di Costo per il Conto Economico {2}. Configura un Centro di Costo di default per l'azienda apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Esiste un Gruppo Clienti con lo stesso nome, per favore cambiare il nome del Cliente o rinominare il Gruppo Clienti" @@ -1737,14 +1738,14 @@ DocType: Announcement,Instructor,Istruttore DocType: Employee,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Se questa voce ha varianti, allora non può essere selezionata in ordini di vendita, ecc" DocType: Lead,Next Contact By,Contatto Successivo Con -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Quantità necessaria per la voce {0} in riga {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Quantità necessaria per la voce {0} in riga {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Deposito {0} non può essere cancellato in quanto esiste la quantità per l' articolo {1} DocType: Quotation,Order Type,Tipo di ordine DocType: Purchase Invoice,Notification Email Address,Indirizzo e-mail di notifica ,Item-wise Sales Register,Vendite articolo-saggio Registrati DocType: Asset,Gross Purchase Amount,Importo Acquisto Gross DocType: Asset,Depreciation Method,Metodo di ammortamento -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Disconnesso +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Disconnesso DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,È questa tassa inclusi nel prezzo base? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Obiettivo totale DocType: Job Applicant,Applicant for a Job,Richiedente per un lavoro @@ -1765,7 +1766,7 @@ DocType: Employee,Leave Encashed?,Lascia non incassati? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Dal campo è obbligatorio DocType: Email Digest,Annual Expenses,Spese annuali DocType: Item,Variants,Varianti -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Crea ordine d'acquisto +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Crea ordine d'acquisto DocType: SMS Center,Send To,Invia a apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Non c'è equilibrio congedo sufficiente per Leave tipo {0} DocType: Payment Reconciliation Payment,Allocated amount,Importo Assegnato @@ -1773,7 +1774,7 @@ DocType: Sales Team,Contribution to Net Total,Contributo sul totale netto DocType: Sales Invoice Item,Customer's Item Code,Codice elemento Cliente DocType: Stock Reconciliation,Stock Reconciliation,Riconciliazione Giacenza DocType: Territory,Territory Name,Territorio Nome -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Specificare il magazzino Work- in- Progress prima della Conferma +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Specificare il magazzino Work- in- Progress prima della Conferma apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Richiedente per Lavoro. DocType: Purchase Order Item,Warehouse and Reference,Magazzino e Riferimenti DocType: Supplier,Statutory info and other general information about your Supplier,Informazioni legali e altre Informazioni generali sul tuo Fornitore @@ -1784,16 +1785,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Perizie apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Inserito Numero di Serie duplicato per l'articolo {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Una condizione per una regola di trasporto apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Prego entra -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Non può overbill per la voce {0} in riga {1} più di {2}. Per consentire over-billing, impostare in Impostazioni acquisto" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Si prega di impostare il filtro in base al punto o in un magazzino +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Non può overbill per la voce {0} in riga {1} più di {2}. Per consentire over-billing, impostare in Impostazioni acquisto" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Si prega di impostare il filtro in base al punto o in un magazzino DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Il peso netto di questo package (calcolato automaticamente come somma dei pesi netti). DocType: Sales Order,To Deliver and Bill,Da Consegnare e Fatturare DocType: Student Group,Instructors,Istruttori DocType: GL Entry,Credit Amount in Account Currency,Importo del credito Account Valuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} deve essere confermata +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} deve essere confermata DocType: Authorization Control,Authorization Control,Controllo Autorizzazioni apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Rifiutato Warehouse è obbligatoria per la voce respinto {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Pagamento +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Pagamento apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Il magazzino {0} non è collegato a nessun account, si prega di citare l'account nel record magazzino o impostare l'account di inventario predefinito nella società {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gestisci i tuoi ordini DocType: Production Order Operation,Actual Time and Cost,Tempo reale e costi @@ -1809,12 +1810,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Articol DocType: Quotation Item,Actual Qty,Q.tà reale DocType: Sales Invoice Item,References,Riferimenti DocType: Quality Inspection Reading,Reading 10,Lettura 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Inserisci i tuoi prodotti o servizi che si acquistano o vendono . +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Inserisci i tuoi prodotti o servizi che si acquistano o vendono . DocType: Hub Settings,Hub Node,Nodo hub apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Hai inserito degli elementi duplicati . Si prega di correggere e riprovare . apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associate +DocType: Company,Sales Target,Obiettivo di vendita DocType: Asset Movement,Asset Movement,Movimento Asset -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Nuovo carrello +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Nuovo carrello apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,L'articolo {0} non è un elemento serializzato DocType: SMS Center,Create Receiver List,Crea Elenco Ricezione DocType: Vehicle,Wheels,Ruote @@ -1855,13 +1857,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Gestione progetti DocType: Supplier,Supplier of Goods or Services.,Fornitore di beni o servizi. DocType: Budget,Fiscal Year,Anno Fiscale DocType: Vehicle Log,Fuel Price,Prezzo Carburante +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Si prega di impostare la serie di numeri per la partecipazione tramite Setup> Serie di numerazione DocType: Budget,Budget,Budget apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Un Bene Strumentale deve essere un Bene Non di Magazzino apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bilancio non può essere assegnato contro {0}, in quanto non è un conto entrate o uscite" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Raggiunto DocType: Student Admission,Application Form Route,Modulo di domanda di percorso apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territorio / Cliente -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,p. es. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,p. es. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Lascia tipo {0} non può essere assegnato in quanto si lascia senza paga apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Riga {0}: l'importo assegnato {1} deve essere inferiore o uguale alla fatturazione dell'importo dovuto {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In parole saranno visibili una volta che si salva la fattura di vendita. @@ -1870,11 +1873,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,L'articolo {0} non ha Numeri di Serie. Verifica l'Articolo Principale DocType: Maintenance Visit,Maintenance Time,Tempo di Manutenzione ,Amount to Deliver,Importo da consegnare -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Un prodotto o servizio +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Un prodotto o servizio apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Il Data Terminologia di inizio non può essere anteriore alla data di inizio anno dell'anno accademico a cui il termine è legata (Anno Accademico {}). Si prega di correggere le date e riprovare. DocType: Guardian,Guardian Interests,Custodi Interessi DocType: Naming Series,Current Value,Valore Corrente -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,esistono più esercizi per la data {0}. Si prega di impostare società l'anno fiscale +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,esistono più esercizi per la data {0}. Si prega di impostare società l'anno fiscale apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} creato DocType: Delivery Note Item,Against Sales Order,Contro Sales Order ,Serial No Status,Serial No Stato @@ -1888,7 +1891,7 @@ DocType: Pricing Rule,Selling,Vendite apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Importo {0} {1} dedotto contro {2} DocType: Employee,Salary Information,Informazioni stipendio DocType: Sales Person,Name and Employee ID,Nome e ID Dipendente -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,La Data di Scadenza non può essere antecedente alla Data di Registrazione +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,La Data di Scadenza non può essere antecedente alla Data di Registrazione DocType: Website Item Group,Website Item Group,Sito Gruppo Articolo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Dazi e tasse apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Inserisci Data di riferimento @@ -1943,9 +1946,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Impostare la data di unione per dipendente {0} DocType: Task,Total Billing Amount (via Time Sheet),Importo totale di fatturazione (tramite Time Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ripetere Revenue clienti -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) deve avere il ruolo 'Approvatore Spese' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Coppia -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Selezionare Distinta Materiali e Quantità per la Produzione +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) deve avere il ruolo 'Approvatore Spese' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Coppia +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Selezionare Distinta Materiali e Quantità per la Produzione DocType: Asset,Depreciation Schedule,piano di ammortamento apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Indirizzi e Contatti del Partner Vendite DocType: Bank Reconciliation Detail,Against Account,Previsione Conto @@ -1955,7 +1958,7 @@ DocType: Item,Has Batch No,Ha lotto n. apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Fatturazione annuale: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Tasse sui beni e servizi (GST India) DocType: Delivery Note,Excise Page Number,Accise Numero Pagina -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Società, da Data e fino ad oggi è obbligatoria" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Società, da Data e fino ad oggi è obbligatoria" DocType: Asset,Purchase Date,Data di acquisto DocType: Employee,Personal Details,Dettagli personali apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Si prega di impostare 'Asset Centro ammortamento dei costi' in compagnia {0} @@ -1964,9 +1967,9 @@ DocType: Task,Actual End Date (via Time Sheet),Data di fine effettiva (da Time S apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Importo {0} {1} contro {2} {3} ,Quotation Trends,Tendenze di preventivo apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Gruppo Articoli non menzionato nell'Articolo principale per l'Articolo {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debito Per account deve essere un account di Credito +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debito Per account deve essere un account di Credito DocType: Shipping Rule Condition,Shipping Amount,Importo spedizione -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Aggiungi clienti +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Aggiungi clienti apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,In attesa di Importo DocType: Purchase Invoice Item,Conversion Factor,Fattore di Conversione DocType: Purchase Order,Delivered,Consegnato @@ -1988,7 +1991,6 @@ DocType: Production Order,Use Multi-Level BOM,Utilizzare BOM Multi-Level DocType: Bank Reconciliation,Include Reconciled Entries,Includi Voci riconciliati DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Corso di genitori (lasciare vuoto, se questo non fa parte del corso dei genitori)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Lasciare vuoto se considerato per tutti i tipi dipendenti -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Gruppo Clienti> Territorio DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuire oneri corrispondenti apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,schede attività DocType: HR Settings,HR Settings,Impostazioni HR @@ -1996,7 +1998,7 @@ DocType: Salary Slip,net pay info,Informazioni retribuzione netta apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Rimborso spese in attesa di approvazione. Solo il Responsabile Spese può modificarne lo stato. DocType: Email Digest,New Expenses,nuove spese DocType: Purchase Invoice,Additional Discount Amount,Importo Sconto Aggiuntivo -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Quantità deve essere 1, poiche' si tratta di un Bene Strumentale. Si prega di utilizzare riga separata per quantita' multiple." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Quantità deve essere 1, poiche' si tratta di un Bene Strumentale. Si prega di utilizzare riga separata per quantita' multiple." DocType: Leave Block List Allow,Leave Block List Allow,Lascia permesso blocco lista apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,L'abbr. non può essere vuota o spazio apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Gruppo di Non-Group @@ -2004,7 +2006,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,sportivo DocType: Loan Type,Loan Name,Nome prestito apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Totale Actual DocType: Student Siblings,Student Siblings,Student Siblings -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Unità +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Unità apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Si prega di specificare Azienda ,Customer Acquisition and Loyalty,Acquisizione e fidelizzazione dei clienti DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazzino dove si conservano Giacenze di Articoli Rifiutati @@ -2022,12 +2024,12 @@ DocType: Workstation,Wages per hour,Salari all'ora apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Equilibrio Stock in Lotto {0} sarà negativo {1} per la voce {2} a Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,A seguito di richieste di materiale sono state sollevate automaticamente in base al livello di riordino della Voce DocType: Email Digest,Pending Sales Orders,In attesa di ordini di vendita -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Account {0} non valido. La valuta del conto deve essere {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Account {0} non valido. La valuta del conto deve essere {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Fattore di conversione Unità di Misurà è obbligatoria sulla riga {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno dei ordini di vendita, fattura di vendita o diario" DocType: Salary Component,Deduction,Deduzioni -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Riga {0}: From Time To Time ed è obbligatoria. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Riga {0}: From Time To Time ed è obbligatoria. DocType: Stock Reconciliation Item,Amount Difference,importo Differenza apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Prezzo Articolo aggiunto per {0} in Listino Prezzi {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Inserisci ID dipendente di questa persona di vendite @@ -2037,11 +2039,11 @@ DocType: Project,Gross Margin,Margine lordo apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Inserisci Produzione articolo prima apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Calcolato equilibrio estratto conto apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,utente disabilitato -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Preventivo +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Preventivo DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Deduzione totale ,Production Analytics,Analytics di produzione -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Costo Aggiornato +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Costo Aggiornato DocType: Employee,Date of Birth,Data Compleanno apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,L'articolo {0} è già stato restituito DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Anno Fiscale** rappresenta un anno contabile. Tutte le voci contabili e le altre operazioni importanti sono tracciati per **Anno Fiscale**. @@ -2086,18 +2088,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Seleziona Company ... DocType: Leave Control Panel,Leave blank if considered for all departments,Lasciare vuoto se considerato per tutti i reparti apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipi di occupazione (permanente , contratti , ecc intern ) ." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} è obbligatorio per la voce {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} è obbligatorio per la voce {1} DocType: Process Payroll,Fortnightly,Quindicinale DocType: Currency Exchange,From Currency,Da Valuta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Costo del nuovo acquisto -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Ordine di vendita necessaria per la voce {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Ordine di vendita necessaria per la voce {0} DocType: Purchase Invoice Item,Rate (Company Currency),Prezzo (Valuta Azienda) DocType: Student Guardian,Others,Altri DocType: Payment Entry,Unallocated Amount,Importo non assegnato apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Non riesco a trovare un prodotto trovato. Si prega di selezionare un altro valore per {0}. DocType: POS Profile,Taxes and Charges,Tasse e Costi DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un prodotto o un servizio che viene acquistato, venduto o conservato in magazzino." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Nessun altro aggiornamento apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Non è possibile selezionare il tipo di carica come 'On Fila Indietro Importo ' o 'On Precedente totale riga ' per la prima fila apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,L'elemento figlio non dovrebbe essere un pacchetto di prodotti. Si prega di rimuovere l'elemento `{0}` e salvare @@ -2122,7 +2125,7 @@ DocType: Activity Type,Default Billing Rate,Tariffa predefinita DocType: Sales Invoice,Total Billing Amount,Importo totale di fatturazione apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Ci deve essere un difetto in arrivo account e-mail abilitato per far funzionare tutto questo. Si prega di configurare un account e-mail di default in entrata (POP / IMAP) e riprovare. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Conto Crediti -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} è già {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} è già {2} DocType: Quotation Item,Stock Balance,Saldo Delle Scorte apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Ordine di vendita a pagamento apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Amministratore delegato @@ -2147,10 +2150,11 @@ DocType: C-Form,Received Date,Data Received DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Se è stato creato un modello standard di imposte delle entrate e oneri modello, selezionare uno e fare clic sul pulsante qui sotto." DocType: BOM Scrap Item,Basic Amount (Company Currency),Importo di base (Società di valuta) DocType: Student,Guardians,Guardiani +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornitore> Tipo Fornitore DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,I prezzi non verranno visualizzati se listino non è impostata apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Si prega di specificare un Paese per questa regola di trasporto o controllare Spedizione in tutto il mondo DocType: Stock Entry,Total Incoming Value,Totale Valore Incoming -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debito A è richiesto +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debito A è richiesto apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Schede attività per tenere traccia del tempo, i costi e la fatturazione per attività fatta per tua squadra" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Acquisto Listino Prezzi DocType: Offer Letter Term,Offer Term,Termine Offerta @@ -2169,11 +2173,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Ricer DocType: Timesheet Detail,To Time,Per Tempo DocType: Authorization Rule,Approving Role (above authorized value),Approvazione di ruolo (di sopra del valore autorizzato) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Il conto in Accredita a deve essere Conto Fornitore -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM ricorsivo: {0} non può essere un padre o un figlio di {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM ricorsivo: {0} non può essere un padre o un figlio di {2} DocType: Production Order Operation,Completed Qty,Q.tà Completata apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Per {0}, solo gli account di debito possono essere collegati contro un'altra voce di credito" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Prezzo di listino {0} è disattivato -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Riga {0}: Quantità completato non può essere superiore a {1} per il funzionamento {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Riga {0}: Quantità completato non può essere superiore a {1} per il funzionamento {2} DocType: Manufacturing Settings,Allow Overtime,Consenti Overtime apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","L'elemento serializzato {0} non può essere aggiornato utilizzando la riconciliazione di riserva, utilizzare l'opzione Stock Entry" DocType: Training Event Employee,Training Event Employee,Employee Training Event @@ -2191,10 +2195,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Esterno apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Utenti e Permessi DocType: Vehicle Log,VLOG.,VIDEO BLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Ordini produzione creata: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Ordini produzione creata: {0} DocType: Branch,Branch,Ramo DocType: Guardian,Mobile Number,Numero di cellulare apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Stampa e Branding +DocType: Company,Total Monthly Sales,Totale vendite mensili DocType: Bin,Actual Quantity,Quantità reale DocType: Shipping Rule,example: Next Day Shipping,esempio: Spedizione il Giorno Successivo apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} non trovato @@ -2224,7 +2229,7 @@ DocType: Payment Request,Make Sales Invoice,Crea Fattura di vendita apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,software apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Successivo Contattaci data non puó essere in passato DocType: Company,For Reference Only.,Per riferimento soltanto. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Seleziona il numero di lotto +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Seleziona il numero di lotto apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Non valido {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Importo Anticipo @@ -2237,7 +2242,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nessun articolo con codice a barre {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Caso No. Non può essere 0 DocType: Item,Show a slideshow at the top of the page,Visualizzare una presentazione in cima alla pagina -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Distinte Materiali +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Distinte Materiali apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,negozi DocType: Serial No,Delivery Time,Tempo Consegna apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Invecchiamento Basato Su @@ -2251,16 +2256,16 @@ DocType: Rename Tool,Rename Tool,Rename Tool apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Aggiorna il Costo DocType: Item Reorder,Item Reorder,Articolo riordino apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Visualizza foglio paga -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Material Transfer +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Material Transfer DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Specificare le operazioni, costi operativi e dare una gestione unica di no a vostre operazioni." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Questo documento è oltre il limite da {0} {1} per item {4}. State facendo un altro {3} contro lo stesso {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Si prega di impostare ricorrenti dopo il salvataggio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,conto importo Selezionare cambiamento +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Si prega di impostare ricorrenti dopo il salvataggio +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,conto importo Selezionare cambiamento DocType: Purchase Invoice,Price List Currency,Prezzo di listino Valuta DocType: Naming Series,User must always select,L'utente deve sempre selezionare DocType: Stock Settings,Allow Negative Stock,Permetti Scorte Negative DocType: Installation Note,Installation Note,Nota Installazione -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Aggiungi Imposte +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Aggiungi Imposte DocType: Topic,Topic,Argomento apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Flusso di cassa da finanziamento DocType: Budget Account,Budget Account,Il budget dell'account @@ -2274,7 +2279,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,tracc apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fonte di Fondi ( Passivo ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantità in riga {0} ( {1} ) deve essere uguale quantità prodotta {2} DocType: Appraisal,Employee,Dipendente -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Seleziona Batch +DocType: Company,Sales Monthly History,Vendite storiche mensili +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Seleziona Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} è completamente fatturato DocType: Training Event,End Time,Ora fine apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Struttura Stipendio attivo {0} trovato per dipendente {1} per le date indicate @@ -2282,15 +2288,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Deduzioni di pagamento o la pe apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Condizioni contrattuali standard per la vendita o di acquisto. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Raggruppa per Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,pipeline di vendita -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Si prega di impostare account predefinito di stipendio componente {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Si prega di impostare account predefinito di stipendio componente {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Richiesto On DocType: Rename Tool,File to Rename,File da rinominare apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Seleziona BOM per la voce nella riga {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},L'account {0} non corrisponde con la società {1} in modalità di account: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM specificato {0} non esiste per la voce {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programma di manutenzione {0} deve essere cancellato prima di annullare questo ordine di vendita +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programma di manutenzione {0} deve essere cancellato prima di annullare questo ordine di vendita DocType: Notification Control,Expense Claim Approved,Rimborso Spese Approvato -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Si prega di impostare la serie di numeri per la partecipazione tramite Setup> Serie di numerazione apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Foglio paga del dipendente {0} già creato per questo periodo apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutico apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Costo dei beni acquistati @@ -2307,7 +2312,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,N. BOM per quantit DocType: Upload Attendance,Attendance To Date,Data Fine Frequenza DocType: Warranty Claim,Raised By,Sollevata dal DocType: Payment Gateway Account,Payment Account,Conto di Pagamento -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Si prega di specificare Società di procedere +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Si prega di specificare Società di procedere apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Variazione netta dei crediti apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,compensativa Off DocType: Offer Letter,Accepted,Accettato @@ -2316,12 +2321,12 @@ DocType: SG Creation Tool Course,Student Group Name,Nome gruppo Student apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Assicurati di voler cancellare tutte le transazioni di questa azienda. I dati anagrafici rimarranno così com'è. Questa azione non può essere annullata. DocType: Room,Room Number,Numero di Camera apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Riferimento non valido {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) non può essere superiore alla quantità pianificata ({2}) nell'ordine di produzione {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) non può essere superiore alla quantità pianificata ({2}) nell'ordine di produzione {3} DocType: Shipping Rule,Shipping Rule Label,Etichetta Regola di Spedizione apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum utente -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Materie prime non può essere vuoto. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Impossibile aggiornare magazzino, fattura contiene articoli di trasporto di goccia." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Breve diario +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Materie prime non può essere vuoto. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Impossibile aggiornare magazzino, fattura contiene articoli di trasporto di goccia." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Breve diario apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Non è possibile cambiare tariffa se la distinta (BOM) è già assegnata a un articolo DocType: Employee,Previous Work Experience,Lavoro precedente esperienza DocType: Stock Entry,For Quantity,Per Quantità @@ -2378,7 +2383,7 @@ DocType: SMS Log,No of Requested SMS,Num. di SMS richiesto apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Lascia senza pagare non corrisponde con i record Leave Application approvati DocType: Campaign,Campaign-.####,Campagna . # # # # apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Prossimi passi -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Si prega di fornire gli elementi specificati ai migliori prezzi possibili +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Si prega di fornire gli elementi specificati ai migliori prezzi possibili DocType: Selling Settings,Auto close Opportunity after 15 days,Auto vicino Opportunità dopo 15 giorni apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,fine Anno apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2435,7 +2440,7 @@ DocType: Homepage,Homepage,Homepage DocType: Purchase Receipt Item,Recd Quantity,RECD Quantità apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Records Fee Creato - {0} DocType: Asset Category Account,Asset Category Account,Asset Categoria account -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Non può produrre più Voce {0} di Sales Order quantità {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Non può produrre più Voce {0} di Sales Order quantità {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Movimento di magazzino {0} non confermato DocType: Payment Reconciliation,Bank / Cash Account,Conto Banca / Cassa apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Successivo Contatto Con non può coincidere con l'email del Lead @@ -2468,7 +2473,7 @@ DocType: Salary Structure,Total Earning,Guadagnare totale DocType: Purchase Receipt,Time at which materials were received,Ora in cui sono stati ricevuti i materiali DocType: Stock Ledger Entry,Outgoing Rate,Tasso di uscita apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Ramo Organizzazione master. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,oppure +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,oppure DocType: Sales Order,Billing Status,Stato Fatturazione apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Segnala un problema apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Spese di utenza @@ -2476,7 +2481,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: diario {1} non ha conto {2} o già confrontato con un altro buono DocType: Buying Settings,Default Buying Price List,Predefinito acquisto Prezzo di listino DocType: Process Payroll,Salary Slip Based on Timesheet,Stipendio slip Sulla base di Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nessun dipendente per i criteri sopra selezionati o busta paga già creato +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Nessun dipendente per i criteri sopra selezionati o busta paga già creato DocType: Notification Control,Sales Order Message,Sales Order Messaggio apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Impostare i valori predefiniti , come Società , valuta , corrente anno fiscale , ecc" DocType: Payment Entry,Payment Type,Tipo di pagamento @@ -2500,7 +2505,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,La Ricevuta deve essere presentata DocType: Purchase Invoice Item,Received Qty,Quantità ricevuta DocType: Stock Entry Detail,Serial No / Batch,Serial n / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Non pagato ma non ritirato +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Non pagato ma non ritirato DocType: Product Bundle,Parent Item,Parent Item DocType: Account,Account Type,Tipo di account DocType: Delivery Note,DN-RET-,DN-RET- @@ -2530,8 +2535,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Totale importo assegnato apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Imposta l'account di inventario predefinito per l'inventario perpetuo DocType: Item Reorder,Material Request Type,Tipo di richiesta materiale -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural diario per gli stipendi da {0} a {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage è pieno, non ha salvato" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural diario per gli stipendi da {0} a {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage è pieno, non ha salvato" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Riga {0}: UOM fattore di conversione è obbligatoria apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Rif DocType: Budget,Cost Center,Centro di Costo @@ -2549,7 +2554,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Tassa apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Se regola tariffaria selezionato è fatta per 'prezzo', che sovrascriverà Listino. Prezzo Regola Il prezzo è il prezzo finale, in modo che nessun ulteriore sconto deve essere applicato. Quindi, in operazioni come ordine di vendita, ordine di acquisto, ecc, che viene prelevato in campo 'Tasso', piuttosto che il campo 'Listino Rate'." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Monitora i Leads per settore. DocType: Item Supplier,Item Supplier,Articolo Fornitore -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Inserisci il codice Item per ottenere lotto non +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Inserisci il codice Item per ottenere lotto non apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Si prega di selezionare un valore per {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tutti gli indirizzi. DocType: Company,Stock Settings,Impostazioni Giacenza @@ -2576,7 +2581,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Q.tà reale post-transa apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nessun slittamento di stipendio trovato tra {0} e {1} ,Pending SO Items For Purchase Request,Elementi in sospeso così per Richiesta di Acquisto apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Ammissioni di studenti -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} è disabilitato +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} è disabilitato DocType: Supplier,Billing Currency,Fatturazione valuta DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large @@ -2606,7 +2611,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Stato dell'applicazione DocType: Fees,Fees,tasse DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specificare Tasso di cambio per convertire una valuta in un'altra -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Preventivo {0} è annullato +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Preventivo {0} è annullato apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Totale Importo Dovuto DocType: Sales Partner,Targets,Obiettivi DocType: Price List,Price List Master,Listino Principale @@ -2623,7 +2628,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignora regola tariffaria DocType: Employee Education,Graduate,Laureato DocType: Leave Block List,Block Days,Giorno Blocco DocType: Journal Entry,Excise Entry,Excise Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Attenzione: ordini di vendita {0} esiste già contro Ordine di Acquisto del Cliente {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Attenzione: ordini di vendita {0} esiste già contro Ordine di Acquisto del Cliente {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2661,7 +2666,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Se p ,Salary Register,stipendio Register DocType: Warehouse,Parent Warehouse,Magazzino Parent DocType: C-Form Invoice Detail,Net Total,Totale Netto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},La BOM di default non è stata trovata per l'oggetto {0} e il progetto {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},La BOM di default non è stata trovata per l'oggetto {0} e il progetto {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Definire i vari tipi di prestito DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Importo Dovuto @@ -2698,7 +2703,7 @@ DocType: Salary Detail,Condition and Formula Help,Condizione e Formula Aiuto apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Gestire territorio ad albero DocType: Journal Entry Account,Sales Invoice,Fattura di Vendita DocType: Journal Entry Account,Party Balance,Saldo del Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Si prega di selezionare Applica sconto su +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Si prega di selezionare Applica sconto su DocType: Company,Default Receivable Account,Account Crediti Predefinito DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Crea Banca Entry per il salario totale pagato per i criteri sopra selezionati DocType: Stock Entry,Material Transfer for Manufacture,Trasferimento materiali per Produzione @@ -2712,7 +2717,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Indirizzo Cliente DocType: Employee Loan,Loan Details,prestito Dettagli DocType: Company,Default Inventory Account,Account di inventario predefinito -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Riga {0}: Quantità compilato deve essere maggiore di zero. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Riga {0}: Quantità compilato deve essere maggiore di zero. DocType: Purchase Invoice,Apply Additional Discount On,Applicare lo Sconto Aggiuntivo su DocType: Account,Root Type,Root Tipo DocType: Item,FIFO,FIFO @@ -2729,7 +2734,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Controllo Qualità apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,Template Standard DocType: Training Event,Theory,Teoria -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Attenzione : Materiale Qty richiesto è inferiore minima quantità +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Attenzione : Materiale Qty richiesto è inferiore minima quantità apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Il Conto {0} è congelato DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entità Legale / Controllata con un grafico separato di conti appartenenti all'organizzazione. DocType: Payment Request,Mute Email,Email muta @@ -2753,7 +2758,7 @@ DocType: Training Event,Scheduled,Pianificate apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Richiesta di offerta. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Si prega di selezionare la voce dove "è articolo di" è "No" e "Is Voce di vendita" è "Sì", e non c'è nessun altro pacchetto di prodotti" DocType: Student Log,Academic,Accademico -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),L'Anticipo totale ({0}) relativo all'ordine {1} non può essere superiore al totale complessivo ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),L'Anticipo totale ({0}) relativo all'ordine {1} non può essere superiore al totale complessivo ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selezionare distribuzione mensile per distribuire in modo non uniforme obiettivi attraverso mesi. DocType: Purchase Invoice Item,Valuation Rate,Tasso di Valorizzazione DocType: Stock Reconciliation,SR/,SR / @@ -2817,8 +2822,9 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Inserisci il nome della Campagna se la sorgente di indagine è la campagna apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Editori Giornali apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Selezionare l'anno fiscale +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,La data di consegna prevista dovrebbe essere dopo la data di ordine di vendita apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Riordina Level -DocType: Company,Chart Of Accounts Template,Template Piano dei Conti +DocType: Company,Chart Of Accounts Template,Modello del Piano dei Conti DocType: Attendance,Attendance Date,Data Presenza apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Prezzo Articolo aggiornato per {0} nel Listino {1} DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Stipendio rottura basato sul guadagno e di deduzione. @@ -2848,7 +2854,7 @@ DocType: Pricing Rule,Discount Percentage,Percentuale di sconto DocType: Payment Reconciliation Invoice,Invoice Number,Numero di fattura DocType: Shopping Cart Settings,Orders,Ordini DocType: Employee Leave Approver,Leave Approver,Responsabile Ferie -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Seleziona un batch +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Seleziona un batch DocType: Assessment Group,Assessment Group Name,Nome gruppo di valutazione DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiale trasferito per Produzione DocType: Expense Claim,"A user with ""Expense Approver"" role","Un utente con ruolo di ""Responsabile Spese""" @@ -2884,7 +2890,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Ultimo giorno del mese prossimo DocType: Support Settings,Auto close Issue after 7 days,Chiudi la controversia automaticamente dopo 7 giorni apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ferie non possono essere assegnati prima {0}, come equilibrio congedo è già stato inoltrato carry-in futuro record di assegnazione congedo {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: La data scadenza / riferimento supera i giorni ammessi per il credito dei clienti da {0} giorno (i) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: La data scadenza / riferimento supera i giorni ammessi per il credito dei clienti da {0} giorno (i) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Richiedente DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINALE PER IL RECIPIENTE DocType: Asset Category Account,Accumulated Depreciation Account,Conto per il fondo ammortamento @@ -2895,7 +2901,7 @@ DocType: Item,Reorder level based on Warehouse,Livello di riordino sulla base di DocType: Activity Cost,Billing Rate,Fatturazione Tasso ,Qty to Deliver,Qtà di Consegna ,Stock Analytics,Analytics Archivio -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Le operazioni non possono essere lasciati in bianco +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Le operazioni non possono essere lasciati in bianco DocType: Maintenance Visit Purpose,Against Document Detail No,Per Dettagli Documento N apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tipo Partner è obbligatorio DocType: Quality Inspection,Outgoing,In partenza @@ -2936,15 +2942,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Quantità Disponibile a magazzino apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,importo fatturato DocType: Asset,Double Declining Balance,Doppia valori residui -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,ordine chiuso non può essere cancellato. Unclose per annullare. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,ordine chiuso non può essere cancellato. Unclose per annullare. DocType: Student Guardian,Father,Padre -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Aggiornamento della' non può essere controllato per vendita asset fissi +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Aggiornamento della' non può essere controllato per vendita asset fissi DocType: Bank Reconciliation,Bank Reconciliation,Conciliazione Banca DocType: Attendance,On Leave,In ferie apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Ricevi aggiornamenti apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Il conto {2} non appartiene alla società {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Richiesta materiale {0} è stato annullato o interrotto -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Aggiungere un paio di record di esempio +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Aggiungere un paio di record di esempio apps/erpnext/erpnext/config/hr.py +301,Leave Management,Lascia Gestione apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Raggruppa per Conto DocType: Sales Order,Fully Delivered,Completamente Consegnato @@ -2953,12 +2959,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Account La differenza deve essere un account di tipo attività / passività, dal momento che questo Stock riconciliazione è una voce di apertura" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Importo erogato non può essere superiore a prestito Importo {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Numero ordine di acquisto richiesto per la voce {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Ordine di produzione non ha creato +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Ordine di produzione non ha creato apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',' Dalla Data' deve essere successivo a 'Alla Data' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Impossibile cambiare status di studente {0} è collegata con l'applicazione studente {1} DocType: Asset,Fully Depreciated,completamente ammortizzato ,Stock Projected Qty,Qtà Prevista Giacenza -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Cliente {0} non appartiene a proiettare {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Cliente {0} non appartiene a proiettare {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Marcata presenze HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Le citazioni sono proposte, le offerte che hai inviato ai clienti" DocType: Sales Order,Customer's Purchase Order,Ordine di Acquisto del Cliente @@ -2968,7 +2974,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Si prega di impostare Numero di ammortamenti Prenotato apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valore o Quantità apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Produzioni ordini non possono essere sollevati per: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minuto +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minuto DocType: Purchase Invoice,Purchase Taxes and Charges,Acquisto Tasse e Costi ,Qty to Receive,Qtà da Ricevere DocType: Leave Block List,Leave Block List Allowed,Lascia Block List ammessi @@ -2981,7 +2987,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Tutti i tipi di fornitori DocType: Global Defaults,Disable In Words,Disattiva in parole apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Codice Articolo è obbligatoria in quanto articolo non è numerato automaticamente -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Preventivo {0} non di tipo {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Preventivo {0} non di tipo {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Voce del Programma di manutenzione DocType: Sales Order,% Delivered,% Consegnato DocType: Production Order,PRO-,PRO- @@ -3004,7 +3010,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Venditore Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Costo totale di acquisto (tramite acquisto fattura) DocType: Training Event,Start Time,Ora di inizio -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Seleziona Quantità +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Seleziona Quantità DocType: Customs Tariff Number,Customs Tariff Number,Numero della tariffa doganale apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Approvazione ruolo non può essere lo stesso ruolo la regola è applicabile ad apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Disiscriviti da questo Email Digest @@ -3028,7 +3034,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Dettaglio DocType: Sales Order,Fully Billed,Completamente Fatturato apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Cash In Hand -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Deposito di consegna richiesto per l'articolo {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Deposito di consegna richiesto per l'articolo {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Il peso lordo del pacchetto. Di solito peso netto + peso materiale di imballaggio. (Per la stampa) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Programma DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Gli utenti con questo ruolo sono autorizzati a impostare conti congelati e creare / modificare le voci contabili nei confronti di conti congelati @@ -3037,7 +3043,7 @@ DocType: Student Group,Group Based On,Gruppo basato DocType: Journal Entry,Bill Date,Data Fattura apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Servizio Voce, tipo, la frequenza e la quantità spesa sono necessari" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Anche se ci sono più regole sui prezzi con la priorità più alta, si applicano quindi le seguenti priorità interne:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Vuoi davvero confermare tutte le buste paga da {0} a {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Vuoi davvero confermare tutte le buste paga da {0} a {1} DocType: Cheque Print Template,Cheque Height,Altezza Assegno DocType: Supplier,Supplier Details,Dettagli del Fornitore DocType: Expense Claim,Approval Status,Stato Approvazione @@ -3059,7 +3065,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Lead a Preventivo apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Niente di più da mostrare. DocType: Lead,From Customer,Da Cliente apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,chiamate -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,lotti +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,lotti DocType: Project,Total Costing Amount (via Time Logs),Importo totale Costing (via Time Diari) DocType: Purchase Order Item Supplied,Stock UOM,UdM Giacenza apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,L'ordine di Acquisto {0} non è stato presentato @@ -3090,7 +3096,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Ritorno Contro Acquist DocType: Item,Warranty Period (in days),Periodo di garanzia (in giorni) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Rapporto con Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Cassa netto da attività -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,p. es. IVA +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,p. es. IVA apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Articolo 4 DocType: Student Admission,Admission End Date,L'ammissione Data fine apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subappalto @@ -3098,7 +3104,7 @@ DocType: Journal Entry Account,Journal Entry Account,Addebito Journal apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Gruppo Student DocType: Shopping Cart Settings,Quotation Series,Serie Preventivi apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Un elemento esiste con lo stesso nome ( {0} ) , si prega di cambiare il nome del gruppo o di rinominare la voce" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Seleziona cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Seleziona cliente DocType: C-Form,I,io DocType: Company,Asset Depreciation Cost Center,Asset Centro di ammortamento dei costi DocType: Sales Order Item,Sales Order Date,Ordine di vendita Data @@ -3109,6 +3115,7 @@ DocType: Stock Settings,Limit Percent,limite percentuale ,Payment Period Based On Invoice Date,Periodo di pagamento basati su Data fattura apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manca valuta Tassi di cambio in {0} DocType: Assessment Plan,Examiner,Esaminatore +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Serie Naming per {0} tramite Impostazioni> Impostazioni> Serie di denominazione DocType: Student,Siblings,fratelli DocType: Journal Entry,Stock Entry,Movimento di magazzino DocType: Payment Entry,Payment References,Riferimenti di pagamento @@ -3133,7 +3140,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Dove si svolgono le operazioni di fabbricazione. DocType: Asset Movement,Source Warehouse,Magazzino di provenienza DocType: Installation Note,Installation Date,Data di installazione -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} non appartiene alla società {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} non appartiene alla società {2} DocType: Employee,Confirmation Date,conferma Data DocType: C-Form,Total Invoiced Amount,Totale Importo fatturato apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,La quantità Min non può essere maggiore della quantità Max @@ -3207,7 +3214,7 @@ DocType: Company,Default Letter Head,Predefinito Carta Intestata DocType: Purchase Order,Get Items from Open Material Requests,Ottenere elementi dal Richieste Aperto Materiale DocType: Item,Standard Selling Rate,Prezzo di Vendita Standard DocType: Account,Rate at which this tax is applied,Tasso a cui viene applicata questa tassa -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Riordina Quantità +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Riordina Quantità apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Offerte di lavoro DocType: Company,Stock Adjustment Account,Conto di regolazione Archivio apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Cancellare @@ -3221,7 +3228,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,il Fornitore consegna al Cliente apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0}) è esaurito apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Successivo data deve essere maggiore di Data Pubblicazione -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Data / Reference Data non può essere successiva {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Data / Reference Data non può essere successiva {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Importazione ed esportazione dati apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nessun studenti hanno trovato apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Fattura Data Pubblicazione @@ -3241,12 +3248,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Questo si basa sulla presenza di questo Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Nessun studente dentro apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Aggiungere altri elementi o piena forma aperta -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Inserisci il ' Data prevista di consegna ' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,I Documenti di Trasporto {0} devono essere cancellati prima di annullare questo Ordine di Vendita +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,I Documenti di Trasporto {0} devono essere cancellati prima di annullare questo Ordine di Vendita apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Importo pagato + Scadenza Importo non può essere superiore a Totale generale apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} non è un numero di lotto valido per la voce {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Nota : Non c'è equilibrio congedo sufficiente per Leave tipo {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN non valido o Invio NA per non registrato +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN non valido o Invio NA per non registrato DocType: Training Event,Seminar,Seminario DocType: Program Enrollment Fee,Program Enrollment Fee,Programma Tassa di iscrizione DocType: Item,Supplier Items,Articoli Fornitore @@ -3264,7 +3270,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Invecchiamento Archivio apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Studente {0} esiste contro richiedente studente {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' è disabilitato +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' è disabilitato apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Imposta come Aperto DocType: Cheque Print Template,Scanned Cheque,Assegno scansionato DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Invia e-mail automatica ai contatti alla conferma. @@ -3310,7 +3316,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Listino Prezzi Tasso di Cambio DocType: Purchase Invoice Item,Rate,Prezzo apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Stagista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,indirizzo Nome +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,indirizzo Nome DocType: Stock Entry,From BOM,Da Distinta Materiali DocType: Assessment Code,Assessment Code,Codice Assessment apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Base @@ -3323,20 +3329,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Struttura salariale DocType: Account,Bank,Banca apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,linea aerea -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Fornire Materiale +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Fornire Materiale DocType: Material Request Item,For Warehouse,Per Magazzino DocType: Employee,Offer Date,Data dell'offerta apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citazioni -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Sei in modalità non in linea. Si potrà ricaricare quando tornerà disponibile la connessione alla rete. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Sei in modalità non in linea. Si potrà ricaricare quando tornerà disponibile la connessione alla rete. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Non sono stati creati Gruppi Studenti DocType: Purchase Invoice Item,Serial No,Serial No apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Rimborso mensile non può essere maggiore di prestito Importo apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Inserisci Maintaince dettagli prima +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Riga # {0}: Data di consegna prevista non può essere prima dell'ordine di acquisto DocType: Purchase Invoice,Print Language,Lingua di Stampa DocType: Salary Slip,Total Working Hours,Orario di lavoro totali DocType: Stock Entry,Including items for sub assemblies,Compresi articoli per sub assemblaggi -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Inserire il valore deve essere positivo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Inserire il valore deve essere positivo apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,tutti i Territori DocType: Purchase Invoice,Items,Articoli apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Studente è già registrato. @@ -3358,7 +3364,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unità di misura predefinita per la variante '{0}' deve essere lo stesso in Template '{1}' DocType: Shipping Rule,Calculate Based On,Calcola in base a DocType: Delivery Note Item,From Warehouse,Dal Deposito -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Non ci sono elementi con Bill of Materials per la produzione +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Non ci sono elementi con Bill of Materials per la produzione DocType: Assessment Plan,Supervisor Name,Nome supervisore DocType: Program Enrollment Course,Program Enrollment Course,Corso di iscrizione al programma DocType: Purchase Taxes and Charges,Valuation and Total,Valorizzazione e Totale @@ -3373,32 +3379,33 @@ DocType: Training Event Employee,Attended,Frequentato apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Giorni dall'ultimo Ordine' deve essere maggiore o uguale a zero DocType: Process Payroll,Payroll Frequency,Payroll Frequenza DocType: Asset,Amended From,Corretto da -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Materia prima +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Materia prima DocType: Leave Application,Follow via Email,Seguire via Email apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Impianti e Macchinari DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Fiscale Ammontare Dopo Sconto Importo DocType: Daily Work Summary Settings,Daily Work Summary Settings,Impostazioni riepilogo giornaliero lavori -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta del listino {0} non è simile con la valuta selezionata {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuta del listino {0} non è simile con la valuta selezionata {1} DocType: Payment Entry,Internal Transfer,Trasferimento interno apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Conto Child esiste per questo account . Non è possibile eliminare questo account . apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Sia qty destinazione o importo obiettivo è obbligatoria apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Non esiste Distinta Base predefinita per l'articolo {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Seleziona Data Pubblicazione primo +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Seleziona Data Pubblicazione primo apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Data di apertura dovrebbe essere prima Data di chiusura DocType: Leave Control Panel,Carry Forward,Portare Avanti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centro di costo con le transazioni esistenti non può essere convertito in contabilità DocType: Department,Days for which Holidays are blocked for this department.,Giorni per i quali le festività sono bloccate per questo reparto. ,Produced,prodotto -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Buste paga create +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Buste paga create DocType: Item,Item Code for Suppliers,Codice Articolo per Fornitori DocType: Issue,Raised By (Email),Sollevata da (e-mail) DocType: Training Event,Trainer Name,Nome Trainer DocType: Mode of Payment,General,Generale apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ultima comunicazione apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Non può dedurre quando categoria è di ' valutazione ' o ' Valutazione e Total ' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Inserisci il tuo capo fiscali (ad esempio IVA, dogana ecc, che devono avere nomi univoci) e le loro tariffe standard. Questo creerà un modello standard, che è possibile modificare e aggiungere più tardi." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Inserisci il tuo capo fiscali (ad esempio IVA, dogana ecc, che devono avere nomi univoci) e le loro tariffe standard. Questo creerà un modello standard, che è possibile modificare e aggiungere più tardi." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Nos Obbligatorio per la voce Serialized {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Partita pagamenti con fatture +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Riga # {0}: Inserisci la data di consegna contro l'elemento {1} DocType: Journal Entry,Bank Entry,Registrazione bancaria DocType: Authorization Rule,Applicable To (Designation),Applicabile a (Designazione) ,Profitability Analysis,Analisi redditività @@ -3414,17 +3421,18 @@ DocType: Quality Inspection,Item Serial No,Articolo N. d'ordine apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Creare record dei dipendenti apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Presente totale apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Prospetti contabili -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Ora +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Ora apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Un nuovo Serial No non può avere un magazzino. Il magazzino deve essere impostato nell'entrata giacenza o su ricevuta d'acquisto DocType: Lead,Lead Type,Tipo Lead apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Non sei autorizzato ad approvare foglie su Date Block -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Tutti questi elementi sono già stati fatturati +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Tutti questi elementi sono già stati fatturati +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Target di vendita mensile apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Può essere approvato da {0} DocType: Item,Default Material Request Type,Predefinito Materiale Tipo di richiesta apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Sconosciuto DocType: Shipping Rule,Shipping Rule Conditions,Spedizione condizioni regola DocType: BOM Replace Tool,The new BOM after replacement,Il nuovo BOM dopo la sostituzione -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Punto di vendita +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Punto di vendita DocType: Payment Entry,Received Amount,importo ricevuto DocType: GST Settings,GSTIN Email Sent On,Posta elettronica di GSTIN inviata DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop di Guardian @@ -3439,8 +3447,8 @@ DocType: C-Form,Invoices,Fatture DocType: Batch,Source Document Name,Nome del documento di origine DocType: Job Opening,Job Title,Titolo Posizione apps/erpnext/erpnext/utilities/activation.py +97,Create Users,creare utenti -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Grammo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Quantità di Fabbricazione deve essere maggiore di 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Grammo +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Quantità di Fabbricazione deve essere maggiore di 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Visita rapporto per chiamata di manutenzione. DocType: Stock Entry,Update Rate and Availability,Frequenza di aggiornamento e disponibilità DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Percentuale si è permesso di ricevere o consegnare di più contro la quantità ordinata. Per esempio: Se avete ordinato 100 unità. e il vostro assegno è 10% poi si è permesso di ricevere 110 unità. @@ -3452,7 +3460,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Si prega di annullare Acquisto Fattura {0} prima apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","l' indirizzo e-mail deve essere univoco, esiste già per {0}" DocType: Serial No,AMC Expiry Date,AMC Data Scadenza -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Ricevuta +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Ricevuta ,Sales Register,Registro Vendite DocType: Daily Work Summary Settings Company,Send Emails At,Invia e-mail in DocType: Quotation,Quotation Lost Reason,Motivo Preventivo Perso @@ -3465,14 +3473,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Nessun Client apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Rendiconto finanziario apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Importo del prestito non può superare il massimo importo del prestito {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licenza -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Si prega di rimuovere questo Invoice {0} dal C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Si prega di rimuovere questo Invoice {0} dal C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Si prega di selezionare il riporto se anche voi volete includere equilibrio precedente anno fiscale di parte per questo anno fiscale DocType: GL Entry,Against Voucher Type,Per tipo Tagliando DocType: Item,Attributes,Attributi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Inserisci Scrivi Off conto apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Ultima data di ordine apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Il Conto {0} non appartiene alla società {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,I numeri seriali nella riga {0} non corrispondono alla nota di consegna +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,I numeri seriali nella riga {0} non corrispondono alla nota di consegna DocType: Student,Guardian Details,Guardiano Dettagli DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Segna come Presenze per più Dipendenti @@ -3504,16 +3512,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ti DocType: Tax Rule,Sales,Vendite DocType: Stock Entry Detail,Basic Amount,Importo di base DocType: Training Event,Exam,Esame -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Magazzino richiesto per l'Articolo in Giacenza {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Magazzino richiesto per l'Articolo in Giacenza {0} DocType: Leave Allocation,Unused leaves,Ferie non godute -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Stato di fatturazione apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Trasferimento apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} non è associato all'account di un Partner {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch BOM esplosa ( inclusi sottoassiemi ) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch BOM esplosa ( inclusi sottoassiemi ) DocType: Authorization Rule,Applicable To (Employee),Applicabile a (Dipendente) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Data di scadenza è obbligatoria apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Incremento per attributo {0} non può essere 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Gruppo Clienti> Territorio DocType: Journal Entry,Pay To / Recd From,Paga a / Ricevuto Da DocType: Naming Series,Setup Series,Serie Setup DocType: Payment Reconciliation,To Invoice Date,Per Data fattura @@ -3540,7 +3549,7 @@ DocType: Journal Entry,Write Off Based On,Scrivi Off Basato Su apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Crea un Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Di stampa e di cancelleria DocType: Stock Settings,Show Barcode Field,Mostra campo del codice a barre -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Inviare e-mail del fornitore +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Inviare e-mail del fornitore apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Stipendio già elaborato per il periodo compreso tra {0} e {1}, Lascia periodo di applicazione non può essere tra questo intervallo di date." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Record di installazione per un numero di serie DocType: Guardian Interest,Guardian Interest,Guardiano interesse @@ -3553,7 +3562,7 @@ DocType: Offer Letter,Awaiting Response,In attesa di risposta apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Sopra apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},attributo non valido {0} {1} DocType: Supplier,Mention if non-standard payable account,Si ricorda se un conto non pagabile -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Lo stesso oggetto è stato inserito più volte. {elenco} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Lo stesso oggetto è stato inserito più volte. {elenco} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Seleziona il gruppo di valutazione diverso da 'Tutti i gruppi di valutazione' DocType: Salary Slip,Earning & Deduction,Rendimento & Detrazione apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Facoltativo. Questa impostazione verrà utilizzato per filtrare in diverse operazioni . @@ -3572,7 +3581,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Costo di Asset Demolita apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: centro di costo è obbligatorio per la voce {2} DocType: Vehicle,Policy No,Politica No -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Ottenere elementi dal pacchetto di prodotti +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Ottenere elementi dal pacchetto di prodotti DocType: Asset,Straight Line,Retta DocType: Project User,Project User,progetto utente apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Diviso @@ -3584,6 +3593,7 @@ DocType: Sales Team,Contact No.,Contatto N. DocType: Bank Reconciliation,Payment Entries,Le voci di pagamento DocType: Production Order,Scrap Warehouse,Scrap Magazzino DocType: Production Order,Check if material transfer entry is not required,Controllare se non è richiesta la voce di trasferimento dei materiali +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Impostare il sistema di denominazione dei dipendenti in risorse umane> Impostazioni HR DocType: Program Enrollment Tool,Get Students From,Get studenti di DocType: Hub Settings,Seller Country,Vendita Paese apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Pubblicare Articoli sul sito web @@ -3601,19 +3611,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Specificare le condizioni per determinare il valore di spedizione DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Ruolo permesso di impostare conti congelati e modificare le voci congelati apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valore di apertura +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Valore di apertura DocType: Salary Detail,Formula,Formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Commissione sulle vendite DocType: Offer Letter Term,Value / Description,Valore / Descrizione -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} non può essere presentata, è già {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} non può essere presentata, è già {2}" DocType: Tax Rule,Billing Country,Nazione di fatturazione DocType: Purchase Order Item,Expected Delivery Date,Data prevista di consegna apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Dare e Avere non uguale per {0} # {1}. La differenza è {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Spese di rappresentanza apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Crea una Richiesta di Materiali apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Apri elemento {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La fattura di vendita {0} deve essere cancellata prima di annullare questo ordine di vendita +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La fattura di vendita {0} deve essere cancellata prima di annullare questo ordine di vendita apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Età DocType: Sales Invoice Timesheet,Billing Amount,Fatturazione Importo apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantità non valido specificato per l'elemento {0}. La quantità dovrebbe essere maggiore di 0. @@ -3636,7 +3646,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nuovi Ricavi Cliente apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Spese di viaggio DocType: Maintenance Visit,Breakdown,Esaurimento -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Account: {0} con valuta: {1} non può essere selezionato +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Account: {0} con valuta: {1} non può essere selezionato DocType: Bank Reconciliation Detail,Cheque Date,Data Assegno apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Account {0}: conto derivato {1} non appartiene alla società: {2} DocType: Program Enrollment Tool,Student Applicants,I candidati per studenti @@ -3656,11 +3666,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Pianif DocType: Material Request,Issued,Emesso apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Attività studentesca DocType: Project,Total Billing Amount (via Time Logs),Importo totale fatturazione (via Time Diari) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Vendiamo questo articolo +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Vendiamo questo articolo apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id Fornitore DocType: Payment Request,Payment Gateway Details,Payment Gateway Dettagli -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Quantità deve essere maggiore di 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Dati del campione +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Quantità deve essere maggiore di 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Dati del campione DocType: Journal Entry,Cash Entry,Cash Entry apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,I nodi figli possono essere creati solo sotto i nodi di tipo 'Gruppo' DocType: Leave Application,Half Day Date,Data di mezza giornata @@ -3669,17 +3679,18 @@ DocType: Sales Partner,Contact Desc,Desc Contatto apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tipo di foglie come casuale, malati ecc" DocType: Email Digest,Send regular summary reports via Email.,Invia relazioni di sintesi periodiche via Email. DocType: Payment Entry,PE-,PE -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Si prega di impostare account predefinito nel tipo di spesa rivendicazione {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Si prega di impostare account predefinito nel tipo di spesa rivendicazione {0} DocType: Assessment Result,Student Name,Nome dello studente DocType: Brand,Item Manager,Responsabile Articoli apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll da pagare DocType: Buying Settings,Default Supplier Type,Tipo Fornitore Predefinito DocType: Production Order,Total Operating Cost,Totale costi di esercizio -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Nota : Articolo {0} inserito più volte +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Nota : Articolo {0} inserito più volte apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tutti i contatti. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Imposta l'obiettivo apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abbreviazione Società apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Utente {0} non esiste -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,La materia prima non può essere lo stesso come voce principale +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,La materia prima non può essere lo stesso come voce principale DocType: Item Attribute Value,Abbreviation,Abbreviazione apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,La scrittura contabile del Pagamento esiste già apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Non autorizzato poiché {0} supera i limiti @@ -3697,7 +3708,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Ruolo ammessi da modif ,Territory Target Variance Item Group-Wise,Territorio di destinazione Varianza articolo Group- Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Tutti i gruppi di clienti apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Accantonamento Mensile -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} è obbligatorio. Forse il record di cambio di valuta non è stato creato per {1} {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} è obbligatorio. Forse il record di cambio di valuta non è stato creato per {1} {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Tax modello è obbligatoria. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Account {0}: conto derivato {1} non esistente DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prezzo di listino (Valuta Azienda) @@ -3708,7 +3719,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Percentuale di al apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,segretario DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Se disable, 'In Words' campo non saranno visibili in qualsiasi transazione" DocType: Serial No,Distinct unit of an Item,Un'unità distinta di un elemento -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Imposti la Società +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Imposti la Società DocType: Pricing Rule,Buying,Acquisti DocType: HR Settings,Employee Records to be created by,Informazioni del dipendenti da creare a cura di DocType: POS Profile,Apply Discount On,Applicare sconto su @@ -3719,7 +3730,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Voce Wise fiscale Dettaglio apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Abbreviazione Institute ,Item-wise Price List Rate,Articolo -saggio Listino Tasso -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Preventivo Fornitore +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Preventivo Fornitore DocType: Quotation,In Words will be visible once you save the Quotation.,In parole saranno visibili una volta che si salva il preventivo. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},La quantità ({0}) non può essere una frazione nella riga {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,riscuotere i canoni @@ -3742,7 +3753,7 @@ Updated via 'Time Log'",Aggiornato da pochi minuti tramite 'Time Log' DocType: Customer,From Lead,Da Contatto apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Gli ordini rilasciati per la produzione. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Selezionare l'anno fiscale ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profilo tenuto a POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profilo tenuto a POS Entry DocType: Program Enrollment Tool,Enroll Students,iscrivere gli studenti DocType: Hub Settings,Name Token,Nome Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Listino di Vendita @@ -3760,7 +3771,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Differenza Valore Giacenza apps/erpnext/erpnext/config/learn.py +234,Human Resource,Risorsa Umana DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pagamento Riconciliazione di pagamento apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Attività fiscali -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},L'ordine di produzione è stato {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},L'ordine di produzione è stato {0} DocType: BOM Item,BOM No,BOM n. DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,La Scrittura Contabile {0} non ha conto {1} o già confrontato con un altro buono @@ -3774,7 +3785,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Carica apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Eccezionale Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Fissare obiettivi Item Group-saggio per questo venditore. DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelare Stocks Older Than [ giorni] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: L'indicazione dell'Asset è obbligatorio per acquisto/vendita di Beni Strumentali +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: L'indicazione dell'Asset è obbligatorio per acquisto/vendita di Beni Strumentali apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Se due o più regole sui prezzi sono trovate delle condizioni di cui sopra, viene applicata la priorità. La priorità è un numero compreso tra 0 a 20, mentre il valore di default è pari a zero (vuoto). Numero maggiore significa che avrà la precedenza se ci sono più regole sui prezzi con le stesse condizioni." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Anno fiscale: {0} non esiste DocType: Currency Exchange,To Currency,Per valuta @@ -3782,7 +3793,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tipi di Nota Spese. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Il tasso di vendita per l'elemento {0} è inferiore a quello {1}. Il tasso di vendita dovrebbe essere almeno {2} DocType: Item,Taxes,Tasse -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Pagato e Non Consegnato +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Pagato e Non Consegnato DocType: Project,Default Cost Center,Centro di costo predefinito DocType: Bank Guarantee,End Date,Data di Fine apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,transazioni di magazzino @@ -3799,7 +3810,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Quotidiano lavoro riepilogo delle impostazioni azienda apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Articolo {0} ignorato poiché non è in Giacenza DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Conferma questo ordine di produzione per l'ulteriore elaborazione . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Conferma questo ordine di produzione per l'ulteriore elaborazione . apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Per non applicare l'articolo Pricing in una determinata operazione, tutte le norme sui prezzi applicabili devono essere disabilitati." DocType: Assessment Group,Parent Assessment Group,Capogruppo di valutazione apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Posizioni @@ -3807,10 +3818,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Posizioni DocType: Employee,Held On,Tenutasi il apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produzione Voce ,Employee Information,Informazioni Dipendente -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Tasso ( % ) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Tasso ( % ) DocType: Stock Entry Detail,Additional Cost,Costo aggiuntivo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Non è possibile filtrare sulla base di Voucher No , se raggruppati per Voucher" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Crea un Preventivo Fornitore +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Crea un Preventivo Fornitore DocType: Quality Inspection,Incoming,In arrivo DocType: BOM,Materials Required (Exploded),Materiali necessari (dettagli) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Aggiungere utenti alla vostra organizzazione, diversa da te" @@ -3826,7 +3837,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Account: {0} può essere aggiornato solo tramite transazioni di magazzino DocType: Student Group Creation Tool,Get Courses,Get Corsi DocType: GL Entry,Party,Partner -DocType: Sales Order,Delivery Date,Data Consegna +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Data Consegna DocType: Opportunity,Opportunity Date,Data Opportunità DocType: Purchase Receipt,Return Against Purchase Receipt,Ricevuta di Ritorno contro Ricevuta di Acquisto DocType: Request for Quotation Item,Request for Quotation Item,Richiesta di offerta Articolo @@ -3840,7 +3851,7 @@ DocType: Task,Actual Time (in Hours),Tempo reale (in ore) DocType: Employee,History In Company,Storia aziendale apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletters DocType: Stock Ledger Entry,Stock Ledger Entry,Voce Inventario -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Lo stesso articolo è stato inserito più volte +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Lo stesso articolo è stato inserito più volte DocType: Department,Leave Block List,Lascia il blocco lista DocType: Sales Invoice,Tax ID,P. IVA / Cod. Fis. apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,L'articolo {0} non ha Numeri di Serie. La colonna deve essere vuota @@ -3858,25 +3869,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Nero DocType: BOM Explosion Item,BOM Explosion Item,BOM Articolo Esploso DocType: Account,Auditor,Uditore -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} articoli prodotti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} articoli prodotti DocType: Cheque Print Template,Distance from top edge,Distanza dal bordo superiore apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Listino {0} è disattivato o non esiste DocType: Purchase Invoice,Return,Ritorno DocType: Production Order Operation,Production Order Operation,Ordine di produzione Operation DocType: Pricing Rule,Disable,Disattiva -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Modalità di pagamento è richiesto di effettuare un pagamento +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Modalità di pagamento è richiesto di effettuare un pagamento DocType: Project Task,Pending Review,In attesa recensione apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} non è iscritto nel gruppo {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} non può essere gettata, come è già {1}" DocType: Task,Total Expense Claim (via Expense Claim),Rimborso spese totale (via Expense Claim) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Contrassegna come Assente -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Riga {0}: Valuta del BOM # {1} deve essere uguale alla valuta selezionata {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Riga {0}: Valuta del BOM # {1} deve essere uguale alla valuta selezionata {2} DocType: Journal Entry Account,Exchange Rate,Tasso di cambio: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,L'ordine di vendita {0} non è stato presentato +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,L'ordine di vendita {0} non è stato presentato DocType: Homepage,Tag Line,Tag Linea DocType: Fee Component,Fee Component,Fee Componente apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Gestione della flotta -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Aggiungere elementi da +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Aggiungere elementi da DocType: Cheque Print Template,Regular,Regolare apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage totale di tutti i criteri di valutazione deve essere al 100% DocType: BOM,Last Purchase Rate,Ultima tasso di acquisto @@ -3897,12 +3908,12 @@ DocType: Employee,Reports to,Reports a DocType: SMS Settings,Enter url parameter for receiver nos,Inserisci parametri url per NOS ricevuti DocType: Payment Entry,Paid Amount,Importo pagato DocType: Assessment Plan,Supervisor,Supervisore -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,online ,Available Stock for Packing Items,Stock Disponibile per Imballaggio Prodotti DocType: Item Variant,Item Variant,Elemento Variant DocType: Assessment Result Tool,Assessment Result Tool,Strumento di valutazione dei risultati DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Articolo -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,gli Ordini Confermati non possono essere eliminati +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,gli Ordini Confermati non possono essere eliminati apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo a bilancio già nel debito, non è permesso impostare il 'Saldo Futuro' come 'credito'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestione della qualità apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Voce {0} è stato disabilitato @@ -3933,7 +3944,7 @@ DocType: Item Group,Default Expense Account,Conto spese predefinito apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID DocType: Employee,Notice (days),Avviso ( giorni ) DocType: Tax Rule,Sales Tax Template,Sales Tax Template -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Selezionare gli elementi per salvare la fattura +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Selezionare gli elementi per salvare la fattura DocType: Employee,Encashment Date,Data Incasso DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Regolazione della @@ -3981,10 +3992,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Spedizi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Sconto massimo consentito per la voce: {0} {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,valore patrimoniale netto su DocType: Account,Receivable,Ricevibile -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: Non è consentito cambiare il Fornitore quando l'Ordine di Acquisto esiste già +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: Non è consentito cambiare il Fornitore quando l'Ordine di Acquisto esiste già DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Ruolo che è consentito di presentare le transazioni che superano i limiti di credito stabiliti. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Selezionare gli elementi da Fabbricazione -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","sincronizzazione dei dati principali, potrebbe richiedere un certo tempo" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Selezionare gli elementi da Fabbricazione +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","sincronizzazione dei dati principali, potrebbe richiedere un certo tempo" DocType: Item,Material Issue,Fornitura materiale DocType: Hub Settings,Seller Description,Venditore Descrizione DocType: Employee Education,Qualification,Qualifica @@ -4005,11 +4016,10 @@ DocType: BOM,Rate Of Materials Based On,Tasso di materiali a base di apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics supporto apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Deseleziona tutto DocType: POS Profile,Terms and Conditions,Termini e Condizioni -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Impostare il sistema di denominazione dei dipendenti in risorse umane> Impostazioni HR apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},'A Data' deve essere entro l'anno fiscale. Assumendo A Data = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Qui è possibile mantenere l'altezza, il peso, le allergie, le preoccupazioni mediche ecc" DocType: Leave Block List,Applies to Company,Applica ad Azienda -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Impossibile annullare perché esiste un movimento di magazzino {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Impossibile annullare perché esiste un movimento di magazzino {0} DocType: Employee Loan,Disbursement Date,L'erogazione Data DocType: Vehicle,Vehicle,Veicolo DocType: Purchase Invoice,In Words,In Parole @@ -4047,7 +4057,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Impostazioni globali DocType: Assessment Result Detail,Assessment Result Detail,La valutazione dettagliata dei risultati DocType: Employee Education,Employee Education,Istruzione Dipendente apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,gruppo di articoli duplicato trovato nella tabella gruppo articoli -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,E 'necessario per recuperare Dettagli elemento. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,E 'necessario per recuperare Dettagli elemento. DocType: Salary Slip,Net Pay,Retribuzione Netta DocType: Account,Account,Account apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial No {0} è già stato ricevuto @@ -4055,7 +4065,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Vehicle Log DocType: Purchase Invoice,Recurring Id,Id ricorrente DocType: Customer,Sales Team Details,Vendite team Dettagli -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Eliminare in modo permanente? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Eliminare in modo permanente? DocType: Expense Claim,Total Claimed Amount,Totale importo richiesto apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenziali opportunità di vendita. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Non valido {0} @@ -4067,7 +4077,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Imposta la tua scuola a ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base quantità di modifica (Società di valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nessuna scritture contabili per le seguenti magazzini -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Salvare prima il documento. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Salvare prima il documento. DocType: Account,Chargeable,Addebitabile DocType: Company,Change Abbreviation,Change Abbreviazione DocType: Expense Claim Detail,Expense Date,Data Spesa @@ -4081,7 +4091,6 @@ DocType: BOM,Manufacturing User,Utente Produzione DocType: Purchase Invoice,Raw Materials Supplied,Materie prime fornite DocType: Purchase Invoice,Recurring Print Format,Formato di Stampa Ricorrente DocType: C-Form,Series,serie -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Data prevista di consegna non può essere un ordine di acquisto Data DocType: Appraisal,Appraisal Template,Valutazione Modello DocType: Item Group,Item Classification,Classificazione Articolo apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4120,12 +4129,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Seleziona apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Eventi di formazione / risultati apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Fondo ammortamento come su DocType: Sales Invoice,C-Form Applicable,C-Form Applicable -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Tempo di funzionamento deve essere maggiore di 0 per Operation {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Tempo di funzionamento deve essere maggiore di 0 per Operation {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Magazzino è obbligatorio DocType: Supplier,Address and Contacts,Indirizzo e contatti DocType: UOM Conversion Detail,UOM Conversion Detail,Dettaglio di conversione Unità di Misura DocType: Program,Program Abbreviation,Abbreviazione programma -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Ordine di produzione non può essere sollevata nei confronti di un modello di elemento +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Ordine di produzione non può essere sollevata nei confronti di un modello di elemento apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Le tariffe sono aggiornati in acquisto ricevuta contro ogni voce DocType: Warranty Claim,Resolved By,Deliberato dall'Assemblea DocType: Bank Guarantee,Start Date,Data di inizio @@ -4160,6 +4169,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Formazione Commenti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,L'ordine di produzione {0} deve essere presentato apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Scegliere una data di inizio e di fine per la voce {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Imposta un target di vendita che desideri conseguire. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Corso è obbligatoria in riga {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,'A Data' deve essere successiva a 'Da Data' DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4177,7 +4187,7 @@ DocType: Account,Income,Proventi DocType: Industry Type,Industry Type,Tipo Industria apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Qualcosa è andato storto! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Attenzione: Lascia applicazione contiene seguenti date di blocco -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,La fattura di vendita {0} è già stata presentata +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,La fattura di vendita {0} è già stata presentata DocType: Assessment Result Detail,Score,Punto apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Anno fiscale {0} non esiste apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Data Completamento @@ -4207,7 +4217,7 @@ DocType: Naming Series,Help HTML,Aiuto HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Student Gruppo strumento di creazione DocType: Item,Variant Based On,Variante calcolate in base a apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Weightage totale assegnato dovrebbe essere al 100% . E ' {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,I Vostri Fornitori +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,I Vostri Fornitori apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Impossibile impostare come persa come è fatto Sales Order . DocType: Request for Quotation Item,Supplier Part No,Articolo Fornitore No apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Non può dedurre quando categoria è per 'valutazione' o 'Vaulation e Total' @@ -4217,14 +4227,14 @@ DocType: Item,Has Serial No,Ha numero di serie DocType: Employee,Date of Issue,Data Pubblicazione apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Da {0} per {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Come per le Impostazioni di Acquisto se l'acquisto di Reciept Required == 'YES', quindi per la creazione della fattura di acquisto, l'utente deve creare prima la ricevuta di acquisto per l'elemento {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Fila # {0}: Impostare Fornitore per Articolo {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Riga {0}: valore Ore deve essere maggiore di zero. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Fila # {0}: Impostare Fornitore per Articolo {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Riga {0}: valore Ore deve essere maggiore di zero. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Website Immagine {0} collegata alla voce {1} non può essere trovato DocType: Issue,Content Type,Tipo Contenuto apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,computer DocType: Item,List this Item in multiple groups on the website.,Elenco questo articolo a più gruppi sul sito. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Si prega di verificare l'opzione multi valuta per consentire agli account con altra valuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Voce: {0} non esiste nel sistema +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Voce: {0} non esiste nel sistema apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Non sei autorizzato a impostare il valore bloccato DocType: Payment Reconciliation,Get Unreconciled Entries,Ottieni entrate non riconciliate DocType: Payment Reconciliation,From Invoice Date,Da Data fattura @@ -4250,7 +4260,7 @@ DocType: Stock Entry,Default Source Warehouse,Magazzino di provenienza predefini DocType: Item,Customer Code,Codice Cliente apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Promemoria Compleanno per {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Giorni dall'ultimo ordine -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debito Per account deve essere un account di Stato Patrimoniale +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debito Per account deve essere un account di Stato Patrimoniale DocType: Buying Settings,Naming Series,Denominazione Serie DocType: Leave Block List,Leave Block List Name,Lascia Block List Nome apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Assicurazione Data di inizio deve essere inferiore a Assicurazione Data Fine @@ -4267,7 +4277,7 @@ DocType: Vehicle Log,Odometer,Odometro DocType: Sales Order Item,Ordered Qty,Quantità ordinato apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Articolo {0} è disattivato DocType: Stock Settings,Stock Frozen Upto,Giacenza Bloccate Fino -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM non contiene alcun elemento magazzino +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM non contiene alcun elemento magazzino apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periodo Dal periodo e per date obbligatorie per ricorrenti {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Attività / attività del progetto. DocType: Vehicle Log,Refuelling Details,Dettagli di rifornimento @@ -4277,7 +4287,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Ultimo tasso di acquisto non trovato DocType: Purchase Invoice,Write Off Amount (Company Currency),Scrivi Off Importo (Società valuta) DocType: Sales Invoice Timesheet,Billing Hours,Ore di fatturazione -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Distinta Materiali predefinita per {0} non trovato +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Distinta Materiali predefinita per {0} non trovato apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Fila # {0}: Si prega di impostare la quantità di riordino apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tocca gli elementi da aggiungere qui DocType: Fees,Program Enrollment,programma Iscrizione @@ -4309,6 +4319,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Gamma Ageing 2 DocType: SG Creation Tool Course,Max Strength,Forza Max apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM sostituita +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Selezionare gli elementi in base alla data di consegna ,Sales Analytics,Analisi dei dati di vendita apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Disponibile {0} ,Prospects Engaged But Not Converted,Prospettive impegnate ma non convertite @@ -4355,7 +4366,7 @@ DocType: Authorization Rule,Customerwise Discount,Sconto Cliente saggio apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet per le attività. DocType: Purchase Invoice,Against Expense Account,Per Spesa Conto DocType: Production Order,Production Order,Ordine di produzione -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Nota Installazione {0} già inserita +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Nota Installazione {0} già inserita DocType: Bank Reconciliation,Get Payment Entries,Ottenere le voci di pagamento DocType: Quotation Item,Against Docname,Per Nome Doc DocType: SMS Center,All Employee (Active),Tutti Dipendenti (Attivi) @@ -4364,7 +4375,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Costo Materie Prime DocType: Item Reorder,Re-Order Level,Livello Ri-ordino DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Inserisci articoli e q.tà programmate per i quali si desidera raccogliere gli ordini di produzione o scaricare materie prime per l'analisi. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagramma di Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Diagramma di Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,A tempo parziale DocType: Employee,Applicable Holiday List,Lista Vacanze Applicabile DocType: Employee,Cheque,Assegno @@ -4420,11 +4431,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Riservato Quantità per Produzione DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lasciate non selezionate se non si desidera considerare il gruppo durante la creazione di gruppi basati sul corso. DocType: Asset,Frequency of Depreciation (Months),Frequenza di ammortamento (Mesi) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Conto di credito +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Conto di credito DocType: Landed Cost Item,Landed Cost Item,Landed Cost articolo apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostra valori zero DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantità di prodotto ottenuto dopo la produzione / reimballaggio da determinati quantitativi di materie prime -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Imposta un semplice sito web per la mia organizzazione +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Imposta un semplice sito web per la mia organizzazione DocType: Payment Reconciliation,Receivable / Payable Account,Contabilità Clienti /Fornitori DocType: Delivery Note Item,Against Sales Order Item,Contro Sales Order Item apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Si prega di specificare Attributo Valore per l'attributo {0} @@ -4486,22 +4497,22 @@ DocType: Student,Nationality,Nazionalità ,Items To Be Requested,Articoli da richiedere DocType: Purchase Order,Get Last Purchase Rate,Ottieni ultima quotazione acquisto DocType: Company,Company Info,Info Azienda -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Selezionare o aggiungere nuovo cliente -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Centro di costo è necessario per prenotare un rimborso spese +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Selezionare o aggiungere nuovo cliente +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Centro di costo è necessario per prenotare un rimborso spese apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Applicazione dei fondi ( Assets ) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Questo si basa sulla presenza di questo dipendente -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Conto di addebito +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Conto di addebito DocType: Fiscal Year,Year Start Date,Data di inizio anno DocType: Attendance,Employee Name,Nome Dipendente DocType: Sales Invoice,Rounded Total (Company Currency),Totale arrotondato (Azienda valuta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Non può convertirsi gruppo perché è stato selezionato Tipo di account. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} è stato modificato. Aggiornare prego. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} è stato modificato. Aggiornare prego. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impedire agli utenti di effettuare Lascia le applicazioni in giorni successivi. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Ammontare dell'acquisto apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Preventivo Fornitore {0} creato apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Fine anno non può essere prima di inizio anno apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Benefici per i dipendenti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},La quantità imballata deve essere uguale per l'articolo {0} sulla riga {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},La quantità imballata deve essere uguale per l'articolo {0} sulla riga {1} DocType: Production Order,Manufactured Qty,Q.tà Prodotte DocType: Purchase Receipt Item,Accepted Quantity,Quantità accettata apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Si prega di impostare un valore predefinito lista per le vacanze per i dipendenti {0} o {1} società @@ -4512,11 +4523,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Fila No {0}: Importo non può essere maggiore di attesa Importo contro Rimborso Spese {1}. In attesa importo è {2} DocType: Maintenance Schedule,Schedule,Pianificare DocType: Account,Parent Account,Account genitore -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Disponibile +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Disponibile DocType: Quality Inspection Reading,Reading 3,Lettura 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Voucher Tipo -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Listino Prezzi non trovato o disattivato +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Listino Prezzi non trovato o disattivato DocType: Employee Loan Application,Approved,Approvato DocType: Pricing Rule,Price,Prezzo apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Dipendente esonerato da {0} deve essere impostato come 'Congedato' @@ -4585,7 +4596,7 @@ DocType: SMS Settings,Static Parameters,Parametri statici DocType: Assessment Plan,Room,Camera DocType: Purchase Order,Advance Paid,Anticipo versato DocType: Item,Item Tax,Tasse dell'Articolo -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiale al Fornitore +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiale al Fornitore apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Accise Fattura apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Soglia {0}% appare più di una volta DocType: Expense Claim,Employees Email Id,Email Dipendenti @@ -4625,7 +4636,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Modello DocType: Production Order,Actual Operating Cost,Costo operativo effettivo DocType: Payment Entry,Cheque/Reference No,N. di riferimento -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornitore> Tipo Fornitore apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root non può essere modificato . DocType: Item,Units of Measure,Unità di misura DocType: Manufacturing Settings,Allow Production on Holidays,Consentire una produzione su Holidays @@ -4658,12 +4668,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Giorni Credito apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Crea un Insieme di Studenti DocType: Leave Type,Is Carry Forward,È Portare Avanti -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Recupera elementi da Distinta Base +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Recupera elementi da Distinta Base apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Giorni per la Consegna -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Data di registrazione deve essere uguale alla data di acquisto {1} per l'asset {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Data di registrazione deve essere uguale alla data di acquisto {1} per l'asset {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Controllare questo se lo studente è residente presso l'Ostello dell'Istituto. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Si prega di inserire gli ordini di vendita nella tabella precedente -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Buste Paga non Confermate +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Buste Paga non Confermate ,Stock Summary,Sintesi della apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Trasferire un bene da un magazzino all'altro DocType: Vehicle,Petrol,Benzina diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index da6b44cea0b..7e7d729af28 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,ディーラー DocType: Employee,Rented,賃貸 DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,ユーザーに適用 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止中の製造指示をキャンセルすることはできません。キャンセルする前に停止解除してください +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止中の製造指示をキャンセルすることはできません。キャンセルする前に停止解除してください DocType: Vehicle Service,Mileage,マイレージ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,本当にこの資産を廃棄しますか? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,デフォルトサプライヤーを選択 @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,%支払 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),為替レートは {0} と同じでなければなりません {1}({2}) DocType: Sales Invoice,Customer Name,顧客名 DocType: Vehicle,Natural Gas,天然ガス -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},銀行口座は {0} のように名前を付けることはできません +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},銀行口座は {0} のように名前を付けることはできません DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,会計エントリに対する科目(またはグループ)が作成され、残高が維持されます apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),{0}の残高はゼロより小さくすることはできません({1}) DocType: Manufacturing Settings,Default 10 mins,デフォルト 10分 @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,休暇タイプ名 apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,オープンを表示 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,シリーズを正常に更新しました apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,チェックアウト -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,提出Accural仕訳 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,提出Accural仕訳 DocType: Pricing Rule,Apply On,適用 DocType: Item Price,Multiple Item prices.,複数のアイテム価格 ,Purchase Order Items To Be Received,受領予定発注アイテム @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,支払口座のモー apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,バリエーションを表示 DocType: Academic Term,Academic Term,学術用語 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,材料 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,数量 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,数量 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,アカウントの表は、空白にすることはできません。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ローン(負債) DocType: Employee Education,Year of Passing,経過年 @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,健康管理 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),支払遅延(日数) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,サービス費用 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},シリアル番号:{0}は既に販売請求書:{1}で参照されています -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,請求 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},シリアル番号:{0}は既に販売請求書:{1}で参照されています +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,請求 DocType: Maintenance Schedule Item,Periodicity,周期性 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,会計年度{0}が必要です -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,予想納期は受注日前のことです apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,防御 DocType: Salary Component,Abbr,略称 DocType: Appraisal Goal,Score (0-5),スコア(0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,行 {0}: DocType: Timesheet,Total Costing Amount,総原価計算量 DocType: Delivery Note,Vehicle No,車両番号 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,価格表を選択してください +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,価格表を選択してください apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,行#{0}:支払文書がtrasactionを完了するために必要な DocType: Production Order Operation,Work In Progress,進行中の作業 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,日付を選択してください @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1}ではない任意のアクティブ年度インチ DocType: Packed Item,Parent Detail docname,親詳細文書名 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",参照:{0}、商品コード:{1}、顧客:{2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,kg DocType: Student Log,Log,ログ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,欠員 DocType: Item Attribute,Increment,増分 @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,結婚してる apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},{0} は許可されていません apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,からアイテムを取得します -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},納品書{0}に対して在庫を更新することはできません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},納品書{0}に対して在庫を更新することはできません apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},製品{0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,リストされたアイテム DocType: Payment Reconciliation,Reconcile,照合 @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,年 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,次の減価償却日付は購入日の前にすることはできません DocType: SMS Center,All Sales Person,全ての営業担当者 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**毎月分配**は、あなたのビジネスで季節を持っている場合は、数ヶ月を横断予算/ターゲットを配布するのに役立ちます。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,アイテムが見つかりません +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,アイテムが見つかりません apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,給与構造の欠落 DocType: Lead,Person Name,人名 DocType: Sales Invoice Item,Sales Invoice Item,請求明細 @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",資産レコードが項目に対して存在するように、オフにすることはできません「固定資産です」 DocType: Vehicle Service,Brake Oil,ブレーキオイル DocType: Tax Rule,Tax Type,税タイプ -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,課税額 +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,課税額 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},{0}以前のエントリーを追加または更新する権限がありません DocType: BOM,Item Image (if not slideshow),アイテム画像(スライドショーされていない場合) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,同名の顧客が存在します DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(時間単価 ÷ 60)× 実際の作業時間 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,BOMを選択 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,BOMを選択 DocType: SMS Log,SMS Log,SMSログ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,納品済アイテムの費用 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0}上の休日は、日付からと日付までの間ではありません @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,学校 DocType: School Settings,Validate Batch for Students in Student Group,学生グループの学生のバッチを検証する apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},従業員が見つかりませ休暇レコードはありません{0} {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,最初の「会社」を入力してください -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,会社を選択してください +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,会社を選択してください DocType: Employee Education,Under Graduate,在学生 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,目標 DocType: BOM,Total Cost,費用合計 DocType: Journal Entry Account,Employee Loan,従業員のローン -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,活動ログ: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,アイテム{0}は、システムに存在しないか有効期限が切れています +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,活動ログ: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,アイテム{0}は、システムに存在しないか有効期限が切れています apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,不動産 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,決算報告 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,医薬品 @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,請求額 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomerグループテーブルで見つかった重複する顧客グループ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,サプライヤータイプ/サプライヤー DocType: Naming Series,Prefix,接頭辞 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,セットアップ>設定>ネーミングシリーズで{0}のネーミングシリーズを設定してください -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,消耗品 +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,消耗品 DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,インポートログ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,上記の基準に基づいて、型製造の材料要求を引いて DocType: Training Result Employee,Grade,グレード DocType: Sales Invoice Item,Delivered By Supplier,サプライヤーにより配送済 DocType: SMS Center,All Contact,全ての連絡先 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,すでにBOMを持つすべてのアイテム用に作成した製造指図 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,すでにBOMを持つすべてのアイテム用に作成した製造指図 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,年俸 DocType: Daily Work Summary,Daily Work Summary,毎日の仕事の概要 DocType: Period Closing Voucher,Closing Fiscal Year,閉会年度 -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} は凍結されています +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} は凍結されています apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,勘定科目表を作成するための既存の会社を選択してください apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,在庫経費 apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ターゲット倉庫の選択 @@ -212,14 +210,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},受入数と拒否数の合計はアイテム{0}の受領数と等しくなければなりません DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,購入のための原材料供給 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,支払いの少なくとも1モードはPOS請求書に必要とされます。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,支払いの少なくとも1モードはPOS請求書に必要とされます。 DocType: Products Settings,Show Products as a List,製品を表示するリストとして DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","テンプレートをダウンロードし、適切なデータを記入した後、変更したファイルを添付してください。 選択した期間内のすべての日付と従業員の組み合わせは、既存の出勤記録と一緒に、テンプレートに入ります" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,アイテム{0}は、アクティブでないか、販売終了となっています -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,例:基本的な数学 -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",アイテム料金の行{0}に税を含めるには、行{1}の税も含まれていなければなりません +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,例:基本的な数学 +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",アイテム料金の行{0}に税を含めるには、行{1}の税も含まれていなければなりません apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,人事モジュール設定 DocType: SMS Center,SMS Center,SMSセンター DocType: Sales Invoice,Change Amount,変化量 @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},設置日は、アイテム{0}の納品日より前にすることはできません DocType: Pricing Rule,Discount on Price List Rate (%),価格表での割引率(%) DocType: Offer Letter,Select Terms and Conditions,規約を選択 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,タイムアウト値 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,タイムアウト値 DocType: Production Planning Tool,Sales Orders,受注 DocType: Purchase Taxes and Charges,Valuation,評価 ,Purchase Order Trends,発注傾向 @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,オープンエントリー DocType: Customer Group,Mention if non-standard receivable account applicable,非標準的な売掛金が適応可能な場合に記載 DocType: Course Schedule,Instructor Name,インストラクターの名前 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,提出前に必要とされる倉庫用 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,提出前に必要とされる倉庫用 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,受領日 DocType: Sales Partner,Reseller,リセラー DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.",チェックした場合、素材の要求で非在庫品目が含まれます。 @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,対販売伝票アイテム ,Production Orders in Progress,進行中の製造指示 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,財務によるキャッシュ・フロー -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save",localStorageがいっぱいになった、保存されませんでした +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save",localStorageがいっぱいになった、保存されませんでした DocType: Lead,Address & Contact,住所・連絡先 DocType: Leave Allocation,Add unused leaves from previous allocations,前回の割当から未使用の休暇を追加 apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},次の繰り返し {0} は {1} 上に作成されます DocType: Sales Partner,Partner website,パートナーサイト apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,アイテムを追加 -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,担当者名 +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,担当者名 DocType: Course Assessment Criteria,Course Assessment Criteria,コースの評価基準 DocType: Process Payroll,Creates salary slip for above mentioned criteria.,上記の基準の給与伝票を作成します。 DocType: POS Customer Group,POS Customer Group,POSの顧客グループ @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:前払エントリである場合、アカウント{1}に対する「前払」をご確認ください apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},倉庫{0}は会社{1}に属していません DocType: Email Digest,Profit & Loss,利益損失 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,リットル +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,リットル DocType: Task,Total Costing Amount (via Time Sheet),(タイムシートを介して)総原価計算量 DocType: Item Website Specification,Item Website Specification,アイテムのWebサイトの仕様 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,休暇 @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,請求番号 DocType: Material Request Item,Min Order Qty,最小注文数量 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,学生グループ作成ツールコース DocType: Lead,Do Not Contact,コンタクト禁止 -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,あなたの組織で教える人 +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,あなたの組織で教える人 DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,定期的な請求書を全て追跡するための一意のIDで、提出時に生成されます apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,ソフトウェア開発者 DocType: Item,Minimum Order Qty,最小注文数量 @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,ハブに公開 DocType: Student Admission,Student Admission,学生の入学 ,Terretory,地域 apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,アイテム{0}をキャンセルしました -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,資材要求 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,資材要求 DocType: Bank Reconciliation,Update Clearance Date,清算日の更新 DocType: Item,Purchase Details,仕入詳細 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},仕入注文 {1} の「原材料供給」テーブルにアイテム {0} が見つかりません @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,フリートマネージャ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},行番号{0}:{1}項目{2}について陰性であることができません apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,間違ったパスワード DocType: Item,Variant Of,バリエーション元 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',完成した数量は「製造数量」より大きくすることはできません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',完成した数量は「製造数量」より大きくすることはできません DocType: Period Closing Voucher,Closing Account Head,決算科目 DocType: Employee,External Work History,職歴(他社) apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,循環参照エラー @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,左端からの距離 apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}]の単位(#フォーム/商品/ {1})[{2}]で見つかった(#フォーム/倉庫/ {2}) DocType: Lead,Industry,業種 DocType: Employee,Job Profile,職務内容 +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,これは、この会社に対する取引に基づいています。詳細は以下のタイムラインをご覧ください DocType: Stock Settings,Notify by Email on creation of automatic Material Request,自動的な資材要求の作成時にメールで通知 DocType: Journal Entry,Multi Currency,複数通貨 DocType: Payment Reconciliation Invoice,Invoice Type,請求書タイプ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,納品書 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,納品書 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,税設定 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,販売資産の取得原価 apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,支払エントリが変更されています。引用しなおしてください @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,フィールド値「毎月繰り返し」を入力してください DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,顧客通貨が顧客の基本通貨に換算されるレート DocType: Course Scheduling Tool,Course Scheduling Tool,コーススケジュールツール -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:購入請求書は、既存の資産に対して行うことはできません。{1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:購入請求書は、既存の資産に対して行うことはできません。{1} DocType: Item Tax,Tax Rate,税率 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} は従業員 {1} の期間 {2} から {3} へ既に割り当てられています -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,アイテムを選択 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,アイテムを選択 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,仕入請求{0}はすでに提出されています apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},行#{0}:バッチ番号は {1} {2}と同じである必要があります apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,非グループに変換 @@ -445,7 +444,7 @@ DocType: Employee,Widowed,死別 DocType: Request for Quotation,Request for Quotation,見積依頼 DocType: Salary Slip Timesheet,Working Hours,労働時間 DocType: Naming Series,Change the starting / current sequence number of an existing series.,既存のシリーズについて、開始/現在の連続番号を変更します。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,新しい顧客を作成します。 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,新しい顧客を作成します。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",複数の価格設定ルールが優先しあった場合、ユーザーは、競合を解決するために、手動で優先度を設定するように求められます。 apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,発注書を作成します。 ,Purchase Register,仕入帳 @@ -471,7 +470,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,審査官の名前 DocType: Purchase Invoice Item,Quantity and Rate,数量とレート DocType: Delivery Note,% Installed,%インストール -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/講演会をスケジュールすることができ研究所など。 +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/講演会をスケジュールすることができ研究所など。 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,最初の「会社」名を入力してください DocType: Purchase Invoice,Supplier Name,サプライヤー名 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNextマニュアルをご覧ください @@ -487,7 +486,7 @@ DocType: Lead,Channel Partner,チャネルパートナー DocType: Account,Old Parent,古い親 apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,必須項目 - アカデミックイヤー DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,メールの一部となる入門テキストをカスタマイズします。各取引にははそれぞれ入門テキストがあります -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},{0}社のデフォルト支払い可能口座を設定してください +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},{0}社のデフォルト支払い可能口座を設定してください apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,全製造プロセスの共通設定 DocType: Accounts Settings,Accounts Frozen Upto,凍結口座上限 DocType: SMS Log,Sent On,送信済 @@ -526,14 +525,14 @@ DocType: Journal Entry,Accounts Payable,買掛金 apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,選択したBOMが同じ項目のためではありません DocType: Pricing Rule,Valid Upto,有効(〜まで) DocType: Training Event,Workshop,ワークショップ -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,あなたの顧客の一部を一覧表示します。彼らは、組織や個人である可能性があります。 +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,あなたの顧客の一部を一覧表示します。彼らは、組織や個人である可能性があります。 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,制作するのに十分なパーツ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,直接利益 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",アカウント別にグループ化されている場合、アカウントに基づいてフィルタリングすることはできません apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,管理担当者 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,コースを選択してください DocType: Timesheet Detail,Hrs,時間 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,会社を選択してください +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,会社を選択してください DocType: Stock Entry Detail,Difference Account,差損益 DocType: Purchase Invoice,Supplier GSTIN,サプライヤーGSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,依存するタスク{0}がクローズされていないため、タスクをクローズできません @@ -549,7 +548,7 @@ DocType: Sales Invoice,Offline POS Name,オフラインPOS名 apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,しきい値0%のグレードを定義してください DocType: Sales Order,To Deliver,配送する DocType: Purchase Invoice Item,Item,アイテム -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,シリアル番号の項目は、分数ではできません +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,シリアル番号の項目は、分数ではできません DocType: Journal Entry,Difference (Dr - Cr),差額(借方 - 貸方) DocType: Account,Profit and Loss,損益 apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,業務委託管理 @@ -575,7 +574,7 @@ DocType: Serial No,Warranty Period (Days),保証期間(日数) DocType: Installation Note Item,Installation Note Item,設置票アイテム DocType: Production Plan Item,Pending Qty,保留中の数量 DocType: Budget,Ignore,無視 -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1}アクティブではありません +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1}アクティブではありません apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},次の番号に送信されたSMS:{0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,印刷用のセットアップチェック寸法 DocType: Salary Slip,Salary Slip Timesheet,給与スリップタイムシート @@ -679,8 +678,8 @@ DocType: Installation Note,IN-,に- DocType: Production Order Operation,In minutes,分単位 DocType: Issue,Resolution Date,課題解決日 DocType: Student Batch Name,Batch Name,バッチ名 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,タイムシートを作成しました: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},支払方法{0}にデフォルトの現金や銀行口座を設定してください +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,タイムシートを作成しました: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},支払方法{0}にデフォルトの現金や銀行口座を設定してください apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,登録します DocType: GST Settings,GST Settings,GSTの設定 DocType: Selling Settings,Customer Naming By,顧客名設定 @@ -700,7 +699,7 @@ DocType: Activity Cost,Projects User,プロジェクトユーザー apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,消費済 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}:{1}は請求書詳細テーブルに存在しません DocType: Company,Round Off Cost Center,丸め誤差コストセンター -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、メンテナンス訪問 {0} をキャンセルしなければなりません +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、メンテナンス訪問 {0} をキャンセルしなければなりません DocType: Item,Material Transfer,資材移送 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),開く(借方) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},投稿のタイムスタンプは、{0}の後でなければなりません @@ -709,7 +708,7 @@ DocType: Employee Loan,Total Interest Payable,買掛金利息合計 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,陸揚費用租税公課 DocType: Production Order Operation,Actual Start Time,実際の開始時間 DocType: BOM Operation,Operation Time,作業時間 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,仕上げ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,仕上げ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,ベース DocType: Timesheet,Total Billed Hours,請求された総時間 DocType: Journal Entry,Write Off Amount,償却額 @@ -734,7 +733,7 @@ DocType: Vehicle,Odometer Value (Last),オドメーター値(最終) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,マーケティング apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,支払エントリがすでに作成されています DocType: Purchase Receipt Item Supplied,Current Stock,現在の在庫 -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:{1}資産はアイテムにリンクされていません{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:{1}資産はアイテムにリンクされていません{2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,プレビュー給与スリップ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,アカウント{0}を複数回入力されました DocType: Account,Expenses Included In Valuation,評価中経費 @@ -758,7 +757,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,航空宇 DocType: Journal Entry,Credit Card Entry,クレジットカードエントリ apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,会社およびアカウント apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,サプライヤーから受け取った商品。 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,[値 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,[値 DocType: Lead,Campaign Name,キャンペーン名 DocType: Selling Settings,Close Opportunity After Days,日後に閉じるの機会 ,Reserved,予約済 @@ -783,17 +782,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,エネルギー DocType: Opportunity,Opportunity From,機会元 apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,月次給与計算書。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,行{0}:{1}アイテム{2}に必要なシリアル番号。あなたは{3}を提供しました。 DocType: BOM,Website Specifications,ウェブサイトの仕様 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}:タイプ{1}の{0}から DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,行{0}:換算係数が必須です DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",複数の価格ルールは、同じ基準で存在し、優先順位を割り当てることにより、競合を解決してください。価格ルール:{0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,別の部品表にリンクされているため、無効化や部品表のキャンセルはできません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,別の部品表にリンクされているため、無効化や部品表のキャンセルはできません DocType: Opportunity,Maintenance,メンテナンス DocType: Item Attribute Value,Item Attribute Value,アイテムの属性値 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,販売キャンペーン。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,タイムシートを作成します +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,タイムシートを作成します DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -853,7 +853,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,電子メールアカウントの設定 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,最初のアイテムを入力してください DocType: Account,Liability,負債 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,決済額は、行{0}での請求額を超えることはできません。 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,決済額は、行{0}での請求額を超えることはできません。 DocType: Company,Default Cost of Goods Sold Account,製品販売アカウントのデフォルト費用 apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,価格表が選択されていません DocType: Employee,Family Background,家族構成 @@ -864,10 +864,10 @@ DocType: Company,Default Bank Account,デフォルト銀行口座 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",「当事者」に基づいてフィルタリングするには、最初の「当事者タイプ」を選択してください apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},アイテムが{0}経由で配送されていないため、「在庫更新」はチェックできません DocType: Vehicle,Acquisition Date,取得日 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,番号 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,番号 DocType: Item,Items with higher weightage will be shown higher,高い比重を持つアイテムはより高く表示されます DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,銀行勘定調整詳細 -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,行#{0}:アセット{1}提出しなければなりません +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,行#{0}:アセット{1}提出しなければなりません apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,従業員が見つかりません DocType: Supplier Quotation,Stopped,停止 DocType: Item,If subcontracted to a vendor,ベンダーに委託した場合 @@ -883,7 +883,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,最小請求額 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:原価センタ{2}会社に所属していない{3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}:アカウント{2}グループにすることはできません apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,アイテム行{idxの}:{DOCTYPE} {DOCNAME}上に存在しない '{文書型}'テーブル -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,タイムシート{0}はすでに完了またはキャンセルされます +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,タイムシート{0}はすでに完了またはキャンセルされます apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,いいえタスクはありません DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",自動請求を生成する日付(例:05、28など) DocType: Asset,Opening Accumulated Depreciation,減価償却累計額を開きます @@ -942,7 +942,7 @@ DocType: SMS Log,Requested Numbers,要求された番号 DocType: Production Planning Tool,Only Obtain Raw Materials,原料のみを取得 apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,業績評価 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",ショッピングカートが有効になっているとして、「ショッピングカートのために使用する」の有効化とショッピングカートのための少なくとも一つの税務規則があるはずです -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",それはこの請求書には、予めよう引っ張られるべきである場合に支払いエントリ{0}は注文{1}に対してリンクされているが、確認してください。 +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",それはこの請求書には、予めよう引っ張られるべきである場合に支払いエントリ{0}は注文{1}に対してリンクされているが、確認してください。 DocType: Sales Invoice Item,Stock Details,在庫詳細 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,プロジェクトの価値 apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,POS @@ -965,15 +965,15 @@ DocType: Naming Series,Update Series,シリーズ更新 DocType: Supplier Quotation,Is Subcontracted,下請け DocType: Item Attribute,Item Attribute Values,アイテムの属性値 DocType: Examination Result,Examination Result,テスト結果 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,領収書 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,領収書 ,Received Items To Be Billed,支払予定受領アイテム -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,提出された給与スリップ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,提出された給与スリップ apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,為替レートマスター apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},リファレンスDOCTYPEが{0}のいずれかでなければなりません -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},操作{1}のための時間スロットは次の{0}日間に存在しません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},操作{1}のための時間スロットは次の{0}日間に存在しません DocType: Production Order,Plan material for sub-assemblies,部分組立品資材計画 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,販売パートナーと地域 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,部品表{0}はアクティブでなければなりません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,部品表{0}はアクティブでなければなりません DocType: Journal Entry,Depreciation Entry,減価償却エントリ apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,文書タイプを選択してください apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,このメンテナンス訪問をキャンセルする前に資材訪問{0}をキャンセルしなくてはなりません @@ -983,7 +983,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,合計 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,インターネット出版 DocType: Production Planning Tool,Production Orders,製造指示 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,価格のバランス +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,価格のバランス apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,販売価格表 apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,同期アイテムを公開 DocType: Bank Reconciliation,Account Currency,アカウント通貨 @@ -1008,12 +1008,12 @@ DocType: Employee,Exit Interview Details,インタビュー詳細を終了 DocType: Item,Is Purchase Item,仕入アイテム DocType: Asset,Purchase Invoice,仕入請求 DocType: Stock Ledger Entry,Voucher Detail No,伝票詳細番号 -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,新しい売上請求書 +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,新しい売上請求書 DocType: Stock Entry,Total Outgoing Value,支出価値合計 apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,開始日と終了日は同一会計年度内になければなりません DocType: Lead,Request for Information,情報要求 ,LeaderBoard,リーダーボード -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,同期オフライン請求書 +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,同期オフライン請求書 DocType: Payment Request,Paid,支払済 DocType: Program Fee,Program Fee,プログラムの料金 DocType: Salary Slip,Total in words,合計の文字表記 @@ -1021,7 +1021,7 @@ DocType: Material Request Item,Lead Time Date,リードタイム日 DocType: Guardian,Guardian Name,ガーディアンの名前 DocType: Cheque Print Template,Has Print Format,印刷形式を持っています DocType: Employee Loan,Sanctioned,認可 -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,必須です。為替レコードが作成されない可能性があります +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,必須です。為替レコードが作成されない可能性があります apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},行 {0}:アイテム{1}のシリアル番号を指定してください apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",「製品付属品」アイテム、倉庫、シリアル番号、バッチ番号は、「梱包リスト」テーブルから検討します。倉庫とバッチ番号が任意の「製品付属品」アイテムのすべての梱包アイテムと同じであれば、これらの値はメインのアイテムテーブルに入力することができ、「梱包リスト」テーブルにコピーされます。 DocType: Job Opening,Publish on website,ウェブサイト上で公開 @@ -1034,7 +1034,7 @@ DocType: Cheque Print Template,Date Settings,日付の設定 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,差違 ,Company Name,(会社名) DocType: SMS Center,Total Message(s),全メッセージ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,配送のためのアイテムを選択 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,配送のためのアイテムを選択 DocType: Purchase Invoice,Additional Discount Percentage,追加割引パーセンテージ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,ヘルプ動画リストを表示 DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,小切手が預けられた銀行の勘定科目を選択してください @@ -1048,7 +1048,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),原料コスト(会社通貨) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,アイテムは全てこの製造指示に移動されています。 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行番号{0}:レートは{1} {2}で使用されているレートより大きくすることはできません -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,メーター +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,メーター DocType: Workstation,Electricity Cost,電気代 DocType: HR Settings,Don't send Employee Birthday Reminders,従業員の誕生日リマインダを送信しないでください DocType: Item,Inspection Criteria,検査基準 @@ -1062,7 +1062,7 @@ DocType: SMS Center,All Lead (Open),全リード(オープン) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:({2} {3})エントリの時間を掲示で{1}倉庫内の{4}の数量は利用できません DocType: Purchase Invoice,Get Advances Paid,立替金を取得 DocType: Item,Automatically Create New Batch,新しいバッチを自動的に作成する -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,作成 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,作成 DocType: Student Admission,Admission Start Date,入場開始日 DocType: Journal Entry,Total Amount in Words,合計の文字表記 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"エラーが発生しました。 @@ -1072,7 +1072,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Myカート apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},注文タイプは{0}のいずれかである必要があります DocType: Lead,Next Contact Date,次回連絡日 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,数量を開く -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,変更金額のためにアカウントを入力してください +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,変更金額のためにアカウントを入力してください DocType: Student Batch Name,Student Batch Name,学生バッチ名 DocType: Holiday List,Holiday List Name,休日リストの名前 DocType: Repayment Schedule,Balance Loan Amount,バランス融資額 @@ -1080,7 +1080,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ストックオプション DocType: Journal Entry Account,Expense Claim,経費請求 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,本当にこの廃棄資産を復元しますか? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},{0}用数量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},{0}用数量 DocType: Leave Application,Leave Application,休暇申請 apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,休暇割当ツール DocType: Leave Block List,Leave Block List Dates,休暇リスト日付 @@ -1130,7 +1130,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,に対して DocType: Item,Default Selling Cost Center,デフォルト販売コストセンター DocType: Sales Partner,Implementation Partner,導入パートナー -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,郵便番号 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,郵便番号 apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},受注{0}は{1}です DocType: Opportunity,Contact Info,連絡先情報 apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,在庫エントリを作成 @@ -1148,13 +1148,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,平均年齢 DocType: School Settings,Attendance Freeze Date,出席凍結日 DocType: Opportunity,Your sales person who will contact the customer in future,顧客を訪問する営業担当者 -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,サプライヤーの一部を一覧表示します。彼らは、組織や個人である可能性があります。 +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,サプライヤーの一部を一覧表示します。彼らは、組織や個人である可能性があります。 apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,すべての製品を見ます apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最小リード年齢(日) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,すべてのBOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,すべてのBOM DocType: Company,Default Currency,デフォルトの通貨 DocType: Expense Claim,From Employee,社員から -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告:{1}のアイテム{0} がゼロのため、システムは超過請求をチェックしません +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告:{1}のアイテム{0} がゼロのため、システムは超過請求をチェックしません DocType: Journal Entry,Make Difference Entry,差違エントリを作成 DocType: Upload Attendance,Attendance From Date,出勤開始日 DocType: Appraisal Template Goal,Key Performance Area,重要実行分野 @@ -1171,7 +1171,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,参照用の会社登録番号(例:税番号など) DocType: Sales Partner,Distributor,販売代理店 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ショッピングカート出荷ルール -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,受注キャンセルには製造指示{0}のキャンセルをしなければなりません +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,受注キャンセルには製造指示{0}のキャンセルをしなければなりません apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',設定」で追加の割引を適用」してください ,Ordered Items To Be Billed,支払予定注文済アイテム apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,範囲開始は範囲終了よりも小さくなければなりません @@ -1180,10 +1180,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,控除 DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,開始年 -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTINの最初の2桁は州番号{0}と一致する必要があります +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTINの最初の2桁は州番号{0}と一致する必要があります DocType: Purchase Invoice,Start date of current invoice's period,請求期限の開始日 DocType: Salary Slip,Leave Without Pay,無給休暇 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,キャパシティプランニングのエラー +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,キャパシティプランニングのエラー ,Trial Balance for Party,当事者用の試算表 DocType: Lead,Consultant,コンサルタント DocType: Salary Slip,Earnings,収益 @@ -1199,7 +1199,7 @@ DocType: Cheque Print Template,Payer Settings,支払人の設定 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",これはバリエーションのアイテムコードに追加されます。あなたの略称が「SM」であり、アイテムコードが「T-SHIRT」である場合は、バリエーションのアイテムコードは、「T-SHIRT-SM」になります DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,給与伝票を保存すると給与が表示されます。 DocType: Purchase Invoice,Is Return,返品 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,リターン/デビットノート +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,リターン/デビットノート DocType: Price List Country,Price List Country,価格表内の国 DocType: Item,UOMs,数量単位 apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},アイテム {1} の有効なシリアル番号 {0} @@ -1212,7 +1212,7 @@ DocType: Employee Loan,Partially Disbursed,部分的に支払わ apps/erpnext/erpnext/config/buying.py +38,Supplier database.,サプライヤーデータベース DocType: Account,Balance Sheet,貸借対照表 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',アイテムコードのあるアイテムのためのコストセンター -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",お支払いモードが設定されていません。アカウントが支払いのモードやPOSプロファイルに設定されているかどうか、確認してください。 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",お支払いモードが設定されていません。アカウントが支払いのモードやPOSプロファイルに設定されているかどうか、確認してください。 DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,営業担当者には、顧客訪問日にリマインドが表示されます。 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,同じアイテムを複数回入力することはできません。 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",アカウントはさらにグループの下に作成できますが、エントリは非グループに対して作成できます @@ -1240,7 +1240,7 @@ DocType: Employee Loan Application,Repayment Info,返済情報 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,「エントリ」は空にできません apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},行{0}は{1}と重複しています ,Trial Balance,試算表 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,年度は、{0}が見つかりません +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,年度は、{0}が見つかりません apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,従業員設定 DocType: Sales Order,SO-,そう- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,接頭辞を選択してください @@ -1255,11 +1255,11 @@ DocType: Grading Scale,Intervals,インターバル apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,最初 apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",同名のアイテムグループが存在しますので、アイテム名を変えるか、アイテムグループ名を変更してください apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,学生モバイル号 -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,その他の地域 +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,その他の地域 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,アイテム{0}はバッチを持てません ,Budget Variance Report,予算差異レポート DocType: Salary Slip,Gross Pay,給与総額 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,行{0}:活動タイプは必須です。 +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,行{0}:活動タイプは必須です。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,配当金支払額 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,会計元帳 DocType: Stock Reconciliation,Difference Amount,差額 @@ -1281,18 +1281,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,従業員の残休暇数 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},アカウントの残高は{0}は常に{1}でなければなりません apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},行{0}のアイテムには評価レートが必要です -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,例:コンピュータサイエンスの修士 +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,例:コンピュータサイエンスの修士 DocType: Purchase Invoice,Rejected Warehouse,拒否された倉庫 DocType: GL Entry,Against Voucher,対伝票 DocType: Item,Default Buying Cost Center,デフォルト購入コストセンター apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",ERPNextを最大限にするには、我々はあなたがいくつかの時間がかかるし、これらのヘルプビデオを見ることをお勧めします。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,へ +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,へ DocType: Supplier Quotation Item,Lead Time in days,リードタイム日数 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,買掛金の概要 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},{1}の{0}から給与の支払い +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},{1}の{0}から給与の支払い apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},凍結されたアカウント{0}を編集する権限がありません DocType: Journal Entry,Get Outstanding Invoices,未払いの請求を取得 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,受注{0}は有効ではありません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,受注{0}は有効ではありません apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,購買発注は、あなたの購入を計画し、フォローアップに役立ちます apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",企業はマージできません apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1314,8 +1314,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,間接経費 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,行{0}:数量は必須です apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,農業 -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,同期マスタデータ -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,あなたの製品またはサービス +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,同期マスタデータ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,あなたの製品またはサービス DocType: Mode of Payment,Mode of Payment,支払方法 apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,ウェブサイト画像は、公開ファイルまたはウェブサイトのURLを指定する必要があります DocType: Student Applicant,AP,AP @@ -1334,18 +1334,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,アイテムごとの税率 DocType: Student Group Student,Group Roll Number,グループロール番号 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0}には、別の借方エントリに対する貸方勘定のみリンクすることができます apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,すべてのタスクの重みの合計は1に応じて、すべてのプロジェクトのタスクの重みを調整してくださいする必要があります -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,納品書{0}は提出されていません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,納品書{0}は提出されていません apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,アイテム{0}は下請けアイテムでなければなりません apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,資本設備 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",価格設定ルールは、「適用」フィールドに基づき、アイテム、アイテムグループ、ブランドとすることができます。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,最初に商品コードを設定してください +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,最初に商品コードを設定してください DocType: Hub Settings,Seller Website,販売者のウェブサイト DocType: Item,ITEM-,項目- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,営業チームの割当率の合計は100でなければなりません DocType: Appraisal Goal,Goal,目標 DocType: Sales Invoice Item,Edit Description,説明編集 ,Team Updates,チームのアップデート -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,サプライヤー用 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,サプライヤー用 DocType: Account,Setting Account Type helps in selecting this Account in transactions.,アカウントタイプを設定すると、取引内で選択できるようになります DocType: Purchase Invoice,Grand Total (Company Currency),総合計(会社通貨) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,印刷形式を作成します。 @@ -1359,12 +1359,12 @@ DocType: Item,Website Item Groups,ウェブサイトのアイテムグループ DocType: Purchase Invoice,Total (Company Currency),計(会社通貨) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,シリアル番号{0}は複数回入力されています DocType: Depreciation Schedule,Journal Entry,仕訳 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,進行中の{0}アイテム +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,進行中の{0}アイテム DocType: Workstation,Workstation Name,作業所名 DocType: Grading Scale Interval,Grade Code,グレードコード DocType: POS Item Group,POS Item Group,POSアイテムのグループ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,メールダイジェスト: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},部品表 {0}はアイテム{1}に属していません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},部品表 {0}はアイテム{1}に属していません DocType: Sales Partner,Target Distribution,ターゲット区分 DocType: Salary Slip,Bank Account No.,銀行口座番号 DocType: Naming Series,This is the number of the last created transaction with this prefix,この接頭辞が付いた最新の取引番号です @@ -1421,7 +1421,7 @@ DocType: Quotation,Shopping Cart,カート apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,平均支出 DocType: POS Profile,Campaign,キャンペーン DocType: Supplier,Name and Type,名前とタイプ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',承認ステータスは「承認」または「拒否」でなければなりません +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',承認ステータスは「承認」または「拒否」でなければなりません DocType: Purchase Invoice,Contact Person,担当者 apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',「開始予定日」は、「終了予定日」より後にすることはできません DocType: Course Scheduling Tool,Course End Date,コース終了日 @@ -1433,8 +1433,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,れる好ましいメール apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,固定資産の純変動 DocType: Leave Control Panel,Leave blank if considered for all designations,全ての肩書を対象にする場合は空白のままにします -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}の料金タイプ「実費」はアイテムの料金に含めることはできません -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},最大:{0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}の料金タイプ「実費」はアイテムの料金に含めることはできません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},最大:{0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,開始日時 DocType: Email Digest,For Company,会社用 apps/erpnext/erpnext/config/support.py +17,Communication log.,通信ログ。 @@ -1476,7 +1476,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.",必要な業務 DocType: Journal Entry Account,Account Balance,口座残高 apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,取引のための税ルール DocType: Rename Tool,Type of document to rename.,名前を変更するドキュメント型 -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,このアイテムを購入する +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,このアイテムを購入する apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}:顧客は債権勘定に対して必要とされている{2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),租税公課合計(報告通貨) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,閉じられていない会計年度のP&L残高を表示 @@ -1487,7 +1487,7 @@ DocType: Quality Inspection,Readings,報告要素 DocType: Stock Entry,Total Additional Costs,追加費用合計 DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),スクラップ材料費(会社通貨) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,組立部品 +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,組立部品 DocType: Asset,Asset Name,資産名 DocType: Project,Task Weight,タスクの重さ DocType: Shipping Rule Condition,To Value,値 @@ -1516,7 +1516,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,アイテムバリエー DocType: Company,Services,サービス DocType: HR Settings,Email Salary Slip to Employee,従業員への電子メールの給与スリップ DocType: Cost Center,Parent Cost Center,親コストセンター -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,可能性のあるサプライヤーを選択 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,可能性のあるサプライヤーを選択 DocType: Sales Invoice,Source,ソース apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,クローズ済を表示 DocType: Leave Type,Is Leave Without Pay,無給休暇 @@ -1528,7 +1528,7 @@ DocType: POS Profile,Apply Discount,割引を適用します DocType: GST HSN Code,GST HSN Code,GST HSNコード DocType: Employee External Work History,Total Experience,実績合計 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,オープンプロジェクト -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,梱包伝票(S)をキャンセル +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,梱包伝票(S)をキャンセル apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,投資活動によるキャッシュフロー DocType: Program Course,Program Course,プログラムのコース apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,運送・転送料金 @@ -1570,9 +1570,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,プログラム加入契約 DocType: Sales Invoice Item,Brand Name,ブランド名 DocType: Purchase Receipt,Transporter Details,輸送業者詳細 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,デフォルトの倉庫は、選択した項目のために必要とされます -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,箱 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,可能性のあるサプライヤー +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,デフォルトの倉庫は、選択した項目のために必要とされます +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,箱 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,可能性のあるサプライヤー DocType: Budget,Monthly Distribution,月次配分 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,受領者リストが空です。受領者リストを作成してください DocType: Production Plan Sales Order,Production Plan Sales Order,製造計画受注 @@ -1604,7 +1604,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,会社経費 apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students",学生はシステムの心臓部である、すべての学生を追加します apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},行#{0}:クリアランス日付は{1} {2}小切手日前にすることはできません DocType: Company,Default Holiday List,デフォルト休暇リスト -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:の時間との時間から{1}と重なっている{2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:の時間との時間から{1}と重なっている{2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,在庫負債 DocType: Purchase Invoice,Supplier Warehouse,サプライヤー倉庫 DocType: Opportunity,Contact Mobile No,連絡先携帯番号 @@ -1620,18 +1620,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},休暇タイプ{0}は、{1}よりも長くすることはできません DocType: Manufacturing Settings,Try planning operations for X days in advance.,事前にX日の業務を計画してみてください DocType: HR Settings,Stop Birthday Reminders,誕生日リマインダを停止 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},当社ではデフォルトの給与支払ってくださいアカウントを設定してください{0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},当社ではデフォルトの給与支払ってくださいアカウントを設定してください{0} DocType: SMS Center,Receiver List,受領者リスト -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,探索項目 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,探索項目 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,消費額 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,現金の純変更 DocType: Assessment Plan,Grading Scale,評価尺度 apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,数量{0}が変換係数表に複数回記入されました。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,すでに完了 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,すでに完了 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,手持ちの在庫 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},支払い要求がすでに存在している{0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,課題アイテムの費用 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},数量は{0}以下でなければなりません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},数量は{0}以下でなければなりません apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,前会計年度が閉じられていません apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),期間(日) DocType: Quotation Item,Quotation Item,見積項目 @@ -1645,6 +1645,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,参照文書 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1}はキャンセルまたは停止しています DocType: Accounts Settings,Credit Controller,与信管理 +DocType: Sales Order,Final Delivery Date,最終納期 DocType: Delivery Note,Vehicle Dispatch Date,配車日 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,領収書{0}は提出されていません @@ -1734,9 +1735,9 @@ DocType: Employee,Date Of Retirement,退職日 DocType: Upload Attendance,Get Template,テンプレートを取得 DocType: Material Request,Transferred,転送された DocType: Vehicle,Doors,ドア -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNextのセットアップが完了! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNextのセットアップが完了! DocType: Course Assessment Criteria,Weightage,重み付け -DocType: Sales Invoice,Tax Breakup,税金分割 +DocType: Purchase Invoice,Tax Breakup,税金分割 DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:コストセンターは「損益」アカウント{2}のために必要とされます。会社のデフォルトのコストセンターを設定してください。 apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"同じ名前の顧客グループが存在します @@ -1750,14 +1751,14 @@ DocType: Announcement,Instructor,インストラクター DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",このアイテムにバリエーションがある場合、受注などで選択することができません DocType: Lead,Next Contact By,次回連絡 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},行{1}のアイテム{0}に必要な数量 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},行{1}のアイテム{0}に必要な数量 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},アイテム{1}が存在するため倉庫{0}を削除することができません DocType: Quotation,Order Type,注文タイプ DocType: Purchase Invoice,Notification Email Address,通知メールアドレス ,Item-wise Sales Register,アイテムごとの販売登録 DocType: Asset,Gross Purchase Amount,購入総額 DocType: Asset,Depreciation Method,減価償却法 -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,オフライン +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,オフライン DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,この税金が基本料金に含まれているか apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,ターゲット合計 DocType: Job Applicant,Applicant for a Job,求職者 @@ -1778,7 +1779,7 @@ DocType: Employee,Leave Encashed?,現金化された休暇? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,機会元フィールドは必須です DocType: Email Digest,Annual Expenses,年間費用 DocType: Item,Variants,バリエーション -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,発注を作成 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,発注を作成 DocType: SMS Center,Send To,送信先 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},休暇タイプ{0}のための休暇残が足りません DocType: Payment Reconciliation Payment,Allocated amount,割当額 @@ -1786,7 +1787,7 @@ DocType: Sales Team,Contribution to Net Total,合計額への貢献 DocType: Sales Invoice Item,Customer's Item Code,顧客のアイテムコード DocType: Stock Reconciliation,Stock Reconciliation,在庫棚卸 DocType: Territory,Territory Name,地域名 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,提出する前に作業中の倉庫が必要です +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,提出する前に作業中の倉庫が必要です apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,求職者 DocType: Purchase Order Item,Warehouse and Reference,倉庫と問い合わせ先 DocType: Supplier,Statutory info and other general information about your Supplier,サプライヤーに関する法定の情報とその他の一般情報 @@ -1797,16 +1798,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,査定 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},アイテム{0}に入力されたシリアル番号は重複しています DocType: Shipping Rule Condition,A condition for a Shipping Rule,出荷ルールの条件 apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,入力してください -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行の項目{0}のoverbillできません{1}より{2}。過剰請求を許可するには、[設定]を購入するに設定してください -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,アイテムまたは倉庫に基づくフィルタを設定してください +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行の項目{0}のoverbillできません{1}より{2}。過剰請求を許可するには、[設定]を購入するに設定してください +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,アイテムまたは倉庫に基づくフィルタを設定してください DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),この梱包の正味重量。 (自動にアイテムの正味重量の合計が計算されます。) DocType: Sales Order,To Deliver and Bill,配送・請求する DocType: Student Group,Instructors,インストラクター DocType: GL Entry,Credit Amount in Account Currency,アカウント通貨での貸方金額 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,部品表{0}を登録しなければなりません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,部品表{0}を登録しなければなりません DocType: Authorization Control,Authorization Control,認証コントロール apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:倉庫拒否は却下されたアイテムに対して必須である{1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,支払 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,支払 apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",{0}倉庫はどの勘定にもリンクされていませんので、倉庫レコードにその勘定を記載するか、{1}社のデフォルト在庫勘定を設定してください。 apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,ご注文を管理します DocType: Production Order Operation,Actual Time and Cost,実際の時間とコスト @@ -1822,12 +1823,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,販売 DocType: Quotation Item,Actual Qty,実際の数量 DocType: Sales Invoice Item,References,参照 DocType: Quality Inspection Reading,Reading 10,報告要素10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",あなたが購入または売却する製品やサービスの一覧を表示します。あなたが起動したときに項目グループ、測定およびその他のプロパティの単位を確認してください。 +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",あなたが購入または売却する製品やサービスの一覧を表示します。あなたが起動したときに項目グループ、測定およびその他のプロパティの単位を確認してください。 DocType: Hub Settings,Hub Node,ハブノード apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,同じ商品が重複入力されました。修正してやり直してください apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,同僚 +DocType: Company,Sales Target,販売目標 DocType: Asset Movement,Asset Movement,アセット・ムーブメント -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,新しいカート +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,新しいカート apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,アイテム{0}にはシリアル番号が付与されていません DocType: SMS Center,Create Receiver List,受領者リストを作成 DocType: Vehicle,Wheels,車輪 @@ -1868,13 +1870,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,プロジェクト DocType: Supplier,Supplier of Goods or Services.,物品やサービスのサプライヤー DocType: Budget,Fiscal Year,会計年度 DocType: Vehicle Log,Fuel Price,燃料価格 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,セットアップ>ナンバリングシリーズで出席者用のナンバリングシリーズをセットアップしてください DocType: Budget,Budget,予算 apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,固定資産の項目は非在庫項目でなければなりません。 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",収入または支出でない予算は、{0} に対して割り当てることができません apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,達成 DocType: Student Admission,Application Form Route,申込書ルート apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,地域/顧客 -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,例「5」 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,例「5」 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,それは無給のままにされているので、タイプは{0}を割り当てることができないままに apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},行{0}:割り当て額 {1} は未払請求額{2}以下である必要があります。 DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,請求書を保存すると表示される表記内。 @@ -1883,11 +1886,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,アイテム{0}にはシリアル番号が設定されていません。アイテムマスタを確認してください。 DocType: Maintenance Visit,Maintenance Time,メンテナンス時間 ,Amount to Deliver,配送額 -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,製品またはサービス +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,製品またはサービス apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,期間開始日は、用語がリンクされている年度の年度開始日より前にすることはできません(アカデミック・イヤー{})。日付を訂正して、もう一度お試しください。 DocType: Guardian,Guardian Interests,ガーディアン興味 DocType: Naming Series,Current Value,現在の値 -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,日付 {0} には複数の会計年度が存在します。会計年度に会社を設定してください +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,日付 {0} には複数の会計年度が存在します。会計年度に会社を設定してください apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} 作成 DocType: Delivery Note Item,Against Sales Order,対受注書 ,Serial No Status,シリアル番号ステータス @@ -1900,7 +1903,7 @@ DocType: Pricing Rule,Selling,販売 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},量は{0} {1} {2}に対する控除します DocType: Employee,Salary Information,給与情報 DocType: Sales Person,Name and Employee ID,名前と従業員ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,期限日を転記日付より前にすることはできません +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,期限日を転記日付より前にすることはできません DocType: Website Item Group,Website Item Group,ウェブサイトの項目グループ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,関税と税金 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,基準日を入力してください @@ -1956,9 +1959,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},従業員{0}の参加日を設定してください DocType: Task,Total Billing Amount (via Time Sheet),合計請求金額(タイムシートを介して) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,リピート顧客の収益 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0}({1})は「経費承認者」の権限を持っている必要があります -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,組 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,生産のためのBOMと数量を選択 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0}({1})は「経費承認者」の権限を持っている必要があります +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,組 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,生産のためのBOMと数量を選択 DocType: Asset,Depreciation Schedule,減価償却スケジュール apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,セールスパートナーのアドレスと連絡先 DocType: Bank Reconciliation Detail,Against Account,アカウントに対して @@ -1968,7 +1971,7 @@ DocType: Item,Has Batch No,バッチ番号あり apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},年次請求:{0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),財およびサービス税(GSTインド) DocType: Delivery Note,Excise Page Number,物品税ページ番号 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",当社は、日付から現在までには必須です +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",当社は、日付から現在までには必須です DocType: Asset,Purchase Date,購入日 DocType: Employee,Personal Details,個人情報詳細 apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},会社の「資産減価償却原価センタ 'を設定してください{0} @@ -1977,9 +1980,9 @@ DocType: Task,Actual End Date (via Time Sheet),(タイムシートを介して apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},量{0} {1} {2} {3}に対して、 ,Quotation Trends,見積傾向 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},アイテム{0}のアイテムマスターにはアイテムグループが記載されていません -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,借方計上は売掛金勘定でなければなりません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,借方計上は売掛金勘定でなければなりません DocType: Shipping Rule Condition,Shipping Amount,出荷量 -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,顧客を追加する +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,顧客を追加する apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,保留中の金額 DocType: Purchase Invoice Item,Conversion Factor,換算係数 DocType: Purchase Order,Delivered,納品済 @@ -2001,7 +2004,6 @@ DocType: Production Order,Use Multi-Level BOM,マルチレベルの部品表を DocType: Bank Reconciliation,Include Reconciled Entries,照合済のエントリを含む DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",親コース(親コースの一部でない場合は空欄にしてください) DocType: Leave Control Panel,Leave blank if considered for all employee types,全従業員タイプを対象にする場合は空白のままにします -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー DocType: Landed Cost Voucher,Distribute Charges Based On,支払按分基準 apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,タイムシート DocType: HR Settings,HR Settings,人事設定 @@ -2009,7 +2011,7 @@ DocType: Salary Slip,net pay info,ネット有料情報 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,経費請求は承認待ちです。経費承認者のみ、ステータスを更新することができます。 DocType: Email Digest,New Expenses,新しい経費 DocType: Purchase Invoice,Additional Discount Amount,追加割引額 -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:項目は固定資産であるとして数量は、1でなければなりません。複数の数量のための個別の行を使用してください。 +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:項目は固定資産であるとして数量は、1でなければなりません。複数の数量のための個別の行を使用してください。 DocType: Leave Block List Allow,Leave Block List Allow,許可する休暇リスト apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,略称は、空白またはスペースにすることはできません apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,グループから非グループ @@ -2017,7 +2019,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,スポーツ DocType: Loan Type,Loan Name,ローン名前 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,実費計 DocType: Student Siblings,Student Siblings,学生兄弟 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,単位 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,単位 apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,会社を指定してください ,Customer Acquisition and Loyalty,顧客獲得とロイヤルティ DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,返品を保管する倉庫 @@ -2035,12 +2037,12 @@ DocType: Workstation,Wages per hour,時間あたり賃金 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},倉庫 {3} のアイテム {2} ではバッチ {0} の在庫残高がマイナス {1} になります apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,以下の資料の要求は、アイテムの再オーダーレベルに基づいて自動的に提起されています DocType: Email Digest,Pending Sales Orders,保留中の受注 -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},アカウント{0}は無効です。アカウントの通貨は{1}でなければなりません +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},アカウント{0}は無効です。アカウントの通貨は{1}でなければなりません apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},行{0}には数量単位変換係数が必要です DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:リファレンスドキュメントタイプは受注、納品書や仕訳のいずれかでなければなりません DocType: Salary Component,Deduction,控除 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,行{0}:時間との時間からは必須です。 +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,行{0}:時間との時間からは必須です。 DocType: Stock Reconciliation Item,Amount Difference,量差 apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},価格表{1}の{0}にアイテム価格を追加しました apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,営業担当者の従業員IDを入力してください @@ -2050,11 +2052,11 @@ DocType: Project,Gross Margin,売上総利益 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,最初の生産アイテムを入力してください apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,計算された銀行報告書の残高 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,無効なユーザー -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,見積 +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,見積 DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,控除合計 ,Production Analytics,生産分析 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,費用更新 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,費用更新 DocType: Employee,Date of Birth,生年月日 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,アイテム{0}はすでに返品されています DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,「会計年度」は、会計年度を表します。すべての会計記帳および他の主要な取引は、「会計年度」に対して記録されます。 @@ -2099,18 +2101,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,会社を選択... DocType: Leave Control Panel,Leave blank if considered for all departments,全部門が対象の場合は空白のままにします apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",雇用タイプ(正社員、契約社員、インターンなど) -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0}はアイテム{1}に必須です +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0}はアイテム{1}に必須です DocType: Process Payroll,Fortnightly,2週間ごとの DocType: Currency Exchange,From Currency,通貨から apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",割当額、請求タイプ、請求書番号を少なくとも1つの行から選択してください apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,新規購入のコスト -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},受注に必要な項目{0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},受注に必要な項目{0} DocType: Purchase Invoice Item,Rate (Company Currency),レート(報告通貨) DocType: Student Guardian,Others,その他 DocType: Payment Entry,Unallocated Amount,未割り当て額 apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,一致する項目が見つかりません。 {0}のために他の値を選択してください。 DocType: POS Profile,Taxes and Charges,租税公課 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",製品またはサービスは、購入・販売あるいは在庫です。 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,これ以上のアップデートはありません apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,最初の行には、「前行の数量」「前行の合計」などの料金タイプを選択することはできません apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,子アイテムは、製品バンドルであってはなりません。項目を削除 `{0} 'と保存してください @@ -2136,7 +2139,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,総請求額 apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,これを動作させるために、有効にデフォルトの着信電子メールアカウントが存在する必要があります。してくださいセットアップデフォルトの着信メールアカウント(POP / IMAP)、再試行してください。 apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,売掛金勘定 -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},行#{0}:アセット{1} {2}既にあります +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},行#{0}:アセット{1} {2}既にあります DocType: Quotation Item,Stock Balance,在庫残高 apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,受注からの支払 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,最高経営責任者(CEO) @@ -2161,10 +2164,11 @@ DocType: C-Form,Received Date,受信日 DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",販売租税公課テンプレート内の標準テンプレートを作成した場合、いずれかを選択して、下のボタンをクリックしてください DocType: BOM Scrap Item,Basic Amount (Company Currency),基本額(会社通貨) DocType: Student,Guardians,ガーディアン +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,サプライヤ>サプライヤタイプ DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,価格表が設定されていない場合の価格は表示されません apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,配送ルールに国を指定するか、全世界出荷をチェックしてください DocType: Stock Entry,Total Incoming Value,収入価値合計 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,デビットへが必要とされます +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,デビットへが必要とされます apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",タイムシートは、あなたのチームによって行わのactivitesのための時間、コストおよび課金を追跡するのに役立ち apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,仕入価格表 DocType: Offer Letter Term,Offer Term,雇用契約条件 @@ -2183,11 +2187,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,商 DocType: Timesheet Detail,To Time,終了時間 DocType: Authorization Rule,Approving Role (above authorized value),役割を承認(許可値以上) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,「貸方へ」アカウントは買掛金でなければなりません -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},部品表再帰:{0} {2}の親または子にすることはできません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},部品表再帰:{0} {2}の親または子にすることはできません DocType: Production Order Operation,Completed Qty,完成した数量 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0}には、別の貸方エントリに対する借方勘定のみリンクすることができます apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,価格表{0}は無効になっています -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},行{0}:完了数量は{2}操作{1}を超えることはできません +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},行{0}:完了数量は{2}操作{1}を超えることはできません DocType: Manufacturing Settings,Allow Overtime,残業を許可 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",在庫調整を使用してシリアライズされたアイテム{0}を更新することはできません。ストックエントリー DocType: Training Event Employee,Training Event Employee,トレーニングイベント従業員 @@ -2205,10 +2209,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,外部 apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ユーザーと権限 DocType: Vehicle Log,VLOG.,VLOG。 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},作成された製造指図:{0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},作成された製造指図:{0} DocType: Branch,Branch,支社・支店 DocType: Guardian,Mobile Number,携帯電話番号 apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,印刷とブランディング +DocType: Company,Total Monthly Sales,月間総売上高 DocType: Bin,Actual Quantity,実際の数量 DocType: Shipping Rule,example: Next Day Shipping,例:翌日発送 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,シリアル番号 {0} は見つかりません @@ -2238,7 +2243,7 @@ DocType: Payment Request,Make Sales Invoice,納品書を作成 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,ソフト apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,次の連絡先の日付は、過去にすることはできません DocType: Company,For Reference Only.,参考用 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,バッチ番号を選択 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,バッチ番号を選択 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},無効な{0}:{1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,前払額 @@ -2251,7 +2256,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},バーコード{0}のアイテムはありません apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,ケース番号は0にすることはできません DocType: Item,Show a slideshow at the top of the page,ページの上部にスライドショーを表示 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,部品表 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,部品表 apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,店舗 DocType: Serial No,Delivery Time,納品時間 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,エイジング基準 @@ -2265,16 +2270,16 @@ DocType: Rename Tool,Rename Tool,ツール名称変更 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,費用更新 DocType: Item Reorder,Item Reorder,アイテム再注文 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,ショー給与スリップ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,資材配送 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,資材配送 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",「運用」には「運用コスト」「固有の運用番号」を指定してください。 apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,この文書では、アイテム{4}の{0} {1}によって限界を超えています。あなたが作っている同じに対して別の{3} {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,保存した後、繰り返し設定をしてください -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,変化量のアカウントを選択 +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,保存した後、繰り返し設定をしてください +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,変化量のアカウントを選択 DocType: Purchase Invoice,Price List Currency,価格表の通貨 DocType: Naming Series,User must always select,ユーザーは常に選択する必要があります DocType: Stock Settings,Allow Negative Stock,マイナス在庫を許可 DocType: Installation Note,Installation Note,設置票 -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,税金を追加 +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,税金を追加 DocType: Topic,Topic,トピック apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,財務活動によるキャッシュフロー DocType: Budget Account,Budget Account,予算アカウント @@ -2289,7 +2294,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ト apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),資金源泉(負債) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},行の数量{0}({1})で製造量{2}と同じでなければなりません DocType: Appraisal,Employee,従業員 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,バッチを選択 +DocType: Company,Sales Monthly History,販売月間の履歴 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,バッチを選択 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1}は支払済です DocType: Training Event,End Time,終了時間 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,与えられた日付の従業員{1}が見つかりアクティブ給与構造{0} @@ -2297,15 +2303,14 @@ DocType: Payment Entry,Payment Deductions or Loss,支払控除や損失 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,販売・仕入用の標準的な契約条件 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,伝票によるグループ apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,セールスパイプライン -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},給与コンポーネントのデフォルトアカウントを設定してください{0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},給与コンポーネントのデフォルトアカウントを設定してください{0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,必要な箇所 DocType: Rename Tool,File to Rename,名前を変更するファイル apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},行 {0} 内のアイテムの部品表(BOM)を選択してください apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},アカウント{0}は、アカウントモードで{1}の会社と一致しません:{2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},アイテム{1}には、指定した部品表{0}が存在しません -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、メンテナンス予定{0}をキャンセルしなければなりません +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、メンテナンス予定{0}をキャンセルしなければなりません DocType: Notification Control,Expense Claim Approved,経費請求を承認 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,セットアップ>ナンバリングシリーズで出席者用のナンバリングシリーズをセットアップしてください apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,従業員の給与スリップ{0}はすでにこの期間のために作成します apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,医薬品 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,仕入アイテムの費用 @@ -2322,7 +2327,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,完成品アイテ DocType: Upload Attendance,Attendance To Date,出勤日 DocType: Warranty Claim,Raised By,要求者 DocType: Payment Gateway Account,Payment Account,支払勘定 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,続行する会社を指定してください +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,続行する会社を指定してください apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,売掛金の純変更 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,代償オフ DocType: Offer Letter,Accepted,承認済 @@ -2331,12 +2336,12 @@ DocType: SG Creation Tool Course,Student Group Name,学生グループ名 apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,本当にこの会社のすべての取引を削除するか確認してください。マスタデータは残ります。このアクションは、元に戻すことはできません。 DocType: Room,Room Number,部屋番号 apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},無効な参照 {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0}({1})は製造指示{3}において計画数量({2})より大きくすることはできません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0}({1})は製造指示{3}において計画数量({2})より大きくすることはできません DocType: Shipping Rule,Shipping Rule Label,出荷ルールラベル apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ユーザーフォーラム -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,原材料は空白にできません。 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.",請求書は、ドロップシッピングの項目を含む、株式を更新できませんでした。 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,クイック仕訳エントリー +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,原材料は空白にできません。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.",請求書は、ドロップシッピングの項目を含む、株式を更新できませんでした。 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,クイック仕訳エントリー apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,アイテムに対して部品表が記載されている場合は、レートを変更することができません DocType: Employee,Previous Work Experience,前職歴 DocType: Stock Entry,For Quantity,数量 @@ -2393,7 +2398,7 @@ DocType: SMS Log,No of Requested SMS,要求されたSMSの数 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,承認された休暇申請の記録と一致しない無給休暇 DocType: Campaign,Campaign-.####,キャンペーン。#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,次のステップ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,可能な限り最高のレートで指定した項目を入力してください +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,可能な限り最高のレートで指定した項目を入力してください DocType: Selling Settings,Auto close Opportunity after 15 days,15日後にオートクローズ機会 apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,終了年 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,見積もり/リード% @@ -2457,7 +2462,7 @@ DocType: Homepage,Homepage,ホームページ DocType: Purchase Receipt Item,Recd Quantity,受領数量 apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},作成したフィーレコード - {0} DocType: Asset Category Account,Asset Category Account,資産カテゴリーアカウント -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},受注数{1}より多くのアイテム{0}を製造することはできません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},受注数{1}より多くのアイテム{0}を製造することはできません apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,在庫エントリ{0}は提出されていません DocType: Payment Reconciliation,Bank / Cash Account,銀行/現金勘定 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,次の接触によっては、リードメールアドレスと同じにすることはできません @@ -2490,7 +2495,7 @@ DocType: Salary Structure,Total Earning,収益合計 DocType: Purchase Receipt,Time at which materials were received,資材受領時刻 DocType: Stock Ledger Entry,Outgoing Rate,出庫率 apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,組織支部マスター。 -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,または +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,または DocType: Sales Order,Billing Status,課金状況 apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,課題をレポート apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,水道光熱費 @@ -2498,7 +2503,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,行#{0}:仕訳は、{1}アカウント{2}を持っているか、すでに別のバウチャーに対して一致しません DocType: Buying Settings,Default Buying Price List,デフォルト購入価格表 DocType: Process Payroll,Salary Slip Based on Timesheet,タイムシートに基づいて給与スリップ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,上記の選択基準又は給与のスリップには従業員がすでに作成されていません +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,上記の選択基準又は給与のスリップには従業員がすでに作成されていません DocType: Notification Control,Sales Order Message,受注メッセージ apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",会社、通貨、会計年度などのデフォルト値を設定 DocType: Payment Entry,Payment Type,支払タイプ @@ -2522,7 +2527,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,領収書の文書を提出しなければなりません DocType: Purchase Invoice Item,Received Qty,受領数 DocType: Stock Entry Detail,Serial No / Batch,シリアル番号/バッチ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,有料とNot配信されません +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,有料とNot配信されません DocType: Product Bundle,Parent Item,親アイテム DocType: Account,Account Type,アカウントタイプ DocType: Delivery Note,DN-RET-,DN-RET- @@ -2552,8 +2557,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,総配分される金額 apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,永続在庫のデフォルト在庫アカウントの設定 DocType: Item Reorder,Material Request Type,資材要求タイプ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} {1}への給与Accural仕訳 -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save",localStorageがいっぱいになった、保存されませんでした +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},{0} {1}への給与Accural仕訳 +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",localStorageがいっぱいになった、保存されませんでした apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,行{0}:数量単位(UOM)換算係数は必須です apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,参照 DocType: Budget,Cost Center,コストセンター @@ -2571,7 +2576,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,所 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",選択した価格設定ルールが「価格」のために作られている場合は、価格表が上書きされます。価格設定ルールの価格は最終的な価格なので、以降は割引が適用されるべきではありません。したがって、受注、発注書などのような取引内では「価格表レート」フィールドよりも「レート」フィールドで取得されます。 apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,業種によってリードを追跡 DocType: Item Supplier,Item Supplier,アイテムサプライヤー -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,バッチ番号を取得するためにアイテムコードを入力をしてください +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,バッチ番号を取得するためにアイテムコードを入力をしてください apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},{0} quotation_to {1} の値を選択してください apps/erpnext/erpnext/config/selling.py +46,All Addresses.,全ての住所。 DocType: Company,Stock Settings,在庫設定 @@ -2598,7 +2603,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,トランザクショ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},{0}と{1}の間で見つかりませ給与スリップません ,Pending SO Items For Purchase Request,仕入要求のため保留中の受注アイテム apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,学生の入学 -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} は無効になっています +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} は無効になっています DocType: Supplier,Billing Currency,請求通貨 DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,XL @@ -2628,7 +2633,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,申請状況 DocType: Fees,Fees,料金 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,別通貨に変換するための為替レートを指定 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,見積{0}はキャンセルされました +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,見積{0}はキャンセルされました apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,残高合計 DocType: Sales Partner,Targets,ターゲット DocType: Price List,Price List Master,価格表マスター @@ -2645,7 +2650,7 @@ DocType: POS Profile,Ignore Pricing Rule,価格設定ルールを無視 DocType: Employee Education,Graduate,大卒 DocType: Leave Block List,Block Days,ブロック日数 DocType: Journal Entry,Excise Entry,消費税エントリ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},警告:受注 {0} は受注 {1} に既に存在します +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},警告:受注 {0} は受注 {1} に既に存在します DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2682,7 +2687,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),同 ,Salary Register,給与登録 DocType: Warehouse,Parent Warehouse,親倉庫 DocType: C-Form Invoice Detail,Net Total,差引計 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},アイテム{0}およびプロジェクト{1}にデフォルトBOMが見つかりません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},アイテム{0}およびプロジェクト{1}にデフォルトBOMが見つかりません apps/erpnext/erpnext/config/hr.py +163,Define various loan types,様々なローンのタイプを定義します DocType: Bin,FCFS Rate,FCFSレート DocType: Payment Reconciliation Invoice,Outstanding Amount,残高 @@ -2719,7 +2724,7 @@ DocType: Salary Detail,Condition and Formula Help,条件と式のヘルプ apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,地域ツリーを管理 DocType: Journal Entry Account,Sales Invoice,請求書 DocType: Journal Entry Account,Party Balance,当事者残高 -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,「割引を適用」を選択してください +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,「割引を適用」を選択してください DocType: Company,Default Receivable Account,デフォルト売掛金勘定 DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,上記選択条件に支払われる総給与のための銀行エントリを作成 DocType: Stock Entry,Material Transfer for Manufacture,製造用資材移送 @@ -2733,7 +2738,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,顧客の住所 DocType: Employee Loan,Loan Details,ローン詳細 DocType: Company,Default Inventory Account,デフォルトの在庫アカウント -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,行{0}:完了数量はゼロより大きくなければなりません。 +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,行{0}:完了数量はゼロより大きくなければなりません。 DocType: Purchase Invoice,Apply Additional Discount On,追加割引に適用 DocType: Account,Root Type,ルートタイプ DocType: Item,FIFO,FIFO @@ -2750,7 +2755,7 @@ DocType: Purchase Invoice Item,Quality Inspection,品質検査 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,XS DocType: Company,Standard Template,標準テンプレート DocType: Training Event,Theory,理論 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,警告:資材要求数が注文最小数を下回っています。 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,警告:資材要求数が注文最小数を下回っています。 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,アカウント{0}は凍結されています DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,組織内で別々の勘定科目を持つ法人/子会社 DocType: Payment Request,Mute Email,ミュートメール @@ -2774,7 +2779,7 @@ DocType: Training Event,Scheduled,スケジュール設定済 apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,見積を依頼 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",「在庫アイテム」が「いいえ」であり「販売アイテム」が「はい」であり他の製品付属品が無いアイテムを選択してください。 DocType: Student Log,Academic,アカデミック -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),注文に対する総事前({0}){1}({2})総合計よりも大きくすることはできません。 +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),注文に対する総事前({0}){1}({2})総合計よりも大きくすることはできません。 DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,月をまたがってターゲットを不均等に配分するには、「月次配分」を選択してください DocType: Purchase Invoice Item,Valuation Rate,評価額 DocType: Stock Reconciliation,SR/,SR / @@ -2838,6 +2843,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,量/額 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,問い合わせの内容がキャンペーンの場合は、キャンペーンの名前を入力してください apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,新聞社 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,会計年度を選択 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,予定納期は受注日の後でなければなりません apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,再注文レベル DocType: Company,Chart Of Accounts Template,アカウントテンプレートのチャート DocType: Attendance,Attendance Date,出勤日 @@ -2869,7 +2875,7 @@ DocType: Pricing Rule,Discount Percentage,割引率 DocType: Payment Reconciliation Invoice,Invoice Number,請求番号 DocType: Shopping Cart Settings,Orders,注文 DocType: Employee Leave Approver,Leave Approver,休暇承認者 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,バッチを選択してください +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,バッチを選択してください DocType: Assessment Group,Assessment Group Name,評価グループ名 DocType: Manufacturing Settings,Material Transferred for Manufacture,製造用移送資材 DocType: Expense Claim,"A user with ""Expense Approver"" role",「経費承認者」の役割を持つユーザー @@ -2905,7 +2911,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,次月末日 DocType: Support Settings,Auto close Issue after 7 days,7日後にオートクローズ号 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",前に割り当てることができないままに、{0}、休暇バランスが既にキャリー転送将来の休暇の割り当てレコードであったように{1} -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),注:支払期限/基準日の超過は顧客の信用日数{0}日間許容されます +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),注:支払期限/基準日の超過は顧客の信用日数{0}日間許容されます apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,学生申請者 DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,受取人のためのオリジナル DocType: Asset Category Account,Accumulated Depreciation Account,減価償却累計額勘定 @@ -2916,7 +2922,7 @@ DocType: Item,Reorder level based on Warehouse,倉庫ごとの再注文レベル DocType: Activity Cost,Billing Rate,請求単価 ,Qty to Deliver,配送数 ,Stock Analytics,在庫分析 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,操作は空白のままにすることはできません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,操作は空白のままにすることはできません DocType: Maintenance Visit Purpose,Against Document Detail No,文書詳細番号に対して apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,パーティーの種類は必須です DocType: Quality Inspection,Outgoing,支出 @@ -2957,15 +2963,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,倉庫の利用可能数量 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,請求金額 DocType: Asset,Double Declining Balance,ダブル定率 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,完了した注文はキャンセルすることはできません。キャンセルするには完了を解除してください +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,完了した注文はキャンセルすることはできません。キャンセルするには完了を解除してください DocType: Student Guardian,Father,お父さん -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,「アップデート証券は「固定資産売却をチェックすることはできません +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,「アップデート証券は「固定資産売却をチェックすることはできません DocType: Bank Reconciliation,Bank Reconciliation,銀行勘定調整 DocType: Attendance,On Leave,休暇中 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,アップデートを入手 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}:アカウントは、{2}会社に所属していない{3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,資材要求{0}はキャンセルまたは停止されています -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,いくつかのサンプルレコードを追加 +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,いくつかのサンプルレコードを追加 apps/erpnext/erpnext/config/hr.py +301,Leave Management,休暇管理 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,勘定によるグループ DocType: Sales Order,Fully Delivered,全て納品済 @@ -2974,12 +2980,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",この在庫棚卸が繰越エントリであるため、差異勘定は資産/負債タイプのアカウントである必要があります apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},支出額は、ローン額を超えることはできません{0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},アイテム{0}には発注番号が必要です -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,製造指図が作成されていません +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,製造指図が作成されていません apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',「終了日」は「開始日」の後にしてください。 apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},学生としてのステータスを変更することはできません{0}学生のアプリケーションとリンクされている{1} DocType: Asset,Fully Depreciated,完全に減価償却 ,Stock Projected Qty,予測在庫数 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},顧客{0}はプロジェクト{1}に属していません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},顧客{0}はプロジェクト{1}に属していません DocType: Employee Attendance Tool,Marked Attendance HTML,著しい出席HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",名言は、あなたの顧客に送られてきた入札提案されています DocType: Sales Order,Customer's Purchase Order,顧客の購入注文 @@ -2989,7 +2995,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,予約された減価償却の数を設定してください apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,値または数量 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,プロダクションの注文がために提起することができません。 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,分 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,分 DocType: Purchase Invoice,Purchase Taxes and Charges,購入租税公課 ,Qty to Receive,受領数 DocType: Leave Block List,Leave Block List Allowed,許可済休暇リスト @@ -3002,7 +3008,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,全てのサプライヤータイプ DocType: Global Defaults,Disable In Words,文字表記無効 apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,アイテムは自動的に採番されていないため、アイテムコードが必須です -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},見積{0}はタイプ{1}ではありません +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},見積{0}はタイプ{1}ではありません DocType: Maintenance Schedule Item,Maintenance Schedule Item,メンテナンス予定アイテム DocType: Sales Order,% Delivered,%納品済 DocType: Production Order,PRO-,プロ- @@ -3025,7 +3031,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,販売者のメール DocType: Project,Total Purchase Cost (via Purchase Invoice),総仕入費用(仕入請求書経由) DocType: Training Event,Start Time,開始時間 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,数量を選択 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,数量を選択 DocType: Customs Tariff Number,Customs Tariff Number,関税番号 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,承認役割は、ルール適用対象役割と同じにすることはできません apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,このメールダイジェストから解除 @@ -3049,7 +3055,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR詳細 DocType: Sales Order,Fully Billed,全て記帳済 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,手持ちの現金 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},在庫アイテム{0}には配送倉庫が必要です +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},在庫アイテム{0}には配送倉庫が必要です DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),梱包の総重量は通常、正味重量+梱包材重量です (印刷用) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,プログラム DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,この役割を持つユーザーは、口座の凍結と、凍結口座に対しての会計エントリーの作成/修正が許可されています @@ -3058,7 +3064,7 @@ DocType: Student Group,Group Based On,グループベース DocType: Journal Entry,Bill Date,ビル日 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required",サービスアイテム、種類、頻度や出費の量が必要とされています apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",最高優先度を持つ複数の価格設定ルールがあった場合でも、次の内部優先順位が適用されます -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},あなたは本当に{0}から{1}へのすべての給与のスリップを登録しますか +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},あなたは本当に{0}から{1}へのすべての給与のスリップを登録しますか DocType: Cheque Print Template,Cheque Height,小切手の高さ DocType: Supplier,Supplier Details,サプライヤー詳細 DocType: Expense Claim,Approval Status,承認ステータス @@ -3080,7 +3086,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,見積へのリー apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,これ以上表示するものがありません DocType: Lead,From Customer,顧客から apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,電話 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,バッチ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,バッチ DocType: Project,Total Costing Amount (via Time Logs),総原価額(時間ログ経由) DocType: Purchase Order Item Supplied,Stock UOM,在庫単位 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,発注{0}は提出されていません @@ -3111,7 +3117,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,仕入請求書に対 DocType: Item,Warranty Period (in days),保証期間(日数) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1との関係 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,事業からの純キャッシュ・フロー -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,例「付加価値税(VAT)」 +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,例「付加価値税(VAT)」 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,アイテム4 DocType: Student Admission,Admission End Date,アドミッション終了日 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,サブ契約 @@ -3119,7 +3125,7 @@ DocType: Journal Entry Account,Journal Entry Account,仕訳勘定 apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,学生グループ DocType: Shopping Cart Settings,Quotation Series,見積シリーズ apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",同名のアイテム({0})が存在しますので、アイテムグループ名を変えるか、アイテム名を変更してください -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,顧客を選択してください +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,顧客を選択してください DocType: C-Form,I,私 DocType: Company,Asset Depreciation Cost Center,資産減価償却コストセンター DocType: Sales Order Item,Sales Order Date,受注日 @@ -3130,6 +3136,7 @@ DocType: Stock Settings,Limit Percent,リミットパーセント ,Payment Period Based On Invoice Date,請求書の日付に基づく支払期間 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0}用の為替レートがありません DocType: Assessment Plan,Examiner,審査官 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,セットアップ>設定>ネーミングシリーズで{0}のネーミングシリーズを設定してください DocType: Student,Siblings,同胞種 DocType: Journal Entry,Stock Entry,在庫エントリー DocType: Payment Entry,Payment References,支払参照 @@ -3154,7 +3161,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,製造作業が行なわれる場所 DocType: Asset Movement,Source Warehouse,出庫元 DocType: Installation Note,Installation Date,設置日 -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},行#{0}:アセット{1}の会社に属していない{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},行#{0}:アセット{1}の会社に属していない{2} DocType: Employee,Confirmation Date,確定日 DocType: C-Form,Total Invoiced Amount,請求額合計 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,最小個数は最大個数を超えることはできません @@ -3227,7 +3234,7 @@ DocType: Company,Default Letter Head,デフォルトレターヘッド DocType: Purchase Order,Get Items from Open Material Requests,実行中の資材要求からアイテムを取得 DocType: Item,Standard Selling Rate,標準販売レート DocType: Account,Rate at which this tax is applied,この税金が適用されるレート -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,再注文数量 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,再注文数量 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,現在の求人 DocType: Company,Stock Adjustment Account,在庫調整勘定 apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,償却 @@ -3241,7 +3248,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,サプライヤーから顧客に配送 apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#フォーム/商品/ {0})在庫切れです apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,次の日は、転記日付よりも大きくなければなりません -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},期限/基準日は{0}より後にすることはできません +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},期限/基準日は{0}より後にすることはできません apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,データインポート・エクスポート apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,いいえ学生は見つかりませんでした apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,請求書の転記日付 @@ -3261,12 +3268,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,これは、この生徒の出席に基づいています apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,学生はいない apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,複数のアイテムまたは全開フォームを追加 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',「納品予定日」を入力してください -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、納品書{0}をキャンセルしなければなりません +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、納品書{0}をキャンセルしなければなりません apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,支払額+償却額は総計を超えることはできません apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0}はアイテム{1}に対して有効なバッチ番号ではありません apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},注:休暇タイプ{0}のための休暇残高が足りません -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,登録されていないGSTINが無効またはNAを入力してください +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,登録されていないGSTINが無効またはNAを入力してください DocType: Training Event,Seminar,セミナー DocType: Program Enrollment Fee,Program Enrollment Fee,プログラム登録料 DocType: Item,Supplier Items,サプライヤーアイテム @@ -3284,7 +3290,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,在庫エイジング apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},学生{0}は、学生の申請者に対して存在し、{1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,タイムシート -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}'は無効になっています +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}'は無効になっています apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,オープンに設定 DocType: Cheque Print Template,Scanned Cheque,スキャンした小切手 DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,取引を処理した時に連絡先に自動メールを送信 @@ -3330,7 +3336,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,価格表為替レート DocType: Purchase Invoice Item,Rate,単価/率 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,インターン -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,アドレス名称 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,アドレス名称 DocType: Stock Entry,From BOM,参照元部品表 DocType: Assessment Code,Assessment Code,評価コード apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,基本 @@ -3343,20 +3349,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,給与体系 DocType: Account,Bank,銀行 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,航空会社 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,資材課題 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,資材課題 DocType: Material Request Item,For Warehouse,倉庫用 DocType: Employee,Offer Date,雇用契約日 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,見積 -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,オフラインモードになっています。あなたがネットワークを持ってまで、リロードすることができません。 +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,オフラインモードになっています。あなたがネットワークを持ってまで、リロードすることができません。 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,いいえ学生グループが作成されません。 DocType: Purchase Invoice Item,Serial No,シリアル番号 apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,毎月返済額は融資額を超えることはできません apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,メンテナンス詳細を入力してください +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,行番号{0}:予定納期は発注日より前になることはできません DocType: Purchase Invoice,Print Language,プリント言語 DocType: Salary Slip,Total Working Hours,総労働時間 DocType: Stock Entry,Including items for sub assemblies,組立部品のためのアイテムを含む -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,入力値は正でなければなりません -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,入力値は正でなければなりません apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,全ての領域 DocType: Purchase Invoice,Items,アイテム apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,学生はすでに登録されています。 @@ -3378,7 +3384,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',バリエーションのデフォルト単位 '{0}' はテンプレート '{1}' と同じである必要があります DocType: Shipping Rule,Calculate Based On,計算基準 DocType: Delivery Note Item,From Warehouse,倉庫から -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,製造する部品表(BOM)を持つアイテムいいえ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,製造する部品表(BOM)を持つアイテムいいえ DocType: Assessment Plan,Supervisor Name,上司の名前 DocType: Program Enrollment Course,Program Enrollment Course,プログラム入学コース DocType: Purchase Taxes and Charges,Valuation and Total,評価と総合 @@ -3393,32 +3399,33 @@ DocType: Training Event Employee,Attended,出席した apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,「最終受注からの日数」はゼロ以上でなければなりません DocType: Process Payroll,Payroll Frequency,給与頻度 DocType: Asset,Amended From,修正元 -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,原材料 +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,原材料 DocType: Leave Application,Follow via Email,メール経由でフォロー apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,植物および用機械 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,割引後の税額 DocType: Daily Work Summary Settings,Daily Work Summary Settings,毎日の仕事の概要設定 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},価格リスト{0}の通貨は、選択された通貨と類似していない{1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},価格リスト{0}の通貨は、選択された通貨と類似していない{1} DocType: Payment Entry,Internal Transfer,内部転送 apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,このアカウントには子アカウントが存在しています。このアカウントを削除することはできません。 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ターゲット数量や目標量のどちらかが必須です apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},アイテム{0}にはデフォルトの部品表が存在しません -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,最初の転記日付を選択してください +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,最初の転記日付を選択してください apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,開始日は終了日より前でなければなりません DocType: Leave Control Panel,Carry Forward,繰り越す apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,既存の取引があるコストセンターは、元帳に変換することはできません DocType: Department,Days for which Holidays are blocked for this department.,この部門のために休暇期間指定されている日 ,Produced,生産 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,作成した給与スリップ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,作成した給与スリップ DocType: Item,Item Code for Suppliers,サプライヤーのためのアイテムコード DocType: Issue,Raised By (Email),提起元メールアドレス DocType: Training Event,Trainer Name,トレーナーの名前 DocType: Mode of Payment,General,一般 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最後のコミュニケーション apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',カテゴリーが「評価」や「評価と合計」である場合は控除することができません -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",あなたの税のヘッドリスト(例えば付加価値税、関税などを、彼らは一意の名前を持つべきである)、およびそれらの標準速度。これは、あなたが編集して、より後に追加することができ、標準的なテンプレートを作成します。 +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",あなたの税のヘッドリスト(例えば付加価値税、関税などを、彼らは一意の名前を持つべきである)、およびそれらの標準速度。これは、あなたが編集して、より後に追加することができ、標準的なテンプレートを作成します。 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},アイテム{0}には複数のシリアル番号が必要です apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,請求書と一致支払い +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},行番号{0}:アイテム{1}に対して納期を入力してください DocType: Journal Entry,Bank Entry,銀行取引記帳 DocType: Authorization Rule,Applicable To (Designation),(肩書)に適用 ,Profitability Analysis,収益性分析 @@ -3434,17 +3441,18 @@ DocType: Quality Inspection,Item Serial No,アイテムシリアル番号 apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,従業員レコードを作成します。 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,総現在価値 apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,計算書 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,時 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,時 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新しいシリアル番号には倉庫を指定することができません。倉庫は在庫エントリーか領収書によって設定する必要があります DocType: Lead,Lead Type,リードタイプ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,休暇申請を承認する権限がありません -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,これら全アイテムはすでに請求済みです +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,これら全アイテムはすでに請求済みです +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,月次販売目標 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0}によって承認することができます DocType: Item,Default Material Request Type,デフォルトの材質の要求タイプ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,未知の DocType: Shipping Rule,Shipping Rule Conditions,出荷ルール条件 DocType: BOM Replace Tool,The new BOM after replacement,交換後の新しい部品表 -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,POS +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,POS DocType: Payment Entry,Received Amount,受け取った金額 DocType: GST Settings,GSTIN Email Sent On,GSTINメールが送信されました DocType: Program Enrollment,Pick/Drop by Guardian,ガーディアンによるピック/ドロップ @@ -3459,8 +3467,8 @@ DocType: C-Form,Invoices,請求 DocType: Batch,Source Document Name,ソースドキュメント名 DocType: Job Opening,Job Title,職業名 apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ユーザーの作成 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,グラム -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,製造数量は0より大きくなければなりません +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,グラム +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,製造数量は0より大きくなければなりません apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,メンテナンス要請の訪問レポート。 DocType: Stock Entry,Update Rate and Availability,単価と残量をアップデート DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,注文数に対して受領または提供が許可されている割合。例:100単位の注文を持っている状態で、割当が10%だった場合、110単位の受領を許可されます。 @@ -3472,7 +3480,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,最初の購入請求書{0}をキャンセルしてください apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",電子メールアドレスは一意である必要があり、すでに{0}のために存在します DocType: Serial No,AMC Expiry Date,年間保守契約の有効期限日 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,領収書 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,領収書 ,Sales Register,販売登録 DocType: Daily Work Summary Settings Company,Send Emails At,で電子メールを送ります DocType: Quotation,Quotation Lost Reason,失注理由 @@ -3485,14 +3493,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,まだカス apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,キャッシュフロー計算書 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},融資額は、{0}の最大融資額を超えることはできません。 apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ライセンス -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},C-フォーム{1}から請求書{0}を削除してください +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},C-フォーム{1}から請求書{0}を削除してください DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,過去の会計年度の残高を今年度に含めて残したい場合は「繰り越す」を選択してください DocType: GL Entry,Against Voucher Type,対伝票タイプ DocType: Item,Attributes,属性 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,償却勘定を入力してください apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,最終注文日 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},アカウント{0} は会社 {1} に所属していません -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,行{0}のシリアル番号が配達メモと一致しません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,行{0}のシリアル番号が配達メモと一致しません DocType: Student,Guardian Details,ガーディアン詳細 DocType: C-Form,C-Form,C-フォーム apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,複数の従業員のためのマーク出席 @@ -3524,16 +3532,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,販売 DocType: Stock Entry Detail,Basic Amount,基本額 DocType: Training Event,Exam,試験 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},在庫アイテム{0}には倉庫が必要です +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},在庫アイテム{0}には倉庫が必要です DocType: Leave Allocation,Unused leaves,未使用の休暇 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,貸方 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,貸方 DocType: Tax Rule,Billing State,請求状況 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,移転 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1}党のアカウントに関連付けられていません{2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(部分組立品を含む)展開した部品表を取得する +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(部分組立品を含む)展開した部品表を取得する DocType: Authorization Rule,Applicable To (Employee),(従業員)に適用 apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,期日は必須です apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,属性 {0} の増分は0にすることはできません +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー DocType: Journal Entry,Pay To / Recd From,支払先/受領元 DocType: Naming Series,Setup Series,シリーズ設定 DocType: Payment Reconciliation,To Invoice Date,請求書の日付へ @@ -3560,7 +3569,7 @@ DocType: Journal Entry,Write Off Based On,償却基準 apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,リードを作ります apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,印刷と文房具 DocType: Stock Settings,Show Barcode Field,ショーバーコードフィールド -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,サプライヤーメールを送信 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,サプライヤーメールを送信 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",給与はすでに{0}と{1}、この日付範囲の間にすることはできません申請期間を残すとの間の期間のために処理しました。 apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,シリアル番号の設置レコード DocType: Guardian Interest,Guardian Interest,ガーディアンインタレスト @@ -3573,7 +3582,7 @@ DocType: Offer Letter,Awaiting Response,応答を待っています apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,上記 apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},無効な属性{0} {1} DocType: Supplier,Mention if non-standard payable account,標準でない支払い可能な口座 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},同じ項目が複数回入力されました。 {リスト} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},同じ項目が複数回入力されました。 {リスト} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',「すべての評価グループ」以外の評価グループを選択してください DocType: Salary Slip,Earning & Deduction,収益と控除 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,(オプション)この設定は、様々な取引をフィルタリングするために使用されます。 @@ -3592,7 +3601,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,スクラップ資産の取得原価 apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:項目{2}には「コストセンター」が必須です DocType: Vehicle,Policy No,ポリシーはありません -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,付属品からアイテムを取得 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,付属品からアイテムを取得 DocType: Asset,Straight Line,直線 DocType: Project User,Project User,プロジェクトユーザー apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,スプリット @@ -3604,6 +3613,7 @@ DocType: Sales Team,Contact No.,連絡先番号 DocType: Bank Reconciliation,Payment Entries,支払エントリ DocType: Production Order,Scrap Warehouse,スクラップ倉庫 DocType: Production Order,Check if material transfer entry is not required,品目転送エントリが不要であるかどうかを確認する +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,従業員ネーミングシステムを人事管理> HR設定で設定してください DocType: Program Enrollment Tool,Get Students From,からの留学生を取得 DocType: Hub Settings,Seller Country,販売者所在国 apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,ウェブサイト上でアイテムを公開 @@ -3621,19 +3631,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,製 DocType: Shipping Rule,Specify conditions to calculate shipping amount,出荷数量を算出する条件を指定 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,アカウントの凍結と凍結エントリの編集が許可された役割 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,子ノードがあるため、コストセンターを元帳に変換することはできません -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,始値 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,始値 DocType: Salary Detail,Formula,式 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,シリアル番号 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,販売手数料 DocType: Offer Letter Term,Value / Description,値/説明 -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:アセット{1}提出することができない、それはすでに{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:アセット{1}提出することができない、それはすでに{2} DocType: Tax Rule,Billing Country,請求先の国 DocType: Purchase Order Item,Expected Delivery Date,配送予定日 apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,{0} #{1}の借方と貸方が等しくありません。差は{2} です。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,交際費 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,素材の要求を行います apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},オープン項目{0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、請求書{0}がキャンセルされていなければなりません +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、請求書{0}がキャンセルされていなければなりません apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,年齢 DocType: Sales Invoice Timesheet,Billing Amount,請求額 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,アイテム{0}に無効な量が指定されています。数量は0以上でなければなりません。 @@ -3656,7 +3666,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,新規顧客の収益 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,旅費交通費 DocType: Maintenance Visit,Breakdown,故障 -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,アカウント:{0} で通貨:{1}を選択することはできません +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,アカウント:{0} で通貨:{1}を選択することはできません DocType: Bank Reconciliation Detail,Cheque Date,小切手日 apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},アカウント{0}:親アカウント{1}は会社{2}に属していません DocType: Program Enrollment Tool,Student Applicants,学生の応募者 @@ -3676,11 +3686,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,計画 DocType: Material Request,Issued,課題 apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,学生活動 DocType: Project,Total Billing Amount (via Time Logs),総請求金額(時間ログ経由) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,このアイテムを売る +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,このアイテムを売る apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,サプライヤーID DocType: Payment Request,Payment Gateway Details,ペイメントゲートウェイ詳細 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,量は0より大きくなければなりません -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,サンプルデータ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,量は0より大きくなければなりません +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,サンプルデータ DocType: Journal Entry,Cash Entry,現金エントリー apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,子ノードは「グループ」タイプのノードの下に作成することができます DocType: Leave Application,Half Day Date,半日日 @@ -3689,17 +3699,18 @@ DocType: Sales Partner,Contact Desc,連絡先説明 apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.",休暇の種類(欠勤・病欠など) DocType: Email Digest,Send regular summary reports via Email.,メール経由で定期的な要約レポートを送信 DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},経費請求タイプ{0}に、デフォルトのアカウントを設定してください +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},経費請求タイプ{0}に、デフォルトのアカウントを設定してください DocType: Assessment Result,Student Name,学生の名前 DocType: Brand,Item Manager,アイテムマネージャ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,給与支払ってください DocType: Buying Settings,Default Supplier Type,デフォルトサプライヤータイプ DocType: Production Order,Total Operating Cost,営業費合計 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,注:アイテム{0}が複数回入力されています +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,注:アイテム{0}が複数回入力されています apps/erpnext/erpnext/config/selling.py +41,All Contacts.,全ての連絡先。 +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,目標を設定する apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,会社略称 apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ユーザー{0}は存在しません -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,原材料は、メインアイテムと同じにすることはできません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,原材料は、メインアイテムと同じにすることはできません DocType: Item Attribute Value,Abbreviation,略語 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,支払項目が既に存在しています apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0}の限界を超えているので認証されません @@ -3717,7 +3728,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,凍結在庫の編集 ,Territory Target Variance Item Group-Wise,地域ターゲット差違(アイテムグループごと) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,全ての顧客グループ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,月間累計 -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}は必須です。おそらく{1}から {2}のための通貨変換レコードが作成されていません +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}は必須です。おそらく{1}から {2}のための通貨変換レコードが作成されていません apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,税テンプレートは必須です apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,アカウント{0}:親アカウント{1}が存在しません DocType: Purchase Invoice Item,Price List Rate (Company Currency),価格表単価(会社通貨) @@ -3728,7 +3739,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,パーセンテ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,秘書 DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",無効にした場合、「文字表記」フィールドはどの取引にも表示されません DocType: Serial No,Distinct unit of an Item,アイテムの明確な単位 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,会社を設定してください +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,会社を設定してください DocType: Pricing Rule,Buying,購入 DocType: HR Settings,Employee Records to be created by,従業員レコード作成元 DocType: POS Profile,Apply Discount On,割引の適用 @@ -3739,7 +3750,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,アイテムごとの税の詳細 apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,研究所の略 ,Item-wise Price List Rate,アイテムごとの価格表単価 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,サプライヤー見積 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,サプライヤー見積 DocType: Quotation,In Words will be visible once you save the Quotation.,見積を保存すると表示される表記内。 apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},数量({0})は行{1}の小数部にはできません apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,料金を徴収 @@ -3762,7 +3773,7 @@ Updated via 'Time Log'",「時間ログ」からアップデートされた分 DocType: Customer,From Lead,リードから apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,製造の指示 apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,年度選択... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POSエントリを作成するためにはPOSプロフィールが必要です +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POSエントリを作成するためにはPOSプロフィールが必要です DocType: Program Enrollment Tool,Enroll Students,学生を登録 DocType: Hub Settings,Name Token,名前トークン apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,標準販売 @@ -3780,7 +3791,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,在庫価値の差違 apps/erpnext/erpnext/config/learn.py +234,Human Resource,人材 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,支払照合 支払 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,税金資産 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},製造指図は{0}でした +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},製造指図は{0}でした DocType: BOM Item,BOM No,部品表番号 DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,仕訳{0}は、勘定{1}が無いか、既に他の伝票に照合されています @@ -3794,7 +3805,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,CSVフ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,未払額 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,この営業担当者にアイテムグループごとの目標を設定する DocType: Stock Settings,Freeze Stocks Older Than [Days],[日]より古い在庫を凍結 -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:資産は、固定資産の購入/販売のために必須です +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:資産は、固定資産の購入/販売のために必須です apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","上記の条件内に二つ以上の価格設定ルールがある場合、優先順位が適用されます。 優先度は0〜20の間の数で、デフォルト値はゼロ(空白)です。同じ条件で複数の価格設定ルールがある場合、大きい数字が優先されることになります。" apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,会計年度:{0}は存在しません @@ -3803,7 +3814,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,経費請求タイプ apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},アイテム{0}の販売率が{1}より低いです。販売価格は少なくともat {2}でなければなりません DocType: Item,Taxes,税 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,支払済かつ未配送 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,支払済かつ未配送 DocType: Project,Default Cost Center,デフォルトコストセンター DocType: Bank Guarantee,End Date,終了日 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,株式取引 @@ -3820,7 +3831,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,毎日の仕事の概要の設定会社 apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,アイテム{0}は在庫アイテムではないので無視されます DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,この製造指示書を提出して次の処理へ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,この製造指示書を提出して次の処理へ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",特定の処理/取引で価格設定ルールを適用させないようにするために、全てに適用可能な価格設定ルールを無効にする必要があります。 DocType: Assessment Group,Parent Assessment Group,親の評価グループ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ジョブズ @@ -3828,10 +3839,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ジョブズ DocType: Employee,Held On,開催 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,生産アイテム ,Employee Information,従業員の情報 -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),割合(%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),割合(%) DocType: Stock Entry Detail,Additional Cost,追加費用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",伝票でグループ化されている場合、伝票番号でフィルタリングすることはできません。 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,サプライヤ見積を作成 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,サプライヤ見積を作成 DocType: Quality Inspection,Incoming,収入 DocType: BOM,Materials Required (Exploded),資材が必要です(展開) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",自分以外のユーザーを組織に追加 @@ -3847,7 +3858,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,アカウント:{0}のみ株式取引を介して更新することができます DocType: Student Group Creation Tool,Get Courses,コースを取得 DocType: GL Entry,Party,当事者 -DocType: Sales Order,Delivery Date,納期 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,納期 DocType: Opportunity,Opportunity Date,機会日付 DocType: Purchase Receipt,Return Against Purchase Receipt,領収書に対する返品 DocType: Request for Quotation Item,Request for Quotation Item,見積明細の要求 @@ -3861,7 +3872,7 @@ DocType: Task,Actual Time (in Hours),実際の時間(時) DocType: Employee,History In Company,会社での履歴 apps/erpnext/erpnext/config/learn.py +107,Newsletters,ニュースレター DocType: Stock Ledger Entry,Stock Ledger Entry,在庫元帳エントリー -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,同じ項目が複数回入力されています +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,同じ項目が複数回入力されています DocType: Department,Leave Block List,休暇リスト DocType: Sales Invoice,Tax ID,納税者番号 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,アイテム{0}にはシリアル番号が設定されていません。列は空白でなければなりません。 @@ -3879,25 +3890,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,黒 DocType: BOM Explosion Item,BOM Explosion Item,部品表展開アイテム DocType: Account,Auditor,監査人 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,生産{0}アイテム +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,生産{0}アイテム DocType: Cheque Print Template,Distance from top edge,上端からの距離 apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,価格表{0}が無効になっているか、存在しません。 DocType: Purchase Invoice,Return,返品 DocType: Production Order Operation,Production Order Operation,製造指示作業 DocType: Pricing Rule,Disable,無効にする -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,お支払い方法は、支払いを行う必要があります +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,お支払い方法は、支払いを行う必要があります DocType: Project Task,Pending Review,レビュー待ち apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1}はバッチ{2}に登録されていません apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",資産{0}は{1}であるため廃棄することはできません DocType: Task,Total Expense Claim (via Expense Claim),総経費請求(経費請求経由) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,マーク不在 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOMの#の通貨は、{1}選択した通貨と同じでなければなりません{2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOMの#の通貨は、{1}選択した通貨と同じでなければなりません{2} DocType: Journal Entry Account,Exchange Rate,為替レート -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,受注{0}は提出されていません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,受注{0}は提出されていません DocType: Homepage,Tag Line,タグライン DocType: Fee Component,Fee Component,手数料コンポーネント apps/erpnext/erpnext/config/hr.py +195,Fleet Management,フリート管理 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,から項目を追加します。 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,から項目を追加します。 DocType: Cheque Print Template,Regular,レギュラー apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,すべての評価基準の総Weightageは100%でなければなりません DocType: BOM,Last Purchase Rate,最新の仕入料金 @@ -3918,12 +3929,12 @@ DocType: Employee,Reports to,レポート先 DocType: SMS Settings,Enter url parameter for receiver nos,受信者番号にURLパラメータを入力してください DocType: Payment Entry,Paid Amount,支払金額 DocType: Assessment Plan,Supervisor,スーパーバイザー -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,オンライン +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,オンライン ,Available Stock for Packing Items,梱包可能な在庫 DocType: Item Variant,Item Variant,アイテムバリエーション DocType: Assessment Result Tool,Assessment Result Tool,評価結果ツール DocType: BOM Scrap Item,BOM Scrap Item,BOMスクラップアイテム -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,提出された注文を削除することはできません +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,提出された注文を削除することはできません apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",口座残高がすでに借方に存在しており、「残高仕訳先」を「貸方」に設定することはできません apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,品質管理 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,アイテム{0}は無効になっています @@ -3954,7 +3965,7 @@ DocType: Item Group,Default Expense Account,デフォルト経費 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,学生メールID DocType: Employee,Notice (days),お知らせ(日) DocType: Tax Rule,Sales Tax Template,販売税テンプレート -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,請求書を保存する項目を選択します +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,請求書を保存する項目を選択します DocType: Employee,Encashment Date,現金化日 DocType: Training Event,Internet,インターネット DocType: Account,Stock Adjustment,在庫調整 @@ -4002,10 +4013,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,発送 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,アイテムの許可最大割引:{0}が{1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,純資産価値などについて DocType: Account,Receivable,売掛金 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:注文がすでに存在しているとして、サプライヤーを変更することはできません +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:注文がすでに存在しているとして、サプライヤーを変更することはできません DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,設定された与信限度額を超えた取引を提出することが許可されている役割 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,製造する項目を選択します -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",マスタデータの同期、それはいくつかの時間がかかる場合があります +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,製造する項目を選択します +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",マスタデータの同期、それはいくつかの時間がかかる場合があります DocType: Item,Material Issue,資材課題 DocType: Hub Settings,Seller Description,販売者の説明 DocType: Employee Education,Qualification,資格 @@ -4026,11 +4037,10 @@ DocType: BOM,Rate Of Materials Based On,資材単価基準 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,サポート分析 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,すべて選択解除 DocType: POS Profile,Terms and Conditions,規約 -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,従業員ネーミングシステムの人事管理>人事管理の設定 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},開始日は会計年度内でなければなりません(もしかして:{0}) DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",ここでは、身長、体重、アレルギー、医療問題などを保持することができます DocType: Leave Block List,Applies to Company,会社に適用 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,登録済みの在庫エントリ{0}が存在するため、キャンセルすることができません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,登録済みの在庫エントリ{0}が存在するため、キャンセルすることができません DocType: Employee Loan,Disbursement Date,支払い日 DocType: Vehicle,Vehicle,車両 DocType: Purchase Invoice,In Words,文字表記 @@ -4068,7 +4078,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,共通設定 DocType: Assessment Result Detail,Assessment Result Detail,評価結果の詳細 DocType: Employee Education,Employee Education,従業員教育 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,項目グループテーブルで見つかった重複するアイテム群 -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,これは、アイテムの詳細を取得するために必要とされます。 +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,これは、アイテムの詳細を取得するために必要とされます。 DocType: Salary Slip,Net Pay,給与総計 DocType: Account,Account,アカウント apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,シリアル番号{0}はすでに受領されています @@ -4076,7 +4086,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,車両のログ DocType: Purchase Invoice,Recurring Id,繰り返しID DocType: Customer,Sales Team Details,営業チームの詳細 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,完全に削除しますか? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,完全に削除しますか? DocType: Expense Claim,Total Claimed Amount,請求額合計 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,潜在的販売機会 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},無効な {0} @@ -4088,7 +4098,7 @@ DocType: Warehouse,PIN,ピン apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,セットアップERPNextであなたの学校 DocType: Sales Invoice,Base Change Amount (Company Currency),基本変化量(会社通貨) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,次の倉庫には会計エントリーがありません -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,先に文書を保存してください +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,先に文書を保存してください DocType: Account,Chargeable,請求可能 DocType: Company,Change Abbreviation,略語を変更 DocType: Expense Claim Detail,Expense Date,経費日付 @@ -4102,7 +4112,6 @@ DocType: BOM,Manufacturing User,製造ユーザー DocType: Purchase Invoice,Raw Materials Supplied,原材料供給 DocType: Purchase Invoice,Recurring Print Format,繰り返し用印刷フォーマット DocType: C-Form,Series,シリーズ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,納品予定日は発注日より前にすることはできません DocType: Appraisal,Appraisal Template,査定テンプレート DocType: Item Group,Item Classification,アイテム分類 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ビジネス開発マネージャー @@ -4141,12 +4150,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ブラン apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,トレーニングイベント/結果 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,上と減価償却累計額 DocType: Sales Invoice,C-Form Applicable,C-フォーム適用 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},作業 {0} の作業時間は0以上でなければなりません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},作業 {0} の作業時間は0以上でなければなりません apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,倉庫が必須です DocType: Supplier,Address and Contacts,住所・連絡先 DocType: UOM Conversion Detail,UOM Conversion Detail,単位変換の詳細 DocType: Program,Program Abbreviation,プログラムの略 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,製造指示はアイテムテンプレートに対して出すことができません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,製造指示はアイテムテンプレートに対して出すことができません apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,料金は、各アイテムに対して、領収書上で更新されます DocType: Warranty Claim,Resolved By,課題解決者 DocType: Bank Guarantee,Start Date,開始日 @@ -4181,6 +4190,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,トレーニングフィードバック apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,製造指示{0}を提出しなければなりません apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},アイテム{0}の開始日と終了日を選択してください +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,達成したい販売目標を設定します。 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},コースは、行{0}に必須です apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,終了日を開始日の前にすることはできません DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc文書型 @@ -4198,7 +4208,7 @@ DocType: Account,Income,収入 DocType: Industry Type,Industry Type,業種タイプ apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,問題発生! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,警告:休暇申請に次の期間が含まれています。 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,請求書{0}は提出済です +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,請求書{0}は提出済です DocType: Assessment Result Detail,Score,スコア apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,会計年度{0}は存在しません apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,完了日 @@ -4228,7 +4238,7 @@ DocType: Naming Series,Help HTML,HTMLヘルプ DocType: Student Group Creation Tool,Student Group Creation Tool,学生グループ作成ツール DocType: Item,Variant Based On,バリアントベースで apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},割り当てられた重みづけの合計は100%でなければなりません。{0}になっています。 -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,サプライヤー +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,サプライヤー apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,受注が作成されているため、失注にできません DocType: Request for Quotation Item,Supplier Part No,サプライヤー型番 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',カテゴリが「評価」または「Vaulationと合計」のためのものであるときに控除することはできません。 @@ -4238,14 +4248,14 @@ DocType: Item,Has Serial No,シリアル番号あり DocType: Employee,Date of Issue,発行日 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {1}のための{0}から apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",購買依頼が必要な場合の購買設定== 'はい'の場合、購買請求書を登録するには、まず商品{0}の購買領収書を登録する必要があります -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},行#{0}:アイテム {1} にサプライヤーを設定してください -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,行{0}:時間値がゼロより大きくなければなりません。 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},行#{0}:アイテム {1} にサプライヤーを設定してください +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,行{0}:時間値がゼロより大きくなければなりません。 apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,アイテム{1}に添付されたウェブサイト画像{0}が見つかりません DocType: Issue,Content Type,コンテンツタイプ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,コンピュータ DocType: Item,List this Item in multiple groups on the website.,ウェブサイト上の複数のグループでこのアイテムを一覧表示します。 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,アカウントで他の通貨の使用を可能にするには「複数通貨」オプションをチェックしてください -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,アイテム:{0}はシステムに存在しません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,アイテム:{0}はシステムに存在しません apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,凍結された値を設定する権限がありません DocType: Payment Reconciliation,Get Unreconciled Entries,未照合のエントリーを取得 DocType: Payment Reconciliation,From Invoice Date,請求書の日付から @@ -4271,7 +4281,7 @@ DocType: Stock Entry,Default Source Warehouse,デフォルトの出庫元倉庫 DocType: Item,Customer Code,顧客コード apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},{0}のための誕生日リマインダー apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,最新注文からの日数 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,借方アカウントは貸借対照表アカウントである必要があります +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,借方アカウントは貸借対照表アカウントである必要があります DocType: Buying Settings,Naming Series,シリーズ名を付ける DocType: Leave Block List,Leave Block List Name,休暇リスト名 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,保険開始日は、保険終了日未満でなければなりません @@ -4288,7 +4298,7 @@ DocType: Vehicle Log,Odometer,オドメーター DocType: Sales Order Item,Ordered Qty,注文数 apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,アイテム{0}は無効です DocType: Stock Settings,Stock Frozen Upto,在庫凍結 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOMは、どの在庫品目が含まれていません +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOMは、どの在庫品目が含まれていません apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},繰り返し {0} には期間開始日と終了日が必要です apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,プロジェクト活動/タスク DocType: Vehicle Log,Refuelling Details,給油の詳細 @@ -4298,7 +4308,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,最後の購入率が見つかりません DocType: Purchase Invoice,Write Off Amount (Company Currency),償却額(会社通貨) DocType: Sales Invoice Timesheet,Billing Hours,課金時間 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,{0}が見つかりませんのデフォルトのBOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,{0}が見つかりませんのデフォルトのBOM apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,行#{0}:再注文数量を設定してください apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ここに追加する項目をタップします DocType: Fees,Program Enrollment,プログラム登録 @@ -4332,6 +4342,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,エイジングレンジ2 DocType: SG Creation Tool Course,Max Strength,最大強度 apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,部品表交換 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,納期に基づいて商品を選択 ,Sales Analytics,販売分析 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},利用可能な{0} ,Prospects Engaged But Not Converted,見通しは悪化するが変換されない @@ -4378,7 +4389,7 @@ DocType: Authorization Rule,Customerwise Discount,顧客ごと割引 apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,タスクのためのタイムシート。 DocType: Purchase Invoice,Against Expense Account,対経費 DocType: Production Order,Production Order,製造指示 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,設置票{0}はすでに提出されています +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,設置票{0}はすでに提出されています DocType: Bank Reconciliation,Get Payment Entries,支払エントリを取得します。 DocType: Quotation Item,Against Docname,文書名に対して DocType: SMS Center,All Employee (Active),全ての従業員(アクティブ) @@ -4387,7 +4398,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,原材料費 DocType: Item Reorder,Re-Order Level,再注文レベル DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,製造指示を出すまたは分析用に原材料をダウンロードするための、アイテムと計画数を入力してください。 -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,ガントチャート +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,ガントチャート apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,パートタイム DocType: Employee,Applicable Holiday List,適切な休日リスト DocType: Employee,Cheque,小切手 @@ -4443,11 +4454,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,生産のための予約済み数量 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,コースベースのグループを作る際にバッチを考慮したくない場合は、チェックを外したままにしておきます。 DocType: Asset,Frequency of Depreciation (Months),減価償却費の周波数(ヶ月) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,貸方アカウント +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,貸方アカウント DocType: Landed Cost Item,Landed Cost Item,輸入費用項目 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,ゼロ値を表示 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,与えられた原材料の数量から製造/再梱包した後に得られたアイテムの数量 -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,セットアップ自分の組織のためのシンプルなウェブサイト +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,セットアップ自分の組織のためのシンプルなウェブサイト DocType: Payment Reconciliation,Receivable / Payable Account,売掛金/買掛金 DocType: Delivery Note Item,Against Sales Order Item,対受注アイテム apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},属性 {0} の属性値を指定してください @@ -4509,22 +4520,22 @@ DocType: Student,Nationality,国籍 ,Items To Be Requested,要求されるアイテム DocType: Purchase Order,Get Last Purchase Rate,最新の購入料金を取得 DocType: Company,Company Info,会社情報 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,選択するか、新規顧客を追加 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,原価センタは、経費請求を予約するために必要とされます +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,選択するか、新規顧客を追加 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,原価センタは、経費請求を予約するために必要とされます apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),資金運用(資産) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,これは、この従業員の出席に基づいています -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,借方アカウント +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,借方アカウント DocType: Fiscal Year,Year Start Date,年始日 DocType: Attendance,Employee Name,従業員名 DocType: Sales Invoice,Rounded Total (Company Currency),合計(四捨五入)(会社通貨) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,会計タイプが選択されているため、グループに変換することはできません -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1}が変更されています。画面を更新してください。 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1}が変更されています。画面を更新してください。 DocType: Leave Block List,Stop users from making Leave Applications on following days.,以下の日にはユーザーからの休暇申請を受け付けない apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,購入金額 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,サプライヤー見積 {0} 作成済 apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,終了年は開始年前にすることはできません apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,従業員給付 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},梱包済数量は、行{1}のアイテム{0}の数量と等しくなければなりません +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},梱包済数量は、行{1}のアイテム{0}の数量と等しくなければなりません DocType: Production Order,Manufactured Qty,製造数量 DocType: Purchase Receipt Item,Accepted Quantity,受入数 apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},従業員のデフォルト休日リストを設定してください{0}または当社{1} @@ -4535,11 +4546,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},行番号 {0}:経費請求{1}に対して保留額より大きい額は指定できません。保留額は {2} です DocType: Maintenance Schedule,Schedule,スケジュール DocType: Account,Parent Account,親勘定 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,利用可 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,利用可 DocType: Quality Inspection Reading,Reading 3,報告要素3 ,Hub,ハブ DocType: GL Entry,Voucher Type,伝票タイプ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,価格表が見つからないか無効になっています +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,価格表が見つからないか無効になっています DocType: Employee Loan Application,Approved,承認済 DocType: Pricing Rule,Price,価格 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0}から取り除かれた従業員は「退職」に設定されなければなりません @@ -4608,7 +4619,7 @@ DocType: SMS Settings,Static Parameters,静的パラメータ DocType: Assessment Plan,Room,ルーム DocType: Purchase Order,Advance Paid,立替金 DocType: Item,Item Tax,アイテムごとの税 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,サプライヤー用資材 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,サプライヤー用資材 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,消費税の請求書 apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}%が複数回表示されます DocType: Expense Claim,Employees Email Id,従業員メールアドレス @@ -4648,7 +4659,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,モデル DocType: Production Order,Actual Operating Cost,実際の営業費用 DocType: Payment Entry,Cheque/Reference No,小切手/リファレンスなし -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,サプライヤ>サプライヤタイプ apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ルートを編集することはできません DocType: Item,Units of Measure,測定の単位 DocType: Manufacturing Settings,Allow Production on Holidays,休日に製造を許可 @@ -4681,12 +4691,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,信用日数 apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,学生のバッチを作ります DocType: Leave Type,Is Carry Forward,繰越済 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,部品表からアイテムを取得 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,部品表からアイテムを取得 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,リードタイム日数 -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},資産の転記日付購入日と同じでなければなりません{1} {2}:行#{0} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},資産の転記日付購入日と同じでなければなりません{1} {2}:行#{0} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,学生が研究所のホステルに住んでいる場合はこれをチェックしてください。 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,上記の表に受注を入力してください -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,給与スリップ提出されていません +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,給与スリップ提出されていません ,Stock Summary,株式の概要 apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,別の倉庫から資産を移します DocType: Vehicle,Petrol,ガソリン diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv index ca8c914f00c..a00f2b8cd67 100644 --- a/erpnext/translations/km.csv +++ b/erpnext/translations/km.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,អ្នកចែកបៀ DocType: Employee,Rented,ជួល DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,អាចប្រើប្រាស់បានសំរាប់អ្នកប្រើប្រាស់ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",បញ្ឈប់ការបញ្ជាទិញផលិតផលដែលមិនអាចត្រូវបានលុបចោលឮវាជាលើកដំបូងដើម្បីបោះបង់ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",បញ្ឈប់ការបញ្ជាទិញផលិតផលដែលមិនអាចត្រូវបានលុបចោលឮវាជាលើកដំបូងដើម្បីបោះបង់ DocType: Vehicle Service,Mileage,mileage apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,តើអ្នកពិតជាចង់លុបចោលទ្រព្យសម្បត្តិនេះ? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,ជ្រើសផ្គត់ផ្គង់លំនាំដើម @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% billed apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),អត្រាប្តូរប្រាក់ត្រូវតែមានដូចគ្នា {0} {1} ({2}) DocType: Sales Invoice,Customer Name,ឈ្មោះអតិថិជន DocType: Vehicle,Natural Gas,ឧស្ម័នធម្មជាតិ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},គណនីធនាគារដែលមិនអាចត្រូវបានដាក់ឈ្មោះថាជា {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},គណនីធនាគារដែលមិនអាចត្រូវបានដាក់ឈ្មោះថាជា {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ក្បាល (ឬក្រុម) ប្រឆាំងនឹងធាតុគណនេយ្យនិងតុល្យភាពត្រូវបានធ្វើឡើងត្រូវបានរក្សា។ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ឆ្នើមសម្រាប់ {0} មិនអាចតិចជាងសូន្យ ({1}) DocType: Manufacturing Settings,Default 10 mins,10 នាទីលំនាំដើម @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,ទុកឱ្យប្រភេទឈ្ apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,បង្ហាញតែការបើកចំហ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,កម្រងឯកសារបន្ទាន់សម័យដោយជោគជ័យ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,ពិនិត្យមុនពេលចេញ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,ភាពត្រឹមត្រូវ Journal Entry ផ្តល់ជូន +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,ភាពត្រឹមត្រូវ Journal Entry ផ្តល់ជូន DocType: Pricing Rule,Apply On,អនុវត្តនៅលើ DocType: Item Price,Multiple Item prices.,តម្លៃធាតុជាច្រើន។ ,Purchase Order Items To Be Received,ការបញ្ជាទិញធាតុដែលនឹងត្រូវទទួលបាន @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,របៀបនៃក apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,បង្ហាញវ៉ារ្យ៉ង់ DocType: Academic Term,Academic Term,រយៈពេលនៃការសិក្សា apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,សម្ភារៈ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,បរិមាណដែលត្រូវទទួលទាន +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,បរិមាណដែលត្រូវទទួលទាន apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,តារាងគណនីមិនអាចទទេ។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ការផ្តល់ប្រាក់កម្ចី (បំណុល) DocType: Employee Education,Year of Passing,ឆ្នាំ Pass @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ការថែទាំសុខភាព apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ពន្យាពេលក្នុងការទូទាត់ (ថ្ងៃ) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ការចំណាយសេវា -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},លេខស៊េរី: {0} ត្រូវបានយោងរួចហើយនៅក្នុងវិក័យប័ត្រលក់: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,វិក័យប័ត្រ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},លេខស៊េរី: {0} ត្រូវបានយោងរួចហើយនៅក្នុងវិក័យប័ត្រលក់: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,វិក័យប័ត្រ DocType: Maintenance Schedule Item,Periodicity,រយៈពេល apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ឆ្នាំសារពើពន្ធ {0} ត្រូវបានទាមទារ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,គេរំពឹងថាការដឹកជញ្ជូនកាលបរិច្ឆេទគឺជាការមុនពេលការលក់កាលបរិច្ឆេទលំដាប់ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,ការពារជាតិ DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),ពិន្ទុ (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ជួរដេក # {0}: DocType: Timesheet,Total Costing Amount,ចំនួនទឹកប្រាក់ផ្សារសរុប DocType: Delivery Note,Vehicle No,គ្មានយានយន្ត -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,សូមជ្រើសតារាងតម្លៃ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,សូមជ្រើសតារាងតម្លៃ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,ជួរដេក # {0}: ឯកសារការទូទាត់ត្រូវបានទាមទារដើម្បីបញ្ចប់ trasaction នេះ DocType: Production Order Operation,Work In Progress,ការងារក្នុងវឌ្ឍនភាព apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,សូមជ្រើសរើសកាលបរិច្ឆេទ @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} មិននៅក្នុងឆ្នាំសារពើពន្ធសកម្មណាមួយឡើយ។ DocType: Packed Item,Parent Detail docname,ពត៌មានលំអិតរបស់ឪពុកម្តាយ docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ឯកសារយោង: {0}, លេខកូដធាតុ: {1} និងអតិថិជន: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,គីឡូក្រាម +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,គីឡូក្រាម DocType: Student Log,Log,កំណត់ហេតុ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,បើកសម្រាប់ការងារ។ DocType: Item Attribute,Increment,ចំនួនបន្ថែម @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,រៀបការជាមួយ apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},មិនត្រូវបានអនុញ្ញាតសម្រាប់ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,ទទួលបានធាតុពី -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការដឹកជញ្ជូនចំណាំ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការដឹកជញ្ជូនចំណាំ {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ផលិតផល {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,គ្មានធាតុដែលបានរាយ DocType: Payment Reconciliation,Reconcile,សម្របសម្រួល @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,ម apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,រំលស់បន្ទាប់កាលបរិច្ឆេទមិនអាចមុនពេលទិញកាលបរិច្ឆេទ DocType: SMS Center,All Sales Person,ការលក់របស់បុគ្គលទាំងអស់ DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ** ចែកចាយប្រចាំខែអាចជួយឱ្យអ្នកចែកថវិកា / គោលដៅនៅទូទាំងខែប្រសិនបើអ្នកមានរដូវកាលនៅក្នុងអាជីវកម្មរបស់អ្នក។ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,មិនមានធាតុដែលបានរកឃើញ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,មិនមានធាតុដែលបានរកឃើញ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,បាត់ប្រាក់ខែរចនាសម្ព័ន្ធ DocType: Lead,Person Name,ឈ្មោះបុគ្គល DocType: Sales Invoice Item,Sales Invoice Item,ការលក់វិក័យប័ត្រធាតុ @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",«តើអចលន "មិនអាចត្រូវបានធីកមានទ្រព្យសម្បត្តិដែលជាកំណត់ត្រាប្រឆាំងនឹងធាតុ DocType: Vehicle Service,Brake Oil,ប្រេងហ្វ្រាំង DocType: Tax Rule,Tax Type,ប្រភេទពន្ធលើ -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវជាប់ពន្ធ +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,ចំនួនទឹកប្រាក់ដែលត្រូវជាប់ពន្ធ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យបន្ថែមឬធ្វើឱ្យទាន់សម័យធាតុមុន {0} DocType: BOM,Item Image (if not slideshow),រូបភាពធាតុ (ប្រសិនបើមិនមានការបញ្ចាំងស្លាយ) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,អតិថិជនមួយដែលមានឈ្មោះដូចគ្នា DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(ហួរអត្រា / 60) * ជាក់ស្តែងប្រតិបត្តិការម៉ោង -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,ជ្រើស Bom +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,ជ្រើស Bom DocType: SMS Log,SMS Log,ផ្ញើសារជាអក្សរចូល apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,តម្លៃនៃធាតុដែលបានផ្តល់ apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,ថ្ងៃឈប់សម្រាកនៅលើ {0} គឺមិនមានរវាងពីកាលបរិច្ឆេទនិងដើម្បីកាលបរិច្ឆេទ @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,សាលារៀន DocType: School Settings,Validate Batch for Students in Student Group,ធ្វើឱ្យមានសុពលភាពបាច់សម្រាប់សិស្សនិស្សិតនៅក្នុងពូល apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},គ្មានការកត់ត្រាការឈប់សម្រាកបានរកឃើញសម្រាប់បុគ្គលិក {0} {1} សម្រាប់ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,សូមបញ្ចូលក្រុមហ៊ុនដំបូង -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,សូមជ្រើសរើសក្រុមហ៊ុនដំបូង +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,សូមជ្រើសរើសក្រុមហ៊ុនដំបូង DocType: Employee Education,Under Graduate,នៅក្រោមបញ្ចប់ការសិក្សា apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,គោលដៅនៅលើ DocType: BOM,Total Cost,ការចំណាយសរុប DocType: Journal Entry Account,Employee Loan,ឥណទានបុគ្គលិក -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,កំណត់ហេតុសកម្មភាព: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,ធាតុ {0} មិនមាននៅក្នុងប្រព័ន្ធឬបានផុតកំណត់ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,កំណត់ហេតុសកម្មភាព: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,ធាតុ {0} មិនមាននៅក្នុងប្រព័ន្ធឬបានផុតកំណត់ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,អចលនទ្រព្យ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,សេចក្តីថ្លែងការណ៍របស់គណនី apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ឱសថ @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,ចំនួនពាក្យបណ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,ក្រុមអតិថិជនស្ទួនរកឃើញនៅក្នុងតារាងក្រុម cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់ / ផ្គត់ផ្គង់ DocType: Naming Series,Prefix,បុព្វបទ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ស៊ុមឈ្មោះសម្រាប់ {0} តាម Setup> Settings> Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,អ្នកប្រើប្រាស់ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,អ្នកប្រើប្រាស់ DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,នាំចូលចូល DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ទាញស្នើសុំសម្ភារៈនៃប្រភេទដែលបានផលិតដោយផ្អែកលើលក្ខណៈវិនិច្ឆ័យខាងលើនេះ DocType: Training Result Employee,Grade,ថ្នាក់ទី DocType: Sales Invoice Item,Delivered By Supplier,បានបញ្ជូនដោយអ្នកផ្គត់ផ្គង់ DocType: SMS Center,All Contact,ទំនាក់ទំនងទាំងអស់ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,លំដាប់ផលិតកម្មបានបង្កើតរួចសម្រាប់ធាតុទាំងអស់ដែលមាន Bom +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,លំដាប់ផលិតកម្មបានបង្កើតរួចសម្រាប់ធាតុទាំងអស់ដែលមាន Bom apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,ប្រាក់បៀវត្សប្រចាំឆ្នាំប្រាក់ DocType: Daily Work Summary,Daily Work Summary,សង្ខេបការងារប្រចាំថ្ងៃ DocType: Period Closing Voucher,Closing Fiscal Year,បិទឆ្នាំសារពើពន្ធ -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} ជាកក +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} ជាកក apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,សូមជ្រើសក្រុមហ៊ុនដែលមានស្រាប់សម្រាប់ការបង្កើតគណនីគំនូសតាង apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,ការចំណាយភាគហ៊ុន apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ជ្រើសគោលដៅឃ្លាំង @@ -212,13 +210,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ ទទួលយកបានច្រានចោល Qty ត្រូវតែស្មើនឹងទទួលបានបរិមាណសម្រាប់ធាតុ {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,ការផ្គត់ផ្គង់សម្ភារៈសម្រាប់ការទិញសាច់ឆៅ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,របៀបយ៉ាងហោចណាស់មួយនៃការទូទាត់ត្រូវបានទាមទារសម្រាប់វិក័យប័ត្រម៉ាស៊ីនឆូតកាត។ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,របៀបយ៉ាងហោចណាស់មួយនៃការទូទាត់ត្រូវបានទាមទារសម្រាប់វិក័យប័ត្រម៉ាស៊ីនឆូតកាត។ DocType: Products Settings,Show Products as a List,បង្ហាញផលិតផលជាបញ្ជី DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",ទាញយកទំព័រគំរូបំពេញទិន្នន័យត្រឹមត្រូវហើយភ្ជាប់ឯកសារដែលបានកែប្រែ។ កាលបរិច្ឆេទនិងបុគ្គលិកទាំងអស់រួមបញ្ចូលគ្នានៅក្នុងរយៈពេលដែលបានជ្រើសនឹងមកនៅក្នុងពុម្ពដែលមានស្រាប់ជាមួយនឹងកំណត់ត្រាវត្តមាន apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,ធាតុ {0} គឺមិនសកម្មឬទីបញ្ចប់នៃជីវិតត្រូវបានឈានដល់ -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,ឧទាហរណ៍: គណិតវិទ្យាមូលដ្ឋាន -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ដើម្បីរួមបញ្ចូលពន្ធក្នុងជួរ {0} នៅក្នុងអត្រាធាតុពន្ធក្នុងជួរដេក {1} ត្រូវតែត្រូវបានរួមបញ្ចូល +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,ឧទាហរណ៍: គណិតវិទ្យាមូលដ្ឋាន +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ដើម្បីរួមបញ្ចូលពន្ធក្នុងជួរ {0} នៅក្នុងអត្រាធាតុពន្ធក្នុងជួរដេក {1} ត្រូវតែត្រូវបានរួមបញ្ចូល apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,ការកំណត់សម្រាប់ម៉ូឌុលធនធានមនុស្ស DocType: SMS Center,SMS Center,ផ្ញើសារជាអក្សរមជ្ឈមណ្ឌល DocType: Sales Invoice,Change Amount,ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់ @@ -249,7 +247,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},កាលបរិច្ឆេទដំឡើងមិនអាចជាមុនកាលបរិច្ឆេទចែកចាយសម្រាប់ធាតុ {0} DocType: Pricing Rule,Discount on Price List Rate (%),ការបញ្ចុះតំលៃលើតំលៃអត្រាបញ្ជី (%) DocType: Offer Letter,Select Terms and Conditions,ជ្រើសលក្ខខណ្ឌ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,តម្លៃចេញ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,តម្លៃចេញ DocType: Production Planning Tool,Sales Orders,ការបញ្ជាទិញការលក់ DocType: Purchase Taxes and Charges,Valuation,ការវាយតម្លៃ ,Purchase Order Trends,ទិញលំដាប់និន្នាការ @@ -273,7 +271,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,ត្រូវការបើកចូល DocType: Customer Group,Mention if non-standard receivable account applicable,និយាយបានបើគណនីដែលមិនមែនជាស្តង់ដាទទួលអនុវត្តបាន DocType: Course Schedule,Instructor Name,ឈ្មោះគ្រូបង្ហាត់ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,សម្រាប់ឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,សម្រាប់ឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,ទទួលបាននៅលើ DocType: Sales Partner,Reseller,លក់បន្ត DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.",ប្រសិនបើបានធីកវានឹងរួមបញ្ចូលទាំងរបស់របរដែលមិនមែនជាភាគហ៊ុននៅក្នុងសំណើសម្ភារៈ។ @@ -281,13 +279,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,ការប្រឆាំងនឹងការធាតុលក់វិក័យប័ត្រ ,Production Orders in Progress,ការបញ្ជាទិញផលិតកម្មក្នុងវឌ្ឍនភាព apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,សាច់ប្រាក់សុទ្ធពីការផ្តល់ហិរញ្ញប្បទាន -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","ផ្ទុកទិន្នន័យមូលដ្ឋានជាការពេញលេញ, មិនបានរក្សាទុក" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","ផ្ទុកទិន្នន័យមូលដ្ឋានជាការពេញលេញ, មិនបានរក្សាទុក" DocType: Lead,Address & Contact,អាសយដ្ឋានទំនាក់ទំនង DocType: Leave Allocation,Add unused leaves from previous allocations,បន្ថែមស្លឹកដែលមិនបានប្រើពីការបែងចែកពីមុន apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},កើតឡើងបន្ទាប់ {0} នឹងត្រូវបានបង្កើតនៅលើ {1} DocType: Sales Partner,Partner website,គេហទំព័រជាដៃគូ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,បន្ថែមធាតុ -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,ឈ្មោះទំនាក់ទំនង +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,ឈ្មោះទំនាក់ទំនង DocType: Course Assessment Criteria,Course Assessment Criteria,លក្ខណៈវិនិច្ឆ័យការវាយតំលៃការពិតណាស់ DocType: Process Payroll,Creates salary slip for above mentioned criteria.,បង្កើតប័ណ្ណប្រាក់បៀវត្សចំពោះលក្ខណៈវិនិច្ឆ័យដែលបានរៀបរាប់ខាងលើ។ DocType: POS Customer Group,POS Customer Group,ក្រុមផ្ទាល់ខ្លួនម៉ាស៊ីនឆូតកាត @@ -303,7 +301,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ជួរដេក {0}: សូមពិនិត្យមើលតើជាមុនប្រឆាំងគណនី {1} ប្រសិនបើនេះជាធាតុជាមុន។ apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},ឃ្លាំង {0} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1} DocType: Email Digest,Profit & Loss,ប្រាក់ចំណេញនិងការបាត់បង់ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),សរុបការចំណាយចំនួនទឹកប្រាក់ (តាមរយៈសន្លឹកម៉ោង) DocType: Item Website Specification,Item Website Specification,បញ្ជាក់ធាតុគេហទំព័រ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ទុកឱ្យទប់ស្កាត់ @@ -315,7 +313,7 @@ DocType: Stock Entry,Sales Invoice No,ការលក់វិក័យប័ត DocType: Material Request Item,Min Order Qty,លោក Min លំដាប់ Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ឧបករណ៍វគ្គការបង្កើតក្រុមនិស្សិត DocType: Lead,Do Not Contact,កុំទំនាក់ទំនង -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,មនុស្សដែលបានបង្រៀននៅក្នុងអង្គការរបស់អ្នក +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,មនុស្សដែលបានបង្រៀននៅក្នុងអង្គការរបស់អ្នក DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,លេខសម្គាល់តែមួយគត់សម្រាប់ការតាមដានវិក័យប័ត្រកើតឡើងទាំងអស់។ វាត្រូវបានគេបង្កើតនៅលើការដាក់ស្នើ។ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,អភិវឌ្ឍន៍កម្មវិធី DocType: Item,Minimum Order Qty,អប្បរមាលំដាប់ Qty @@ -327,7 +325,7 @@ DocType: Item,Publish in Hub,បោះពុម្ពផ្សាយនៅក្ DocType: Student Admission,Student Admission,ការចូលរបស់សិស្ស ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,ធាតុ {0} ត្រូវបានលុបចោល -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,សម្ភារៈស្នើសុំ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,សម្ភារៈស្នើសុំ DocType: Bank Reconciliation,Update Clearance Date,ធ្វើឱ្យទាន់សម័យបោសសំអាតកាលបរិច្ឆេទ DocType: Item,Purchase Details,ពត៌មានលំអិតទិញ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ធាតុ {0} មិនត្រូវបានរកឃើញនៅក្នុង 'វត្ថុធាតុដើមការី "តារាងក្នុងការទិញលំដាប់ {1} @@ -367,7 +365,7 @@ DocType: Vehicle,Fleet Manager,កម្មវិធីគ្រប់គ្រ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},ជួរដេក # {0}: {1} មិនអាចមានផលអវិជ្ជមានសម្រាប់ធាតុ {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,ពាក្យសម្ងាត់មិនត្រឹមត្រូវ DocType: Item,Variant Of,វ៉ារ្យ៉ង់របស់ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Qty បានបញ្ចប់មិនអាចជាធំជាង Qty ដើម្បីផលិត " +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Qty បានបញ្ចប់មិនអាចជាធំជាង Qty ដើម្បីផលិត " DocType: Period Closing Voucher,Closing Account Head,បិទនាយកគណនី DocType: Employee,External Work History,ការងារខាងក្រៅប្រវត្តិ apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,កំហុសក្នុងការយោងសារាចរ @@ -377,10 +375,11 @@ DocType: Cheque Print Template,Distance from left edge,ចម្ងាយពី apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} គ្រឿង [{1}] (# សំណុំបែបបទ / ធាតុ / {1}) រកឃើញនៅក្នុង [{2}] (# សំណុំបែបបទ / ឃ្លាំង / {2}) DocType: Lead,Industry,វិស័យឧស្សាហកម្ម DocType: Employee,Job Profile,ទម្រង់ការងារ +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,នេះគឺផ្អែកទៅលើប្រតិបត្តិការប្រឆាំងនឹងក្រុមហ៊ុននេះ។ សូមមើលតារាងពេលវេលាខាងក្រោមសម្រាប់ព័ត៌មានលំអិត DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ជូនដំណឹងដោយអ៊ីមែលនៅលើការបង្កើតសម្ភារៈស្នើសុំដោយស្វ័យប្រវត្តិ DocType: Journal Entry,Multi Currency,រូបិយប័ណ្ណពហុ DocType: Payment Reconciliation Invoice,Invoice Type,ប្រភេទវិក័យប័ត្រ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,ដឹកជញ្ជូនចំណាំ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,ដឹកជញ្ជូនចំណាំ apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ការរៀបចំពន្ធ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,តម្លៃនៃការលក់អចលនទ្រព្យ apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,ចូលការទូទាត់ត្រូវបានកែប្រែបន្ទាប់ពីអ្នកបានទាញវា។ សូមទាញវាម្តងទៀត។ @@ -402,10 +401,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,សូមបញ្ចូល 'ធ្វើម្តងទៀតនៅថ្ងៃនៃខែ' តម្លៃវាល DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,អត្រាដែលរូបិយវត្ថុរបស់អតិថិជនត្រូវបានបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់អតិថិជន DocType: Course Scheduling Tool,Course Scheduling Tool,ឧបករណ៍កាលវិភាគវគ្គសិក្សាបាន -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ជួរដេក # {0}: ការទិញវិក័យប័ត្រដែលមិនអាចត្រូវបានធ្វើឡើងប្រឆាំងនឹងទ្រព្យសម្បត្តិដែលមានស្រាប់ {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ជួរដេក # {0}: ការទិញវិក័យប័ត្រដែលមិនអាចត្រូវបានធ្វើឡើងប្រឆាំងនឹងទ្រព្យសម្បត្តិដែលមានស្រាប់ {1} DocType: Item Tax,Tax Rate,អត្រាអាករ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} បម្រុងទុកសម្រាប់បុគ្គលិក {1} សម្រាប់រយៈពេល {2} ទៅ {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,ជ្រើសធាតុ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,ជ្រើសធាតុ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ទិញ {0} វិក័យប័ត្រត្រូវបានដាក់ស្នើរួចទៅហើយ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ជួរដេក # {0}: បាច់មិនមានត្រូវតែមានដូចគ្នា {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,បម្លែងទៅនឹងការមិនគ្រុប @@ -443,7 +442,7 @@ DocType: Employee,Widowed,មេម៉ាយ DocType: Request for Quotation,Request for Quotation,សំណើរសម្រាប់សម្រង់ DocType: Salary Slip Timesheet,Working Hours,ម៉ោងធ្វើការ DocType: Naming Series,Change the starting / current sequence number of an existing series.,ផ្លាស់ប្តូរការចាប់ផ្តើមលេខលំដាប់ / នាពេលបច្ចុប្បន្ននៃស៊េរីដែលមានស្រាប់។ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,បង្កើតអតិថិជនថ្មី +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,បង្កើតអតិថិជនថ្មី apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","បើសិនជាវិធានការបន្តតម្លៃជាច្រើនដែលមានជ័យជំនះ, អ្នកប្រើត្រូវបានសួរដើម្បីកំណត់អាទិភាពដោយដៃដើម្បីដោះស្រាយជម្លោះ។" apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,បង្កើតបញ្ជាទិញ ,Purchase Register,ទិញចុះឈ្មោះ @@ -469,7 +468,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,ពិនិត្យឈ្មោះ DocType: Purchase Invoice Item,Quantity and Rate,បរិមាណនិងអត្រាការប្រាក់ DocType: Delivery Note,% Installed,% ដែលបានដំឡើង -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,ថ្នាក់រៀន / មន្ទីរពិសោធន៍លដែលជាកន្លែងដែលបង្រៀនអាចត្រូវបានកំណត់។ +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,ថ្នាក់រៀន / មន្ទីរពិសោធន៍លដែលជាកន្លែងដែលបង្រៀនអាចត្រូវបានកំណត់។ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,សូមបញ្ចូលឈ្មោះរបស់ក្រុមហ៊ុនដំបូង DocType: Purchase Invoice,Supplier Name,ឈ្មោះក្រុមហ៊ុនផ្គត់ផ្គង់ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,សូមអានសៀវភៅដៃ ERPNext @@ -485,7 +484,7 @@ DocType: Lead,Channel Partner,ឆានែលដៃគូ DocType: Account,Old Parent,ឪពុកម្តាយចាស់ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,វាលដែលចាំបាច់ - ឆ្នាំសិក្សា DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ប្ដូរតាមបំណងអត្ថបទណែនាំដែលទៅជាផ្នែកមួយនៃអ៊ីម៉ែលមួយ។ ប្រតិបត្តិការគ្នាមានអត្ថបទណែនាំមួយដាច់ដោយឡែក។ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},សូមកំណត់លំនាំដើមសម្រាប់គណនីបង់ក្រុមហ៊ុននេះបាន {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},សូមកំណត់លំនាំដើមសម្រាប់គណនីបង់ក្រុមហ៊ុននេះបាន {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ការកំណត់សកលសម្រាប់ដំណើរការផលិតទាំងអស់។ DocType: Accounts Settings,Accounts Frozen Upto,រីករាយជាមួយនឹងទឹកកកគណនី DocType: SMS Log,Sent On,ដែលបានផ្ញើនៅថ្ងៃ @@ -524,14 +523,14 @@ DocType: Journal Entry,Accounts Payable,គណនីទូទាត់ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,នេះ BOMs បានជ្រើសរើសគឺមិនមែនសម្រាប់ធាតុដូចគ្នា DocType: Pricing Rule,Valid Upto,រីករាយជាមួយនឹងមានសុពលភាព DocType: Training Event,Workshop,សិក្ខាសាលា -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,រាយមួយចំនួននៃអតិថិជនរបស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។ +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,រាយមួយចំនួននៃអតិថិជនរបស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,ផ្នែកគ្រប់គ្រាន់ដើម្បីកសាង apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,ប្រាក់ចំណូលដោយផ្ទាល់ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","មិនអាចត្រងដោយផ្អែកលើគណនី, ប្រសិនបើការដាក់ជាក្រុមតាមគណនី" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,មន្រ្តីរដ្ឋបាល apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,សូមជ្រើសវគ្គសិក្សា DocType: Timesheet Detail,Hrs,ម៉ោង -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,សូមជ្រើសរើសក្រុមហ៊ុន +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,សូមជ្រើសរើសក្រុមហ៊ុន DocType: Stock Entry Detail,Difference Account,គណនីមានភាពខុសគ្នា DocType: Purchase Invoice,Supplier GSTIN,GSTIN ក្រុមហ៊ុនផ្គត់ផ្គង់ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,មិនអាចភារកិច្ចជិតស្និទ្ធដូចជាការពឹងផ្អែករបស់ខ្លួនមានភារកិច្ច {0} គឺមិនត្រូវបានបិទ។ @@ -547,7 +546,7 @@ DocType: Sales Invoice,Offline POS Name,ឈ្មោះម៉ាស៊ីនឆ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,សូមកំណត់ថ្នាក់ទីសម្រាប់កម្រិតពន្លឺ 0% DocType: Sales Order,To Deliver,ដើម្បីរំដោះ DocType: Purchase Invoice Item,Item,ធាតុ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,សៀរៀលធាតុគ្មានមិនអាចត្រូវប្រភាគ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,សៀរៀលធាតុគ្មានមិនអាចត្រូវប្រភាគ DocType: Journal Entry,Difference (Dr - Cr),ភាពខុសគ្នា (លោកវេជ្ជបណ្ឌិត - Cr) DocType: Account,Profit and Loss,ប្រាក់ចំណេញនិងការបាត់បង់ apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,ការគ្រប់គ្រងអ្នកម៉ៅការបន្ត @@ -573,7 +572,7 @@ DocType: Serial No,Warranty Period (Days),រយៈពេលធានា (ថ្ DocType: Installation Note Item,Installation Note Item,ធាតុចំណាំការដំឡើង DocType: Production Plan Item,Pending Qty,ដំណើ Qty DocType: Budget,Ignore,មិនអើពើ -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} គឺមិនសកម្ម +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} គឺមិនសកម្ម apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},ផ្ញើសារទៅកាន់លេខដូចខាងក្រោម: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,វិមាត្ររៀបចំការពិនិត្យសម្រាប់ការបោះពុម្ព DocType: Salary Slip,Salary Slip Timesheet,Timesheet ប្រាក់បៀវត្សរ៍ប័ណ្ណ @@ -677,8 +676,8 @@ DocType: Installation Note,IN-,ីជ DocType: Production Order Operation,In minutes,នៅក្នុងនាទី DocType: Issue,Resolution Date,ការដោះស្រាយកាលបរិច្ឆេទ DocType: Student Batch Name,Batch Name,ឈ្មោះបាច់ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet បង្កើត: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},សូមកំណត់លំនាំដើមឬគណនីសាច់ប្រាក់របស់ធនាគារក្នុងរបៀបនៃការទូទាត់ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet បង្កើត: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},សូមកំណត់លំនាំដើមឬគណនីសាច់ប្រាក់របស់ធនាគារក្នុងរបៀបនៃការទូទាត់ {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ចុះឈ្មោះ DocType: GST Settings,GST Settings,ការកំណត់ជីអេសធី DocType: Selling Settings,Customer Naming By,ឈ្មោះអតិថិជនដោយ @@ -698,7 +697,7 @@ DocType: Activity Cost,Projects User,គម្រោងការរបស់អ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,ប្រើប្រាស់ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} មិនត្រូវបានរកឃើញនៅក្នុងតារាងវិក្កយបត្ររាយលំអិត DocType: Company,Round Off Cost Center,បិទការប្រកួតជុំមជ្ឈមណ្ឌលការចំណាយ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ទស្សនកិច្ចថែទាំ {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ទស្សនកិច្ចថែទាំ {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ DocType: Item,Material Transfer,សម្ភារៈសេវាផ្ទេរប្រាក់ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ពិធីបើក (លោកបណ្ឌិត) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},ត្រាពេលវេលាប្រកាសត្រូវតែមានបន្ទាប់ {0} @@ -707,7 +706,7 @@ DocType: Employee Loan,Total Interest Payable,ការប្រាក់ត្ DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ពន្ធទូកចោទប្រកាន់ចំនាយ DocType: Production Order Operation,Actual Start Time,ជាក់ស្តែងពេលវេលាចាប់ផ្ដើម DocType: BOM Operation,Operation Time,ប្រតិបត្ដិការពេលវេលា -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,បញ្ចប់ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,បញ្ចប់ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,មូលដ្ឋាន DocType: Timesheet,Total Billed Hours,ម៉ោងធ្វើការបង់ប្រាក់សរុប DocType: Journal Entry,Write Off Amount,បិទការសរសេរចំនួនទឹកប្រាក់ @@ -732,7 +731,7 @@ DocType: Vehicle,Odometer Value (Last),តម្លៃ odometer (ចុងក្ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,ទីផ្សារ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ចូលក្នុងការទូទាត់ត្រូវបានបង្កើតឡើងរួចទៅហើយ DocType: Purchase Receipt Item Supplied,Current Stock,ហ៊ុននាពេលបច្ចុប្បន្ន -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនបានភ្ជាប់ទៅនឹងធាតុ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនបានភ្ជាប់ទៅនឹងធាតុ {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,គ្រូពេទ្យប្រហែលជាប្រាក់ខែការមើលជាមុន apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,គណនី {0} ត្រូវបានបញ្ចូលច្រើនដង DocType: Account,Expenses Included In Valuation,ការចំណាយដែលបានរួមបញ្ចូលនៅក្នុងការវាយតម្លៃ @@ -756,7 +755,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,អវក DocType: Journal Entry,Credit Card Entry,ចូលកាតឥណទាន apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,ក្រុមហ៊ុននិងគណនី apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,ទំនិញទទួលបានពីការផ្គត់ផ្គង់។ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,នៅក្នុងតម្លៃ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,នៅក្នុងតម្លៃ DocType: Lead,Campaign Name,ឈ្មោះយុទ្ធនាការឃោសនា DocType: Selling Settings,Close Opportunity After Days,ឱកាសការងារបន្ទាប់ពីថ្ងៃបិទ ,Reserved,បម្រុងទុក @@ -781,17 +780,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,ថាមពល DocType: Opportunity,Opportunity From,ឱកាសការងារពី apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,សេចក្តីថ្លែងការប្រាក់បៀវត្សរ៍ប្រចាំខែ។ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ជួរដេក {0}: {1} លេខរៀងដែលទាមទារសម្រាប់ធាតុ {2} ។ អ្នកបានផ្តល់ {3} ។ DocType: BOM,Website Specifications,ជាក់លាក់វេបសាយ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: ពី {0} នៃប្រភេទ {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ជួរដេក {0}: ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់ DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","វិធានតម្លៃច្រើនមានលក្ខណៈវិនិច្ឆ័យដូចគ្នា, សូមដោះស្រាយជម្លោះដោយផ្ដល់អាទិភាព។ វិធានតម្លៃ: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,មិនអាចធ្វើឱ្យឬបោះបង់ Bom ជាវាត្រូវបានផ្សារភ្ជាប់ជាមួយនឹង BOMs ផ្សេងទៀត +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,មិនអាចធ្វើឱ្យឬបោះបង់ Bom ជាវាត្រូវបានផ្សារភ្ជាប់ជាមួយនឹង BOMs ផ្សេងទៀត DocType: Opportunity,Maintenance,ការថែរក្សា DocType: Item Attribute Value,Item Attribute Value,តម្លៃគុណលក្ខណៈធាតុ apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,យុទ្ធនាការលក់។ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,ធ្វើឱ្យ Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,ធ្វើឱ្យ Timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -825,7 +825,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ការបង្កើតគណនីអ៊ីម៉ែល apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,សូមបញ្ចូលធាតុដំបូង DocType: Account,Liability,ការទទួលខុសត្រូវ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ចំនួនទឹកប្រាក់បានអនុញ្ញាតមិនអាចជាចំនួនទឹកប្រាក់ធំជាងក្នុងជួរដេកណ្តឹងទាមទារសំណង {0} ។ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ចំនួនទឹកប្រាក់បានអនុញ្ញាតមិនអាចជាចំនួនទឹកប្រាក់ធំជាងក្នុងជួរដេកណ្តឹងទាមទារសំណង {0} ។ DocType: Company,Default Cost of Goods Sold Account,តម្លៃលំនាំដើមនៃគណនីទំនិញលក់ apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,បញ្ជីតម្លៃដែលមិនបានជ្រើស DocType: Employee,Family Background,ប្រវត្តិក្រុមគ្រួសារ @@ -836,10 +836,10 @@ DocType: Company,Default Bank Account,គណនីធនាគារលំនា apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",ដើម្បីត្រងដោយផ្អែកទៅលើគណបក្សជ្រើសគណបក្សវាយជាលើកដំបូង apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"ធ្វើឱ្យទាន់សម័យហ៊ុន 'មិនអាចត្រូវបានគូសធីកទេព្រោះធាតុមិនត្រូវបានបញ្ជូនតាមរយៈ {0} DocType: Vehicle,Acquisition Date,ការទិញយកកាលបរិច្ឆេទ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,nos DocType: Item,Items with higher weightage will be shown higher,ធាតុជាមួយនឹង weightage ខ្ពស់ជាងនេះនឹងត្រូវបានបង្ហាញដែលខ្ពស់ជាង DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ពត៌មានលំអិតធនាគារការផ្សះផ្សា -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,ជួរដេក # {0}: ទ្រព្យសកម្ម {1} ត្រូវតែត្រូវបានដាក់ជូន +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,ជួរដេក # {0}: ទ្រព្យសកម្ម {1} ត្រូវតែត្រូវបានដាក់ជូន apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,រកមិនឃើញបុគ្គលិក DocType: Supplier Quotation,Stopped,បញ្ឈប់ DocType: Item,If subcontracted to a vendor,ប្រសិនបើមានអ្នកលក់មួយម៉ៅការបន្ត @@ -855,7 +855,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,ចំនួនវិក apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: មជ្ឈមណ្ឌលតម្លៃ {2} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: គណនី {2} មិនអាចជាក្រុមមួយ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ធាតុជួរដេក {idx}: {} {DOCNAME DOCTYPE} មិនមាននៅក្នុងខាងលើ '{DOCTYPE}' តុ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} ត្រូវបានបញ្ចប់រួចទៅហើយឬលុបចោល +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} ត្រូវបានបញ្ចប់រួចទៅហើយឬលុបចោល apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,គ្មានភារកិច្ច DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ថ្ងៃនៃខែដែលវិក័យប័ត្រដោយស្វ័យប្រវត្តិនឹងត្រូវបានបង្កើតឧ 05, 28 ល" DocType: Asset,Opening Accumulated Depreciation,រំលស់បង្គរបើក @@ -914,7 +914,7 @@ DocType: SMS Log,Requested Numbers,លេខដែលបានស្នើ DocType: Production Planning Tool,Only Obtain Raw Materials,មានតែវត្ថុធាតុដើមទទួល apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,វាយតម្លៃការអនុវត្ត។ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",បើក 'ប្រើសម្រាប់ការកន្រ្តកទំនិញដូចដែលត្រូវបានអនុញ្ញាតកន្រ្តកទំនិញនិងគួរតែមានច្បាប់ពន្ធយ៉ាងហោចណាស់មួយសម្រាប់ការកន្រ្តកទំនិញ -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ចូលការទូទាត់ {0} ត្រូវបានផ្សារភ្ជាប់នឹងដីកាសម្រេច {1}, ពិនិត្យមើលថាតើវាគួរតែត្រូវបានដកមុននៅក្នុងវិក័យប័ត្រដែលជានេះ។" +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ចូលការទូទាត់ {0} ត្រូវបានផ្សារភ្ជាប់នឹងដីកាសម្រេច {1}, ពិនិត្យមើលថាតើវាគួរតែត្រូវបានដកមុននៅក្នុងវិក័យប័ត្រដែលជានេះ។" DocType: Sales Invoice Item,Stock Details,ភាគហ៊ុនលំអិត apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,តម្លៃគម្រោង apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,ចំណុចនៃការលក់ @@ -937,15 +937,15 @@ DocType: Naming Series,Update Series,កម្រងឯកសារធ្វើ DocType: Supplier Quotation,Is Subcontracted,ត្រូវបានម៉ៅការបន្ត DocType: Item Attribute,Item Attribute Values,តម្លៃគុណលក្ខណៈធាតុ DocType: Examination Result,Examination Result,លទ្ធផលការពិនិត្យសុខភាព -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,បង្កាន់ដៃទិញ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,បង្កាន់ដៃទិញ ,Received Items To Be Billed,ទទួលបានធាតុដែលនឹងត្រូវបានផ្សព្វផ្សាយ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,បានដាក់ស្នើគ្រូពេទ្យប្រហែលជាប្រាក់ខែ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,បានដាក់ស្នើគ្រូពេទ្យប្រហែលជាប្រាក់ខែ apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,អត្រាប្តូរប្រាក់រូបិយប័ណ្ណមេ។ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},សេចក្តីយោង DOCTYPE ត្រូវតែជាផ្នែកមួយនៃ {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},មិនអាចរកឃើញរន្ធពេលវេលាក្នុងការ {0} ថ្ងៃទៀតសម្រាប់ប្រតិបត្ដិការ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},មិនអាចរកឃើញរន្ធពេលវេលាក្នុងការ {0} ថ្ងៃទៀតសម្រាប់ប្រតិបត្ដិការ {1} DocType: Production Order,Plan material for sub-assemblies,សម្ភារៈផែនការសម្រាប់ការអនុសភា apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,ដៃគូការលក់និងទឹកដី -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,Bom {0} ត្រូវតែសកម្ម +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,Bom {0} ត្រូវតែសកម្ម DocType: Journal Entry,Depreciation Entry,ចូលរំលស់ apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,សូមជ្រើសប្រភេទឯកសារនេះជាលើកដំបូង apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,បោះបង់ការមើលសម្ភារៈ {0} មុនពេលលុបចោលដំណើរទស្សនកិច្ចនេះជួសជុល @@ -955,7 +955,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,ចំនួនសរុប apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ការបោះពុម្ពអ៊ីធឺណិត DocType: Production Planning Tool,Production Orders,ការបញ្ជាទិញ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,តម្លៃឱ្យមានតុល្យភាព +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,តម្លៃឱ្យមានតុល្យភាព apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,តារាងតម្លៃការលក់ apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,ធ្វើសមកាលកម្មធាតុបោះពុម្ពផ្សាយ DocType: Bank Reconciliation,Account Currency,រូបិយប័ណ្ណគណនី @@ -980,12 +980,12 @@ DocType: Employee,Exit Interview Details,ពត៌មានលំអិតចេ DocType: Item,Is Purchase Item,តើមានធាតុទិញ DocType: Asset,Purchase Invoice,ការទិញវិក័យប័ត្រ DocType: Stock Ledger Entry,Voucher Detail No,ពត៌មានលំអិតកាតមានទឹកប្រាក់គ្មាន -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,វិក័យប័ត្រលក់ថ្មី +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,វិក័យប័ត្រលក់ថ្មី DocType: Stock Entry,Total Outgoing Value,តម្លៃចេញសរុប apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,បើកកាលបរិច្ឆេទនិងថ្ងៃផុតកំណត់គួរតែត្រូវបាននៅក្នុងឆ្នាំសារពើពន្ធដូចគ្នា DocType: Lead,Request for Information,សំណើសុំព័ត៌មាន ,LeaderBoard,តារាងពិន្ទុ -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,ធ្វើសមកាលកម្មវិកិយប័ត្រក្រៅបណ្តាញ +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,ធ្វើសមកាលកម្មវិកិយប័ត្រក្រៅបណ្តាញ DocType: Payment Request,Paid,Paid DocType: Program Fee,Program Fee,ថ្លៃសេវាកម្មវិធី DocType: Salary Slip,Total in words,សរុបនៅក្នុងពាក្យ @@ -993,7 +993,7 @@ DocType: Material Request Item,Lead Time Date,កាលបរិច្ឆេទ DocType: Guardian,Guardian Name,ឈ្មោះ Guardian បាន DocType: Cheque Print Template,Has Print Format,មានទ្រង់ទ្រាយបោះពុម្ព DocType: Employee Loan,Sanctioned,អនុញ្ញាត -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,គឺជាចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណដែលមិនត្រូវបានបង្កើតឡើងសម្រាប់ +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,គឺជាចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណដែលមិនត្រូវបានបង្កើតឡើងសម្រាប់ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ជួរដេក # {0}: សូមបញ្ជាក់សម្រាប់ធាតុសៀរៀលគ្មាន {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","សម្រាប់ធាតុ "ផលិតផលកញ្ចប់, ឃ្លាំង, សៀរៀល, គ្មានទេនិងបាច់ & ‧នឹងត្រូវបានចាត់ទុកថាពី" ការវេចខ្ចប់បញ្ជី "តារាង។ បើសិនជាគ្មានឃ្លាំងនិងជំនាន់ដូចគ្នាសម្រាប់ធាតុដែលមានទាំងអស់សម្រាប់វេចខ្ចប់ធាតុណាមួយ "ផលិតផលជាកញ្ចប់" តម្លៃទាំងនោះអាចត្រូវបានបញ្ចូលនៅក្នុងតារាងធាតុដ៏សំខាន់, តម្លៃនឹងត្រូវបានចម្លងទៅ 'វេចខ្ចប់បញ្ជី "តារាង។" DocType: Job Opening,Publish on website,បោះពុម្ពផ្សាយនៅលើគេហទំព័រ @@ -1006,7 +1006,7 @@ DocType: Cheque Print Template,Date Settings,ការកំណត់កាល apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,អថេរ ,Company Name,ឈ្មោះក្រុមហ៊ុន DocType: SMS Center,Total Message(s),សារសរុប (s បាន) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,ជ្រើសធាតុសម្រាប់ការផ្ទេរ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,ជ្រើសធាតុសម្រាប់ការផ្ទេរ DocType: Purchase Invoice,Additional Discount Percentage,ការបញ្ចុះតម្លៃបន្ថែមទៀតភាគរយ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,មើលបញ្ជីនៃការជួយវីដេអូទាំងអស់ DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ជ្រើសប្រធានគណនីរបស់ធនាគារនេះដែលជាកន្លែងដែលការត្រួតពិនិត្យត្រូវបានតម្កល់ទុក។ @@ -1020,7 +1020,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),តម្លៃវត្ថុធាតុដើម (ក្រុមហ៊ុនរូបិយប័ណ្ណ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,ធាតុទាំងអស់ត្រូវបានបញ្ជូនរួចហើយសម្រាប់ការបញ្ជាទិញផលិតផលនេះ។ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ជួរដេក # {0}: អត្រាការប្រាក់មិនអាចច្រើនជាងអត្រាដែលបានប្រើនៅ {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,ម៉ែត្រ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,ម៉ែត្រ DocType: Workstation,Electricity Cost,តម្លៃអគ្គិសនី DocType: HR Settings,Don't send Employee Birthday Reminders,កុំផ្ញើបុគ្គលិករំលឹកខួបកំណើត DocType: Item,Inspection Criteria,លក្ខណៈវិនិច្ឆ័យអធិការកិច្ច @@ -1034,7 +1034,7 @@ DocType: SMS Center,All Lead (Open),អ្នកដឹកនាំការទ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ជួរដេក {0}: Qty មិនមានសម្រាប់ {4} នៅក្នុងឃ្លាំង {1} នៅក្នុងប្រកាសពេលនៃធាតុ ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,ទទួលបានការវិវត្តបង់ប្រាក់ DocType: Item,Automatically Create New Batch,បង្កើតដោយស្វ័យប្រវត្តិថ្មីបាច់ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,ធ្វើឱ្យ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,ធ្វើឱ្យ DocType: Student Admission,Admission Start Date,ការទទួលយកដោយការចាប់ផ្តើមកាលបរិច្ឆេទ DocType: Journal Entry,Total Amount in Words,ចំនួនសរុបនៅក្នុងពាក្យ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,មានកំហុស។ ហេតុផលមួយដែលអាចនឹងត្រូវបានប្រហែលជាដែលអ្នកមិនបានរក្សាទុកសំណុំបែបបទ។ សូមទាក់ទង support@erpnext.com ប្រសិនបើបញ្ហានៅតែបន្តកើតមាន។ @@ -1042,7 +1042,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,កន្ត្រក apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ប្រភេទការបញ្ជាទិញត្រូវតែជាផ្នែកមួយនៃ {0} DocType: Lead,Next Contact Date,ទំនាក់ទំនងបន្ទាប់កាលបរិច្ឆេទ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,បើក Qty -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,សូមបញ្ចូលគណនីសម្រាប់ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,សូមបញ្ចូលគណនីសម្រាប់ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់ DocType: Student Batch Name,Student Batch Name,ឈ្មោះបាច់សិស្ស DocType: Holiday List,Holiday List Name,បញ្ជីថ្ងៃឈប់សម្រាកឈ្មោះ DocType: Repayment Schedule,Balance Loan Amount,តុល្យភាពប្រាក់កម្ចីចំនួនទឹកប្រាក់ @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ជម្រើសភាគហ៊ុន DocType: Journal Entry Account,Expense Claim,ពាក្យបណ្តឹងលើការចំណាយ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,តើអ្នកពិតជាចង់ស្តារទ្រព្យសកម្មបោះបង់ចោលនេះ? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},qty សម្រាប់ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},qty សម្រាប់ {0} DocType: Leave Application,Leave Application,ការឈប់សម្រាករបស់កម្មវិធី apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,ទុកឱ្យឧបករណ៍បម្រុងទុក DocType: Leave Block List,Leave Block List Dates,ទុកឱ្យប្លុកថ្ងៃបញ្ជី @@ -1100,7 +1100,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,ប្រឆាំងនឹងការ DocType: Item,Default Selling Cost Center,ចំណាយលើការលក់លំនាំដើមរបស់មជ្ឈមណ្ឌល DocType: Sales Partner,Implementation Partner,ដៃគូអនុវត្ដន៍ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,លេខកូដតំបន់ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,លេខកូដតំបន់ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},លំដាប់ការលក់ {0} គឺ {1} DocType: Opportunity,Contact Info,ពត៌មានទំនាក់ទំនង apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,ការធ្វើឱ្យធាតុហ៊ុន @@ -1118,13 +1118,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},ដ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,អាយុជាមធ្យម DocType: School Settings,Attendance Freeze Date,ការចូលរួមកាលបរិច្ឆេទបង្កក DocType: Opportunity,Your sales person who will contact the customer in future,ការលក់ផ្ទាល់ខ្លួនរបស់អ្នកដែលនឹងទាក់ទងអតិថិជននៅថ្ងៃអនាគត -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,រាយមួយចំនួននៃការផ្គត់ផ្គង់របស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។ +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,រាយមួយចំនួននៃការផ្គត់ផ្គង់របស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។ apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,មើលផលិតផលទាំងអស់ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),អ្នកដឹកនាំការកំរិតអាយុអប្បបរមា (ថ្ងៃ) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,BOMs ទាំងអស់ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,BOMs ទាំងអស់ DocType: Company,Default Currency,រូបិយប័ណ្ណលំនាំដើម DocType: Expense Claim,From Employee,ពីបុគ្គលិក -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ព្រមាន: ប្រព័ន្ធនឹងមិនពិនិត្យមើល overbilling ចាប់តាំងពីចំនួនទឹកប្រាក់សម្រាប់ធាតុ {0} {1} ក្នុងសូន្យ +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ព្រមាន: ប្រព័ន្ធនឹងមិនពិនិត្យមើល overbilling ចាប់តាំងពីចំនួនទឹកប្រាក់សម្រាប់ធាតុ {0} {1} ក្នុងសូន្យ DocType: Journal Entry,Make Difference Entry,ធ្វើឱ្យធាតុខុសគ្នា DocType: Upload Attendance,Attendance From Date,ការចូលរួមពីកាលបរិច្ឆេទ DocType: Appraisal Template Goal,Key Performance Area,គន្លឹះការសម្តែងតំបន់ @@ -1141,7 +1141,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,លេខចុះបញ្ជីក្រុមហ៊ុនសម្រាប់ជាឯកសារយោងរបស់អ្នក។ ចំនួនពន្ធល DocType: Sales Partner,Distributor,ចែកចាយ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ការដើរទិញឥវ៉ាន់វិធានការដឹកជញ្ជូនក្នុងកន្រ្តក -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,ផលិតកម្មលំដាប់ {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,ផលិតកម្មលំដាប់ {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',សូមកំណត់ 'អនុវត្តការបញ្ចុះតម្លៃបន្ថែមទៀតនៅលើ " ,Ordered Items To Be Billed,ធាតុបញ្ជាឱ្យនឹងត្រូវបានផ្សព្វផ្សាយ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ពីជួរមានដើម្បីឱ្យមានតិចជាងដើម្បីជួរ @@ -1150,10 +1150,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,ការកាត់ DocType: Leave Allocation,LAL/,លោក Lal / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ការចាប់ផ្តើមឆ្នាំ -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},លេខ 2 ខ្ទង់នៃ GSTIN គួរតែផ្គូផ្គងជាមួយលេខរដ្ឋ {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},លេខ 2 ខ្ទង់នៃ GSTIN គួរតែផ្គូផ្គងជាមួយលេខរដ្ឋ {0} DocType: Purchase Invoice,Start date of current invoice's period,ការចាប់ផ្តើមកាលបរិច្ឆេទនៃការរយៈពេលបច្ចុប្បន្នរបស់វិក័យប័ត្រ DocType: Salary Slip,Leave Without Pay,ទុកឱ្យដោយគ្មានការបង់ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,កំហុសក្នុងការធ្វើផែនការការកសាងសមត្ថភាព +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,កំហុសក្នុងការធ្វើផែនការការកសាងសមត្ថភាព ,Trial Balance for Party,អង្គជំនុំតុល្យភាពសម្រាប់ការគណបក្ស DocType: Lead,Consultant,អ្នកប្រឹក្សាយោបល់ DocType: Salary Slip,Earnings,ការរកប្រាក់ចំណូល @@ -1169,7 +1169,7 @@ DocType: Cheque Print Template,Payer Settings,ការកំណត់អ្ន DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","នេះនឹងត្រូវបានបន្ថែមទៅក្នុងក្រមធាតុនៃវ៉ារ្យ៉ង់នោះ។ ឧទាហរណ៍ប្រសិនបើអក្សរកាត់របស់អ្នកគឺ "ផលិតកម្ម SM" និងលេខកូដធាតុគឺ "អាវយឺត", លេខកូដធាតុនៃវ៉ារ្យ៉ង់នេះនឹងត្រូវបាន "អាវយឺត-ផលិតកម្ម SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ប្រាក់ចំណេញសុទ្ធ (និយាយម្យ៉ាង) នឹងមើលឃើញនៅពេលដែលអ្នករក្សាទុកប័ណ្ណប្រាក់បៀវត្ស។ DocType: Purchase Invoice,Is Return,តើការវិលត្រឡប់ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,ការវិលត្រឡប់ / ឥណពន្ធចំណាំ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,ការវិលត្រឡប់ / ឥណពន្ធចំណាំ DocType: Price List Country,Price List Country,បញ្ជីតម្លៃប្រទេស DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} បាន NOS សម្គាល់ត្រឹមត្រូវសម្រាប់ធាតុ {1} @@ -1182,7 +1182,7 @@ DocType: Employee Loan,Partially Disbursed,ផ្តល់ឱ្រយអតិ apps/erpnext/erpnext/config/buying.py +38,Supplier database.,មូលដ្ឋានទិន្នន័យដែលបានផ្គត់ផ្គង់។ DocType: Account,Balance Sheet,តារាងតុល្យការ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',មជ្ឈមណ្ឌលចំណាយសម្រាប់ធាតុដែលមានលេខកូដធាតុ " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",របៀបក្នុងការទូទាត់ត្រូវបានមិនបានកំណត់រចនាសម្ព័ន្ធ។ សូមពិនិត្យមើលថាតើគណនីត្រូវបានកំណត់នៅលើរបៀបនៃការទូទាត់ឬនៅលើប្រវត្តិរូបម៉ាស៊ីនឆូតកាត។ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",របៀបក្នុងការទូទាត់ត្រូវបានមិនបានកំណត់រចនាសម្ព័ន្ធ។ សូមពិនិត្យមើលថាតើគណនីត្រូវបានកំណត់នៅលើរបៀបនៃការទូទាត់ឬនៅលើប្រវត្តិរូបម៉ាស៊ីនឆូតកាត។ DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,មនុស្សម្នាក់ដែលលក់របស់អ្នកនឹងទទួលបាននូវការរំលឹកមួយនៅលើកាលបរិច្ឆេទនេះដើម្បីទាក់ទងអតិថិជន apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ធាតុដូចគ្នាមិនអាចត្រូវបានបញ្ចូលច្រើនដង។ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",គណនីដែលមានបន្ថែមទៀតអាចត្រូវបានធ្វើក្រោមការក្រុមនោះទេតែធាតុដែលអាចត្រូវបានធ្វើប្រឆាំងនឹងការដែលមិនមែនជាក្រុម @@ -1210,7 +1210,7 @@ DocType: Employee Loan Application,Repayment Info,ព័តសងប្រាក apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"ធាតុ" មិនអាចទទេ apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},ជួរស្ទួនជាមួយនឹង {0} {1} ដូចគ្នា ,Trial Balance,អង្គជំនុំតុល្យភាព -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,ឆ្នាំសារពើពន្ធ {0} មិនបានរកឃើញ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,ឆ្នាំសារពើពន្ធ {0} មិនបានរកឃើញ apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,ការរៀបចំបុគ្គលិក DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,សូមជ្រើសបុព្វបទជាលើកដំបូង @@ -1225,11 +1225,11 @@ DocType: Grading Scale,Intervals,ចន្លោះពេល apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ដំបូងបំផុត apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",ធាតុមួយពូលមានឈ្មោះដូចគ្នាសូមប្ដូរឈ្មោះធាតុឬប្ដូរឈ្មោះធាតុដែលជាក្រុម apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,លេខទូរស័ព្ទចល័តរបស់សិស្ស -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,នៅសល់នៃពិភពលោក +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,នៅសល់នៃពិភពលោក apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ធាតុនេះ {0} មិនអាចមានបាច់ ,Budget Variance Report,របាយការណ៍អថេរថវិការ DocType: Salary Slip,Gross Pay,បង់សរុបបាន -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ជួរដេក {0}: ប្រភេទសកម្មភាពគឺជាការចាំបាច់។ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,ជួរដេក {0}: ប្រភេទសកម្មភាពគឺជាការចាំបាច់។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ភាគលាភបង់ប្រាក់ apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,គណនេយ្យសៀវភៅធំ DocType: Stock Reconciliation,Difference Amount,ចំនួនទឹកប្រាក់ដែលមានភាពខុសគ្នា @@ -1251,18 +1251,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,បុគ្គលិកចាកចេញតុល្យភាព apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},តុល្យភាពសម្រាប់គណនី {0} តែងតែត្រូវតែមាន {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},អត្រាការវាយតម្លៃដែលបានទាមទារសម្រាប់ធាតុនៅក្នុងជួរដេក {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ឧទាហរណ៍: ថ្នាក់អនុបណ្ឌិតវិទ្យាសាស្រ្តកុំព្យូទ័រ +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,ឧទាហរណ៍: ថ្នាក់អនុបណ្ឌិតវិទ្យាសាស្រ្តកុំព្យូទ័រ DocType: Purchase Invoice,Rejected Warehouse,ឃ្លាំងច្រានចោល DocType: GL Entry,Against Voucher,ប្រឆាំងនឹងប័ណ្ណ DocType: Item,Default Buying Cost Center,មជ្ឈមណ្ឌលការចំណាយទិញលំនាំដើម apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",ដើម្បីទទួលបានប្រយោជន៍ច្រើនបំផុតក្នុង ERPNext យើងផ្ដល់អនុសាសន៍ថាអ្នកបានយកពេលវេលាមួយចំនួននិងមើលវីដេអូបានជំនួយទាំងនេះ។ -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,ដើម្បី +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,ដើម្បី DocType: Supplier Quotation Item,Lead Time in days,អ្នកដឹកនាំការពេលវេលានៅក្នុងថ្ងៃ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,គណនីចងការប្រាក់សង្ខេប -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},ការទូទាត់សំណងនៃប្រាក់ខែពី {0} ទៅ {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},ការទូទាត់សំណងនៃប្រាក់ខែពី {0} ទៅ {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},មិនអនុញ្ញាតឱ្យកែគណនីកក {0} DocType: Journal Entry,Get Outstanding Invoices,ទទួលបានវិកិយប័ត្រឆ្នើម -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,លំដាប់ការលក់ {0} មិនត្រឹមត្រូវ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,លំដាប់ការលក់ {0} មិនត្រឹមត្រូវ apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,ការបញ្ជាទិញជួយអ្នកមានគម្រោងនិងតាមដាននៅលើការទិញរបស់អ្នក apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","សូមអភ័យទោស, ក្រុមហ៊ុនមិនអាចត្រូវបានបញ្ចូលគ្នា" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1284,8 +1284,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,ការចំណាយដោយប្រយោល apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ជួរដេក {0}: Qty គឺជាការចាំបាច់ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,កសិកម្ម -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,ផលិតផលឬសេវាកម្មរបស់អ្នក +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,ផលិតផលឬសេវាកម្មរបស់អ្នក DocType: Mode of Payment,Mode of Payment,របៀបនៃការទូទាត់ apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,វេបសាយរូបភាពគួរតែជាឯកសារសាធារណៈឬគេហទំព័ររបស់ URL DocType: Student Applicant,AP,AP @@ -1304,18 +1304,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,អត្រាអាករធា DocType: Student Group Student,Group Roll Number,លេខវិលគ្រុប apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} មានតែគណនីឥណទានអាចត្រូវបានតភ្ជាប់ប្រឆាំងនឹងធាតុឥណពន្ធផ្សេងទៀត apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,សរុបនៃភារកិច្ចទាំងអស់គួរតែមានទម្ងន់ 1. សូមលៃតម្រូវត្រូវមានភារកិច្ចគម្រោងទម្ងន់ទាំងអស់ទៅតាម -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,ការដឹកជញ្ជូនចំណាំ {0} គឺមិនត្រូវបានដាក់ស្នើ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,ការដឹកជញ្ជូនចំណាំ {0} គឺមិនត្រូវបានដាក់ស្នើ apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,ធាតុ {0} ត្រូវតែជាធាតុអនុចុះកិច្ចសន្យា apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ឧបករណ៍រាជធានី apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",វិធានកំណត់តម្លៃដំបូងត្រូវបានជ្រើសដោយផ្អែកលើ 'អនុវត្តនៅលើ' វាលដែលអាចជាធាតុធាតុក្រុមឬម៉ាក។ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,សូមកំណត់កូដធាតុជាមុនសិន +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,សូមកំណត់កូដធាតុជាមុនសិន DocType: Hub Settings,Seller Website,វេបសាយអ្នកលក់ DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,ចំនួនភាគរយត្រៀមបម្រុងទុកសរុបសម្រាប់លក់ក្រុមគួរមាន 100 នាក់ DocType: Appraisal Goal,Goal,គ្រាប់បាល់បញ្ចូលទី DocType: Sales Invoice Item,Edit Description,កែសម្រួលការបរិយាយ ,Team Updates,ក្រុមការងារការធ្វើឱ្យទាន់សម័យ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,សម្រាប់ផ្គត់ផ្គង់ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,សម្រាប់ផ្គត់ផ្គង់ DocType: Account,Setting Account Type helps in selecting this Account in transactions.,ការកំណត់ប្រភេទគណនីជួយក្នុងការជ្រើសគណនីនេះក្នុងប្រតិបតិ្តការ។ DocType: Purchase Invoice,Grand Total (Company Currency),សម្ពោធសរុប (ក្រុមហ៊ុនរូបិយវត្ថុ) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,បង្កើតការបោះពុម្ពទ្រង់ទ្រាយ @@ -1329,12 +1329,12 @@ DocType: Item,Website Item Groups,ក្រុមធាតុវេបសាយ DocType: Purchase Invoice,Total (Company Currency),សរុប (ក្រុមហ៊ុនរូបិយវត្ថុ) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,លេខសម្គាល់ {0} បានចូលច្រើនជាងមួយដង DocType: Depreciation Schedule,Journal Entry,ធាតុទិនានុប្បវត្តិ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} ធាតុនៅក្នុងការរីកចំរើន +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} ធាតុនៅក្នុងការរីកចំរើន DocType: Workstation,Workstation Name,ឈ្មោះស្ថានីយការងារ Stencils DocType: Grading Scale Interval,Grade Code,កូដថ្នាក់ទី DocType: POS Item Group,POS Item Group,គ្រុបធាតុម៉ាស៊ីនឆូតកាត apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,សង្ខេបអ៊ីម៉ែល: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},Bom {0} មិនមែនជារបស់ធាតុ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},Bom {0} មិនមែនជារបស់ធាតុ {1} DocType: Sales Partner,Target Distribution,ចែកចាយគោលដៅ DocType: Salary Slip,Bank Account No.,លេខគណនីធនាគារ DocType: Naming Series,This is the number of the last created transaction with this prefix,នេះជាចំនួននៃការប្រតិបត្តិការបង្កើតចុងក្រោយជាមួយបុព្វបទនេះ @@ -1391,7 +1391,7 @@ DocType: Quotation,Shopping Cart,កន្រ្តកទំនិញ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,ជាមធ្យមប្រចាំថ្ងៃចេញ DocType: POS Profile,Campaign,យុទ្ធនាការឃោសនា DocType: Supplier,Name and Type,ឈ្មោះនិងប្រភេទ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',ស្ថានភាពការអនុម័តត្រូវតែបាន "ត្រូវបានអនុម័ត" ឬ "បានច្រានចោល" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',ស្ថានភាពការអនុម័តត្រូវតែបាន "ត្រូវបានអនុម័ត" ឬ "បានច្រានចោល" DocType: Purchase Invoice,Contact Person,ទំនាក់ទំនង apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"ការរំពឹងទុកការចាប់ផ្តើមកាលបរិច្ឆេទ" មិនអាចជាធំជាងការរំពឹងទុកកាលបរិច្ឆេទបញ្ចប់ " DocType: Course Scheduling Tool,Course End Date,ការពិតណាស់កាលបរិច្ឆេទបញ្ចប់ @@ -1403,8 +1403,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,ចំណង់ចំណូលចិត្តអ៊ីមែល apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,ការផ្លាស់ប្តូរសុទ្ធនៅលើអចលនទ្រព្យ DocType: Leave Control Panel,Leave blank if considered for all designations,ប្រសិនបើអ្នកទុកវាឱ្យទទេសម្រាប់ការរចនាទាំងអស់បានពិចារណាថា -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,បន្ទុកនៃប្រភេទ 'ជាក់ស្តែង "នៅក្នុងជួរដេកដែលបាន {0} មិនអាចត្រូវបានរួមបញ្ចូលនៅក្នុងអត្រាធាតុ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},អតិបរមា: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,បន្ទុកនៃប្រភេទ 'ជាក់ស្តែង "នៅក្នុងជួរដេកដែលបាន {0} មិនអាចត្រូវបានរួមបញ្ចូលនៅក្នុងអត្រាធាតុ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},អតិបរមា: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ចាប់ពី Datetime DocType: Email Digest,For Company,សម្រាប់ក្រុមហ៊ុន apps/erpnext/erpnext/config/support.py +17,Communication log.,កំណត់ហេតុនៃការទំនាក់ទំនង។ @@ -1445,7 +1445,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.",ទម្រង DocType: Journal Entry Account,Account Balance,សមតុល្យគណនី apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,វិធានពន្ធសម្រាប់កិច្ចការជំនួញ។ DocType: Rename Tool,Type of document to rename.,ប្រភេទនៃឯកសារដែលបានប្ដូរឈ្មោះ។ -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,យើងទិញធាតុនេះ +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,យើងទិញធាតុនេះ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: អតិថិជនគឺត្រូវបានទាមទារឱ្យមានការប្រឆាំងនឹងគណនីអ្នកទទួល {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ពន្ធសរុបនិងការចោទប្រកាន់ (រូបិយប័ណ្ណរបស់ក្រុមហ៊ុន) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,"បង្ហាញសមតុល្យ, P & L កាលពីឆ្នាំសារពើពន្ធរបស់មិនបិទ" @@ -1456,7 +1456,7 @@ DocType: Quality Inspection,Readings,អាន DocType: Stock Entry,Total Additional Costs,ការចំណាយបន្ថែមទៀតសរុប DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),សំណល់អេតចាយសម្ភារៈតម្លៃ (ក្រុមហ៊ុនរូបិយប័ណ្ណ) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,សភាអនុ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,សភាអនុ DocType: Asset,Asset Name,ឈ្មោះទ្រព្យសម្បត្តិ DocType: Project,Task Weight,ទម្ងន់ភារកិច្ច DocType: Shipping Rule Condition,To Value,ទៅតម្លៃ @@ -1485,7 +1485,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,វ៉ារ្យ៉ង DocType: Company,Services,ការផ្តល់សេវា DocType: HR Settings,Email Salary Slip to Employee,អ៊ីម៉ែលទៅឱ្យបុគ្គលិកគ្រូពេទ្យប្រហែលជាប្រាក់ខែ DocType: Cost Center,Parent Cost Center,មជ្ឈមណ្ឌលតម្លៃដែលមាតាឬបិតា -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,ជ្រើសផ្គត់ផ្គង់អាចធ្វើបាន +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,ជ្រើសផ្គត់ផ្គង់អាចធ្វើបាន DocType: Sales Invoice,Source,ប្រភព apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,បង្ហាញបានបិទ DocType: Leave Type,Is Leave Without Pay,ត្រូវទុកឱ្យដោយគ្មានការបង់ @@ -1497,7 +1497,7 @@ DocType: POS Profile,Apply Discount,អនុវត្តការបញ្ច DocType: GST HSN Code,GST HSN Code,កូដ HSN ជីអេសធី DocType: Employee External Work History,Total Experience,បទពិសោធន៍សរុប apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,បើកគម្រោង -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,គ្រូពេទ្យប្រហែលជាវេចខ្ចប់ (s) បានត្រូវបានលុបចោល +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,គ្រូពេទ្យប្រហែលជាវេចខ្ចប់ (s) បានត្រូវបានលុបចោល apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,លំហូរសាច់ប្រាក់ចេញពីការវិនិយោគ DocType: Program Course,Program Course,វគ្គសិក្សាកម្មវិធី apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ការចោទប្រកាន់ការដឹកជញ្ជូននិងការបញ្ជូនបន្ត @@ -1538,9 +1538,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,ការចុះឈ្មោះចូលរៀនកម្មវិធី DocType: Sales Invoice Item,Brand Name,ឈ្មោះម៉ាក DocType: Purchase Receipt,Transporter Details,សេចក្ដីលម្អិតដឹកជញ្ជូន -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,ឃ្លាំងលំនាំដើមគឺត្រូវបានទាមទារសម្រាប់ធាតុដែលបានជ្រើស -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,ប្រអប់ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,ហាងទំនិញដែលអាចធ្វើបាន +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,ឃ្លាំងលំនាំដើមគឺត្រូវបានទាមទារសម្រាប់ធាតុដែលបានជ្រើស +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,ប្រអប់ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,ហាងទំនិញដែលអាចធ្វើបាន DocType: Budget,Monthly Distribution,ចែកចាយប្រចាំខែ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,បញ្ជីអ្នកទទួលគឺទទេ។ សូមបង្កើតបញ្ជីអ្នកទទួល DocType: Production Plan Sales Order,Production Plan Sales Order,ផលិតកម្មផែនការលក់សណ្តាប់ធ្នាប់ @@ -1572,7 +1572,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,ពាក្ apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students",និស្សិតត្រូវបាននៅក្នុងបេះដូងនៃប្រព័ន្ធនេះបន្ថែមសិស្សទាំងអស់របស់អ្នក apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},ជួរដេក # {0}: កាលបរិច្ឆេទបោសសំអាត {1} មិនអាចមានមុនពេលកាលបរិច្ឆេទមូលប្បទានប័ត្រ {2} DocType: Company,Default Holiday List,បញ្ជីថ្ងៃឈប់សម្រាកលំនាំដើម -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ជួរដេក {0}: ពីពេលវេលានិងពេលវេលានៃ {1} ត្រូវបានត្រួតស៊ីគ្នាជាមួយ {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},ជួរដេក {0}: ពីពេលវេលានិងពេលវេលានៃ {1} ត្រូវបានត្រួតស៊ីគ្នាជាមួយ {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,បំណុលភាគហ៊ុន DocType: Purchase Invoice,Supplier Warehouse,ឃ្លាំងក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: Opportunity,Contact Mobile No,ទំនាក់ទំនងទូរស័ព្ទគ្មាន @@ -1588,18 +1588,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},ការឈប់សម្រាកនៃប្រភេទ {0} មិនអាចមានយូរជាង {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,ការធ្វើផែនការប្រតិបត្ដិការសម្រាប់ការព្យាយាមរបស់ X នៅមុនថ្ងៃ។ DocType: HR Settings,Stop Birthday Reminders,បញ្ឈប់ការរំលឹកខួបកំណើត -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},សូមកំណត់បើកប្រាក់បៀវត្សគណនីទូទាត់លំនាំដើមក្នុងក្រុមហ៊ុន {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},សូមកំណត់បើកប្រាក់បៀវត្សគណនីទូទាត់លំនាំដើមក្នុងក្រុមហ៊ុន {0} DocType: SMS Center,Receiver List,បញ្ជីអ្នកទទួល -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,ស្វែងរកធាតុ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,ស្វែងរកធាតុ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ចំនួនទឹកប្រាក់ដែលគេប្រើប្រាស់ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,ការផ្លាស់ប្តូរសាច់ប្រាក់សុទ្ធ DocType: Assessment Plan,Grading Scale,ធ្វើមាត្រដ្ឋានពិន្ទុ apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ឯកតារង្វាស់ {0} ត្រូវបានបញ្ចូលលើសពីមួយដងនៅក្នុងការសន្ទនាកត្តាតារាង -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,បានបញ្ចប់រួចទៅហើយ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,បានបញ្ចប់រួចទៅហើយ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,ភាគហ៊ុននៅក្នុងដៃ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ស្នើសុំការទូទាត់រួចហើយ {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,តម្លៃនៃធាតុដែលបានចេញផ្សាយ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},បរិមាណមិនត្រូវការច្រើនជាង {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},បរិមាណមិនត្រូវការច្រើនជាង {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,មុនឆ្នាំហិរញ្ញវត្ថុមិនត្រូវបានបិទ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),អាយុ (ថ្ងៃ) DocType: Quotation Item,Quotation Item,ធាតុសម្រង់ @@ -1613,6 +1613,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,ឯកសារជាឯកសារយោង apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ត្រូវបានលុបចោលឬបញ្ឈប់ DocType: Accounts Settings,Credit Controller,ឧបករណ៍ត្រួតពិនិត្យឥណទាន +DocType: Sales Order,Final Delivery Date,កាលបរិច្ឆេទដឹកជញ្ជូនចុងក្រោយ DocType: Delivery Note,Vehicle Dispatch Date,កាលបរិច្ឆេទបញ្ជូនយានយន្ត DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ការទិញការទទួល {0} គឺមិនត្រូវបានដាក់ស្នើ @@ -1701,9 +1702,9 @@ DocType: Employee,Date Of Retirement,កាលបរិច្ឆេទនៃក DocType: Upload Attendance,Get Template,ទទួលបានទំព័រគំរូ DocType: Material Request,Transferred,ផ្ទេរ DocType: Vehicle,Doors,ទ្វារ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ការដំឡើង ERPNext ទាំងស្រុង! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ការដំឡើង ERPNext ទាំងស្រុង! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,បែកគ្នាពន្ធ +DocType: Purchase Invoice,Tax Breakup,បែកគ្នាពន្ធ DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: មជ្ឈមណ្ឌលតម្លៃត្រូវបានទាមទារសម្រាប់ 'ប្រាក់ចំណេញនិងការបាត់បង់' គណនី {2} ។ សូមបង្កើតមជ្ឈមណ្ឌលតម្លៃលំនាំដើមសម្រាប់ក្រុមហ៊ុន។ apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ការគ្រុបអតិថិជនមានឈ្មោះដូចគ្នាសូមផ្លាស់ប្តូរឈ្មោះរបស់អតិថិជនឬប្តូរឈ្មោះក្រុមរបស់អតិថិជន @@ -1716,14 +1717,14 @@ DocType: Announcement,Instructor,គ្រូបង្រៀន DocType: Employee,AB+,ប់ AB + + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ប្រសិនបើមានធាតុនេះមានវ៉ារ្យ៉ង់, បន្ទាប់មកវាមិនអាចត្រូវបានជ្រើសនៅក្នុងការបញ្ជាទិញការលក់ល" DocType: Lead,Next Contact By,ទំនាក់ទំនងបន្ទាប់ដោយ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},បរិមាណដែលទាមទារសម្រាប់ធាតុ {0} នៅក្នុងជួរដេក {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},បរិមាណដែលទាមទារសម្រាប់ធាតុ {0} នៅក្នុងជួរដេក {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},ឃ្លាំង {0} មិនអាចត្រូវបានលុបជាបរិមាណមានសម្រាប់ធាតុ {1} DocType: Quotation,Order Type,ប្រភេទលំដាប់ DocType: Purchase Invoice,Notification Email Address,សេចក្តីជូនដំណឹងស្តីពីអាសយដ្ឋានអ៊ីម៉ែល ,Item-wise Sales Register,ធាតុប្រាជ្ញាលក់ចុះឈ្មោះ DocType: Asset,Gross Purchase Amount,ចំនួនទឹកប្រាក់សរុបការទិញ DocType: Asset,Depreciation Method,វិធីសាស្រ្តរំលស់ -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ក្រៅបណ្តាញ +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ក្រៅបណ្តាញ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,តើការប្រមូលពន្ធលើនេះបានរួមបញ្ចូលក្នុងអត្រាជាមូលដ្ឋាន? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,គោលដៅសរុប DocType: Job Applicant,Applicant for a Job,កម្មវិធីសម្រាប់ការងារ @@ -1744,7 +1745,7 @@ DocType: Employee,Leave Encashed?,ទុកឱ្យ Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ឱកាសក្នុងវាលពីគឺចាំបាច់ DocType: Email Digest,Annual Expenses,ការចំណាយប្រចាំឆ្នាំ DocType: Item,Variants,វ៉ារ្យ៉ង់ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,ធ្វើឱ្យការទិញសណ្តាប់ធ្នាប់ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,ធ្វើឱ្យការទិញសណ្តាប់ធ្នាប់ DocType: SMS Center,Send To,បញ្ជូនទៅ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},មិនមានតុល្យភាពឈប់សម្រាកឱ្យបានគ្រប់គ្រាន់សម្រាប់ទុកឱ្យប្រភេទ {0} DocType: Payment Reconciliation Payment,Allocated amount,ទឹកប្រាក់ដែលត្រៀមបម្រុងទុក @@ -1752,7 +1753,7 @@ DocType: Sales Team,Contribution to Net Total,ការចូលរួមចំ DocType: Sales Invoice Item,Customer's Item Code,ក្រមធាតុរបស់អតិថិជន DocType: Stock Reconciliation,Stock Reconciliation,ភាគហ៊ុនការផ្សះផ្សា DocType: Territory,Territory Name,ឈ្មោះទឹកដី -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,ការងារក្នុងវឌ្ឍនភាពឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,ការងារក្នុងវឌ្ឍនភាពឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,កម្មវិធីសម្រាប់ការងារនេះ។ DocType: Purchase Order Item,Warehouse and Reference,ឃ្លាំងនិងឯកសារយោង DocType: Supplier,Statutory info and other general information about your Supplier,ពត៌មានច្បាប់និងព័ត៌មានទូទៅអំពីផ្គត់ផ្គង់របស់អ្នក @@ -1763,16 +1764,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,វាយតម្ល្រ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},គ្មានបានចូលស្ទួនសៀរៀលសម្រាប់ធាតុ {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,លក្ខខណ្ឌមួយសម្រាប់វិធានការដឹកជញ្ជូនមួយ apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,សូមបញ្ចូល -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","មិនអាច overbill សម្រាប់ធាតុនៅ {0} {1} ជួរដេកច្រើនជាង {2} ។ ដើម្បីអនុញ្ញាតឱ្យការវិក័យប័ត្រ, សូមកំណត់នៅក្នុងការកំណត់ការទិញ" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,សូមកំណត់តម្រងដែលមានមូលដ្ឋានលើធាតុឬឃ្លាំង +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","មិនអាច overbill សម្រាប់ធាតុនៅ {0} {1} ជួរដេកច្រើនជាង {2} ។ ដើម្បីអនុញ្ញាតឱ្យការវិក័យប័ត្រ, សូមកំណត់នៅក្នុងការកំណត់ការទិញ" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,សូមកំណត់តម្រងដែលមានមូលដ្ឋានលើធាតុឬឃ្លាំង DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ទំងន់សុទ្ធកញ្ចប់នេះ។ (គណនាដោយស្វ័យប្រវត្តិជាផលបូកនៃទម្ងន់សុទ្ធនៃធាតុ) DocType: Sales Order,To Deliver and Bill,ដើម្បីផ្តល់និង Bill DocType: Student Group,Instructors,គ្រូបង្វឹក DocType: GL Entry,Credit Amount in Account Currency,ចំនួនឥណទានរូបិយប័ណ្ណគណនី -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,Bom {0} ត្រូវតែត្រូវបានដាក់ជូន +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,Bom {0} ត្រូវតែត្រូវបានដាក់ជូន DocType: Authorization Control,Authorization Control,ការត្រួតពិនិត្យសេចក្តីអនុញ្ញាត apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ជួរដេក # {0}: ឃ្លាំងគឺជាការចាំបាច់បានច្រានចោលការប្រឆាំងនឹងធាតុច្រានចោល {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,ការទូទាត់ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,ការទូទាត់ apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","ឃ្លាំង {0} គឺមិនត្រូវបានភ្ជាប់ទៅគណនីណាមួយ, សូមនិយាយអំពីគណនីនៅក្នុងកំណត់ត្រាឃ្លាំងឬកំណត់គណនីសារពើភ័ណ្ឌលំនាំដើមនៅក្នុងក្រុមហ៊ុន {1} ។" apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,គ្រប់គ្រងការបញ្ជាទិញរបស់អ្នក DocType: Production Order Operation,Actual Time and Cost,ពេលវេលាពិតប្រាកដនិងការចំណាយ @@ -1788,12 +1789,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,ធា DocType: Quotation Item,Actual Qty,ជាក់ស្តែ Qty DocType: Sales Invoice Item,References,ឯកសារយោង DocType: Quality Inspection Reading,Reading 10,ការអាន 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",រាយបញ្ជីផលិតផលឬសេវាកម្មរបស់អ្នកដែលអ្នកទិញឬលក់។ ធ្វើឱ្យប្រាកដថាដើម្បីពិនិត្យមើលធាតុ Group ដែលជាឯកតារង្វាស់និងលក្ខណៈសម្បត្តិផ្សេងទៀតនៅពេលដែលអ្នកចាប់ផ្តើម។ +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",រាយបញ្ជីផលិតផលឬសេវាកម្មរបស់អ្នកដែលអ្នកទិញឬលក់។ ធ្វើឱ្យប្រាកដថាដើម្បីពិនិត្យមើលធាតុ Group ដែលជាឯកតារង្វាស់និងលក្ខណៈសម្បត្តិផ្សេងទៀតនៅពេលដែលអ្នកចាប់ផ្តើម។ DocType: Hub Settings,Hub Node,ហាប់ថ្នាំង apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,អ្នកបានបញ្ចូលធាតុស្ទួន។ សូមកែតម្រូវនិងព្យាយាមម្ដងទៀត។ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,រង +DocType: Company,Sales Target,គោលដៅលក់ DocType: Asset Movement,Asset Movement,ចលនាទ្រព្យសម្បត្តិ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,រទេះថ្មី +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,រទេះថ្មី apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ធាតុ {0} គឺមិនមែនជាធាតុសៀរៀល DocType: SMS Center,Create Receiver List,បង្កើតបញ្ជីអ្នកទទួល DocType: Vehicle,Wheels,កង់ @@ -1834,13 +1836,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,ការគ្រ DocType: Supplier,Supplier of Goods or Services.,ក្រុមហ៊ុនផ្គត់ផ្គង់ទំនិញឬសេវា។ DocType: Budget,Fiscal Year,ឆ្នាំសារពើពន្ធ DocType: Vehicle Log,Fuel Price,តម្លៃប្រេងឥន្ធនៈ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈ Setup> Serial Number DocType: Budget,Budget,ថវិការ apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,ធាតុទ្រព្យសកម្មថេរត្រូវតែជាធាតុដែលមិនមែនជាភាគហ៊ុន។ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ថវិកាដែលមិនអាចត្រូវបានផ្ដល់ប្រឆាំងនឹង {0}, ដែលជាវាមិនមែនជាគណនីដែលមានប្រាក់ចំណូលឬការចំណាយ" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,សម្រេចបាន DocType: Student Admission,Application Form Route,ពាក្យស្នើសុំផ្លូវ apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,ទឹកដី / អតិថិជន -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,ឧ 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,ឧ 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ទុកឱ្យប្រភេទ {0} មិនអាចត្រូវបានបម្រុងទុកសម្រាប់ចាប់តាំងពីវាត្រូវបានចាកចេញដោយគ្មានប្រាក់ខែ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ជួរដេក {0}: ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក {1} ត្រូវតែតិចជាងឬស្មើនឹងចំនួនវិក័យប័ត្រដែលនៅសល់ {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកវិក័យប័ត្រលក់។ @@ -1849,11 +1852,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,ធាតុ {0} មិនត្រូវបានដំឡើងសម្រាប់ការសៀរៀល Nos ។ សូមពិនិត្យមើលមេធាតុ DocType: Maintenance Visit,Maintenance Time,ថែទាំម៉ោង ,Amount to Deliver,ចំនួនទឹកប្រាក់ដែលផ្តល់ -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,ផលិតផលឬសេវាកម្ម +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,ផលិតផលឬសេវាកម្ម apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,រយៈពេលកាលបរិច្ឆេទចាប់ផ្ដើមមិនអាចមានមុនជាងឆ្នាំចាប់ផ្ដើមកាលបរិច្ឆេទនៃឆ្នាំសិក្សាដែលរយៈពេលនេះត្រូវបានតភ្ជាប់ (អប់រំឆ្នាំ {}) ។ សូមកែកាលបរិច្ឆេទនិងព្យាយាមម្ដងទៀត។ DocType: Guardian,Guardian Interests,ចំណាប់អារម្មណ៍របស់កាសែត The Guardian DocType: Naming Series,Current Value,តម្លៃបច្ចុប្បន្ន -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,ឆ្នាំសារពើពន្ធច្រើនមានសម្រាប់កាលបរិច្ឆេទ {0} ។ សូមកំណត់ក្រុមហ៊ុននៅក្នុងឆ្នាំសារពើពន្ធ +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,ឆ្នាំសារពើពន្ធច្រើនមានសម្រាប់កាលបរិច្ឆេទ {0} ។ សូមកំណត់ក្រុមហ៊ុននៅក្នុងឆ្នាំសារពើពន្ធ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} បង្កើតឡើង DocType: Delivery Note Item,Against Sales Order,ប្រឆាំងនឹងដីកាលក់ ,Serial No Status,ស្ថានភាពគ្មានសៀរៀល @@ -1866,7 +1869,7 @@ DocType: Pricing Rule,Selling,លក់ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},ចំនួនទឹកប្រាក់ {0} {1} បានកាត់ប្រឆាំងនឹង {2} DocType: Employee,Salary Information,ពត៌មានប្រាក់បៀវត្ស DocType: Sales Person,Name and Employee ID,ឈ្មោះនិងលេខសម្គាល់របស់និយោជិត -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,កាលបរិច្ឆេទដោយសារតែមិនអាចមានមុនពេលការប្រកាសកាលបរិច្ឆេទ +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,កាលបរិច្ឆេទដោយសារតែមិនអាចមានមុនពេលការប្រកាសកាលបរិច្ឆេទ DocType: Website Item Group,Website Item Group,វេបសាយធាតុគ្រុប apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,ភារកិច្ចនិងពន្ធ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,សូមបញ្ចូលកាលបរិច្ឆេទយោង @@ -1921,9 +1924,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},សូមកំណត់កាលបរិច្ឆេទនៃការចូលរួមសម្រាប់បុគ្គលិកដែលបាន {0} DocType: Task,Total Billing Amount (via Time Sheet),ចំនួនវិក័យប័ត្រសរុប (តាមរយៈសន្លឹកម៉ោង) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ប្រាក់ចំណូលគយបានធ្វើម្តងទៀត -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ត្រូវតែមានតួនាទីជា "អ្នកអនុម័តការចំណាយ" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,គូ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,ជ្រើស Bom និង Qty សម្រាប់ផលិតកម្ម +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ត្រូវតែមានតួនាទីជា "អ្នកអនុម័តការចំណាយ" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,គូ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,ជ្រើស Bom និង Qty សម្រាប់ផលិតកម្ម DocType: Asset,Depreciation Schedule,កាលវិភាគរំលស់ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,អាសយដ្ឋានដៃគូលក់និងទំនាក់ទំនង DocType: Bank Reconciliation Detail,Against Account,ប្រឆាំងនឹងគណនី @@ -1933,7 +1936,7 @@ DocType: Item,Has Batch No,មានបាច់គ្មាន apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},វិក័យប័ត្រប្រចាំឆ្នាំ: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ពន្ធទំនិញនិងសេវា (ជីអេសធីឥណ្ឌា) DocType: Delivery Note,Excise Page Number,រដ្ឋាករលេខទំព័រ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",ក្រុមហ៊ុនមកពីកាលបរិច្ឆេទនិងដើម្បីកាលបរិច្ឆេទគឺជាការចាំបាច់ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",ក្រុមហ៊ុនមកពីកាលបរិច្ឆេទនិងដើម្បីកាលបរិច្ឆេទគឺជាការចាំបាច់ DocType: Asset,Purchase Date,ទិញកាលបរិច្ឆេទ DocType: Employee,Personal Details,ពត៌មានលំអិតផ្ទាល់ខ្លួន apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},សូមកំណត់ 'ទ្រព្យសម្បត្តិមជ្ឈមណ្ឌលតម្លៃរំលស់ "នៅក្នុងក្រុមហ៊ុន {0} @@ -1942,9 +1945,9 @@ DocType: Task,Actual End Date (via Time Sheet),បញ្ចប់ពិតប្ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},ចំនួនទឹកប្រាក់ {0} {1} ប្រឆាំងនឹង {2} {3} ,Quotation Trends,សម្រង់និន្នាការ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ធាតុគ្រុបមិនបានរៀបរាប់នៅក្នុងមេធាតុសម្រាប់ធាតុ {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,ឥណពន្ធវីសាទៅគណនីត្រូវតែជាគណនីដែលទទួល +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,ឥណពន្ធវីសាទៅគណនីត្រូវតែជាគណនីដែលទទួល DocType: Shipping Rule Condition,Shipping Amount,ចំនួនទឹកប្រាក់ការដឹកជញ្ជូន -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,បន្ថែមអតិថិជន +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,បន្ថែមអតិថិជន apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ចំនួនទឹកប្រាក់ដែលមិនទាន់សម្រេច DocType: Purchase Invoice Item,Conversion Factor,ការប្រែចិត្តជឿកត្តា DocType: Purchase Order,Delivered,បានបញ្ជូន @@ -1966,7 +1969,6 @@ DocType: Production Order,Use Multi-Level BOM,ប្រើពហុកម្រ DocType: Bank Reconciliation,Include Reconciled Entries,រួមបញ្ចូលធាតុសំរុះសំរួល DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",វគ្គសិក្សាមាតាបិតា (ទុកវាទទេប្រសិនបើនេះមិនមែនជាផ្នែកមួយនៃឪពុកម្តាយវគ្គសិក្សា) DocType: Leave Control Panel,Leave blank if considered for all employee types,ប្រសិនបើអ្នកទុកវាឱ្យទទេអស់ទាំងប្រភេទពិចារណាសម្រាប់បុគ្គលិក -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ដែនដី DocType: Landed Cost Voucher,Distribute Charges Based On,ដោយផ្អែកលើការចែកចាយការចោទប្រកាន់ apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,ការកំណត់ធនធានមនុស្ស @@ -1974,7 +1976,7 @@ DocType: Salary Slip,net pay info,info ប្រាក់ខែសុទ្ធ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,ពាក្យបណ្តឹងលើការចំណាយគឺត្រូវរង់ចាំការអនុម័ត។ មានតែការអនុម័តលើការចំណាយនេះអាចធ្វើឱ្យស្ថានភាពទាន់សម័យ។ DocType: Email Digest,New Expenses,ការចំណាយថ្មី DocType: Purchase Invoice,Additional Discount Amount,ចំនួនទឹកប្រាក់ដែលបញ្ចុះតម្លៃបន្ថែម -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ជួរដេក # {0}: Qty ត្រូវតែ 1, ជាធាតុជាទ្រព្យសកម្មថេរ។ សូមប្រើជួរដាច់ដោយឡែកសម្រាប់ qty ច្រើន។" +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ជួរដេក # {0}: Qty ត្រូវតែ 1, ជាធាតុជាទ្រព្យសកម្មថេរ។ សូមប្រើជួរដាច់ដោយឡែកសម្រាប់ qty ច្រើន។" DocType: Leave Block List Allow,Leave Block List Allow,បញ្ជីប្លុកអនុញ្ញាតឱ្យចាកចេញពី apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr មិនអាចមាននៅទទេឬទំហំ apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,ជាក្រុមការមិនគ្រុប @@ -1982,7 +1984,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,កីឡា DocType: Loan Type,Loan Name,ឈ្មោះសេវាឥណទាន apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,សរុបជាក់ស្តែង DocType: Student Siblings,Student Siblings,បងប្អូននិស្សិត -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,អង្គភាព +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,អង្គភាព apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,សូមបញ្ជាក់ក្រុមហ៊ុន ,Customer Acquisition and Loyalty,ការទិញរបស់អតិថិជននិងភាពស្មោះត្រង់ DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,ឃ្លាំងដែលជាកន្លែងដែលអ្នកត្រូវបានរក្សាឱ្យបាននូវភាគហ៊ុនរបស់ធាតុដែលបានច្រានចោល @@ -2000,12 +2002,12 @@ DocType: Workstation,Wages per hour,ប្រាក់ឈ្នួលក្ន apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ភាគហ៊ុននៅក្នុងជំនាន់ទីតុល្យភាព {0} នឹងក្លាយទៅជាអវិជ្ជមាន {1} សម្រាប់ធាតុ {2} នៅឃ្លាំង {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,បន្ទាប់ពីការសម្ភារៈសំណើត្រូវបានលើកឡើងដោយស្វ័យប្រវត្តិដោយផ្អែកលើកម្រិតឡើងវិញដើម្បីធាតុរបស់ DocType: Email Digest,Pending Sales Orders,ការរង់ចាំការបញ្ជាទិញលក់ -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},គណនី {0} មិនត្រឹមត្រូវ។ រូបិយប័ណ្ណគណនីត្រូវតែ {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},គណនី {0} មិនត្រឹមត្រូវ។ រូបិយប័ណ្ណគណនីត្រូវតែ {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},កត្តាប្រែចិត្តជឿ UOM គឺត្រូវបានទាមទារនៅក្នុងជួរដេក {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃដីកាលក់, ការលក់វិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ" DocType: Salary Component,Deduction,ការដក -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ជួរដេក {0}: ពីពេលវេលានិងទៅពេលវេលាគឺជាការចាំបាច់។ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,ជួរដេក {0}: ពីពេលវេលានិងទៅពេលវេលាគឺជាការចាំបាច់។ DocType: Stock Reconciliation Item,Amount Difference,ភាពខុសគ្នាចំនួនទឹកប្រាក់ apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},ថ្លៃទំនិញបានបន្ថែមសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,សូមបញ្ចូលនិយោជិតលេខសម្គាល់នេះបុគ្គលការលក់ @@ -2015,11 +2017,11 @@ DocType: Project,Gross Margin,ប្រាក់ចំណេញដុល apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,សូមបញ្ចូលធាតុដំបូងផលិតកម្ម apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,សេចក្តីថ្លែងការណ៍របស់ធនាគារគណនាតុល្យភាព apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,អ្នកប្រើដែលបានបិទ -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,សម្រង់ +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,សម្រង់ DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,ការកាត់សរុប ,Production Analytics,វិភាគផលិតកម្ម -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ការចំណាយបន្ទាន់សម័យ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,ការចំណាយបន្ទាន់សម័យ DocType: Employee,Date of Birth,ថ្ងៃខែឆ្នាំកំណើត apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,ធាតុ {0} ត្រូវបានត្រឡប់មកវិញរួចហើយ DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ឆ្នាំសារពើពន្ធឆ្នាំ ** តំណាងឱ្យហិរញ្ញវត្ថុ។ ការបញ្ចូលគណនីទាំងអស់និងប្រតិបត្តិការដ៏ធំមួយផ្សេងទៀតត្រូវបានតាមដានការប្រឆាំងនឹងឆ្នាំសារពើពន្ធ ** ** ។ @@ -2064,18 +2066,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,ជ្រើសក្រុមហ៊ុន ... DocType: Leave Control Panel,Leave blank if considered for all departments,ប្រសិនបើអ្នកទុកវាឱ្យទទេទាំងអស់ពិចារណាសម្រាប់នាយកដ្ឋាន apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",ប្រភេទការងារ (អចិន្ត្រយ៍កិច្ចសន្យាហាត់ជាដើម) ។ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} គឺជាការចាំបាច់សម្រាប់ធាតុ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} គឺជាការចាំបាច់សម្រាប់ធាតុ {1} DocType: Process Payroll,Fortnightly,ពីរសប្តាហ៍ DocType: Currency Exchange,From Currency,ចាប់ពីរូបិយប័ណ្ណ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","សូមជ្រើសចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក, ប្រភេទវិក័យប័ត្រនិងលេខវិក្កយបត្រក្នុងមួយជួរដេកយ៉ាងហោចណាស់" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,តម្លៃនៃការទិញថ្មី -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},លំដាប់ការលក់បានទាមទារសម្រាប់ធាតុ {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},លំដាប់ការលក់បានទាមទារសម្រាប់ធាតុ {0} DocType: Purchase Invoice Item,Rate (Company Currency),អត្រាការប្រាក់ (ក្រុមហ៊ុនរូបិយវត្ថុ) DocType: Student Guardian,Others,អ្នកផ្សេងទៀត DocType: Payment Entry,Unallocated Amount,ចំនួនទឹកប្រាក់ដែលមិនទាន់បែងចែក apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,មិនអាចរកឃើញធាតុផ្គូផ្គងជាមួយ។ សូមជ្រើសតម្លៃមួយចំនួនផ្សេងទៀតសម្រាប់ {0} ។ DocType: POS Profile,Taxes and Charges,ពន្ធនិងការចោទប្រកាន់ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ផលិតផលឬសេវាកម្មដែលត្រូវបានទិញលក់ឬទុកនៅក្នុងភាគហ៊ុន។ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,លេខកូដធាតុ> ក្រុមធាតុ> ម៉ាក apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,គ្មានការធ្វើឱ្យទាន់សម័យជាច្រើនទៀត apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,មិនអាចជ្រើសប្រភេទការចោទប្រកាន់ថាជា "នៅលើចំនួនជួរដេកមុន 'ឬ' នៅលើជួរដេកសរុបមុន" សម្រាប់ជួរដេកដំបូង apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,ធាតុកូនមិនគួរជាផលិតផលកញ្ចប់។ សូមយកធាតុ `{0}` និងរក្សាទុក @@ -2101,7 +2104,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,ចំនួនទឹកប្រាក់សរុបវិក័យប័ត្រ apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ត្រូវតែមានគណនីអ៊ីម៉ែលំនាំដើមអនុញ្ញាតសម្រាប់ចូលមួយនេះដើម្បីធ្វើការ។ សូមរៀបចំគណនីអ៊ីម៉ែលំនាំដើមចូល (POP / IMAP) ហើយព្យាយាមម្តងទៀត។ apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,គណនីត្រូវទទួល -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មានរួចហើយ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មានរួចហើយ {2} DocType: Quotation Item,Stock Balance,តុល្យភាពភាគហ៊ុន apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,សណ្តាប់ធ្នាប់ការលក់ទៅការទូទាត់ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,នាយកប្រតិបត្តិ @@ -2126,10 +2129,11 @@ DocType: C-Form,Received Date,កាលបរិច្ឆេទទទួលប DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","បើអ្នកបានបង្កើតពុម្ពដែលស្ដង់ដារក្នុងការលក់និងការចោទប្រកាន់ពីពន្ធគំរូ, ជ្រើសយកមួយនិងចុចលើប៊ូតុងខាងក្រោម។" DocType: BOM Scrap Item,Basic Amount (Company Currency),ចំនួនទឹកប្រាក់មូលដ្ឋាន (ក្រុមហ៊ុនរូបិយប័ណ្ណ) DocType: Student,Guardians,អាណាព្យាបាល +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,អ្នកផ្គត់ផ្គង់> ប្រភេទអ្នកផ្គត់ផ្គង់ DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,តម្លៃនេះនឹងមិនត្រូវបានបង្ហាញទេប្រសិនបើបញ្ជីតម្លៃគឺមិនត្រូវបានកំណត់ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,សូមបញ្ជាក់ជាប្រទេសមួយសម្រាប់វិធានការដឹកជញ្ជូននេះឬពិនិត្យមើលការដឹកជញ្ជូននៅទូទាំងពិភពលោក DocType: Stock Entry,Total Incoming Value,តម្លៃចូលសរុប -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,ឥណពន្ធវីសាដើម្បីត្រូវបានទាមទារ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,ឥណពន្ធវីសាដើម្បីត្រូវបានទាមទារ apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",Timesheets ជួយរក្សាដាននៃពេលវេលាការចំណាយនិងវិក័យប័ត្រសំរាប់ការសកម្មភាពដែលបានធ្វើដោយក្រុមរបស់អ្នក apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,បញ្ជីតម្លៃទិញ DocType: Offer Letter Term,Offer Term,ផ្តល់ជូននូវរយៈពេល @@ -2148,11 +2152,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ស DocType: Timesheet Detail,To Time,ទៅពេល DocType: Authorization Rule,Approving Role (above authorized value),ការអនុម័តតួនាទី (ខាងលើតម្លៃដែលបានអនុញ្ញាត) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,ឥណទានទៅគណនីត្រូវតែជាគណនីទូទាត់មួយ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},ការហៅខ្លួនឯង Bom: {0} មិនអាចជាឪពុកម្តាយឬកូនរបស់ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},ការហៅខ្លួនឯង Bom: {0} មិនអាចជាឪពុកម្តាយឬកូនរបស់ {2} DocType: Production Order Operation,Completed Qty,Qty បានបញ្ចប់ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0} មានតែគណនីឥណពន្ធអាចត្រូវបានតភ្ជាប់ប្រឆាំងនឹងធាតុឥណទានផ្សេងទៀត apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,បញ្ជីតម្លៃ {0} ត្រូវបានបិទ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},ជួរដេក {0}: Qty បញ្ចប់មិនអាចមានច្រើនជាង {1} សម្រាប់ប្រតិបត្តិការ {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},ជួរដេក {0}: Qty បញ្ចប់មិនអាចមានច្រើនជាង {1} សម្រាប់ប្រតិបត្តិការ {2} DocType: Manufacturing Settings,Allow Overtime,អនុញ្ញាតឱ្យបន្ថែមម៉ោង apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ធាតុសៀរៀល {0} មិនអាចត្រូវបានធ្វើបច្ចុប្បន្នភាពដោយប្រើប្រាស់ហ៊ុនផ្សះផ្សា, សូមប្រើការចូលហ៊ុន" DocType: Training Event Employee,Training Event Employee,បណ្តុះបណ្តាព្រឹត្តិការណ៍បុគ្គលិក @@ -2170,10 +2174,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,ខាងក្រៅ apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,អ្នកប្រើនិងសិទ្ធិ DocType: Vehicle Log,VLOG.,Vlogging ។ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},ការបញ្ជាទិញផលិតកម្មបានបង្កើត: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},ការបញ្ជាទិញផលិតកម្មបានបង្កើត: {0} DocType: Branch,Branch,សាខា DocType: Guardian,Mobile Number,លេខទូរសព្ទចល័ត apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ការបោះពុម្ពនិងម៉ាក +DocType: Company,Total Monthly Sales,ការលក់សរុបប្រចាំខែ DocType: Bin,Actual Quantity,បរិមាណដែលត្រូវទទួលទានពិតប្រាកដ DocType: Shipping Rule,example: Next Day Shipping,ឧទាហរណ៍: ថ្ងៃបន្ទាប់ការដឹកជញ្ជូន apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,គ្មានសៀរៀល {0} មិនបានរកឃើញ @@ -2203,7 +2208,7 @@ DocType: Payment Request,Make Sales Invoice,ធ្វើឱ្យការលក apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,កម្មវិធី apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ទំនាក់ទំនងក្រោយកាលបរិច្ឆេទមិនអាចមានក្នុងពេលកន្លងមក DocType: Company,For Reference Only.,ឯកសារយោងប៉ុណ្ណោះ។ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,ជ្រើសបាច់គ្មាន +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,ជ្រើសបាច់គ្មាន apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},មិនត្រឹមត្រូវ {0} {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,មុនចំនួនទឹកប្រាក់ @@ -2216,7 +2221,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},គ្មានធាតុជាមួយនឹងលេខកូដ {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,សំណុំរឿងលេខមិនអាចមាន 0 DocType: Item,Show a slideshow at the top of the page,បង្ហាញតែការបញ្ចាំងស្លាយមួយនៅផ្នែកខាងលើនៃទំព័រនេះ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ហាងលក់ DocType: Serial No,Delivery Time,ម៉ោងដឹកជញ្ជូន apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Ageing ដោយផ្អែកលើការ @@ -2230,16 +2235,16 @@ DocType: Rename Tool,Rename Tool,ឧបករណ៍ប្តូរឈ្មោ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,តម្លៃដែលធ្វើឱ្យទាន់សម័យ DocType: Item Reorder,Item Reorder,ធាតុរៀបចំ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,គ្រូពេទ្យប្រហែលជាបង្ហាញប្រាក់ខែ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,សម្ភារៈសេវាផ្ទេរប្រាក់ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,សម្ភារៈសេវាផ្ទេរប្រាក់ DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","បញ្ជាក់ប្រតិបត្តិការ, ការចំណាយប្រតិបត្ដិការនិងផ្ដល់ឱ្យនូវប្រតិបត្ដិការតែមួយគត់នោះទេដើម្បីឱ្យប្រតិបត្តិការរបស់អ្នក។" apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ឯកសារនេះលើសកំណត់ដោយ {0} {1} សម្រាប់ធាតុ {4} ។ តើអ្នកបង្កើត {3} ផ្សេងទៀតប្រឆាំងនឹង {2} ដូចគ្នាដែរឬទេ? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,សូមកំណត់កើតឡើងបន្ទាប់ពីរក្សាទុក -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,គណនីចំនួនទឹកប្រាក់ជ្រើសការផ្លាស់ប្តូរ +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,សូមកំណត់កើតឡើងបន្ទាប់ពីរក្សាទុក +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,គណនីចំនួនទឹកប្រាក់ជ្រើសការផ្លាស់ប្តូរ DocType: Purchase Invoice,Price List Currency,បញ្ជីតម្លៃរូបិយប័ណ្ណ DocType: Naming Series,User must always select,អ្នកប្រើដែលត្រូវតែជ្រើសតែងតែ DocType: Stock Settings,Allow Negative Stock,អនុញ្ញាតឱ្យហ៊ុនអវិជ្ជមាន DocType: Installation Note,Installation Note,ចំណាំការដំឡើង -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,បន្ថែមពន្ធ +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,បន្ថែមពន្ធ DocType: Topic,Topic,ប្រធានបទ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,លំហូរសាច់ប្រាក់ពីការផ្តល់ហិរញ្ញប្បទាន DocType: Budget Account,Budget Account,គណនីថវិកា @@ -2253,7 +2258,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,trace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ប្រភពមូលនិធិ (បំណុល) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},បរិមាណដែលត្រូវទទួលទានក្នុងមួយជួរដេក {0} ({1}) ត្រូវតែមានដូចគ្នាបរិមាណផលិត {2} DocType: Appraisal,Employee,បុគ្គលិក -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,ជ្រើសបាច់ +DocType: Company,Sales Monthly History,ប្រវត្តិការលក់ប្រចាំខែ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,ជ្រើសបាច់ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} ត្រូវបានផ្សព្វផ្សាយឱ្យបានពេញលេញ DocType: Training Event,End Time,ពេលវេលាបញ្ចប់ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,រចនាសម្ព័ន្ធប្រាក់ខែសកម្ម {0} បានរកឃើញសម្រាប់ {1} បុគ្គលិកសម្រាប់កាលបរិច្ឆេទដែលបានផ្ដល់ឱ្យ @@ -2261,15 +2267,14 @@ DocType: Payment Entry,Payment Deductions or Loss,កាត់ការទូទ apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,លក្ខខណ្ឌនៃកិច្ចសន្យាស្តង់ដាមួយសម្រាប់ការលក់ឬទិញ។ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,ក្រុមតាមប័ណ្ណ apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,បំពង់បង្ហូរប្រេងការលក់ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},សូមកំណត់គណនីលំនាំដើមនៅក្នុងសមាសភាគប្រាក់ខែ {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},សូមកំណត់គណនីលំនាំដើមនៅក្នុងសមាសភាគប្រាក់ខែ {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,តម្រូវការនៅលើ DocType: Rename Tool,File to Rename,ឯកសារដែលត្រូវប្តូរឈ្មោះ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},សូមជ្រើស Bom សម្រាប់ធាតុក្នុងជួរដេក {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},គណនី {0} មិនផ្គូផ្គងនឹងក្រុមហ៊ុន {1} នៅក្នុងរបៀបនៃគណនី: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Bom បានបញ្ជាក់ {0} មិនមានសម្រាប់ធាតុ {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,កាលវិភាគថែរក្សា {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,កាលវិភាគថែរក្សា {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ DocType: Notification Control,Expense Claim Approved,ពាក្យបណ្តឹងលើការចំណាយបានអនុម័ត -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈ Setup> Serial Number apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ប័ណ្ណប្រាក់ខែរបស់បុគ្គលិក {0} បានបង្កើតឡើងរួចទៅហើយសម្រាប់រយៈពេលនេះ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ឱសថ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,តម្លៃនៃធាតុដែលបានទិញ @@ -2286,7 +2291,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,លេខ Bom ស DocType: Upload Attendance,Attendance To Date,ចូលរួមកាលបរិច្ឆេទ DocType: Warranty Claim,Raised By,បានលើកឡើងដោយ DocType: Payment Gateway Account,Payment Account,គណនីទូទាត់ប្រាក់ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,សូមបញ្ជាក់ក្រុមហ៊ុនដើម្បីបន្ត +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,សូមបញ្ជាក់ក្រុមហ៊ុនដើម្បីបន្ត apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,ការផ្លាស់ប្តូរសុទ្ធក្នុងគណនីអ្នកទទួល apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ទូទាត់បិទ DocType: Offer Letter,Accepted,បានទទួលយក @@ -2295,12 +2300,12 @@ DocType: SG Creation Tool Course,Student Group Name,ឈ្មោះក្រុ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,សូមប្រាកដថាអ្នកពិតជាចង់លុបប្រតិបតិ្តការទាំងអស់សម្រាប់ក្រុមហ៊ុននេះ។ ទិន្នន័យមេរបស់អ្នកនឹងនៅតែជាវាគឺជា។ សកម្មភាពនេះមិនអាចមិនធ្វើវិញ។ DocType: Room,Room Number,លេខបន្ទប់ apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},សេចក្ដីយោងមិនត្រឹមត្រូវ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) មិនអាចច្រើនជាងការគ្រោងទុក quanitity ({2}) នៅក្នុងផលិតកម្មលំដាប់ {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) មិនអាចច្រើនជាងការគ្រោងទុក quanitity ({2}) នៅក្នុងផលិតកម្មលំដាប់ {3} DocType: Shipping Rule,Shipping Rule Label,វិធានការដឹកជញ្ជូនស្លាក apps/erpnext/erpnext/public/js/conf.js +28,User Forum,វេទិកាអ្នកប្រើ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,វត្ថុធាតុដើមដែលមិនអាចត្រូវបានទទេ។ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","មិនអាចធ្វើឱ្យទាន់សម័យហ៊ុន, វិក័យប័ត្រមានធាតុដឹកជញ្ជូនទម្លាក់។" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ធាតុទិនានុប្បវត្តិរហ័ស +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,វត្ថុធាតុដើមដែលមិនអាចត្រូវបានទទេ។ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","មិនអាចធ្វើឱ្យទាន់សម័យហ៊ុន, វិក័យប័ត្រមានធាតុដឹកជញ្ជូនទម្លាក់។" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,ធាតុទិនានុប្បវត្តិរហ័ស apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,អ្នកមិនអាចផ្លាស់ប្តូរអត្រាការបានប្រសិនបើ Bom បានរៀបរាប់ agianst ធាតុណាមួយ DocType: Employee,Previous Work Experience,បទពិសោធន៍ការងារមុន DocType: Stock Entry,For Quantity,ចប់ @@ -2357,7 +2362,7 @@ DocType: SMS Log,No of Requested SMS,គ្មានសារជាអក្ស apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,ទុកឱ្យដោយគ្មានប្រាក់ខែមិនផ្គូផ្គងនឹងកំណត់ត្រាកម្មវិធីចាកចេញអនុម័ត DocType: Campaign,Campaign-.####,យុទ្ធនាការ។ - #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ជំហានបន្ទាប់ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,សូមផ្ដល់ធាតុដែលបានបញ្ជាក់នៅក្នុងអត្រាការប្រាក់ល្អបំផុតដែលអាចធ្វើទៅបាន +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,សូមផ្ដល់ធាតុដែលបានបញ្ជាក់នៅក្នុងអត្រាការប្រាក់ល្អបំផុតដែលអាចធ្វើទៅបាន DocType: Selling Settings,Auto close Opportunity after 15 days,ដោយស្វ័យប្រវត្តិបន្ទាប់ពីឱកាសយ៉ាងជិតស្និទ្ធ 15 ថ្ងៃ apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,ឆ្នាំបញ្ចប់ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,quot / នាំមុខ% @@ -2394,7 +2399,7 @@ DocType: Homepage,Homepage,គេហទំព័រ DocType: Purchase Receipt Item,Recd Quantity,បរិមាណដែលត្រូវទទួលទាន Recd apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},កំណត់ត្រាថ្លៃសេវាបានបង្កើត - {0} DocType: Asset Category Account,Asset Category Account,គណនីទ្រព្យសកម្មប្រភេទ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},មិនអាចបង្កើតធាតុជាច្រើនទៀត {0} ជាងបរិមាណលំដាប់លក់ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},មិនអាចបង្កើតធាតុជាច្រើនទៀត {0} ជាងបរិមាណលំដាប់លក់ {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,ភាគហ៊ុនចូល {0} គឺមិនត្រូវបានដាក់ស្នើ DocType: Payment Reconciliation,Bank / Cash Account,គណនីធនាគារ / សាច់ប្រាក់ apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,បន្ទាប់ទំនាក់ទំនងដោយមិនអាចជាដូចគ្នានឹងអាសយដ្ឋានអ៊ីមែលនាំមុខ @@ -2427,7 +2432,7 @@ DocType: Salary Structure,Total Earning,ប្រាក់ចំណូលសរ DocType: Purchase Receipt,Time at which materials were received,ពេលវេលាដែលបានសមា្ភារៈត្រូវបានទទួល DocType: Stock Ledger Entry,Outgoing Rate,អត្រាចេញ apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ចៅហ្វាយសាខាអង្គការ។ -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ឬ +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ឬ DocType: Sales Order,Billing Status,ស្ថានភាពវិក័យប័ត្រ apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,រាយការណ៍បញ្ហា apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ចំណាយឧបករណ៍ប្រើប្រាស់ @@ -2435,7 +2440,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ជួរដេក # {0}: Journal Entry {1} មិនមានគណនី {2} ឬកាតមានទឹកប្រាក់រួចហើយបានផ្គូផ្គងប្រឆាំងនឹងផ្សេងទៀត DocType: Buying Settings,Default Buying Price List,តារាងតម្លៃទិញលំនាំដើម & ‧; DocType: Process Payroll,Salary Slip Based on Timesheet,ប័ណ្ណប្រាក់ខែដោយផ្អែកលើ Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,គ្មាននិយោជិតលក្ខណៈវិនិច្ឆ័យដែលបានជ្រើសខាងលើឬប័ណ្ណប្រាក់បៀវត្សដែលបានបង្កើតរួច +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,គ្មាននិយោជិតលក្ខណៈវិនិច្ឆ័យដែលបានជ្រើសខាងលើឬប័ណ្ណប្រាក់បៀវត្សដែលបានបង្កើតរួច DocType: Notification Control,Sales Order Message,ការលក់លំដាប់សារ apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",កំណត់តម្លៃលំនាំដើមដូចជាការក្រុមហ៊ុនរូបិយប័ណ្ណបច្ចុប្បន្នឆ្នាំសារពើពន្ធល DocType: Payment Entry,Payment Type,ប្រភេទការទូទាត់ @@ -2459,7 +2464,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ឯកសារបង្កាន់ដៃត្រូវជូន DocType: Purchase Invoice Item,Received Qty,ទទួលបានការ Qty DocType: Stock Entry Detail,Serial No / Batch,សៀរៀលគ្មាន / បាច់ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,មិនបានបង់និងការមិនផ្តល់ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,មិនបានបង់និងការមិនផ្តល់ DocType: Product Bundle,Parent Item,ធាតុមេ DocType: Account,Account Type,ប្រភេទគណនី DocType: Delivery Note,DN-RET-,DN-RET- @@ -2489,8 +2494,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកសរុប apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,កំណត់លំនាំដើមសម្រាប់គណនីសារពើភ័ណ្ឌរហូតសារពើភ័ណ្ឌ DocType: Item Reorder,Material Request Type,ប្រភេទស្នើសុំសម្ភារៈ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},ភាពត្រឹមត្រូវទិនានុប្បវត្តិធាតុសម្រាប់ប្រាក់ខែពី {0} ទៅ {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","ផ្ទុកទិន្នន័យមូលដ្ឋាននេះគឺជាការពេញលេញ, មិនបានរក្សាទុក" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},ភាពត្រឹមត្រូវទិនានុប្បវត្តិធាតុសម្រាប់ប្រាក់ខែពី {0} ទៅ {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","ផ្ទុកទិន្នន័យមូលដ្ឋាននេះគឺជាការពេញលេញ, មិនបានរក្សាទុក" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ជួរដេក {0}: UOM ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,យោង DocType: Budget,Cost Center,មជ្ឈមណ្ឌលការចំណាយ @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ព apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","បើសិនជាវិធានតម្លៃដែលបានជ្រើសត្រូវបានបង្កើតឡើងសម្រាប់ "តំលៃ" វានឹងសរសេរជាន់លើបញ្ជីតម្លៃ។ តម្លៃដែលកំណត់តម្លៃគឺជាតម្លៃវិធានចុងក្រោយនេះបានបញ្ចុះតម្លៃបន្ថែមទៀតដូច្នេះមិនមានគួរត្រូវបានអនុវត្ត។ ហេតុនេះហើយបានជានៅក្នុងប្រតិបត្តិការដូចជាការលក់សណ្តាប់ធ្នាប់, ការទិញលំដាប់លនោះវានឹងត្រូវបានទៅយកនៅក្នុងវិស័យ 'អត្រា' ជាជាងវាល "តំលៃអត្រាបញ្ជី។" apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,បទនាំតាមប្រភេទឧស្សាហកម្ម។ DocType: Item Supplier,Item Supplier,ផ្គត់ផ្គង់ធាតុ -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,សូមបញ្ចូលលេខកូដធាតុដើម្បីទទួលបាច់នោះទេ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,សូមបញ្ចូលលេខកូដធាតុដើម្បីទទួលបាច់នោះទេ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},សូមជ្រើសតម្លៃសម្រាប់ {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,អាសយដ្ឋានទាំងអស់។ DocType: Company,Stock Settings,ការកំណត់តម្លៃភាគហ៊ុន @@ -2535,7 +2540,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qty ពិតប្រ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},គ្មានប័ណ្ណប្រាក់ខែបានរកឃើញរវាង {0} និង {1} ,Pending SO Items For Purchase Request,ការរង់ចាំការធាតុដូច្នេះសម្រាប់សំណើរសុំទិញ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,សិស្សចុះឈ្មោះចូលរៀន -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} ត្រូវបានបិទ +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} ត្រូវបានបិទ DocType: Supplier,Billing Currency,រូបិយប័ណ្ណវិក័យប័ត្រ DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,បន្ថែមទៀតដែលមានទំហំធំ @@ -2565,7 +2570,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,ស្ថានភាពស្នើសុំ DocType: Fees,Fees,ថ្លៃសេវា DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,បញ្ជាក់អត្រាប្តូរប្រាក់ដើម្បីបម្លែងរូបិយប័ណ្ណមួយទៅមួយផ្សេងទៀត -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,សម្រង់ {0} ត្រូវបានលុបចោល +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,សម្រង់ {0} ត្រូវបានលុបចោល apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,ចំនួនសរុប DocType: Sales Partner,Targets,គោលដៅ DocType: Price List,Price List Master,តារាងតម្លៃអនុបណ្ឌិត @@ -2582,7 +2587,7 @@ DocType: POS Profile,Ignore Pricing Rule,មិនអើពើវិធានត DocType: Employee Education,Graduate,បានបញ្ចប់ការសិក្សា DocType: Leave Block List,Block Days,ប្លុកថ្ងៃ DocType: Journal Entry,Excise Entry,ចូលរដ្ឋាករកម្ពុជា -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ព្រមាន: ការលក់លំដាប់ {0} រួចហើយប្រឆាំងនឹងការទិញលំដាប់របស់អតិថិជន {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ព្រមាន: ការលក់លំដាប់ {0} រួចហើយប្រឆាំងនឹងការទិញលំដាប់របស់អតិថិជន {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2608,7 +2613,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),ប ,Salary Register,ប្រាក់បៀវត្សចុះឈ្មោះ DocType: Warehouse,Parent Warehouse,ឃ្លាំងមាតាបិតា DocType: C-Form Invoice Detail,Net Total,សរុប -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},រកមិនឃើញលំនាំដើម Bom សម្រាប់ធាតុនិង {0} {1} គម្រោង +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},រកមិនឃើញលំនាំដើម Bom សម្រាប់ធាតុនិង {0} {1} គម្រោង apps/erpnext/erpnext/config/hr.py +163,Define various loan types,កំណត់ប្រភេទប្រាក់កម្ចីនានា DocType: Bin,FCFS Rate,អត្រា FCFS DocType: Payment Reconciliation Invoice,Outstanding Amount,ចំនួនទឹកប្រាក់ដ៏ឆ្នើម @@ -2645,7 +2650,7 @@ DocType: Salary Detail,Condition and Formula Help,លក្ខខណ្ឌនិ apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,គ្រប់គ្រងដើមឈើមួយដើមដែនដី។ DocType: Journal Entry Account,Sales Invoice,វិក័យប័ត្រការលក់ DocType: Journal Entry Account,Party Balance,តុល្យភាពគណបក្ស -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,សូមជ្រើសរើសអនុវត្តបញ្ចុះតម្លៃនៅលើ +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,សូមជ្រើសរើសអនុវត្តបញ្ចុះតម្លៃនៅលើ DocType: Company,Default Receivable Account,គណនីអ្នកទទួលលំនាំដើម DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,បង្កើតធាតុរបស់ធនាគារចំពោះប្រាក់បៀវត្សសរុបដែលបានបង់សម្រាប់លក្ខណៈវិនិច្ឆ័យដែលបានជ្រើសខាងលើ DocType: Stock Entry,Material Transfer for Manufacture,ផ្ទេរសម្រាប់ការផលិតសម្ភារៈ @@ -2659,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,អាសយដ្ឋានអតិថិជន DocType: Employee Loan,Loan Details,សេចក្ដីលម្អិតប្រាក់កម្ចី DocType: Company,Default Inventory Account,គណនីសារពើភ័ណ្ឌលំនាំដើម -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ជួរដេក {0}: Qty បានបញ្ចប់ត្រូវតែធំជាងសូន្យ។ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,ជួរដេក {0}: Qty បានបញ្ចប់ត្រូវតែធំជាងសូន្យ។ DocType: Purchase Invoice,Apply Additional Discount On,អនុវត្តបន្ថែមការបញ្ចុះតម្លៃនៅលើ DocType: Account,Root Type,ប្រភេទជា Root DocType: Item,FIFO,FIFO & ‧; @@ -2676,7 +2681,7 @@ DocType: Purchase Invoice Item,Quality Inspection,ពិនិត្យគុណ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,បន្ថែមទៀតខ្នាតតូច DocType: Company,Standard Template,ទំព័រគំរូស្ដង់ដារ DocType: Training Event,Theory,ទ្រឹស្តី -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,ព្រមាន: សម្ភារៈដែលបានស្នើ Qty គឺតិចជាងអប្បបរមាលំដាប់ Qty +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,ព្រមាន: សម្ភារៈដែលបានស្នើ Qty គឺតិចជាងអប្បបរមាលំដាប់ Qty apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,គណនី {0} គឺការកក DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ផ្នែកច្បាប់អង្គភាព / តារាងរួមផ្សំជាមួយនឹងគណនីដាច់ដោយឡែកមួយដែលជាកម្មសិទ្ធិរបស់អង្គការនេះ។ DocType: Payment Request,Mute Email,ស្ងាត់អ៊ីម៉ែល @@ -2700,7 +2705,7 @@ DocType: Training Event,Scheduled,កំណត់ពេលវេលា apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ស្នើសុំសម្រាប់សម្រង់។ apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",សូមជ្រើសធាតុដែល "គឺជាធាតុហ៊ុន" គឺ "ទេ" ហើយ "តើធាតុលក់" គឺជា "បាទ" ហើយមិនមានកញ្ចប់ផលិតផលផ្សេងទៀត DocType: Student Log,Academic,អប់រំ -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ជាមុនសរុប ({0}) នឹងដីកាសម្រេច {1} មិនអាចច្រើនជាងសម្ពោធសរុប ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ជាមុនសរុប ({0}) នឹងដីកាសម្រេច {1} មិនអាចច្រើនជាងសម្ពោធសរុប ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ជ្រើសដើម្បីមិនស្មើគ្នាចែកចាយប្រចាំខែគោលដៅនៅទូទាំងខែចែកចាយ។ DocType: Purchase Invoice Item,Valuation Rate,អត្រាការវាយតម្លៃ DocType: Stock Reconciliation,SR/,SR / @@ -2764,6 +2769,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,បញ្ចូលឈ្មោះនៃយុទ្ធនាការបានប្រសិនបើប្រភពនៃការស៊ើបអង្កេតគឺជាយុទ្ធនាការ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,កាសែតបោះពុម្ពផ្សាយ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,ជ្រើសឆ្នាំសារពើពន្ធ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,កាលបរិច្ឆេទដឹកជញ្ជូនដែលរំពឹងទុកគួរតែស្ថិតនៅក្រោយថ្ងៃបញ្ជាទិញ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,រៀបចំវគ្គ DocType: Company,Chart Of Accounts Template,តារាងនៃគណនីទំព័រគំរូ DocType: Attendance,Attendance Date,ការចូលរួមកាលបរិច្ឆេទ @@ -2795,7 +2801,7 @@ DocType: Pricing Rule,Discount Percentage,ភាគរយបញ្ចុះត DocType: Payment Reconciliation Invoice,Invoice Number,លេខវិក្ក័យប័ត្រ DocType: Shopping Cart Settings,Orders,ការបញ្ជាទិញ DocType: Employee Leave Approver,Leave Approver,ទុកឱ្យការអនុម័ត -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,សូមជ្រើសបាច់មួយ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,សូមជ្រើសបាច់មួយ DocType: Assessment Group,Assessment Group Name,ឈ្មោះការវាយតម្លៃជាក្រុម DocType: Manufacturing Settings,Material Transferred for Manufacture,សម្ភារៈផ្ទេរសម្រាប់ការផលិត DocType: Expense Claim,"A user with ""Expense Approver"" role",អ្នកប្រើដែលមាន "ការចំណាយការអនុម័ត" តួនាទីមួយ @@ -2831,7 +2837,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,ចុងក្រោយកាលពីថ្ងៃនៃខែបន្ទាប់ DocType: Support Settings,Auto close Issue after 7 days,ដោយស្វ័យប្រវត្តិបន្ទាប់ពីបញ្ហានៅជិត 7 ថ្ងៃ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ទុកឱ្យមិនអាចត្រូវបានបម្រុងទុកមុន {0}, ដែលជាតុល្យភាពការឈប់សម្រាកបានជាទំនិញ-បានបញ្ជូនបន្តនៅក្នុងកំណត់ត្រាការបែងចែកការឈប់សម្រាកនាពេលអនាគតរួចទៅហើយ {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ចំណាំ: ដោយសារតែ / សេចក្តីយោងកាលបរិច្ឆេទលើសពីអនុញ្ញាតឱ្យថ្ងៃឥណទានរបស់អតិថិជនដោយ {0} ថ្ងៃ (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ចំណាំ: ដោយសារតែ / សេចក្តីយោងកាលបរិច្ឆេទលើសពីអនុញ្ញាតឱ្យថ្ងៃឥណទានរបស់អតិថិជនដោយ {0} ថ្ងៃ (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ពាក្យសុំរបស់សិស្ស DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ដើមសម្រាប់អ្នកទទួល DocType: Asset Category Account,Accumulated Depreciation Account,គណនីរំលស់បង្គរ @@ -2842,7 +2848,7 @@ DocType: Item,Reorder level based on Warehouse,កម្រិតនៃការ DocType: Activity Cost,Billing Rate,អត្រាវិក័យប័ត្រ ,Qty to Deliver,qty សង្គ្រោះ ,Stock Analytics,ភាគហ៊ុនវិភាគ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ប្រតិបត្តិការមិនអាចត្រូវបានទុកឱ្យនៅទទេ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,ប្រតិបត្តិការមិនអាចត្រូវបានទុកឱ្យនៅទទេ DocType: Maintenance Visit Purpose,Against Document Detail No,ពត៌មានលំអិតរបស់ឯកសារគ្មានការប្រឆាំងនឹងការ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,គណបក្សជាការចាំបាច់ប្រភេទ DocType: Quality Inspection,Outgoing,ចេញ @@ -2884,15 +2890,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,ដែលអាចប្រើបាន Qty នៅឃ្លាំង apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,ចំនួនទឹកប្រាក់ដែលបានផ្សព្វផ្សាយ DocType: Asset,Double Declining Balance,ការធ្លាក់ចុះទ្វេដងតុល្យភាព -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,គោលបំណងដែលបានបិទមិនអាចត្រូវបានលុបចោល។ unclosed ដើម្បីលុបចោល។ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,គោលបំណងដែលបានបិទមិនអាចត្រូវបានលុបចោល។ unclosed ដើម្បីលុបចោល។ DocType: Student Guardian,Father,ព្រះបិតា -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"ធ្វើឱ្យទាន់សម័យហ៊ុន 'មិនអាចត្រូវបានពិនិត្យរកការលក់ទ្រព្យសកម្មថេរ +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"ធ្វើឱ្យទាន់សម័យហ៊ុន 'មិនអាចត្រូវបានពិនិត្យរកការលក់ទ្រព្យសកម្មថេរ DocType: Bank Reconciliation,Bank Reconciliation,ធនាគារការផ្សះផ្សា DocType: Attendance,On Leave,ឈប់សម្រាក apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ទទួលបានការធ្វើឱ្យទាន់សម័យ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: គណនី {2} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,សម្ភារៈសំណើ {0} ត្រូវបានលុបចោលឬបញ្ឈប់ -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,បន្ថែមកំណត់ត្រាគំរូមួយចំនួនដែល +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,បន្ថែមកំណត់ត្រាគំរូមួយចំនួនដែល apps/erpnext/erpnext/config/hr.py +301,Leave Management,ទុកឱ្យការគ្រប់គ្រង apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,ក្រុមតាមគណនី DocType: Sales Order,Fully Delivered,ផ្តល់ឱ្យបានពេញលេញ @@ -2901,12 +2907,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",គណនីមានភាពខុសគ្នាត្រូវតែជាគណនីប្រភេទទ្រព្យសកម្ម / ការទទួលខុសត្រូវចាប់តាំងពីការផ្សះផ្សានេះគឺផ្សារភាគហ៊ុនការបើកជាមួយធាតុ apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},ចំនួនទឹកប្រាក់ដែលបានចំណាយមិនអាចមានប្រាក់កម្ចីចំនួនធំជាង {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},ទិញចំនួនលំដាប់ដែលបានទាមទារសម្រាប់ធាតុ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,លំដាប់ផលិតកម្មមិនត្រូវបានបង្កើត +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,លំដាប់ផលិតកម្មមិនត្រូវបានបង្កើត apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"ពីកាលបរិច្ឆេទ" ត្រូវតែមានបន្ទាប់ 'ដើម្បីកាលបរិច្ឆេទ " apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},មិនអាចផ្លាស់ប្តូរស្ថានភាពជានិស្សិត {0} ត្រូវបានផ្សារភ្ជាប់ជាមួយនឹងកម្មវិធីនិស្សិត {1} DocType: Asset,Fully Depreciated,ធ្លាក់ថ្លៃយ៉ាងពេញលេញ ,Stock Projected Qty,គម្រោង Qty ផ្សារភាគហ៊ុន -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},អតិថិជន {0} មិនមែនជារបស់គម្រោង {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},អតិថិជន {0} មិនមែនជារបស់គម្រោង {1} DocType: Employee Attendance Tool,Marked Attendance HTML,វត្តមានដែលបានសម្គាល់ជា HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",ដកស្រង់សំណើដេញថ្លៃដែលអ្នកបានផ្ញើទៅឱ្យអតិថិជនរបស់អ្នក DocType: Sales Order,Customer's Purchase Order,ទិញលំដាប់របស់អតិថិជន @@ -2916,7 +2922,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,សូមកំណត់ចំនួននៃរំលស់បានកក់ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,តំលៃឬ Qty apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,ការបញ្ជាទិញផលិតផលនេះមិនអាចត្រូវបានលើកឡើងសម្រាប់: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,នាទី +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,នាទី DocType: Purchase Invoice,Purchase Taxes and Charges,ទិញពន្ធនិងការចោទប្រកាន់ ,Qty to Receive,qty ទទួល DocType: Leave Block List,Leave Block List Allowed,ទុកឱ្យប្លុកដែលបានអនុញ្ញាតក្នុងបញ្ជី @@ -2929,7 +2935,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ក្រុមហ៊ុនផ្គត់ផ្គង់គ្រប់ប្រភេទ DocType: Global Defaults,Disable In Words,បិទនៅក្នុងពាក្យ apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,ក្រមធាតុគឺជាចាំបាច់ដោយសារតែធាតុបង់លេខដោយស្វ័យប្រវត្តិគឺមិន -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},សម្រង់ {0} មិនត្រូវបាននៃប្រភេទ {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},សម្រង់ {0} មិនត្រូវបាននៃប្រភេទ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,កាលវិភាគធាតុថែទាំ DocType: Sales Order,% Delivered,% ដឹកនាំ DocType: Production Order,PRO-,គាំទ្រ @@ -2952,7 +2958,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,អ្នកលក់អ៊ីម៉ែល DocType: Project,Total Purchase Cost (via Purchase Invoice),ការចំណាយទិញសរុប (តាមរយៈការទិញវិក័យប័ត្រ) DocType: Training Event,Start Time,ពេលវេលាចាប់ផ្ដើម -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,ជ្រើសបរិមាណ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,ជ្រើសបរិមាណ DocType: Customs Tariff Number,Customs Tariff Number,លេខពន្ធគយ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,អនុម័តតួនាទីមិនអាចជាដូចគ្នាទៅនឹងតួនាទីរបស់ច្បាប់ត្រូវបានអនុវត្ត apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ជាវពីអ៊ីម៉ែលនេះសង្ខេប @@ -2976,7 +2982,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,ពត៌មាននៃការិយាល័យទទួលជំនួយផ្ទាល់ DocType: Sales Order,Fully Billed,ផ្សព្វផ្សាយឱ្យបានពេញលេញ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,សាច់ប្រាក់ក្នុងដៃ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},ឃ្លាំងការដឹកជញ្ជូនទាមទារសម្រាប់ធាតុភាគហ៊ុន {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},ឃ្លាំងការដឹកជញ្ជូនទាមទារសម្រាប់ធាតុភាគហ៊ុន {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ទំងន់សរុបនៃកញ្ចប់។ ជាធម្មតាមានទម្ងន់សុទ្ធ + + ការវេចខ្ចប់មានទម្ងន់សម្ភារៈ។ (សម្រាប់ការបោះពុម្ព) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,កម្មវិធី DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,អ្នកប្រើដែលមានតួនាទីនេះត្រូវបានអនុញ្ញាតឱ្យកំណត់គណនីរបស់ទឹកកកនិងបង្កើត / កែប្រែធាតុគណនេយ្យប្រឆាំងនឹងគណនីជាទឹកកក @@ -2986,7 +2992,7 @@ DocType: Student Group,Group Based On,ដែលមានមូលដ្ឋាន DocType: Journal Entry,Bill Date,លោក Bill កាលបរិច្ឆេទ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","ធាតុសេវា, ប្រភេទភាពញឹកញាប់និងចំនួនទឹកប្រាក់ក្នុងការចំណាយគឺត្រូវបានទាមទារ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",បើទោះបីជាមានច្បាប់តម្លៃច្រើនដែលមានអាទិភាពខ្ពស់បំផុតបន្ទាប់មកបន្ទាប់ពីមានអាទិភាពផ្ទៃក្នុងត្រូវបានអនុវត្ត: -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},តើអ្នកពិតជាចង់ដាក់ស្នើប័ណ្ណប្រាក់ទាំងអស់ពី {0} ទៅ {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},តើអ្នកពិតជាចង់ដាក់ស្នើប័ណ្ណប្រាក់ទាំងអស់ពី {0} ទៅ {1} DocType: Cheque Print Template,Cheque Height,កម្ពស់មូលប្បទានប័ត្រ DocType: Supplier,Supplier Details,ពត៌មានលំអិតក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: Expense Claim,Approval Status,ស្ថានភាពការអនុម័ត @@ -3008,7 +3014,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,នាំឱ្យ apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,គ្មានអ្វីច្រើនជាងនេះដើម្បីបង្ហាញ។ DocType: Lead,From Customer,ពីអតិថិជន apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ការហៅទូរស័ព្ទ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,ជំនាន់ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,ជំនាន់ DocType: Project,Total Costing Amount (via Time Logs),ចំនួនទឹកប្រាក់ផ្សារសរុប (តាមរយៈការពេលវេលាកំណត់ហេតុ) DocType: Purchase Order Item Supplied,Stock UOM,ភាគហ៊ុន UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ទិញលំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ @@ -3040,7 +3046,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,ការវិលត DocType: Item,Warranty Period (in days),ការធានារយៈពេល (នៅក្នុងថ្ងៃ) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,ទំនាក់ទំនងជាមួយ Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ប្រតិបត្ដិការសាច់ប្រាក់សុទ្ធពី -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,ឧអាករលើតម្លៃបន្ថែម +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,ឧអាករលើតម្លៃបន្ថែម apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,ធាតុ 4 DocType: Student Admission,Admission End Date,ការចូលរួមទស្សនាកាលបរិច្ឆេទបញ្ចប់ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,អនុកិច្ចសន្យា @@ -3048,7 +3054,7 @@ DocType: Journal Entry Account,Journal Entry Account,គណនីធាតុទ apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,ក្រុមនិស្សិត DocType: Shopping Cart Settings,Quotation Series,សម្រង់កម្រងឯកសារ apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ធាតុមួយមានឈ្មោះដូចគ្នា ({0}), សូមផ្លាស់ប្តូរឈ្មោះធាតុឬប្ដូរឈ្មោះក្រុមធាតុ" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,សូមជ្រើសអតិថិជន +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,សូមជ្រើសអតិថិជន DocType: C-Form,I,ខ្ញុំ DocType: Company,Asset Depreciation Cost Center,មជ្ឈមណ្ឌលតម្លៃរំលស់ទ្រព្យសម្បត្តិ DocType: Sales Order Item,Sales Order Date,លំដាប់ការលក់កាលបរិច្ឆេទ @@ -3059,6 +3065,7 @@ DocType: Stock Settings,Limit Percent,ដែនកំណត់ភាគរយ ,Payment Period Based On Invoice Date,អំឡុងពេលបង់ប្រាក់ដែលមានមូលដ្ឋានលើវិក័យប័ត្រកាលបរិច្ឆេទ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},បាត់ខ្លួនរូបិយប័ណ្ណប្តូរប្រាក់អត្រាការប្រាក់សម្រាប់ {0} DocType: Assessment Plan,Examiner,ត្រួតពិនិត្យ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ស៊ុមឈ្មោះសម្រាប់ {0} តាម Setup> Settings> Naming Series DocType: Student,Siblings,បងប្អូន DocType: Journal Entry,Stock Entry,ភាគហ៊ុនចូល DocType: Payment Entry,Payment References,ឯកសារយោងការទូទាត់ @@ -3083,7 +3090,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ដែលជាកន្លែងដែលប្រតិបត្ដិការផលិតត្រូវបានអនុវត្ត។ DocType: Asset Movement,Source Warehouse,ឃ្លាំងប្រភព DocType: Installation Note,Installation Date,កាលបរិច្ឆេទនៃការដំឡើង -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {2} DocType: Employee,Confirmation Date,ការអះអាងកាលបរិច្ឆេទ DocType: C-Form,Total Invoiced Amount,ចំនួន invoiced សរុប apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,លោក Min Qty មិនអាចជាធំជាងអតិបរមា Qty @@ -3158,7 +3165,7 @@ DocType: Company,Default Letter Head,លំនាំដើមលិខិតន DocType: Purchase Order,Get Items from Open Material Requests,ទទួលបានធាតុពីសម្ភារៈសំណើសុំបើកទូលាយ DocType: Item,Standard Selling Rate,អត្រាស្តង់ដាលក់ DocType: Account,Rate at which this tax is applied,អត្រាដែលពន្ធនេះត្រូវបានអនុវត្ត -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,រៀបចំ Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,រៀបចំ Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,ការងារបច្ចុប្បន្ន DocType: Company,Stock Adjustment Account,គណនីកែតម្រូវភាគហ៊ុន apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,បិទការសរសេរ @@ -3172,7 +3179,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,ក្រុមហ៊ុនផ្គត់ផ្គង់បានផ្ដល់នូវការទៅឱ្យអតិថិជន apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# សំណុំបែបបទ / ធាតុ / {0}) គឺចេញពីស្តុក apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,កាលបរិច្ឆេទបន្ទាប់ត្រូវតែធំជាងកាលបរិច្ឆេទប្រកាស -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},ដោយសារ / សេចក្តីយោងកាលបរិច្ឆេទមិនអាចបន្ទាប់ពី {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},ដោយសារ / សេចក្តីយោងកាលបរិច្ឆេទមិនអាចបន្ទាប់ពី {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,នាំចូលទិន្នន័យនិងការនាំចេញ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,គ្មានសិស្សនិស្សិតបានរកឃើញ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,កាលបរិច្ឆេទវិក្ក័យប័ត្រ @@ -3193,12 +3200,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,នេះត្រូវបានផ្អែកលើការចូលរួមរបស់សិស្សនេះ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,គ្មានសិស្សនៅក្នុង apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,បន្ថែមធាតុបន្ថែមឬទម្រង់ពេញលេញបើកចំហ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',សូមបញ្ចូល 'កាលបរិច្ឆេទដឹកជញ្ជូនរំពឹងទុក " -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ភក្ដិកំណត់ត្រាកំណត់ការដឹកជញ្ជូន {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ភក្ដិកំណត់ត្រាកំណត់ការដឹកជញ្ជូន {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ចំនួនទឹកប្រាក់ដែលបង់ + + បិទសរសេរចំនួនទឹកប្រាក់ដែលមិនអាចត្រូវបានធំជាងសម្ពោធសរុប apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} គឺមិនមែនជាលេខបាច់ត្រឹមត្រូវសម្រាប់ធាតុ {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},ចំណាំ: មិនមានតុល្យភាពឈប់សម្រាកឱ្យបានគ្រប់គ្រាន់សម្រាប់ទុកឱ្យប្រភេទ {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN មិនត្រឹមត្រូវឬបញ្ចូលរដ្ឋសភាសម្រាប់មិនបានចុះឈ្មោះ +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN មិនត្រឹមត្រូវឬបញ្ចូលរដ្ឋសភាសម្រាប់មិនបានចុះឈ្មោះ DocType: Training Event,Seminar,សិក្ខាសាលា DocType: Program Enrollment Fee,Program Enrollment Fee,ថ្លៃសេវាកម្មវិធីការចុះឈ្មោះ DocType: Item,Supplier Items,ក្រុមហ៊ុនផ្គត់ផ្គង់ធាតុ @@ -3216,7 +3222,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,ភាគហ៊ុន Ageing apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},សិស្ស {0} មានការប្រឆាំងនឹងអ្នកសុំសិស្ស {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,តារាងពេលវេលា -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1} "ត្រូវបានបិទ +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1} "ត្រូវបានបិទ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ដែលបានកំណត់ជាបើកទូលាយ DocType: Cheque Print Template,Scanned Cheque,មូលប្បទានប័ត្រដែលបានស្កេន DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,ផ្ញើអ៊ីម៉ែលដោយស្វ័យប្រវត្តិទៅទំនាក់ទំនងនៅលើដាក់ស្នើប្រតិបត្តិការ។ @@ -3263,7 +3269,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,តារាងតម្លៃអត្រាប្តូរប្រាក់ DocType: Purchase Invoice Item,Rate,អត្រាការប្រាក់ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,ហាត់ការ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ឈ្មោះអាសយដ្ឋាន +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,ឈ្មោះអាសយដ្ឋាន DocType: Stock Entry,From BOM,ចាប់ពី Bom DocType: Assessment Code,Assessment Code,ក្រមការវាយតំលៃ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ជាមូលដ្ឋាន @@ -3276,20 +3282,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,រចនាសម្ព័ន្ធប្រាក់បៀវត្ស DocType: Account,Bank,ធនាគារ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ក្រុមហ៊ុនអាកាសចរណ៍ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,សម្ភារៈបញ្ហា +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,សម្ភារៈបញ្ហា DocType: Material Request Item,For Warehouse,សម្រាប់ឃ្លាំង DocType: Employee,Offer Date,ការផ្តល់ជូនកាលបរិច្ឆេទ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,សម្រង់ពាក្យ -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,អ្នកគឺជាអ្នកនៅក្នុងរបៀបក្រៅបណ្ដាញ។ អ្នកនឹងមិនអាចផ្ទុកឡើងវិញរហូតដល់អ្នកមានបណ្តាញ។ +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,អ្នកគឺជាអ្នកនៅក្នុងរបៀបក្រៅបណ្ដាញ។ អ្នកនឹងមិនអាចផ្ទុកឡើងវិញរហូតដល់អ្នកមានបណ្តាញ។ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,គ្មានក្រុមនិស្សិតបានបង្កើត។ DocType: Purchase Invoice Item,Serial No,សៀរៀលគ្មាន apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,ចំនួនទឹកប្រាក់ដែលត្រូវសងប្រចាំខែមិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់ឥណទាន apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,សូមបញ្ចូលព័ត៌មានលំអិត Maintaince លើកដំបូង +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,ជួរដេក # {0}: កាលបរិច្ឆេទដឹកជញ្ជូនដែលរំពឹងទុកមិនអាចមានមុនកាលបរិច្ឆេទបញ្ជាទិញទេ DocType: Purchase Invoice,Print Language,បោះពុម្ពភាសា DocType: Salary Slip,Total Working Hours,ម៉ោងធ្វើការសរុប DocType: Stock Entry,Including items for sub assemblies,អនុដែលរួមមានធាតុសម្រាប់សភា -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,បញ្ចូលតម្លៃត្រូវតែវិជ្ជមាន -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,លេខកូដធាតុ> ក្រុមធាតុ> ម៉ាក +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,បញ្ចូលតម្លៃត្រូវតែវិជ្ជមាន apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ទឹកដីទាំងអស់ DocType: Purchase Invoice,Items,ធាតុ apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,និស្សិតត្រូវបានចុះឈ្មោះរួចហើយ។ @@ -3312,7 +3318,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',អង្គភាពលំនាំដើមនៃវិធានការសម្រាប់វ៉ារ្យង់ '{0} "ត្រូវតែមានដូចគ្នានៅក្នុងទំព័រគំរូ' {1} ' DocType: Shipping Rule,Calculate Based On,គណនាមូលដ្ឋាននៅលើ DocType: Delivery Note Item,From Warehouse,ចាប់ពីឃ្លាំង -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,គ្មានធាតុជាមួយលោក Bill នៃសម្ភារៈដើម្បីផលិត +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,គ្មានធាតុជាមួយលោក Bill នៃសម្ភារៈដើម្បីផលិត DocType: Assessment Plan,Supervisor Name,ឈ្មោះអ្នកគ្រប់គ្រង DocType: Program Enrollment Course,Program Enrollment Course,កម្មវិធីវគ្គបណ្តុះបណ្តាលចុះឈ្មោះ DocType: Program Enrollment Course,Program Enrollment Course,កម្មវិធីវគ្គបណ្តុះបណ្តាលចុះឈ្មោះ @@ -3328,23 +3334,23 @@ DocType: Training Event Employee,Attended,បានចូលរួម apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"ថ្ងៃចាប់ពីលំដាប់ចុងក្រោយ 'ត្រូវតែធំជាងឬស្មើសូន្យ DocType: Process Payroll,Payroll Frequency,ភពញឹកញប់បើកប្រាក់បៀវត្ស DocType: Asset,Amended From,ធ្វើវិសោធនកម្មពី -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,វត្ថុធាតុដើម +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,វត្ថុធាតុដើម DocType: Leave Application,Follow via Email,សូមអនុវត្តតាមរយៈអ៊ីម៉ែល apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,រុក្ខជាតិនិងគ្រឿងម៉ាស៊ីន DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ចំនួនប្រាក់ពន្ធបន្ទាប់ពីចំនួនទឹកប្រាក់ដែលបញ្ចុះតម្លៃ DocType: Daily Work Summary Settings,Daily Work Summary Settings,ការកំណត់សង្ខេបការងារប្រចាំថ្ងៃ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},រូបិយប័ណ្ណនៃបញ្ជីតម្លៃ {0} គឺមិនមានលក្ខណៈស្រដៀងគ្នាជាមួយរូបិយប័ណ្ណដែលបានជ្រើស {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},រូបិយប័ណ្ណនៃបញ្ជីតម្លៃ {0} គឺមិនមានលក្ខណៈស្រដៀងគ្នាជាមួយរូបិយប័ណ្ណដែលបានជ្រើស {1} DocType: Payment Entry,Internal Transfer,សេវាផ្ទេរប្រាក់ផ្ទៃក្នុង apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,គណនីកុមារដែលមានសម្រាប់គណនីនេះ។ អ្នកមិនអាចលុបគណនីនេះ។ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ទាំង qty គោលដៅឬចំនួនគោលដៅគឺជាចាំបាច់ apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},គ្មាន Bom លំនាំដើមសម្រាប់ធាតុមាន {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,សូមជ្រើសរើសកាលបរិច្ឆេទដំបូងគេបង្អស់ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,សូមជ្រើសរើសកាលបរិច្ឆេទដំបូងគេបង្អស់ apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,បើកកាលបរិច្ឆេទគួរតែមានមុនកាលបរិចេ្ឆទផុតកំណត់ DocType: Leave Control Panel,Carry Forward,អនុវត្តការទៅមុខ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,មជ្ឈមណ្ឌលប្រាក់ដែលមានស្រាប់ការចំណាយដែលមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ DocType: Department,Days for which Holidays are blocked for this department.,ថ្ងៃដែលថ្ងៃឈប់សម្រាកត្រូវបានបិទសម្រាប់នាយកដ្ឋាននេះ។ ,Produced,រថយន្តនេះផលិត -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,បានបង្កើតគ្រូពេទ្យប្រហែលជាប្រាក់ខែ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,បានបង្កើតគ្រូពេទ្យប្រហែលជាប្រាក់ខែ DocType: Item,Item Code for Suppliers,ក្រមធាតុសម្រាប់អ្នកផ្គត់ផ្គង់ DocType: Issue,Raised By (Email),បានលើកឡើងដោយ (អ៊ីម៉ែល) DocType: Training Event,Trainer Name,ឈ្មោះគ្រូបង្គោល @@ -3352,9 +3358,10 @@ DocType: Mode of Payment,General,ទូទៅ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ការទំនាក់ទំនងចុងក្រោយ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ការទំនាក់ទំនងចុងក្រោយ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',មិនអាចធ្វើការកាត់កងនៅពេលដែលប្រភេទគឺសម្រាប់ 'វាយតម្លៃ' ឬ 'វាយតម្លៃនិងសរុប -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",រាយបញ្ជីក្បាលពន្ធរបស់អ្នក (ឧទាហរណ៍អាករលើតម្លៃបន្ថែមពន្ធគយលពួកគេគួរតែមានឈ្មោះតែមួយគត់) និងអត្រាការស្ដង់ដាររបស់ខ្លួន។ ការនេះនឹងបង្កើតគំរូស្តង់ដាដែលអ្នកអាចកែសម្រួលនិងបន្ថែមច្រើនទៀតនៅពេលក្រោយ។ +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",រាយបញ្ជីក្បាលពន្ធរបស់អ្នក (ឧទាហរណ៍អាករលើតម្លៃបន្ថែមពន្ធគយលពួកគេគួរតែមានឈ្មោះតែមួយគត់) និងអត្រាការស្ដង់ដាររបស់ខ្លួន។ ការនេះនឹងបង្កើតគំរូស្តង់ដាដែលអ្នកអាចកែសម្រួលនិងបន្ថែមច្រើនទៀតនៅពេលក្រោយ។ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Nos ដែលត្រូវការសម្រាប់ធាតុសៀរៀលសៀរៀល {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,វិកិយប័ត្រទូទាត់ប្រកួតជាមួយ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},ជួរដេក # {0}: សូមបញ្ចូលកាលបរិច្ឆេទដឹកជញ្ជូនប្រឆាំងនឹងធាតុ {1} DocType: Journal Entry,Bank Entry,ចូលធនាគារ DocType: Authorization Rule,Applicable To (Designation),ដែលអាចអនុវត្តទៅ (រចនា) ,Profitability Analysis,វិភាគប្រាក់ចំណេញ @@ -3370,17 +3377,18 @@ DocType: Quality Inspection,Item Serial No,គ្មានសៀរៀលធា apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,បង្កើតកំណត់ត្រាបុគ្គលិក apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,បច្ចុប្បន្នសរុប apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,របាយការណ៍គណនី -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,ហួរ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,ហួរ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,គ្មានស៊េរីថ្មីនេះមិនអាចមានឃ្លាំង។ ឃ្លាំងត្រូវតែត្រូវបានកំណត់ដោយបង្កាន់ដៃហ៊ុនទិញចូលឬ DocType: Lead,Lead Type,ការនាំមុខប្រភេទ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យអនុម័តស្លឹកនៅលើកាលបរិច្ឆេទប្លុក -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,ធាតុទាំងអស់នេះត្រូវបានគេ invoiced រួចទៅហើយ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,ធាតុទាំងអស់នេះត្រូវបានគេ invoiced រួចទៅហើយ +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,គោលដៅលក់ប្រចាំខែ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},អាចត្រូវបានអនុម័តដោយ {0} DocType: Item,Default Material Request Type,លំនាំដើមសម្ភារៈប្រភេទសំណើ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,មិនស្គាល់ DocType: Shipping Rule,Shipping Rule Conditions,ការដឹកជញ្ជូនវិធានលក្ខខណ្ឌ DocType: BOM Replace Tool,The new BOM after replacement,នេះបន្ទាប់ពីការជំនួស Bom -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,ចំណុចនៃការលក់ +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,ចំណុចនៃការលក់ DocType: Payment Entry,Received Amount,ទទួលបានចំនួនទឹកប្រាក់ DocType: GST Settings,GSTIN Email Sent On,GSTIN ផ្ញើអ៊ីម៉ែលនៅលើ DocType: Program Enrollment,Pick/Drop by Guardian,ជ្រើសយក / ទម្លាក់ដោយអាណាព្យាបាល @@ -3397,8 +3405,8 @@ DocType: Batch,Source Document Name,ឈ្មោះឯកសារប្រភ DocType: Batch,Source Document Name,ឈ្មោះឯកសារប្រភព DocType: Job Opening,Job Title,ចំណងជើងការងារ apps/erpnext/erpnext/utilities/activation.py +97,Create Users,បង្កើតអ្នកប្រើ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,ក្រាម -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,បរិមាណដែលត្រូវទទួលទានក្នុងការផលិតត្រូវតែធំជាង 0 ។ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,ក្រាម +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,បរិមាណដែលត្រូវទទួលទានក្នុងការផលិតត្រូវតែធំជាង 0 ។ apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,សូមចូលទស្សនារបាយការណ៍សម្រាប់ការហៅថែទាំ។ DocType: Stock Entry,Update Rate and Availability,អត្រាធ្វើឱ្យទាន់សម័យនិងអាចរកបាន DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ចំនួនភាគរយដែលអ្នកត្រូវបានអនុញ្ញាតឱ្យទទួលបានច្រើនជាងការប្រឆាំងនឹងឬផ្តល់នូវបរិមាណបញ្ជាឱ្យ។ ឧទាហរណ៍: ប្រសិនបើអ្នកបានបញ្ជាឱ្យបាន 100 គ្រឿង។ និងអនុញ្ញាតឱ្យរបស់អ្នកគឺ 10% បន្ទាប់មកលោកអ្នកត្រូវបានអនុញ្ញាតឱ្យទទួលបាន 110 គ្រឿង។ @@ -3411,7 +3419,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,សូមបោះបង់ការទិញវិក័យប័ត្រ {0} ដំបូង apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","អាសយដ្ឋានអ៊ីមែលត្រូវតែមានតែមួយគត់, រួចហើយសម្រាប់ {0}" DocType: Serial No,AMC Expiry Date,កាលបរិច្ឆេទ AMC ផុតកំណត់ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,វិក័យប័ត្រ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,វិក័យប័ត្រ ,Sales Register,ការលក់ចុះឈ្មោះ DocType: Daily Work Summary Settings Company,Send Emails At,ផ្ញើអ៊ីម៉ែល DocType: Quotation,Quotation Lost Reason,សម្រង់បាត់បង់មូលហេតុ @@ -3424,14 +3432,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,គ្មា apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,សេចក្តីថ្លែងការណ៍លំហូរសាច់ប្រាក់ apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ចំនួនទឹកប្រាក់កម្ចីមិនអាចលើសពីចំនួនទឹកប្រាក់កម្ចីអតិបរមានៃ {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,អាជ្ញាប័ណ្ណ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},សូមយកវិក័យប័ត្រនេះ {0} ពី C-សំណុំបែបបទ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},សូមយកវិក័យប័ត្រនេះ {0} ពី C-សំណុំបែបបទ {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,សូមជ្រើសយកការទៅមុខផងដែរប្រសិនបើអ្នកចង់រួមបញ្ចូលតុល្យភាពឆ្នាំមុនសារពើពន្ធរបស់ទុកនឹងឆ្នាំសារពើពន្ធនេះ DocType: GL Entry,Against Voucher Type,ប្រឆាំងនឹងប្រភេទប័ណ្ណ DocType: Item,Attributes,គុណលក្ខណៈ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,សូមបញ្ចូលបិទសរសេរគណនី apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,លំដាប់ចុងក្រោយកាលបរិច្ឆេទ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},គណនី {0} មិនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,លេខសៀរៀលនៅក្នុងជួរដេក {0} មិនផ្គូផ្គងនឹងការដឹកជញ្ជូនចំណាំ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,លេខសៀរៀលនៅក្នុងជួរដេក {0} មិនផ្គូផ្គងនឹងការដឹកជញ្ជូនចំណាំ DocType: Student,Guardian Details,កាសែត Guardian លំអិត DocType: C-Form,C-Form,C-សំណុំបែបបទ apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,លោក Mark វត្តមានសម្រាប់បុគ្គលិកច្រើន @@ -3463,16 +3471,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,ការលក់ DocType: Stock Entry Detail,Basic Amount,ចំនួនទឹកប្រាក់ជាមូលដ្ឋាន DocType: Training Event,Exam,ការប្រឡង -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},ឃ្លាំងដែលបានទាមទារសម្រាប់ធាតុភាគហ៊ុន {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},ឃ្លាំងដែលបានទាមទារសម្រាប់ធាតុភាគហ៊ុន {0} DocType: Leave Allocation,Unused leaves,ស្លឹកមិនប្រើ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,CR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,CR DocType: Tax Rule,Billing State,រដ្ឋវិក័យប័ត្រ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,សេវាផ្ទេរប្រាក់ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} មិនបានភ្ជាប់ជាមួយគណនីរបស់គណបក្ស {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),យក Bom ផ្ទុះ (រួមបញ្ចូលទាំងសភាអនុ) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),យក Bom ផ្ទុះ (រួមបញ្ចូលទាំងសភាអនុ) DocType: Authorization Rule,Applicable To (Employee),ដែលអាចអនុវត្តទៅ (បុគ្គលិក) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,កាលបរិច្ឆេទដល់កំណត់គឺជាចាំបាច់ apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,ចំនួនបន្ថែមសម្រាប់គុណលក្ខណៈ {0} មិនអាចជា 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ដែនដី DocType: Journal Entry,Pay To / Recd From,ចំណាយប្រាក់ដើម្បី / Recd ពី DocType: Naming Series,Setup Series,ការរៀបចំស៊េរី DocType: Payment Reconciliation,To Invoice Date,ដើម្បី invoice កាលបរិច្ឆេទ @@ -3499,7 +3508,7 @@ DocType: Journal Entry,Write Off Based On,បិទការសរសេរម apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ធ្វើឱ្យការនាំមុខ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,បោះពុម្ពនិងការិយាល័យ DocType: Stock Settings,Show Barcode Field,បង្ហាញវាលលេខកូដ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,ផ្ញើអ៊ីម៉ែលផ្គត់ផ្គង់ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,ផ្ញើអ៊ីម៉ែលផ្គត់ផ្គង់ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ប្រាក់បៀវត្សដែលបានដំណើរការរួចទៅហើយសម្រាប់សម័យនេះរវាង {0} និង {1}, ទុកឱ្យរយៈពេលកម្មវិធីមិនអាចមានរវាងជួរកាលបរិច្ឆេទនេះ។" apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,កំណត់ត្រាអំពីការដំឡើងសម្រាប់លេខស៊េរី DocType: Guardian Interest,Guardian Interest,កាសែត The Guardian ការប្រាក់ @@ -3513,7 +3522,7 @@ DocType: Offer Letter,Awaiting Response,រង់ចាំការឆ្លើ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ខាងលើ apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},គុណលក្ខណៈមិនត្រឹមត្រូវ {0} {1} DocType: Supplier,Mention if non-standard payable account,និយាយពីប្រសិនបើគណនីត្រូវបង់មិនស្តង់ដារ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ធាតុដូចគ្នាត្រូវបានបញ្ចូលជាច្រើនដង។ {បញ្ជី} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},ធាតុដូចគ្នាត្រូវបានបញ្ចូលជាច្រើនដង។ {បញ្ជី} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',សូមជ្រើសក្រុមការវាយតម្លៃផ្សេងទៀតជាង "ក្រុមវាយតម្លៃទាំងអស់ ' DocType: Salary Slip,Earning & Deduction,ការរកប្រាក់ចំណូលនិងការកាត់បនថយ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ស្រេចចិត្ត។ ការកំណត់នេះនឹងត្រូវបានប្រើដើម្បីត្រងនៅក្នុងប្រតិបត្តិការនានា។ @@ -3532,7 +3541,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,តម្លៃនៃទ្រព្យសម្បត្តិបានបោះបង់ចោល apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: មជ្ឈមណ្ឌលចំណាយគឺជាការចាំបាច់សម្រាប់ធាតុ {2} DocType: Vehicle,Policy No,គោលនយោបាយគ្មាន -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,ទទួលបានធាតុពីកញ្ចប់ផលិតផល +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,ទទួលបានធាតុពីកញ្ចប់ផលិតផល DocType: Asset,Straight Line,បន្ទាត់ត្រង់ DocType: Project User,Project User,អ្នកប្រើប្រាស់គម្រោង apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,ពុះ @@ -3547,6 +3556,7 @@ DocType: Bank Reconciliation,Payment Entries,ធាតុការទូទា DocType: Production Order,Scrap Warehouse,ឃ្លាំងអេតចាយ DocType: Production Order,Check if material transfer entry is not required,ពិនិត្យមើលថាតើធាតុផ្ទេរសម្ភារៈមិនត្រូវបានទាមទារ DocType: Production Order,Check if material transfer entry is not required,ពិនិត្យមើលថាតើធាតុផ្ទេរសម្ភារៈមិនត្រូវបានទាមទារ +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស DocType: Program Enrollment Tool,Get Students From,ទទួលយកសិស្សពី DocType: Hub Settings,Seller Country,អ្នកលក់ប្រទេស apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,បោះពុម្ពផ្សាយធាតុលើវេបសាយ @@ -3565,19 +3575,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,ជ DocType: Shipping Rule,Specify conditions to calculate shipping amount,បញ្ជាក់លក្ខខណ្ឌដើម្បីគណនាចំនួនប្រាក់លើការដឹកជញ្ជូន DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,តួនាទីដែលត្រូវបានអនុញ្ញាតឱ្យកំណត់គណនីទឹកកកកែសម្រួលធាតុទឹកកក apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,មិនអាចបម្លែងទៅក្នុងសៀវភៅរបស់មជ្ឈមណ្ឌលដែលជាការចំនាយវាមានថ្នាំងរបស់កុមារ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,តម្លៃពិធីបើក +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,តម្លៃពិធីបើក DocType: Salary Detail,Formula,រូបមន្ត apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,# សៀរៀល apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,គណៈកម្មការលើការលក់ DocType: Offer Letter Term,Value / Description,គុណតម្លៃ / ការពិពណ៌នាសង្ខេប -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនអាចត្រូវបានដាក់ស្នើ, វារួចទៅហើយ {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនអាចត្រូវបានដាក់ស្នើ, វារួចទៅហើយ {2}" DocType: Tax Rule,Billing Country,វិក័យប័ត្រប្រទេស DocType: Purchase Order Item,Expected Delivery Date,គេរំពឹងថាការដឹកជញ្ជូនកាលបរិច្ឆេទ apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ឥណពន្ធនិងឥណទានមិនស្មើគ្នាសម្រាប់ {0} # {1} ។ ភាពខុសគ្នាគឺ {2} ។ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,ចំណាយកំសាន្ត apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,ធ្វើឱ្យសម្ភារៈសំណើ apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},បើកធាតុ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ការលក់វិក័យប័ត្រ {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ការលក់វិក័យប័ត្រ {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ដែលមានអាយុ DocType: Sales Invoice Timesheet,Billing Amount,ចំនួនវិក័យប័ត្រ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,បរិមាណមិនត្រឹមត្រូវដែលបានបញ្ជាក់សម្រាប់ធាតុ {0} ។ បរិមាណដែលត្រូវទទួលទានគួរតែធំជាង 0 ។ @@ -3600,7 +3610,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,ប្រាក់ចំណូលអតិថិជនថ្មី apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ការចំណាយការធ្វើដំណើរ DocType: Maintenance Visit,Breakdown,ការវិភាគ -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,គណនី: {0} ដែលមានរូបិយប័ណ្ណ: {1} មិនអាចត្រូវបានជ្រើស & ‧; +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,គណនី: {0} ដែលមានរូបិយប័ណ្ណ: {1} មិនអាចត្រូវបានជ្រើស & ‧; DocType: Bank Reconciliation Detail,Cheque Date,កាលបរិច្ឆេទមូលប្បទានប័ត្រ apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},គណនី {0}: គណនីមាតាបិតា {1} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន: {2} DocType: Program Enrollment Tool,Student Applicants,បេក្ខជនសិស្ស @@ -3620,11 +3630,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,កា DocType: Material Request,Issued,ចេញផ្សាយ apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,សកម្មភាពសិស្ស DocType: Project,Total Billing Amount (via Time Logs),ចំនួនវិក័យប័ត្រសរុប (តាមរយៈការពេលវេលាកំណត់ហេតុ) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,យើងលក់ធាតុនេះ +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,យើងលក់ធាតុនេះ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,លេខសម្គាល់អ្នកផ្គត់ផ្គង់ DocType: Payment Request,Payment Gateway Details,សេចក្ដីលម្អិតការទូទាត់ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,បរិមាណដែលត្រូវទទួលទានគួរជាធំជាង 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,ទិន្នន័យគំរូ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,បរិមាណដែលត្រូវទទួលទានគួរជាធំជាង 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,ទិន្នន័យគំរូ DocType: Journal Entry,Cash Entry,ចូលជាសាច់ប្រាក់ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ថ្នាំងកុមារអាចត្រូវបានបង្កើតតែនៅក្រោមថ្នាំងប្រភេទ 'ក្រុម DocType: Leave Application,Half Day Date,កាលបរិច្ឆេទពាក់កណ្តាលថ្ងៃ @@ -3633,17 +3643,18 @@ DocType: Sales Partner,Contact Desc,ការទំនាក់ទំនង DESC apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","ប្រភេទនៃស្លឹកដូចជាការធម្មតា, ឈឺល" DocType: Email Digest,Send regular summary reports via Email.,ផ្ញើរបាយការណ៍សេចក្ដីសង្ខេបជាទៀងទាត់តាមរយៈអ៊ីម៉ែល។ DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},សូមកំណត់គណនីលំនាំដើមនៅក្នុងប្រភេទពាក្យបណ្តឹងការចំណាយ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},សូមកំណត់គណនីលំនាំដើមនៅក្នុងប្រភេទពាក្យបណ្តឹងការចំណាយ {0} DocType: Assessment Result,Student Name,ឈ្មោះរបស់និស្សិត DocType: Brand,Item Manager,កម្មវិធីគ្រប់គ្រងធាតុ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,បើកប្រាក់បៀវត្សដែលត្រូវបង់ DocType: Buying Settings,Default Supplier Type,ប្រភេទហាងទំនិញលំនាំដើម DocType: Production Order,Total Operating Cost,ថ្លៃប្រតិបត្តិការ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,ចំណាំ: ធាតុ {0} បានចូលច្រើនដង +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,ចំណាំ: ធាតុ {0} បានចូលច្រើនដង apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ទំនាក់ទំនងទាំងអស់។ +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,កំណត់គោលដៅរបស់អ្នក apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,អក្សរកាត់របស់ក្រុមហ៊ុន apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ប្រើ {0} មិនមាន -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,វត្ថុធាតុដើមមិនអាចជាដូចគ្នាដូចដែលធាតុដ៏សំខាន់ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,វត្ថុធាតុដើមមិនអាចជាដូចគ្នាដូចដែលធាតុដ៏សំខាន់ DocType: Item Attribute Value,Abbreviation,អក្សរកាត់ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ចូលការទូទាត់រួចហើយ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,មិន authroized តាំងពី {0} លើសពីដែនកំណត់ @@ -3661,7 +3672,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,តួនាទីដ ,Territory Target Variance Item Group-Wise,ទឹកដីរបស់ធាតុគោលដៅអថេរ Group និងក្រុមហ៊ុនដែលមានប្រាជ្ញា apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ក្រុមអតិថិជនទាំងអស់ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,បង្គរប្រចាំខែ -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} គឺជាចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណមិនត្រូវបានបង្កើតឡើងសម្រាប់ {1} ទៅ {2} ។ +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} គឺជាចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណមិនត្រូវបានបង្កើតឡើងសម្រាប់ {1} ទៅ {2} ។ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ទំព័រគំរូពន្ធលើគឺជាចាំបាច់។ apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,គណនី {0}: គណនីមាតាបិតា {1} មិនមាន DocType: Purchase Invoice Item,Price List Rate (Company Currency),បញ្ជីតម្លៃដែលអត្រា (ក្រុមហ៊ុនរូបិយវត្ថុ) @@ -3672,7 +3683,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,ការបម apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,លេខាធិការ DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",ប្រសិនបើបានបិទ "នៅក្នុងពាក្យ" វាលនឹងមិនត្រូវបានមើលឃើញនៅក្នុងប្រតិបត្តិការណាមួយឡើយ DocType: Serial No,Distinct unit of an Item,អង្គភាពផ្សេងគ្នានៃធាតុ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,សូមកំណត់ក្រុមហ៊ុន +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,សូមកំណត់ក្រុមហ៊ុន DocType: Pricing Rule,Buying,ការទិញ DocType: HR Settings,Employee Records to be created by,កំណត់ត្រាបុគ្គលិកដែលនឹងត្រូវបានបង្កើតឡើងដោយ DocType: POS Profile,Apply Discount On,អនុវត្តការបញ្ចុះតំលៃនៅលើ @@ -3683,7 +3694,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ពត៌មានលំអិតពន្ធលើដែលមានប្រាជ្ញាធាតុ apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,អក្សរកាត់វិទ្យាស្ថាន ,Item-wise Price List Rate,អត្រាតារាងតម្លៃធាតុប្រាជ្ញា -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,សម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,សម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: Quotation,In Words will be visible once you save the Quotation.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកការសម្រង់នេះ។ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},បរិមាណ ({0}) មិនអាចជាប្រភាគក្នុងមួយជួរដេក {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},បរិមាណ ({0}) មិនអាចជាប្រភាគក្នុងមួយជួរដេក {1} @@ -3707,7 +3718,7 @@ Updated via 'Time Log'",បានបន្ទាន់សម័យតាមរ DocType: Customer,From Lead,បានមកពីអ្នកដឹកនាំ apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ការបញ្ជាទិញដែលបានចេញផ្សាយសម្រាប់ការផលិត។ apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ជ្រើសឆ្នាំសារពើពន្ធ ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,ម៉ាស៊ីនឆូតកាតពត៌មានផ្ទាល់ខ្លួនត្រូវបានទាមទារដើម្បីធ្វើឱ្យធាតុរបស់ម៉ាស៊ីនឆូតកាត +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,ម៉ាស៊ីនឆូតកាតពត៌មានផ្ទាល់ខ្លួនត្រូវបានទាមទារដើម្បីធ្វើឱ្យធាតុរបស់ម៉ាស៊ីនឆូតកាត DocType: Program Enrollment Tool,Enroll Students,ចុះឈ្មោះសិស្ស DocType: Hub Settings,Name Token,ឈ្មោះនិមិត្តសញ្ញា apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ស្តង់ដាលក់ @@ -3725,7 +3736,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,ភាពខុសគ្ន apps/erpnext/erpnext/config/learn.py +234,Human Resource,ធនធានមនុស្ស DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ការទូទាត់ការផ្សះផ្សាការទូទាត់ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ការប្រមូលពន្ធលើទ្រព្យសម្បត្តិ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},ផលិតកម្មលំដាប់បាន {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},ផលិតកម្មលំដាប់បាន {0} DocType: BOM Item,BOM No,Bom គ្មាន DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ធាតុទិនានុប្បវត្តិ {0} មិនមានគណនី {1} ឬកាតមានទឹកប្រាក់រួចហើយបានផ្គូផ្គងប្រឆាំងនឹងផ្សេងទៀត @@ -3739,7 +3750,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,កា apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ឆ្នើម AMT DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ធាតុសំណុំក្រុមគោលដៅប្រាជ្ញាសម្រាប់ការនេះការលក់បុគ្គល។ DocType: Stock Settings,Freeze Stocks Older Than [Days],ភាគហ៊ុនបង្កកចាស់ជាង [ថ្ងៃ] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ជួរដេក # {0}: ទ្រព្យសកម្មគឺជាការចាំបាច់សម្រាប់ទ្រព្យសកម្មថេរទិញ / លក់ +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ជួរដេក # {0}: ទ្រព្យសកម្មគឺជាការចាំបាច់សម្រាប់ទ្រព្យសកម្មថេរទិញ / លក់ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",បើសិនជាវិធានតម្លៃពីរឬច្រើនត្រូវបានរកឃើញដោយផ្អែកលើលក្ខខណ្ឌខាងលើអាទិភាពត្រូវបានអនុវត្ត។ អាទិភាពគឺជាលេខរវាង 0 ទៅ 20 ខណៈពេលតម្លៃលំនាំដើមគឺសូន្យ (ទទេ) ។ ចំនួនខ្ពស់មានន័យថាវានឹងយកអាទិភាពប្រសិនបើមិនមានវិធានតម្លៃច្រើនដែលមានស្ថានភាពដូចគ្នា។ apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ឆ្នាំសារពើពន្ធ: {0} មិនមាន DocType: Currency Exchange,To Currency,ដើម្បីរូបិយប័ណ្ណ @@ -3748,7 +3759,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,ប្រភេ apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},អត្រាសម្រាប់ធាតុលក់ {0} គឺទាបជាង {1} របស់ខ្លួន។ អត្រាលក់គួរមានយ៉ាងហោចណាស់ {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},អត្រាសម្រាប់ធាតុលក់ {0} គឺទាបជាង {1} របស់ខ្លួន។ អត្រាលក់គួរមានយ៉ាងហោចណាស់ {2} DocType: Item,Taxes,ពន្ធ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,បង់និងការមិនផ្តល់ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,បង់និងការមិនផ្តល់ DocType: Project,Default Cost Center,មជ្ឈមណ្ឌលតម្លៃលំនាំដើម DocType: Bank Guarantee,End Date,កាលបរិច្ឆេទបញ្ចប់ apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ប្រតិបត្តិការភាគហ៊ុន @@ -3765,7 +3776,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,ក្រុមហ៊ុន Daily បានធ្វើការកំណត់ការសង្ខេប apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,ធាតុ {0} មិនអើពើចាប់តាំងពីវាគឺមិនមានធាតុភាគហ៊ុន DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,ដាក់ស្នើសម្រាប់ដំណើរការបន្ថែមផលិតកម្មលំដាប់នេះ។ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,ដាក់ស្នើសម្រាប់ដំណើរការបន្ថែមផលិតកម្មលំដាប់នេះ។ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",ការមិនអនុវត្តវិធានតម្លៃក្នុងប្រតិបត្តិការពិសេសមួយដែលអនុវត្តបានទាំងអស់ក្បួនតម្លៃគួរតែត្រូវបានបិទ។ DocType: Assessment Group,Parent Assessment Group,ការវាយតំលៃគ្រុបមាតាបិតា apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,លោក Steve Jobs @@ -3773,10 +3784,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,លោក St DocType: Employee,Held On,ប្រារព្ធឡើងនៅថ្ងៃទី apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ផលិតកម្មធាតុ ,Employee Information,ព័ត៌មានបុគ្គលិក -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),អត្រាការប្រាក់ (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),អត្រាការប្រាក់ (%) DocType: Stock Entry Detail,Additional Cost,ការចំណាយបន្ថែមទៀត apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",មិនអាចត្រងដោយផ្អែកលើប័ណ្ណគ្មានប្រសិនបើដាក់ជាក្រុមតាមប័ណ្ណ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,ធ្វើឱ្យសម្រង់ផ្គត់ផ្គង់ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,ធ្វើឱ្យសម្រង់ផ្គត់ផ្គង់ DocType: Quality Inspection,Incoming,មកដល់ DocType: BOM,Materials Required (Exploded),សំភារៈទាមទារ (ផ្ទុះ) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",បន្ថែមអ្នកប្រើប្រាស់ក្នុងអង្គការរបស់អ្នកក្រៅពីខ្លួនអ្នកផ្ទាល់ @@ -3792,7 +3803,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,គណនី: {0} អាចត្រូវបានធ្វើឱ្យទាន់សម័យបានតែតាមរយៈប្រតិបត្តិការហ៊ុន DocType: Student Group Creation Tool,Get Courses,ទទួលបានវគ្គសិក្សា DocType: GL Entry,Party,គណបក្ស -DocType: Sales Order,Delivery Date,ដឹកជញ្ជូនកាលបរិច្ឆេទ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,ដឹកជញ្ជូនកាលបរិច្ឆេទ DocType: Opportunity,Opportunity Date,កាលបរិច្ឆេទឱកាសការងារ DocType: Purchase Receipt,Return Against Purchase Receipt,ការវិលត្រឡប់ពីការប្រឆាំងនឹងបង្កាន់ដៃទិញ DocType: Request for Quotation Item,Request for Quotation Item,ស្នើសុំសម្រាប់ធាតុសម្រង់ @@ -3806,7 +3817,7 @@ DocType: Task,Actual Time (in Hours),ពេលវេលាពិតប្រា DocType: Employee,History In Company,ប្រវត្តិសាស្រ្តនៅក្នុងក្រុមហ៊ុន apps/erpnext/erpnext/config/learn.py +107,Newsletters,ព្រឹត្តិបត្រ DocType: Stock Ledger Entry,Stock Ledger Entry,ភាគហ៊ុនធាតុសៀវភៅ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,ធាតុដូចគ្នាត្រូវបានបញ្ចូលច្រើនដង +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,ធាតុដូចគ្នាត្រូវបានបញ្ចូលច្រើនដង DocType: Department,Leave Block List,ទុកឱ្យបញ្ជីប្លុក DocType: Sales Invoice,Tax ID,លេខសម្គាល់ការប្រមូលពន្ធលើ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,ធាតុ {0} មិនត្រូវបានដំឡើងសម្រាប់ការសៀរៀល Nos ។ ជួរឈរត្រូវទទេ @@ -3824,25 +3835,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ពណ៌ខ្មៅ DocType: BOM Explosion Item,BOM Explosion Item,ធាតុផ្ទុះ Bom DocType: Account,Auditor,សវនករ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} ធាតុផលិត +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} ធាតុផលិត DocType: Cheque Print Template,Distance from top edge,ចម្ងាយពីគែមកំពូល apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,បញ្ជីតម្លៃ {0} ត្រូវបានបិទឬមិនមាន DocType: Purchase Invoice,Return,ត្រឡប់មកវិញ DocType: Production Order Operation,Production Order Operation,ផលិតកម្មលំដាប់ប្រតិបត្តិការ DocType: Pricing Rule,Disable,មិនអនុញ្ញាត -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,របៀបនៃការទូទាត់គឺត្រូវបានទាមទារដើម្បីធ្វើឱ្យការទូទាត់ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,របៀបនៃការទូទាត់គឺត្រូវបានទាមទារដើម្បីធ្វើឱ្យការទូទាត់ DocType: Project Task,Pending Review,ការរង់ចាំការត្រួតពិនិត្យឡើងវិញ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} មិនត្រូវបានចុះឈ្មោះក្នុងជំនាន់ទី {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","ទ្រព្យសកម្ម {0} មិនអាចត្រូវបានបោះបង់ចោល, ដូចដែលវាមានរួចទៅ {1}" DocType: Task,Total Expense Claim (via Expense Claim),ពាក្យបណ្តឹងការចំណាយសរុប (តាមរយៈបណ្តឹងទាមទារការចំណាយ) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,លោក Mark អវត្តមាន -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ជួរដេក {0}: រូបិយប័ណ្ណរបស់ Bom បាន # {1} គួរតែស្មើនឹងរូបិយប័ណ្ណដែលបានជ្រើស {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ជួរដេក {0}: រូបិយប័ណ្ណរបស់ Bom បាន # {1} គួរតែស្មើនឹងរូបិយប័ណ្ណដែលបានជ្រើស {2} DocType: Journal Entry Account,Exchange Rate,អត្រាប្តូរប្រាក់ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,ការលក់លំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,ការលក់លំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ DocType: Homepage,Tag Line,បន្ទាត់ស្លាក DocType: Fee Component,Fee Component,សមាសភាគថ្លៃសេវា apps/erpnext/erpnext/config/hr.py +195,Fleet Management,គ្រប់គ្រងកងនាវា -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,បន្ថែមធាតុពី +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,បន្ថែមធាតុពី DocType: Cheque Print Template,Regular,ទៀងទាត apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,weightage សរុបនៃលក្ខណៈវិនិច្ឆ័យការវាយតម្លៃទាំងអស់ត្រូវ 100% DocType: BOM,Last Purchase Rate,អត្រាទិញចុងក្រោយ @@ -3863,12 +3874,12 @@ DocType: Employee,Reports to,របាយការណ៍ទៅ DocType: SMS Settings,Enter url parameter for receiver nos,បញ្ចូល URL សម្រាប់ការទទួលប៉ារ៉ាម៉ែត្រ NOS DocType: Payment Entry,Paid Amount,ចំនួនទឹកប្រាក់ដែលបង់ DocType: Assessment Plan,Supervisor,អ្នកគ្រប់គ្រង -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,លើបណ្តាញ +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,លើបណ្តាញ ,Available Stock for Packing Items,អាចរកបានសម្រាប់វេចខ្ចប់ហ៊ុនរបស់របរ DocType: Item Variant,Item Variant,ធាតុវ៉ារ្យង់ DocType: Assessment Result Tool,Assessment Result Tool,ការវាយតំលៃលទ្ធផលឧបករណ៍ DocType: BOM Scrap Item,BOM Scrap Item,ធាតុសំណល់អេតចាយ Bom -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,ការបញ្ជាទិញដែលបានដាក់ស្នើមិនអាចត្រូវបានលុប +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ការបញ្ជាទិញដែលបានដាក់ស្នើមិនអាចត្រូវបានលុប apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","សមតុល្យគណនីរួចហើយនៅក្នុងឥណពន្ធ, អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់ទឹកប្រាក់ត្រូវតែ "ជា" ឥណទាន "" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,គ្រប់គ្រងគុណភាព apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,ធាតុ {0} ត្រូវបានបិទ @@ -3900,7 +3911,7 @@ DocType: Item Group,Default Expense Account,ចំណាយតាមគណនី apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,លេខសម្គាល់អ៊ីមែលរបស់សិស្ស DocType: Employee,Notice (days),សេចក្តីជូនដំណឹង (ថ្ងៃ) DocType: Tax Rule,Sales Tax Template,ទំព័រគំរូពន្ធលើការលក់ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ជ្រើសធាតុដើម្បីរក្សាទុកការវិក្ក័យប័ត្រ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,ជ្រើសធាតុដើម្បីរក្សាទុកការវិក្ក័យប័ត្រ DocType: Employee,Encashment Date,Encashment កាលបរិច្ឆេទ DocType: Training Event,Internet,អ៊ីនធើណែ DocType: Account,Stock Adjustment,ការលៃតម្រូវភាគហ៊ុន @@ -3949,10 +3960,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,បញ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ការបញ្ចុះតម្លៃអតិបរមាដែលបានអនុញ្ញាតសម្រាប់ធាតុ: {0} គឺ {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,តម្លៃទ្រព្យសម្បត្តិសុទ្ធដូចជានៅលើ DocType: Account,Receivable,អ្នកទទួល -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ជួរដេក # {0}: មិនត្រូវបានអនុញ្ញាតឱ្យផ្លាស់ប្តូរហាងទំនិញថាជាការទិញលំដាប់រួចហើយ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ជួរដេក # {0}: មិនត្រូវបានអនុញ្ញាតឱ្យផ្លាស់ប្តូរហាងទំនិញថាជាការទិញលំដាប់រួចហើយ DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,តួនាទីដែលត្រូវបានអនុញ្ញាតឱ្យដាក់ស្នើតិបត្តិការដែលលើសពីដែនកំណត់ឥណទានបានកំណត់។ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,ជ្រើសធាតុដើម្បីផលិត -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត, វាអាចចំណាយពេលខ្លះ" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,ជ្រើសធាតុដើម្បីផលិត +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត, វាអាចចំណាយពេលខ្លះ" DocType: Item,Material Issue,សម្ភារៈបញ្ហា DocType: Hub Settings,Seller Description,អ្នកលក់ការពិពណ៌នាសង្ខេប DocType: Employee Education,Qualification,គុណវុឌ្ឍិ @@ -3973,11 +3984,10 @@ DocType: BOM,Rate Of Materials Based On,អត្រានៃសម្ភារ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,ការគាំទ្រ Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,ដោះធីកទាំងអស់ DocType: POS Profile,Terms and Conditions,លក្ខខណ្ឌ -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះនិយោជិកនៅក្នុងធនធានមនុស្ស> ការកំណត់ធនធានមនុស្ស apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},ដើម្បីកាលបរិច្ឆេទគួរតែនៅចន្លោះឆ្នាំសារពើពន្ធ។ សន្មត់ថាដើម្បីកាលបរិច្ឆេទ = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","នៅទីនេះអ្នកអាចរក្សាកម្ពស់, ទម្ងន់, អាឡែស៊ី, មានការព្រួយបារម្ភវេជ្ជសាស្រ្តល" DocType: Leave Block List,Applies to Company,អនុវត្តទៅក្រុមហ៊ុន -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,មិនអាចលុបចោលដោយសារតែការដាក់ស្នើផ្សារការធាតុមាន {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,មិនអាចលុបចោលដោយសារតែការដាក់ស្នើផ្សារការធាតុមាន {0} DocType: Employee Loan,Disbursement Date,កាលបរិច្ឆេទបញ្ចេញឥណទាន DocType: Vehicle,Vehicle,រថយន្ត DocType: Purchase Invoice,In Words,នៅក្នុងពាក្យ @@ -4016,7 +4026,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,ការកំណត DocType: Assessment Result Detail,Assessment Result Detail,ការវាយតំលៃលទ្ធផលលំអិត DocType: Employee Education,Employee Education,បុគ្គលិកអប់រំ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ធាតុស្ទួនក្រុមបានរកឃើញក្នុងតារាងក្រុមធាតុ -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,វាត្រូវបានគេត្រូវការដើម្បីទៅយកលំអិតធាតុ។ +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,វាត្រូវបានគេត្រូវការដើម្បីទៅយកលំអិតធាតុ។ DocType: Salary Slip,Net Pay,ប្រាក់ចំណេញសុទ្ធ DocType: Account,Account,គណនី apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,សៀរៀល {0} គ្មានត្រូវបានទទួលរួចហើយ @@ -4024,7 +4034,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,រថយន្តចូល DocType: Purchase Invoice,Recurring Id,លេខសម្គាល់កើតឡើង DocType: Customer,Sales Team Details,ពត៌មានលំអិតការលក់ក្រុមការងារ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,លុបជារៀងរហូត? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,លុបជារៀងរហូត? DocType: Expense Claim,Total Claimed Amount,ចំនួនទឹកប្រាក់អះអាងសរុប apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ឱកាសក្នុងការមានសក្តានុពលសម្រាប់ការលក់។ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},មិនត្រឹមត្រូវ {0} @@ -4036,7 +4046,7 @@ DocType: Warehouse,PIN,ម្ជុល apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ការរៀបចំរបស់អ្នកនៅក្នុង ERPNext សាលា DocType: Sales Invoice,Base Change Amount (Company Currency),មូលដ្ឋានផ្លាស់ប្តូរចំនួនទឹកប្រាក់ (ក្រុមហ៊ុនរូបិយប័ណ្ណ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,គ្មានការបញ្ចូលគណនីសម្រាប់ឃ្លាំងដូចខាងក្រោមនេះ -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,រក្សាទុកឯកសារជាលើកដំបូង។ +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,រក្សាទុកឯកសារជាលើកដំបូង។ DocType: Account,Chargeable,បន្ទុក DocType: Company,Change Abbreviation,ការផ្លាស់ប្តូរអក្សរកាត់ DocType: Expense Claim Detail,Expense Date,ការចំណាយកាលបរិច្ឆេទ @@ -4050,7 +4060,6 @@ DocType: BOM,Manufacturing User,អ្នកប្រើប្រាស់កម DocType: Purchase Invoice,Raw Materials Supplied,វត្ថុធាតុដើមដែលសហការី DocType: Purchase Invoice,Recurring Print Format,កើតឡើងទ្រង់ទ្រាយបោះពុម្ព DocType: C-Form,Series,កម្រងឯកសារ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,គេរំពឹងថាការដឹកជញ្ជូនមិនអាចកាលបរិច្ឆេទត្រូវតែមុនពេលការទិញលំដាប់កាលបរិច្ឆេទ DocType: Appraisal,Appraisal Template,ការវាយតម្លៃទំព័រគំរូ DocType: Item Group,Item Classification,ចំណាត់ថ្នាក់ធាតុ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ប្រធានផ្នែកអភិវឌ្ឍន៍ពាណិជ្ជកម្ម @@ -4089,12 +4098,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ជ្រ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,បណ្តុះបណ្តាព្រឹត្តិការណ៍ / លទ្ធផល apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,បង្គររំលស់ដូចជានៅលើ DocType: Sales Invoice,C-Form Applicable,C-ទម្រង់ពាក្យស្នើសុំ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},ប្រតិបត្ដិការពេលវេលាត្រូវតែធំជាង 0 សម្រាប់ប្រតិបត្ដិការ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},ប្រតិបត្ដិការពេលវេលាត្រូវតែធំជាង 0 សម្រាប់ប្រតិបត្ដិការ {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ឃ្លាំងគឺជាការចាំបាច់ DocType: Supplier,Address and Contacts,អាសយដ្ឋាននិងទំនាក់ទំនង DocType: UOM Conversion Detail,UOM Conversion Detail,ពត៌មាននៃការប្រែចិត្តជឿ UOM DocType: Program,Program Abbreviation,អក្សរកាត់កម្មវិធី -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,ផលិតកម្មលំដាប់មិនអាចត្រូវបានលើកឡើងប្រឆាំងនឹងការធាតុមួយទំព័រគំរូ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,ផលិតកម្មលំដាប់មិនអាចត្រូវបានលើកឡើងប្រឆាំងនឹងការធាតុមួយទំព័រគំរូ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ការចោទប្រកាន់ត្រូវបានធ្វើបច្ចុប្បន្នភាពនៅបង្កាន់ដៃទិញប្រឆាំងនឹងធាតុគ្នា DocType: Warranty Claim,Resolved By,បានដោះស្រាយដោយ DocType: Bank Guarantee,Start Date,ថ្ងៃចាប់ផ្តើម @@ -4129,6 +4138,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,មតិការបណ្តុះបណ្តាល apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ផលិតកម្មលំដាប់ {0} ត្រូវតែត្រូវបានដាក់ជូន apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},សូមជ្រើសរើសកាលបរិច្ឆេទចាប់ផ្ដើមនិងកាលបរិច្ឆេទបញ្ចប់សម្រាប់ធាតុ {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,កំណត់គោលដៅលក់ដែលអ្នកចង់បាន។ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},ពិតណាស់គឺចាំបាច់នៅក្នុងជួរដេក {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ដើម្បីកាលបរិច្ឆេទមិនអាចមានមុនពេលចេញពីកាលបរិច្ឆេទ DocType: Supplier Quotation Item,Prevdoc DocType,ចង្អុលបង្ហាញ Prevdoc @@ -4147,7 +4157,7 @@ DocType: Account,Income,ប្រាក់ចំណូល DocType: Industry Type,Industry Type,ប្រភេទវិស័យឧស្សាហកម្ម apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,អ្វីមួយដែលខុស! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,ព្រមាន & ‧;: កម្មវិធីទុកឱ្យមានកាលបរិច្ឆេទនៃការហាមឃាត់ដូចខាងក្រោម -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,ការលក់វិក័យប័ត្រ {0} ត្រូវបានដាក់ស្នើរួចទៅហើយ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,ការលក់វិក័យប័ត្រ {0} ត្រូវបានដាក់ស្នើរួចទៅហើយ DocType: Assessment Result Detail,Score,ពិន្ទុ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,ឆ្នាំសារពើពន្ធ {0} មិនមាន apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,កាលបរិច្ឆេទបញ្ចប់ @@ -4177,7 +4187,7 @@ DocType: Naming Series,Help HTML,ជំនួយ HTML DocType: Student Group Creation Tool,Student Group Creation Tool,ការបង្កើតក្រុមនិស្សិតឧបករណ៍ DocType: Item,Variant Based On,វ៉ារ្យង់ដែលមានមូលដ្ឋាននៅលើ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},weightage សរុបដែលបានផ្ដល់គួរតែទទួលបាន 100% ។ វាគឺជា {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,អ្នកផ្គត់ផ្គង់របស់អ្នក +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,អ្នកផ្គត់ផ្គង់របស់អ្នក apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,មិនអាចបាត់បង់ដូចដែលបានកំណត់ជាលំដាប់ត្រូវបានធ្វើឱ្យការលក់រថយន្ត។ DocType: Request for Quotation Item,Supplier Part No,ក្រុមហ៊ុនផ្គត់ផ្គង់គ្រឿងបន្លាស់គ្មាន apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',មិនអាចកាត់ពេលដែលប្រភេទគឺសម្រាប់ 'វាយតម្លៃ' ឬ 'Vaulation និងសរុប @@ -4187,14 +4197,14 @@ DocType: Item,Has Serial No,គ្មានសៀរៀល DocType: Employee,Date of Issue,កាលបរិច្ឆេទនៃបញ្ហា apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: ពី {0} {1} សម្រាប់ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ជាមួយការកំណត់ការទិញប្រសិនបើមានការទិញ Reciept ទាមទារ == "បាទ" ហើយបន្ទាប់មកសម្រាប់ការបង្កើតការទិញវិក័យប័ត្រ, អ្នកប្រើត្រូវតែបង្កើតការទទួលទិញជាលើកដំបូងសម្រាប់ធាតុ {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},ជួរដេក # {0}: កំណត់ផ្គត់ផ្គង់សម្រាប់ធាតុ {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ជួរដេក {0}: តម្លៃប៉ុន្មានម៉ោងត្រូវតែធំជាងសូន្យ។ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},ជួរដេក # {0}: កំណត់ផ្គត់ផ្គង់សម្រាប់ធាតុ {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,ជួរដេក {0}: តម្លៃប៉ុន្មានម៉ោងត្រូវតែធំជាងសូន្យ។ apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,គេហទំព័ររូបភាព {0} បានភ្ជាប់ទៅនឹងធាតុ {1} មិនអាចត្រូវបានរកឃើញ DocType: Issue,Content Type,ប្រភេទមាតិការ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,កុំព្យូទ័រ DocType: Item,List this Item in multiple groups on the website.,រាយធាតុនេះនៅក្នុងក្រុមជាច្រើននៅលើគេហទំព័រ។ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,សូមពិនិត្យមើលជម្រើសរូបិយវត្ថុពហុដើម្បីអនុញ្ញាតឱ្យគណនីជារូបិយប័ណ្ណផ្សេងទៀត -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ធាតុ: {0} មិនមាននៅក្នុងប្រព័ន្ធ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,ធាតុ: {0} មិនមាននៅក្នុងប្រព័ន្ធ apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់តម្លៃទឹកកក DocType: Payment Reconciliation,Get Unreconciled Entries,ទទួលបានធាតុ Unreconciled DocType: Payment Reconciliation,From Invoice Date,ចាប់ពីកាលបរិច្ឆេទវិក័យប័ត្រ @@ -4220,7 +4230,7 @@ DocType: Stock Entry,Default Source Warehouse,លំនាំដើមឃ្ល DocType: Item,Customer Code,លេខកូដអតិថិជន apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},កម្មវិធីរំលឹកខួបកំណើតសម្រាប់ {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ថ្ងៃចាប់ពីលំដាប់ចុងក្រោយ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,ឥណពន្ធវីសាទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,ឥណពន្ធវីសាទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី DocType: Buying Settings,Naming Series,ដាក់ឈ្មោះកម្រងឯកសារ DocType: Leave Block List,Leave Block List Name,ទុកឱ្យឈ្មោះបញ្ជីប្លុក apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,កាលបរិច្ឆេទការធានារ៉ាប់រងការចាប់ផ្តើមគួរតែតិចជាងកាលបរិច្ឆេទធានារ៉ាប់រងបញ្ចប់ @@ -4237,7 +4247,7 @@ DocType: Vehicle Log,Odometer,odometer DocType: Sales Order Item,Ordered Qty,បានបញ្ជាឱ្យ Qty apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,ធាតុ {0} ត្រូវបានបិទ DocType: Stock Settings,Stock Frozen Upto,រីករាយជាមួយនឹងផ្សារភាគហ៊ុនទឹកកក -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Bom មិនមានភាគហ៊ុនណាមួយឡើយធាតុ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,Bom មិនមានភាគហ៊ុនណាមួយឡើយធាតុ apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},រយៈពេលចាប់ពីនិងរយៈពេលដើម្បីកាលបរិច្ឆេទចាំបាច់សម្រាប់កើតឡើង {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,សកម្មភាពរបស់គម្រោង / ភារកិច្ច។ DocType: Vehicle Log,Refuelling Details,សេចក្ដីលម្អិតចាក់ប្រេង @@ -4247,7 +4257,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,រកមិនឃើញអត្រាទិញមុនបាន DocType: Purchase Invoice,Write Off Amount (Company Currency),បិទការសរសេរចំនួនទឹកប្រាក់ (ក្រុមហ៊ុនរូបិយវត្ថុ) DocType: Sales Invoice Timesheet,Billing Hours,ម៉ោងវិក័យប័ត្រ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Bom លំនាំដើមសម្រាប់ {0} មិនបានរកឃើញ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Bom លំនាំដើមសម្រាប់ {0} មិនបានរកឃើញ apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,ជួរដេក # {0}: សូមកំណត់បរិមាណតម្រៀបឡើងវិញ apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ប៉ះធាតុដើម្បីបន្ថែមពួកវានៅទីនេះ DocType: Fees,Program Enrollment,កម្មវិធីការចុះឈ្មោះ @@ -4281,6 +4291,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,ជួរ Ageing 2 DocType: SG Creation Tool Course,Max Strength,កម្លាំងអតិបរមា apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Bom បានជំនួស +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,ជ្រើសធាតុផ្អែកលើកាលបរិច្ឆេទដឹកជញ្ជូន ,Sales Analytics,វិភាគការលក់ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},ដែលអាចប្រើបាន {0} ,Prospects Engaged But Not Converted,ទស្សនវិស័យភ្ជាប់ពាក្យប៉ុន្តែមិនប្រែចិត្តទទួលជឿ @@ -4329,7 +4340,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise បញ្ចុ apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet សម្រាប់ភារកិច្ច។ DocType: Purchase Invoice,Against Expense Account,ប្រឆាំងនឹងការចំណាយតាមគណនី DocType: Production Order,Production Order,ផលិតកម្មលំដាប់ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,ការដំឡើងចំណាំ {0} ត្រូវបានដាក់ស្នើរួចទៅហើយ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,ការដំឡើងចំណាំ {0} ត្រូវបានដាក់ស្នើរួចទៅហើយ DocType: Bank Reconciliation,Get Payment Entries,ទទួលបានធាតុបញ្ចូលការទូទាត់ DocType: Quotation Item,Against Docname,ប្រឆាំងនឹងការ Docname DocType: SMS Center,All Employee (Active),ទាំងអស់និយោជិត (សកម្ម) @@ -4338,7 +4349,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,វត្ថុធាតុដើមដែលការចំណាយ DocType: Item Reorder,Re-Order Level,ដីកាសម្រេចកម្រិតឡើងវិញ DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,បញ្ចូលធាតុនិងការដែលបានគ្រោងទុក qty ដែលអ្នកចង់បានដើម្បីបង្កើនការបញ្ជាទិញផលិតផលឬទាញយកវត្ថុធាតុដើមសម្រាប់ការវិភាគ។ -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,គំនូសតាង Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,គំនូសតាង Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ពេញម៉ោង DocType: Employee,Applicable Holiday List,បញ្ជីថ្ងៃឈប់សម្រាកដែលអាចអនុវត្តបាន DocType: Employee,Cheque,មូលប្បទានប័ត្រ @@ -4396,11 +4407,11 @@ DocType: Bin,Reserved Qty for Production,បម្រុងទុក Qty សម DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ទុកឱ្យធីកបើអ្នកមិនចង់ឱ្យពិចារណាបាច់ខណៈពេលដែលធ្វើការពិតណាស់ដែលមានមូលដ្ឋាននៅក្រុម។ DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ទុកឱ្យធីកបើអ្នកមិនចង់ឱ្យពិចារណាបាច់ខណៈពេលដែលធ្វើការពិតណាស់ដែលមានមូលដ្ឋាននៅក្រុម។ DocType: Asset,Frequency of Depreciation (Months),ភាពញឹកញាប់នៃការរំលស់ (ខែ) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,គណនីឥណទាន +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,គណនីឥណទាន DocType: Landed Cost Item,Landed Cost Item,ធាតុតម្លៃដែលបានចុះចត apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,បង្ហាញតម្លៃសូន្យ DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,បរិមាណនៃការផលិតធាតុដែលទទួលបានបន្ទាប់ / វែចខ្ចប់ឡើងវិញពីបរិមាណដែលបានផ្តល់វត្ថុធាតុដើម -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,ការរៀបចំវែបសាយសាមញ្ញសម្រាប់អង្គការរបស់ខ្ញុំ +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,ការរៀបចំវែបសាយសាមញ្ញសម្រាប់អង្គការរបស់ខ្ញុំ DocType: Payment Reconciliation,Receivable / Payable Account,ទទួលគណនី / ចងការប្រាក់ DocType: Delivery Note Item,Against Sales Order Item,ការប្រឆាំងនឹងការធាតុលក់សណ្តាប់ធ្នាប់ apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},សូមបញ្ជាក់គុណតម្លៃសម្រាប់គុណលក្ខណៈ {0} @@ -4465,22 +4476,22 @@ DocType: Student,Nationality,សញ្ជាតិ ,Items To Be Requested,ធាតុដែលនឹងត្រូវបានស្នើ DocType: Purchase Order,Get Last Purchase Rate,ទទួលបានអត្រាការទិញចុងក្រោយ DocType: Company,Company Info,ពត៌មានរបស់ក្រុមហ៊ុន -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,ជ្រើសឬបន្ថែមអតិថិជនថ្មី -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,កណ្តាលការចំណាយគឺត្រូវបានទាមទារដើម្បីកក់ពាក្យបណ្តឹងការចំណាយ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,ជ្រើសឬបន្ថែមអតិថិជនថ្មី +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,កណ្តាលការចំណាយគឺត្រូវបានទាមទារដើម្បីកក់ពាក្យបណ្តឹងការចំណាយ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),កម្មវិធីរបស់មូលនិធិ (ទ្រព្យសកម្ម) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,នេះត្រូវបានផ្អែកលើការចូលរួមរបស់បុគ្គលិកនេះ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,គណនីឥណពន្ធវីសា +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,គណនីឥណពន្ធវីសា DocType: Fiscal Year,Year Start Date,នៅឆ្នាំកាលបរិច្ឆេទចាប់ផ្តើម DocType: Attendance,Employee Name,ឈ្មោះបុគ្គលិក DocType: Sales Invoice,Rounded Total (Company Currency),សរុបមូល (ក្រុមហ៊ុនរូបិយវត្ថុ) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,មិនអាចសម្ងាត់មួយដើម្បីពូលដោយសារតែប្រភេទគណនីត្រូវបានជ្រើស។ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} បានកែប្រែទេ។ សូមផ្ទុកឡើងវិញ។ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} បានកែប្រែទេ។ សូមផ្ទុកឡើងវិញ។ DocType: Leave Block List,Stop users from making Leave Applications on following days.,បញ្ឈប់ការរបស់អ្នកប្រើពីការធ្វើឱ្យកម្មវិធីដែលបានចាកចេញនៅថ្ងៃបន្ទាប់។ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ចំនួនទឹកប្រាក់ការទិញ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,សម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់ {0} បង្កើតឡើង apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,ឆ្នាំបញ្ចប់មិនអាចជាការចាប់ផ្តើមឆ្នាំមុន apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,អត្ថប្រយោជន៍បុគ្គលិក -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},បរិមាណបរិមាណស្មើនឹងត្រូវ packed សម្រាប់ធាតុ {0} នៅក្នុងជួរដេក {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},បរិមាណបរិមាណស្មើនឹងត្រូវ packed សម្រាប់ធាតុ {0} នៅក្នុងជួរដេក {1} DocType: Production Order,Manufactured Qty,បានផលិត Qty DocType: Purchase Receipt Item,Accepted Quantity,បរិមាណដែលត្រូវទទួលយក apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},សូមកំណត់លំនាំដើមបញ្ជីថ្ងៃឈប់សម្រាកសម្រាប់បុគ្គលិកឬ {0} {1} ក្រុមហ៊ុន @@ -4491,11 +4502,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ជួរដេកគ្មាន {0}: ចំនួនទឹកប្រាក់មិនអាចមានចំនួនច្រើនជាងការរង់ចាំការប្រឆាំងនឹងពាក្យបណ្តឹងការចំណាយទឹកប្រាក់ {1} ។ ចំនួនទឹកប្រាក់ដែលមិនទាន់សម្រេចគឺ {2} DocType: Maintenance Schedule,Schedule,កាលវិភាគ DocType: Account,Parent Account,គណនីមាតាឬបិតា -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,ដែលអាចប្រើបាន +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,ដែលអាចប្រើបាន DocType: Quality Inspection Reading,Reading 3,ការអានទី 3 ,Hub,ហាប់ DocType: GL Entry,Voucher Type,ប្រភេទកាតមានទឹកប្រាក់ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,រកមិនឃើញបញ្ជីថ្លៃឬជនពិការ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,រកមិនឃើញបញ្ជីថ្លៃឬជនពិការ DocType: Employee Loan Application,Approved,បានអនុម័ត DocType: Pricing Rule,Price,តំលៃលក់ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',បុគ្គលិកធូរស្រាលនៅលើ {0} ត្រូវតែត្រូវបានកំណត់ជា "ឆ្វេង" @@ -4565,7 +4576,7 @@ DocType: SMS Settings,Static Parameters,ប៉ារ៉ាម៉ែត្រឋ DocType: Assessment Plan,Room,បន្ទប់ DocType: Purchase Order,Advance Paid,មុនបង់ប្រាក់ DocType: Item,Item Tax,ការប្រមូលពន្ធលើធាតុ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,សម្ភារៈដើម្បីផ្គត់ផ្គង់ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,សម្ភារៈដើម្បីផ្គត់ផ្គង់ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,រដ្ឋាករវិក័យប័ត្រ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ហាក់ដូចជាច្រើនជាងម្ដង DocType: Expense Claim,Employees Email Id,និយោជិអ៊ីម៉ែលលេខសម្គាល់ @@ -4605,7 +4616,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,តារាម៉ូដែល DocType: Production Order,Actual Operating Cost,ការចំណាយប្រតិបត្តិការបានពិតប្រាកដ DocType: Payment Entry,Cheque/Reference No,មូលប្បទានប័ត្រ / យោងគ្មាន -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,អ្នកផ្គត់ផ្គង់> ប្រភេទអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ជា root មិនអាចត្រូវបានកែសម្រួល។ DocType: Item,Units of Measure,ឯកតារង្វាស់ DocType: Manufacturing Settings,Allow Production on Holidays,ផលិតកម្មនៅលើថ្ងៃឈប់សម្រាកអនុញ្ញាតឱ្យ @@ -4638,12 +4648,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,ថ្ងៃឥណទាន apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,ធ្វើឱ្យបាច់សិស្ស DocType: Leave Type,Is Carry Forward,គឺត្រូវបានអនុវត្តទៅមុខ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,ទទួលបានធាតុពី Bom +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,ទទួលបានធាតុពី Bom apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead ពេលថ្ងៃ -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ជួរដេក # {0}: ប្រកាសកាលបរិច្ឆេទត្រូវតែមានដូចគ្នាកាលបរិច្ឆេទទិញ {1} នៃទ្រព្យសម្បត្តិ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ជួរដេក # {0}: ប្រកាសកាលបរិច្ឆេទត្រូវតែមានដូចគ្នាកាលបរិច្ឆេទទិញ {1} នៃទ្រព្យសម្បត្តិ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ធីកប្រអប់នេះបើសិស្សកំពុងរស់នៅនៅឯសណ្ឋាគារវិទ្យាស្ថាននេះ។ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,សូមបញ្ចូលការបញ្ជាទិញលក់នៅក្នុងតារាងខាងលើ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,មិនផ្តល់ជូនប្រាក់ខែគ្រូពេទ្យប្រហែលជា +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,មិនផ្តល់ជូនប្រាក់ខែគ្រូពេទ្យប្រហែលជា ,Stock Summary,សង្ខេបភាគហ៊ុន apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,ផ្ទេរទ្រព្យសម្បត្តិមួយពីឃ្លាំងមួយទៅមួយទៀត DocType: Vehicle,Petrol,ប្រេង diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 16e1c52a4be..65f7e9f442c 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,ವ್ಯಾಪಾರಿ DocType: Employee,Rented,ಬಾಡಿಗೆ DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,ಬಳಕೆದಾರ ಅನ್ವಯಿಸುವುದಿಲ್ಲ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","ನಿಲ್ಲಿಸಿತು ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ರದ್ದುಗೊಳಿಸಲಾಗದು, ರದ್ದು ಮೊದಲು ಅಡ್ಡಿಯಾಗಿರುವುದನ್ನು ಬಿಡಿಸು" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","ನಿಲ್ಲಿಸಿತು ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ರದ್ದುಗೊಳಿಸಲಾಗದು, ರದ್ದು ಮೊದಲು ಅಡ್ಡಿಯಾಗಿರುವುದನ್ನು ಬಿಡಿಸು" DocType: Vehicle Service,Mileage,ಮೈಲೇಜ್ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಆಸ್ತಿ ಸ್ಕ್ರ್ಯಾಪ್ ಬಯಸುತ್ತೀರಾ? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,ಡೀಫಾಲ್ಟ್ ಸರಬರಾಜುದಾರ ಆಯ್ಕೆ @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% ಖ್ಯಾತವಾದ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),ವಿನಿಮಯ ದರ ಅದೇ ಇರಬೇಕು {0} {1} ({2}) DocType: Sales Invoice,Customer Name,ಗ್ರಾಹಕ ಹೆಸರು DocType: Vehicle,Natural Gas,ನೈಸರ್ಗಿಕ ಅನಿಲ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},ಬ್ಯಾಂಕ್ ಖಾತೆಯಿಂದ ಹೆಸರಿನ ಸಾಧ್ಯವಿಲ್ಲ {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},ಬ್ಯಾಂಕ್ ಖಾತೆಯಿಂದ ಹೆಸರಿನ ಸಾಧ್ಯವಿಲ್ಲ {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ತಲೆ (ಅಥವಾ ಗುಂಪುಗಳು) ವಿರುದ್ಧ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಮಾಡಲಾಗುತ್ತದೆ ಮತ್ತು ಸಮತೋಲನಗಳ ನಿರ್ವಹಿಸುತ್ತದೆ. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ಮಹೋನ್ನತ {0} ಕಡಿಮೆ ಶೂನ್ಯ ಸಾಧ್ಯವಿಲ್ಲ ( {1} ) DocType: Manufacturing Settings,Default 10 mins,10 ನಿಮಿಷಗಳು ಡೀಫಾಲ್ಟ್ @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,TypeName ಬಿಡಿ apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ತೆರೆದ ತೋರಿಸಿ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,ಸರಣಿ ಯಶಸ್ವಿಯಾಗಿ ನವೀಕರಿಸಲಾಗಿದೆ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,ಚೆಕ್ಔಟ್ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural ಜರ್ನಲ್ ಎಂಟ್ರಿ ಸಲ್ಲಿಸಿದ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural ಜರ್ನಲ್ ಎಂಟ್ರಿ ಸಲ್ಲಿಸಿದ DocType: Pricing Rule,Apply On,ಅನ್ವಯಿಸುತ್ತದೆ DocType: Item Price,Multiple Item prices.,ಬಹು ಐಟಂ ಬೆಲೆಗಳು . ,Purchase Order Items To Be Received,ಸ್ವೀಕರಿಸಬೇಕು ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಐಟಂಗಳು @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,ಪಾವತಿ ಖಾ apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,ತೋರಿಸು ಮಾರ್ಪಾಟುಗಳು DocType: Academic Term,Academic Term,ಶೈಕ್ಷಣಿಕ ಟರ್ಮ್ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ವಸ್ತು -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,ಪ್ರಮಾಣ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,ಪ್ರಮಾಣ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,ಟೇಬಲ್ ಖಾತೆಗಳು ಖಾಲಿ ಇರುವಂತಿಲ್ಲ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ಸಾಲ ( ಹೊಣೆಗಾರಿಕೆಗಳು ) DocType: Employee Education,Year of Passing,ಸಾಗುವುದು ವರ್ಷ @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ಆರೋಗ್ಯ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ಪಾವತಿ ವಿಳಂಬ (ದಿನಗಳು) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ಸೇವೆ ಖರ್ಚು -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},ಕ್ರಮ ಸಂಖ್ಯೆ: {0} ಈಗಾಗಲೇ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಲ್ಲೇಖವಿದೆ: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,ಸರಕುಪಟ್ಟಿ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},ಕ್ರಮ ಸಂಖ್ಯೆ: {0} ಈಗಾಗಲೇ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಲ್ಲೇಖವಿದೆ: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,ಸರಕುಪಟ್ಟಿ DocType: Maintenance Schedule Item,Periodicity,ನಿಯತಕಾಲಿಕತೆ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಅಗತ್ಯವಿದೆ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ ಮಾರಾಟದ ಆದೇಶ ದಿನಾಂಕ ಮೊದಲು ಆಗಿದೆ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,ರಕ್ಷಣೆ DocType: Salary Component,Abbr,ರದ್ದು DocType: Appraisal Goal,Score (0-5),ಸ್ಕೋರ್ ( 0-5 ) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ರೋ # {0}: DocType: Timesheet,Total Costing Amount,ಒಟ್ಟು ಕಾಸ್ಟಿಂಗ್ ಪ್ರಮಾಣ DocType: Delivery Note,Vehicle No,ವಾಹನ ನಂ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,ಬೆಲೆ ಪಟ್ಟಿ ಆಯ್ಕೆ ಮಾಡಿ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,ಬೆಲೆ ಪಟ್ಟಿ ಆಯ್ಕೆ ಮಾಡಿ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,ರೋ # {0}: ಪಾವತಿ ಡಾಕ್ಯುಮೆಂಟ್ trasaction ಪೂರ್ಣಗೊಳಿಸಲು ಅಗತ್ಯವಿದೆ DocType: Production Order Operation,Work In Progress,ಪ್ರಗತಿಯಲ್ಲಿದೆ ಕೆಲಸ apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ದಿನಾಂಕ ಆಯ್ಕೆ @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ಯಾವುದೇ ಸಕ್ರಿಯ ವರ್ಷದಲ್ಲಿ. DocType: Packed Item,Parent Detail docname,Docname ಪೋಷಕ ವಿವರ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ರೆಫರೆನ್ಸ್: {0}, ಐಟಂ ಕೋಡ್: {1} ಮತ್ತು ಗ್ರಾಹಕ: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,ಕೆಜಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,ಕೆಜಿ DocType: Student Log,Log,ಲಾಗ್ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ಕೆಲಸ ತೆರೆಯುತ್ತಿದೆ . DocType: Item Attribute,Increment,ಹೆಚ್ಚಳವನ್ನು @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,ವಿವಾಹಿತರು apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},ಜಾಹೀರಾತು ಅನುಮತಿಯಿಲ್ಲ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},ಸ್ಟಾಕ್ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},ಸ್ಟಾಕ್ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ಉತ್ಪನ್ನ {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ಯಾವುದೇ ಐಟಂಗಳನ್ನು ಪಟ್ಟಿ DocType: Payment Reconciliation,Reconcile,ರಾಜಿ ಮಾಡಿಸು @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,ಪ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,ಮುಂದಿನ ಸವಕಳಿ ದಿನಾಂಕ ಖರೀದಿ ದಿನಾಂಕ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: SMS Center,All Sales Person,ಎಲ್ಲಾ ಮಾರಾಟಗಾರನ DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ಮಾಸಿಕ ವಿತರಣೆ ** ನಿಮ್ಮ ವ್ಯವಹಾರದಲ್ಲಿ ಋತುಗಳು ಹೊಂದಿದ್ದರೆ ನೀವು ತಿಂಗಳ ಅಡ್ಡಲಾಗಿ ಬಜೆಟ್ / ಟಾರ್ಗೆಟ್ ವಿತರಿಸಲು ನೆರವಾಗುತ್ತದೆ. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,ಮಾಡಿರುವುದಿಲ್ಲ ಐಟಂಗಳನ್ನು ಕಂಡುಬಂದಿಲ್ಲ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,ಮಾಡಿರುವುದಿಲ್ಲ ಐಟಂಗಳನ್ನು ಕಂಡುಬಂದಿಲ್ಲ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,ಸಂಬಳ ರಚನೆ ಮಿಸ್ಸಿಂಗ್ DocType: Lead,Person Name,ವ್ಯಕ್ತಿ ಹೆಸರು DocType: Sales Invoice Item,Sales Invoice Item,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಐಟಂ @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ಸ್ಥಿರ ಆಸ್ತಿ" ಆಸ್ತಿ ದಾಖಲೆ ಐಟಂ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವಂತೆ, ಪರಿಶೀಲಿಸದೆ ಸಾಧ್ಯವಿಲ್ಲ" DocType: Vehicle Service,Brake Oil,ಬ್ರೇಕ್ ಆಯಿಲ್ DocType: Tax Rule,Tax Type,ಜನಪ್ರಿಯ ಕೌಟುಂಬಿಕತೆ -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,ತೆರಿಗೆ ಪ್ರಮಾಣ +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,ತೆರಿಗೆ ಪ್ರಮಾಣ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},ನೀವು ಮೊದಲು ನಮೂದುಗಳನ್ನು ಸೇರಿಸಲು ಅಥವ ಅಪ್ಡೇಟ್ ಅಧಿಕಾರ {0} DocType: BOM,Item Image (if not slideshow),ಐಟಂ ಚಿತ್ರ (ಇಲ್ಲದಿದ್ದರೆ ಸ್ಲೈಡ್ಶೋ ) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ಗ್ರಾಹಕ ಅದೇ ಹೆಸರಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(ಅವರ್ ದರ / 60) * ವಾಸ್ತವಿಕ ಆಪರೇಷನ್ ಟೈಮ್ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,ಬಿಒಎಮ್ ಆಯ್ಕೆ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,ಬಿಒಎಮ್ ಆಯ್ಕೆ DocType: SMS Log,SMS Log,ಎಸ್ಎಂಎಸ್ ಲಾಗಿನ್ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ತಲುಪಿಸುವುದಾಗಿರುತ್ತದೆ ವೆಚ್ಚ apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} ರಜೆ ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ನಡುವೆ ಅಲ್ಲ @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,ಶಾಲೆಗಳು DocType: School Settings,Validate Batch for Students in Student Group,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪಿನಲ್ಲಿರುವ ವಿದ್ಯಾರ್ಥಿಗಳಿಗೆ ಬ್ಯಾಚ್ ಸ್ಥಿರೀಕರಿಸಿ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ಯಾವುದೇ ರಜೆ ದಾಖಲೆ ನೌಕರ ಕಂಡು {0} ಫಾರ್ {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ಮೊದಲ ಕಂಪನಿ ನಮೂದಿಸಿ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,ಮೊದಲ ಕಂಪನಿ ಆಯ್ಕೆ ಮಾಡಿ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,ಮೊದಲ ಕಂಪನಿ ಆಯ್ಕೆ ಮಾಡಿ DocType: Employee Education,Under Graduate,ಸ್ನಾತಕಪೂರ್ವ ವಿದ್ಯಾರ್ಥಿ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ಟಾರ್ಗೆಟ್ ರಂದು DocType: BOM,Total Cost,ಒಟ್ಟು ವೆಚ್ಚ DocType: Journal Entry Account,Employee Loan,ನೌಕರರ ಸಾಲ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,ಚಟುವಟಿಕೆ ಲಾಗ್ : -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,ಐಟಂ {0} ವ್ಯವಸ್ಥೆಯ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ ಅಥವಾ ಮುಗಿದಿದೆ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,ಚಟುವಟಿಕೆ ಲಾಗ್ : +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,ಐಟಂ {0} ವ್ಯವಸ್ಥೆಯ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ ಅಥವಾ ಮುಗಿದಿದೆ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,ಸ್ಥಿರಾಸ್ತಿ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,ಖಾತೆ ಹೇಳಿಕೆ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ಫಾರ್ಮಾಸ್ಯುಟಿಕಲ್ಸ್ @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,ಹಕ್ಕು ಪ್ರಮಾಣವ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer ಗುಂಪು ಟೇಬಲ್ ಕಂಡುಬರುವ ನಕಲು ಗ್ರಾಹಕ ಗುಂಪಿನ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,ಸರಬರಾಜುದಾರ ಟೈಪ್ / ಸರಬರಾಜುದಾರ DocType: Naming Series,Prefix,ಮೊದಲೇ ಜೋಡಿಸು -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,ದಯವಿಟ್ಟು ಸೆಟಪ್> ಸೆಟ್ಟಿಂಗ್ಗಳು> ಹೆಸರಿಸುವ ಸರಣಿಯ ಮೂಲಕ {0} ಹೆಸರಿಸುವ ಸರಣಿಗಳನ್ನು ಹೊಂದಿಸಿ -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,ಉಪಭೋಗ್ಯ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,ಉಪಭೋಗ್ಯ DocType: Employee,B-,ಬಿ DocType: Upload Attendance,Import Log,ಆಮದು ಲಾಗ್ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ಮೇಲೆ ಮಾನದಂಡಗಳನ್ನು ಆಧರಿಸಿ ರೀತಿಯ ತಯಾರಿಕೆ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಪುಲ್ DocType: Training Result Employee,Grade,ಗ್ರೇಡ್ DocType: Sales Invoice Item,Delivered By Supplier,ಸರಬರಾಜುದಾರ ವಿತರಣೆ DocType: SMS Center,All Contact,ಎಲ್ಲಾ ಸಂಪರ್ಕಿಸಿ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಈಗಾಗಲೇ ಬಿಒಎಮ್ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ದಾಖಲಿಸಿದವರು +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಈಗಾಗಲೇ ಬಿಒಎಮ್ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ದಾಖಲಿಸಿದವರು apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,ವಾರ್ಷಿಕ ಸಂಬಳ DocType: Daily Work Summary,Daily Work Summary,ದೈನಂದಿನ ಕೆಲಸ ಸಾರಾಂಶ DocType: Period Closing Voucher,Closing Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷ ಕ್ಲೋಸಿಂಗ್ -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} ಹೆಪ್ಪುಗಟ್ಟಿರುವ +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} ಹೆಪ್ಪುಗಟ್ಟಿರುವ apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,ದಯವಿಟ್ಟು ಖಾತೆಗಳ ಪಟ್ಟಿ ರಚಿಸಲು ಕಂಪನಿಯ ಆಯ್ಕೆ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,ಸ್ಟಾಕ್ ವೆಚ್ಚಗಳು apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್ ಆಯ್ಕೆ @@ -213,14 +211,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ಅಕ್ಸೆಪ್ಟೆಡ್ + ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ ಐಟಂ ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣಕ್ಕೆ ಸಮ ಇರಬೇಕು {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,ಪೂರೈಕೆ ಕಚ್ಚಾ ವಸ್ತುಗಳ ಖರೀದಿ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,ಪಾವತಿಯ ಕನಿಷ್ಟ ಒಂದು ಮಾದರಿ ಪಿಓಎಸ್ ಸರಕುಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,ಪಾವತಿಯ ಕನಿಷ್ಟ ಒಂದು ಮಾದರಿ ಪಿಓಎಸ್ ಸರಕುಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ. DocType: Products Settings,Show Products as a List,ಪ್ರದರ್ಶನ ಉತ್ಪನ್ನಗಳು ಪಟ್ಟಿಯೆಂದು DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",", ಟೆಂಪ್ಲೇಟು ಸೂಕ್ತ ಮಾಹಿತಿ ತುಂಬಲು ಮತ್ತು ಬದಲಾಯಿಸಲಾಗಿತ್ತು ಕಡತ ಲಗತ್ತಿಸಬಹುದು. ಆಯ್ಕೆ ಅವಧಿಯಲ್ಲಿ ಎಲ್ಲ ದಿನಾಂಕಗಳು ಮತ್ತು ನೌಕರ ಸಂಯೋಜನೆಯನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಹಾಜರಾತಿ ದಾಖಲೆಗಳು, ಟೆಂಪ್ಲೇಟ್ ಬರುತ್ತದೆ" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,ಐಟಂ {0} ಸಕ್ರಿಯವಾಗಿಲ್ಲ ಅಥವಾ ಜೀವನದ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿತು ಮಾಡಲಾಗಿದೆ -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,ಉದಾಹರಣೆ: ಮೂಲಭೂತ ಗಣಿತ -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ಸತತವಾಗಿ ತೆರಿಗೆ ಸೇರಿಸಲು {0} ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ , ಸಾಲುಗಳಲ್ಲಿ ತೆರಿಗೆ {1} , ಎಂದು ಸೇರಿಸಲೇಬೇಕು" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,ಉದಾಹರಣೆ: ಮೂಲಭೂತ ಗಣಿತ +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ಸತತವಾಗಿ ತೆರಿಗೆ ಸೇರಿಸಲು {0} ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ , ಸಾಲುಗಳಲ್ಲಿ ತೆರಿಗೆ {1} , ಎಂದು ಸೇರಿಸಲೇಬೇಕು" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,ಮಾನವ ಸಂಪನ್ಮೂಲ ಮಾಡ್ಯೂಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: SMS Center,SMS Center,ಸಂಚಿಕೆ ಸೆಂಟರ್ DocType: Sales Invoice,Change Amount,ಪ್ರಮಾಣವನ್ನು ಬದಲಾವಣೆ @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},ಅನುಸ್ಥಾಪನ ದಿನಾಂಕ ಐಟಂ ವಿತರಣಾ ದಿನಾಂಕದ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ {0} DocType: Pricing Rule,Discount on Price List Rate (%),ದರ ಪಟ್ಟಿ ದರ ರಿಯಾಯಿತಿ (%) DocType: Offer Letter,Select Terms and Conditions,ಆಯ್ಕೆ ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,ಔಟ್ ಮೌಲ್ಯ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,ಔಟ್ ಮೌಲ್ಯ DocType: Production Planning Tool,Sales Orders,ಮಾರಾಟ ಆದೇಶಗಳಿಗೆ DocType: Purchase Taxes and Charges,Valuation,ಬೆಲೆಕಟ್ಟುವಿಕೆ ,Purchase Order Trends,ಆರ್ಡರ್ ಟ್ರೆಂಡ್ಸ್ ಖರೀದಿಸಿ @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,ಎಂಟ್ರಿ ಆರಂಭ DocType: Customer Group,Mention if non-standard receivable account applicable,ಬಗ್ಗೆ ಸ್ಟಾಂಡರ್ಡ್ ಅಲ್ಲದ ಸ್ವೀಕೃತಿ ಖಾತೆಯನ್ನು ಅನ್ವಯಿಸಿದರೆ DocType: Course Schedule,Instructor Name,ಬೋಧಕ ಹೆಸರು -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,ವೇರ್ಹೌಸ್ ಬೇಕಾಗುತ್ತದೆ ಮೊದಲು ಸಲ್ಲಿಸಿ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,ವೇರ್ಹೌಸ್ ಬೇಕಾಗುತ್ತದೆ ಮೊದಲು ಸಲ್ಲಿಸಿ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,ಪಡೆಯುವಂತಹ DocType: Sales Partner,Reseller,ಮರುಮಾರಾಟ DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","ಪರಿಶೀಲಿಸಿದರೆ, ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ಅಲ್ಲದ ಸ್ಟಾಕ್ ಐಟಂಗಳನ್ನು ಒಳಗೊಂಡಿದೆ." @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಐಟಂ ವಿರುದ್ಧ ,Production Orders in Progress,ಪ್ರೋಗ್ರೆಸ್ ಉತ್ಪಾದನೆ ಆರ್ಡರ್ಸ್ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,ಹಣಕಾಸು ನಿವ್ವಳ ನಗದು -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಲು ಮಾಡಲಿಲ್ಲ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಲು ಮಾಡಲಿಲ್ಲ" DocType: Lead,Address & Contact,ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕ DocType: Leave Allocation,Add unused leaves from previous allocations,ಹಿಂದಿನ ಹಂಚಿಕೆಗಳು ರಿಂದ ಬಳಕೆಯಾಗದ ಎಲೆಗಳು ಸೇರಿಸಿ apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},ಮುಂದಿನ ಮರುಕಳಿಸುವ {0} ಮೇಲೆ ನಿರ್ಮಿಸಲಾಗುತ್ತದೆ {1} DocType: Sales Partner,Partner website,ಸಂಗಾತಿ ವೆಬ್ಸೈಟ್ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,ಐಟಂ ಸೇರಿಸಿ -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,ಸಂಪರ್ಕಿಸಿ ಹೆಸರು +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,ಸಂಪರ್ಕಿಸಿ ಹೆಸರು DocType: Course Assessment Criteria,Course Assessment Criteria,ಕೋರ್ಸ್ ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ಮೇಲೆ ತಿಳಿಸಿದ ಮಾನದಂಡಗಳನ್ನು ಸಂಬಳ ಸ್ಲಿಪ್ ರಚಿಸುತ್ತದೆ . DocType: POS Customer Group,POS Customer Group,ಪಿಓಎಸ್ ಗ್ರಾಹಕ ಗುಂಪಿನ @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ಸಾಲು {0}: ಪರಿಶೀಲಿಸಿ ಖಾತೆ ವಿರುದ್ಧ 'ಅಡ್ವಾನ್ಸ್ ಈಸ್' {1} ಈ ಮುಂಗಡ ಪ್ರವೇಶ ವೇಳೆ. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},ವೇರ್ಹೌಸ್ {0} ಸೇರುವುದಿಲ್ಲ ಕಂಪನಿ {1} DocType: Email Digest,Profit & Loss,ಲಾಭ ನಷ್ಟ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,ಲೀಟರ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,ಲೀಟರ್ DocType: Task,Total Costing Amount (via Time Sheet),ಒಟ್ಟು ಕಾಸ್ಟಿಂಗ್ ಪ್ರಮಾಣ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ) DocType: Item Website Specification,Item Website Specification,ವಸ್ತು ವಿಶೇಷತೆಗಳು ವೆಬ್ಸೈಟ್ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ಬಿಡಿ ನಿರ್ಬಂಧಿಸಿದ @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,ಮಾರಾಟದ ಸರಕುಪಟ್ DocType: Material Request Item,Min Order Qty,ಮಿನ್ ಪ್ರಮಾಣ ಆದೇಶ DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸೃಷ್ಟಿ ಉಪಕರಣ ಕೋರ್ಸ್ DocType: Lead,Do Not Contact,ಸಂಪರ್ಕಿಸಿ ಇಲ್ಲ -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,ನಿಮ್ಮ ಸಂಘಟನೆಯಲ್ಲಿ ಕಲಿಸಲು ಜನರು +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,ನಿಮ್ಮ ಸಂಘಟನೆಯಲ್ಲಿ ಕಲಿಸಲು ಜನರು DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,ಎಲ್ಲಾ ಮರುಕಳಿಸುವ ಇನ್ವಾಯ್ಸ್ ಟ್ರ್ಯಾಕ್ ಅನನ್ಯ ID . ಇದು ಸಲ್ಲಿಸಲು ಮೇಲೆ ಉತ್ಪಾದಿಸಲಾಗುತ್ತದೆ. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,ಸಾಫ್ಟ್ವೇರ್ ಡೆವಲಪರ್ DocType: Item,Minimum Order Qty,ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,ಹಬ್ ಪ್ರಕಟಿಸಿ DocType: Student Admission,Student Admission,ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶ ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,ಐಟಂ {0} ರದ್ದು -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ DocType: Bank Reconciliation,Update Clearance Date,ಅಪ್ಡೇಟ್ ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ DocType: Item,Purchase Details,ಖರೀದಿ ವಿವರಗಳು apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ಖರೀದಿ ಆದೇಶದ 'ಕಚ್ಚಾ ವಸ್ತುಗಳ ಸರಬರಾಜು ಕೋಷ್ಟಕದಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ ಐಟಂ {0} {1} @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,ಫ್ಲೀಟ್ ಮ್ಯಾನೇಜರ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},ರೋ # {0}: {1} ಐಟಂ ನಕಾರಾತ್ಮಕವಾಗಿರಬಾರದು {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,ತಪ್ಪು ಪಾಸ್ವರ್ಡ್ DocType: Item,Variant Of,ಭಿನ್ನ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',ಹೆಚ್ಚು 'ಪ್ರಮಾಣ ತಯಾರಿಸಲು' ಮುಗಿದಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿರುವುದು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',ಹೆಚ್ಚು 'ಪ್ರಮಾಣ ತಯಾರಿಸಲು' ಮುಗಿದಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿರುವುದು ಸಾಧ್ಯವಿಲ್ಲ DocType: Period Closing Voucher,Closing Account Head,ಖಾತೆ ಮುಚ್ಚುವಿಕೆಗೆ ಹೆಡ್ DocType: Employee,External Work History,ಬಾಹ್ಯ ಕೆಲಸ ಇತಿಹಾಸ apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,ಸುತ್ತೋಲೆ ಆಧಾರದೋಷ @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,ಎಡ ತುದಿಯಲ apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] ಘಟಕಗಳು (# ಫಾರ್ಮ್ / ಐಟಂ / {1}) [{2}] ಕಂಡುಬರುತ್ತದೆ (# ಫಾರ್ಮ್ / ವೇರ್ಹೌಸ್ / {2}) DocType: Lead,Industry,ಇಂಡಸ್ಟ್ರಿ DocType: Employee,Job Profile,ಜಾಬ್ ಪ್ರೊಫೈಲ್ಗಳು +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,ಇದು ಈ ಕಂಪೆನಿಯ ವಿರುದ್ಧ ವಹಿವಾಟುಗಳನ್ನು ಆಧರಿಸಿದೆ. ವಿವರಗಳಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ಸ್ವಯಂಚಾಲಿತ ವಸ್ತು ವಿನಂತಿಯನ್ನು ಸೃಷ್ಟಿ ಮೇಲೆ ಈಮೇಲ್ ಸೂಚಿಸಿ DocType: Journal Entry,Multi Currency,ಮಲ್ಟಿ ಕರೆನ್ಸಿ DocType: Payment Reconciliation Invoice,Invoice Type,ಸರಕುಪಟ್ಟಿ ಪ್ರಕಾರ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ತೆರಿಗೆಗಳು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,ಮಾರಾಟ ಆಸ್ತಿ ವೆಚ್ಚ apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,ನೀವು ಹೊರಹಾಕಿದ ನಂತರ ಪಾವತಿ ಎಂಟ್ರಿ ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ಮತ್ತೆ ಎಳೆಯಲು ದಯವಿಟ್ಟು. @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,ನಮೂದಿಸಿ fieldValue ' ತಿಂಗಳಿನ ದಿನ ಪುನರಾವರ್ತಿಸಿ ' DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ಗ್ರಾಹಕ ಕರೆನ್ಸಿ ದರ ಗ್ರಾಹಕ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ DocType: Course Scheduling Tool,Course Scheduling Tool,ಕೋರ್ಸ್ ನಿಗದಿಗೊಳಿಸುವ ಟೂಲ್ -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ರೋ # {0} ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಸಾಧ್ಯವಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಆಸ್ತಿಯ ಕುರಿತು ಮಾಡಿದ {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ರೋ # {0} ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಸಾಧ್ಯವಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಆಸ್ತಿಯ ಕುರಿತು ಮಾಡಿದ {1} DocType: Item Tax,Tax Rate,ತೆರಿಗೆ ದರ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ಈಗಾಗಲೇ ನೌಕರರ ಹಂಚಿಕೆ {1} ಗೆ ಅವಧಿಯಲ್ಲಿ {2} ಫಾರ್ {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,ಆಯ್ಕೆ ಐಟಂ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,ಆಯ್ಕೆ ಐಟಂ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಿದ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ರೋ # {0}: ಬ್ಯಾಚ್ ಯಾವುದೇ ಅದೇ ಇರಬೇಕು {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,ಅ ಗ್ರೂಪ್ ಗೆ ಪರಿವರ್ತಿಸಿ @@ -448,7 +447,7 @@ DocType: Employee,Widowed,ಒಂಟಿಯಾದ DocType: Request for Quotation,Request for Quotation,ಉದ್ಧರಣ ವಿನಂತಿ DocType: Salary Slip Timesheet,Working Hours,ದುಡಿಮೆಯು DocType: Naming Series,Change the starting / current sequence number of an existing series.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಸರಣಿಯ ಆರಂಭಿಕ / ಪ್ರಸ್ತುತ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಬದಲಾಯಿಸಿ. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ಹೊಸ ಗ್ರಾಹಕ ರಚಿಸಿ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,ಹೊಸ ಗ್ರಾಹಕ ರಚಿಸಿ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ಅನೇಕ ಬೆಲೆ ನಿಯಮಗಳು ಮೇಲುಗೈ ಮುಂದುವರಿದರೆ, ಬಳಕೆದಾರರು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಕೈಯಾರೆ ಆದ್ಯತಾ ಸೆಟ್ ತಿಳಿಸಲಾಗುತ್ತದೆ." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ರಚಿಸಿ ,Purchase Register,ಖರೀದಿ ನೋಂದಣಿ @@ -474,7 +473,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,ಎಕ್ಸಾಮಿನರ್ ಹೆಸರು DocType: Purchase Invoice Item,Quantity and Rate,ಪ್ರಮಾಣ ಮತ್ತು ದರ DocType: Delivery Note,% Installed,% ಅನುಸ್ಥಾಪಿಸಲಾದ -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,ಪಾಠದ / ಲ್ಯಾಬೋರೇಟರೀಸ್ ಇತ್ಯಾದಿ ಉಪನ್ಯಾಸಗಳು ಮಾಡಬಹುದು ನಿಗದಿತ ಅಲ್ಲಿ. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,ಪಾಠದ / ಲ್ಯಾಬೋರೇಟರೀಸ್ ಇತ್ಯಾದಿ ಉಪನ್ಯಾಸಗಳು ಮಾಡಬಹುದು ನಿಗದಿತ ಅಲ್ಲಿ. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,ಮೊದಲ ಕಂಪನಿ ಹೆಸರು ನಮೂದಿಸಿ DocType: Purchase Invoice,Supplier Name,ಸರಬರಾಜುದಾರ ಹೆಸರು apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext ಮ್ಯಾನುಯಲ್ ಓದಿ @@ -491,7 +490,7 @@ DocType: Account,Old Parent,ಓಲ್ಡ್ ಪೋಷಕ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,ಕಡ್ಡಾಯ - ಅಕಾಡೆಮಿಕ್ ಇಯರ್ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,ಕಡ್ಡಾಯ - ಅಕಾಡೆಮಿಕ್ ಇಯರ್ DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ಮಾಡಿದರು ಇಮೇಲ್ ಒಂದು ಭಾಗವಾಗಿ ಹೋಗುತ್ತದೆ ಪರಿಚಯಾತ್ಮಕ ಪಠ್ಯ ಕಸ್ಟಮೈಸ್ . ಪ್ರತಿ ವ್ಯವಹಾರ ಪ್ರತ್ಯೇಕ ಪರಿಚಯಾತ್ಮಕ ಪಠ್ಯ ಹೊಂದಿದೆ . -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},ದಯವಿಟ್ಟು ಕಂಪನಿಗೆ ಡೀಫಾಲ್ಟ್ ಪಾವತಿಸಬೇಕು ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},ದಯವಿಟ್ಟು ಕಂಪನಿಗೆ ಡೀಫಾಲ್ಟ್ ಪಾವತಿಸಬೇಕು ಖಾತೆಯನ್ನು ಹೊಂದಿಸಿ {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ಎಲ್ಲಾ ಉತ್ಪಾದನಾ ಪ್ರಕ್ರಿಯೆಗಳು ಜಾಗತಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು. DocType: Accounts Settings,Accounts Frozen Upto,ಘನೀಕೃತ ವರೆಗೆ ಖಾತೆಗಳು DocType: SMS Log,Sent On,ಕಳುಹಿಸಲಾಗಿದೆ @@ -531,7 +530,7 @@ DocType: Journal Entry,Accounts Payable,ಖಾತೆಗಳನ್ನು ಕೊ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,ಆಯ್ಕೆ BOMs ಒಂದೇ ಐಟಂ ಅಲ್ಲ DocType: Pricing Rule,Valid Upto,ಮಾನ್ಯ ವರೆಗೆ DocType: Training Event,Workshop,ಕಾರ್ಯಾಗಾರ -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,ಸಾಕಷ್ಟು ಭಾಗಗಳನ್ನು ನಿರ್ಮಿಸಲು apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,ನೇರ ಆದಾಯ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","ಖಾತೆ ವರ್ಗೀಕರಿಸಲಾದ ವೇಳೆ , ಖಾತೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ" @@ -539,7 +538,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,ದಯವಿಟ್ಟು ಕೋರ್ಸ್ ಆಯ್ಕೆ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,ದಯವಿಟ್ಟು ಕೋರ್ಸ್ ಆಯ್ಕೆ DocType: Timesheet Detail,Hrs,ಗಂಟೆಗಳ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ DocType: Stock Entry Detail,Difference Account,ವ್ಯತ್ಯಾಸ ಖಾತೆ DocType: Purchase Invoice,Supplier GSTIN,ಸರಬರಾಜುದಾರ GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,ಇದನ್ನು ಅವಲಂಬಿಸಿರುವ ಕೆಲಸವನ್ನು {0} ಮುಚ್ಚಿಲ್ಲ ಹತ್ತಿರಕ್ಕೆ ಕೆಲಸವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ. @@ -556,7 +555,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,ದಯವಿಟ್ಟು ಥ್ರೆಶ್ಹೋಲ್ಡ್ 0% ಗ್ರೇಡ್ ವ್ಯಾಖ್ಯಾನಿಸಲು DocType: Sales Order,To Deliver,ತಲುಪಿಸಲು DocType: Purchase Invoice Item,Item,ವಸ್ತು -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,ಸೀರಿಯಲ್ ಯಾವುದೇ ಐಟಂ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,ಸೀರಿಯಲ್ ಯಾವುದೇ ಐಟಂ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ DocType: Journal Entry,Difference (Dr - Cr),ವ್ಯತ್ಯಾಸ ( ಡಾ - ಸಿಆರ್) DocType: Account,Profit and Loss,ಲಾಭ ಮತ್ತು ನಷ್ಟ apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,ವ್ಯವಸ್ಥಾಪಕ ಉಪಗುತ್ತಿಗೆ @@ -582,7 +581,7 @@ DocType: Serial No,Warranty Period (Days),ಖಾತರಿ ಕಾಲ (ದಿನ DocType: Installation Note Item,Installation Note Item,ಅನುಸ್ಥಾಪನೆ ಸೂಚನೆ ಐಟಂ DocType: Production Plan Item,Pending Qty,ಬಾಕಿ ಪ್ರಮಾಣ DocType: Budget,Ignore,ಕಡೆಗಣಿಸು -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} ಸಕ್ರಿಯವಾಗಿಲ್ಲ +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} ಸಕ್ರಿಯವಾಗಿಲ್ಲ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},ಎಸ್ಎಂಎಸ್ ಸಂಖ್ಯೆಗಳನ್ನು ಕಳುಹಿಸಲಾಗುತ್ತದೆ: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ಮುದ್ರಣ ಸೆಟಪ್ ಚೆಕ್ ಆಯಾಮಗಳು DocType: Salary Slip,Salary Slip Timesheet,ಸಂಬಳ ಸ್ಲಿಪ್ Timesheet @@ -688,8 +687,8 @@ DocType: Installation Note,IN-,IN- DocType: Production Order Operation,In minutes,ನಿಮಿಷಗಳಲ್ಲಿ DocType: Issue,Resolution Date,ರೆಸಲ್ಯೂಶನ್ ದಿನಾಂಕ DocType: Student Batch Name,Batch Name,ಬ್ಯಾಚ್ ಹೆಸರು -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet ದಾಖಲಿಸಿದವರು: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},ಪಾವತಿಯ ಮಾದರಿಯು ಡೀಫಾಲ್ಟ್ ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಸೆಟ್ ದಯವಿಟ್ಟು {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet ದಾಖಲಿಸಿದವರು: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},ಪಾವತಿಯ ಮಾದರಿಯು ಡೀಫಾಲ್ಟ್ ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಸೆಟ್ ದಯವಿಟ್ಟು {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ದಾಖಲಾಗಿ DocType: GST Settings,GST Settings,ಜಿಎಸ್ಟಿ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Selling Settings,Customer Naming By,ಗ್ರಾಹಕ ಹೆಸರಿಸುವ ಮೂಲಕ @@ -709,7 +708,7 @@ DocType: Activity Cost,Projects User,ಯೋಜನೆಗಳು ಬಳಕೆ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,ಸೇವಿಸುವ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} ಸರಕುಪಟ್ಟಿ ವಿವರಗಳು ಟೇಬಲ್ ಕಂಡುಬಂದಿಲ್ಲ DocType: Company,Round Off Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್ ಆಫ್ ಸುತ್ತ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ನಿರ್ವಹಣೆ ಭೇಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ನಿರ್ವಹಣೆ ಭೇಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು DocType: Item,Material Transfer,ವಸ್ತು ವರ್ಗಾವಣೆ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ತೆರೆಯುತ್ತಿದೆ ( ಡಾ ) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},ಪೋಸ್ಟ್ ಸಮಯಮುದ್ರೆಗೆ ನಂತರ ಇರಬೇಕು {0} @@ -718,7 +717,7 @@ DocType: Employee Loan,Total Interest Payable,ಪಾವತಿಸಲಾಗುವ DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ಇಳಿಯಿತು ವೆಚ್ಚ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು DocType: Production Order Operation,Actual Start Time,ನಿಜವಾದ ಟೈಮ್ DocType: BOM Operation,Operation Time,ಆಪರೇಷನ್ ಟೈಮ್ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,ಮುಕ್ತಾಯ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,ಮುಕ್ತಾಯ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,ಬೇಸ್ DocType: Timesheet,Total Billed Hours,ಒಟ್ಟು ಖ್ಯಾತವಾದ ಅವರ್ಸ್ DocType: Journal Entry,Write Off Amount,ಪ್ರಮಾಣ ಆಫ್ ಬರೆಯಿರಿ @@ -745,7 +744,7 @@ DocType: Vehicle,Odometer Value (Last),ದೂರಮಾಪಕ ಮೌಲ್ಯ ( apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,ಮಾರ್ಕೆಟಿಂಗ್ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ಪಾವತಿ ಎಂಟ್ರಿ ಈಗಾಗಲೇ ರಚಿಸಲಾಗಿದೆ DocType: Purchase Receipt Item Supplied,Current Stock,ಪ್ರಸ್ತುತ ಸ್ಟಾಕ್ -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಐಟಂ ಲಿಂಕ್ ಇಲ್ಲ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಐಟಂ ಲಿಂಕ್ ಇಲ್ಲ {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,ಮುನ್ನೋಟ ಸಂಬಳ ಸ್ಲಿಪ್ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,ಖಾತೆ {0} ಅನೇಕ ಬಾರಿ ನಮೂದಿಸಲಾದ DocType: Account,Expenses Included In Valuation,ವೆಚ್ಚಗಳು ಮೌಲ್ಯಾಂಕನ ಸೇರಿಸಲಾಗಿದೆ @@ -770,7 +769,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ಏರೆ DocType: Journal Entry,Credit Card Entry,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್ ಎಂಟ್ರಿ apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,ಕಂಪನಿ ಮತ್ತು ಖಾತೆಗಳು apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,ಗೂಡ್ಸ್ ವಿತರಕರಿಂದ ಪಡೆದ . -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,ಮೌಲ್ಯ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,ಮೌಲ್ಯ DocType: Lead,Campaign Name,ಕ್ಯಾಂಪೇನ್ ಹೆಸರು DocType: Selling Settings,Close Opportunity After Days,ದಿನಗಳ ಅವಕಾಶ ಮುಚ್ಚಿ ,Reserved,ಮೀಸಲಿಟ್ಟ @@ -795,17 +794,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,ಶಕ್ತಿ DocType: Opportunity,Opportunity From,ಅವಕಾಶದಿಂದ apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,ಮಾಸಿಕ ವೇತನವನ್ನು ಹೇಳಿಕೆ . +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ಸಾಲು {0}: {1} ಐಟಂಗೆ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆಗಳು ಅಗತ್ಯವಿದೆ {2}. ನೀವು {3} ಒದಗಿಸಿದ್ದೀರಿ. DocType: BOM,Website Specifications,ವೆಬ್ಸೈಟ್ ವಿಶೇಷಣಗಳು apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: ಗೆ {0} ರೀತಿಯ {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ರೋ {0}: ಪರಿವರ್ತಿಸುವುದರ ಕಡ್ಡಾಯ DocType: Employee,A+,ಎ + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",ಬಹು ಬೆಲೆ ನಿಯಮಗಳು ಒಂದೇ ಮಾನದಂಡವನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಮಾಡಿ. ಬೆಲೆ ನಿಯಮಗಳು: {0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಅಥವಾ ಇತರ BOMs ಸಂಬಂಧ ಇದೆ ಎಂದು ಬಿಒಎಮ್ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಅಥವಾ ಇತರ BOMs ಸಂಬಂಧ ಇದೆ ಎಂದು ಬಿಒಎಮ್ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Opportunity,Maintenance,ಸಂರಕ್ಷಣೆ DocType: Item Attribute Value,Item Attribute Value,ಐಟಂ ಮೌಲ್ಯ ಲಕ್ಷಣ apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,ಮಾರಾಟದ ಶಿಬಿರಗಳನ್ನು . -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Timesheet ಮಾಡಿ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Timesheet ಮಾಡಿ DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -858,7 +858,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ಇಮೇಲ್ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,ಮೊದಲ ಐಟಂ ನಮೂದಿಸಿ DocType: Account,Liability,ಹೊಣೆಗಾರಿಕೆ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ಮಂಜೂರು ಪ್ರಮಾಣ ರೋನಲ್ಲಿ ಹಕ್ಕು ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ಮಂಜೂರು ಪ್ರಮಾಣ ರೋನಲ್ಲಿ ಹಕ್ಕು ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0}. DocType: Company,Default Cost of Goods Sold Account,ಸರಕುಗಳು ಮಾರಾಟ ಖಾತೆ ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚ apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,ಬೆಲೆ ಪಟ್ಟಿಯನ್ನು ಅಲ್ಲ DocType: Employee,Family Background,ಕೌಟುಂಬಿಕ ಹಿನ್ನೆಲೆ @@ -869,10 +869,10 @@ DocType: Company,Default Bank Account,ಡೀಫಾಲ್ಟ್ ಬ್ಯಾ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",ಪಕ್ಷದ ಆಧಾರದ ಮೇಲೆ ಫಿಲ್ಟರ್ ಆರಿಸಿ ಪಕ್ಷದ ಮೊದಲ ನೀಡಿರಿ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},ಐಟಂಗಳನ್ನು ಮೂಲಕ ವಿತರಿಸಲಾಯಿತು ಏಕೆಂದರೆ 'ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್' ಪರಿಶೀಲಿಸಲಾಗುವುದಿಲ್ಲ {0} DocType: Vehicle,Acquisition Date,ಸ್ವಾಧೀನ ದಿನಾಂಕ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,ಸೂಲ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,ಸೂಲ DocType: Item,Items with higher weightage will be shown higher,ಹೆಚ್ಚಿನ ಪ್ರಾಮುಖ್ಯತೆಯನ್ನು ಹೊಂದಿರುವ ಐಟಂಗಳು ಹೆಚ್ಚಿನ ತೋರಿಸಲಾಗುತ್ತದೆ DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ ವಿವರ -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,ರೋ # {0}: ಆಸ್ತಿ {1} ಸಲ್ಲಿಸಬೇಕು +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,ರೋ # {0}: ಆಸ್ತಿ {1} ಸಲ್ಲಿಸಬೇಕು apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ಯಾವುದೇ ನೌಕರ DocType: Supplier Quotation,Stopped,ನಿಲ್ಲಿಸಿತು DocType: Item,If subcontracted to a vendor,ಮಾರಾಟಗಾರರ ಗೆ subcontracted ವೇಳೆ @@ -889,7 +889,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,ಕನಿಷ್ಠ ಸರ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ವೆಚ್ಚದ ಕೇಂದ್ರ {2} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: ಖಾತೆ {2} ಒಂದು ಗುಂಪು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ಐಟಂ ರೋ {IDX}: {DOCTYPE} {DOCNAME} ಮೇಲೆ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ '{DOCTYPE}' ಟೇಬಲ್ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} ಈಗಾಗಲೇ ಪೂರ್ಣಗೊಂಡ ಅಥವಾ ರದ್ದು +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} ಈಗಾಗಲೇ ಪೂರ್ಣಗೊಂಡ ಅಥವಾ ರದ್ದು apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ಯಾವುದೇ ಕಾರ್ಯಗಳು DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ಸ್ವಯಂ ಸರಕುಪಟ್ಟಿ 05, 28 ಇತ್ಯಾದಿ ಉದಾ ರಚಿಸಲಾಗಿದೆ ಮೇಲೆ ತಿಂಗಳ ದಿನ" DocType: Asset,Opening Accumulated Depreciation,ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ ತೆರೆಯುವ @@ -948,7 +948,7 @@ DocType: SMS Log,Requested Numbers,ಕೋರಿಕೆ ಸಂಖ್ಯೆ DocType: Production Planning Tool,Only Obtain Raw Materials,ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಮಾತ್ರ ಪಡೆದುಕೊಳ್ಳಿ apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,ಸಾಧನೆಯ ಮೌಲ್ಯ ನಿರ್ಣಯ . apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","ಸಕ್ರಿಯಗೊಳಿಸುವುದರಿಂದ ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಕ್ತಗೊಳ್ಳುತ್ತದೆ, 'ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಬಳಸಿ' ಮತ್ತು ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಕಡೇಪಕ್ಷ ಒಂದು ತೆರಿಗೆ ನಿಯಮ ಇರಬೇಕು" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ಪಾವತಿ ಎಂಟ್ರಿ {0} ಆರ್ಡರ್ {1}, ಈ ಸರಕುಪಟ್ಟಿ ಮುಂಚಿತವಾಗಿ ಮಾಹಿತಿ ನಿಲ್ಲಿಸಲು ಏನನ್ನು ಪರೀಕ್ಷಿಸಲು ವಿರುದ್ಧ ಲಿಂಕ್ ಇದೆ." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ಪಾವತಿ ಎಂಟ್ರಿ {0} ಆರ್ಡರ್ {1}, ಈ ಸರಕುಪಟ್ಟಿ ಮುಂಚಿತವಾಗಿ ಮಾಹಿತಿ ನಿಲ್ಲಿಸಲು ಏನನ್ನು ಪರೀಕ್ಷಿಸಲು ವಿರುದ್ಧ ಲಿಂಕ್ ಇದೆ." DocType: Sales Invoice Item,Stock Details,ಸ್ಟಾಕ್ ವಿವರಗಳು apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,ಪ್ರಾಜೆಕ್ಟ್ ಮೌಲ್ಯ apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,ಪಾಯಿಂಟ್ ಯಾ ಮಾರಾಟಕ್ಕೆ @@ -971,15 +971,15 @@ DocType: Naming Series,Update Series,ಅಪ್ಡೇಟ್ ಸರಣಿ DocType: Supplier Quotation,Is Subcontracted,subcontracted ಇದೆ DocType: Item Attribute,Item Attribute Values,ಐಟಂ ಲಕ್ಷಣ ಮೌಲ್ಯಗಳು DocType: Examination Result,Examination Result,ಪರೀಕ್ಷೆ ಫಲಿತಾಂಶ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,ಖರೀದಿ ರಸೀತಿ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,ಖರೀದಿ ರಸೀತಿ ,Received Items To Be Billed,ಪಾವತಿಸಬೇಕಾಗುತ್ತದೆ ಸ್ವೀಕರಿಸಿದ ಐಟಂಗಳು -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ಸಲ್ಲಿಸಿದ ಸಂಬಳ ತುಂಡಿನಲ್ಲಿ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,ಸಲ್ಲಿಸಿದ ಸಂಬಳ ತುಂಡಿನಲ್ಲಿ apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರ ಮಾಸ್ಟರ್ . apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},ರೆಫರೆನ್ಸ್ Doctype ಒಂದು ಇರಬೇಕು {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ಆಪರೇಷನ್ ಮುಂದಿನ {0} ದಿನಗಳಲ್ಲಿ ಟೈಮ್ ಸ್ಲಾಟ್ ಕಾಣಬರಲಿಲ್ಲ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ಆಪರೇಷನ್ ಮುಂದಿನ {0} ದಿನಗಳಲ್ಲಿ ಟೈಮ್ ಸ್ಲಾಟ್ ಕಾಣಬರಲಿಲ್ಲ {1} DocType: Production Order,Plan material for sub-assemblies,ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಯೋಜನೆ ವಸ್ತು apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ಮತ್ತು ಸಂಸ್ಥಾನದ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,ಬಿಒಎಮ್ {0} ಸಕ್ರಿಯ ಇರಬೇಕು +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,ಬಿಒಎಮ್ {0} ಸಕ್ರಿಯ ಇರಬೇಕು DocType: Journal Entry,Depreciation Entry,ಸವಕಳಿ ಎಂಟ್ರಿ apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,ಮೊದಲ ದಾಖಲೆ ಪ್ರಕಾರ ಆಯ್ಕೆ ಮಾಡಿ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ಈ ನಿರ್ವಹಣೆ ಭೇಟಿ ರದ್ದು ಮೊದಲು ವಸ್ತು ಭೇಟಿ {0} ರದ್ದು @@ -989,7 +989,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,ಒಟ್ಟು ಪ್ರಮಾಣ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ಇಂಟರ್ನೆಟ್ ಪಬ್ಲಿಷಿಂಗ್ DocType: Production Planning Tool,Production Orders,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ಸ್ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,ಬ್ಯಾಲೆನ್ಸ್ ಮೌಲ್ಯ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,ಬ್ಯಾಲೆನ್ಸ್ ಮೌಲ್ಯ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,ಮಾರಾಟ ಬೆಲೆ ಪಟ್ಟಿ apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,ಐಟಂಗಳನ್ನು ಸಿಂಕ್ ಪ್ರಕಟಿಸಿ DocType: Bank Reconciliation,Account Currency,ಖಾತೆ ಕರೆನ್ಸಿ @@ -1014,12 +1014,12 @@ DocType: Employee,Exit Interview Details,ಎಕ್ಸಿಟ್ ಸಂದರ್ DocType: Item,Is Purchase Item,ಖರೀದಿ ಐಟಂ DocType: Asset,Purchase Invoice,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ DocType: Stock Ledger Entry,Voucher Detail No,ಚೀಟಿ ವಿವರ ನಂ -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ DocType: Stock Entry,Total Outgoing Value,ಒಟ್ಟು ಹೊರಹೋಗುವ ಮೌಲ್ಯ apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,ದಿನಾಂಕ ಮತ್ತು ಮುಕ್ತಾಯದ ದಿನಾಂಕ ತೆರೆಯುವ ಒಂದೇ ಆಗಿರುವ ಹಣಕಾಸಿನ ವರ್ಷವನ್ನು ಒಳಗೆ ಇರಬೇಕು DocType: Lead,Request for Information,ಮಾಹಿತಿಗಾಗಿ ಕೋರಿಕೆ ,LeaderBoard,ಲೀಡರ್ -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,ಸಿಂಕ್ ಆಫ್ಲೈನ್ ಇನ್ವಾಯ್ಸ್ಗಳು +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,ಸಿಂಕ್ ಆಫ್ಲೈನ್ ಇನ್ವಾಯ್ಸ್ಗಳು DocType: Payment Request,Paid,ಹಣ DocType: Program Fee,Program Fee,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಶುಲ್ಕ DocType: Salary Slip,Total in words,ಪದಗಳನ್ನು ಒಟ್ಟು @@ -1027,7 +1027,7 @@ DocType: Material Request Item,Lead Time Date,ಲೀಡ್ ಟೈಮ್ DocType: Guardian,Guardian Name,ಪೋಷಕರ ಹೆಸರು DocType: Cheque Print Template,Has Print Format,ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್ ಹೊಂದಿದೆ DocType: Employee Loan,Sanctioned,ಮಂಜೂರು -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ ರಚಿಸಲಾಗಲಿಲ್ಲ +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ ರಚಿಸಲಾಗಲಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ರೋ # {0}: ಐಟಂ ಯಾವುದೇ ಸೀರಿಯಲ್ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ಉತ್ಪನ್ನ ಕಟ್ಟು' ಐಟಂಗಳನ್ನು, ವೇರ್ಹೌಸ್, ಸೀರಿಯಲ್ ಯಾವುದೇ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ 'ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ ಮೇಜಿನಿಂದ ಪರಿಗಣಿಸಲಾಗುವುದು. ವೇರ್ಹೌಸ್ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ ಯಾವುದೇ 'ಉತ್ಪನ್ನ ಕಟ್ಟು' ಐಟಂ ಎಲ್ಲಾ ಪ್ಯಾಕಿಂಗ್ ವಸ್ತುಗಳನ್ನು ಅದೇ ಇದ್ದರೆ, ಆ ಮೌಲ್ಯಗಳು ಮುಖ್ಯ ಐಟಂ ಕೋಷ್ಟಕದಲ್ಲಿ ಪ್ರವೇಶಿಸಬಹುದಾದ, ಮೌಲ್ಯಗಳನ್ನು ಟೇಬಲ್ 'ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ' ನಕಲು ನಡೆಯಲಿದೆ." DocType: Job Opening,Publish on website,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಪ್ರಕಟಿಸಿ @@ -1040,7 +1040,7 @@ DocType: Cheque Print Template,Date Settings,ದಿನಾಂಕ ಸೆಟ್ಟ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ಭಿನ್ನಾಭಿಪ್ರಾಯ ,Company Name,ಕಂಪನಿ ಹೆಸರು DocType: SMS Center,Total Message(s),ಒಟ್ಟು ಸಂದೇಶ (ಗಳು) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,ವರ್ಗಾವಣೆ ಆಯ್ಕೆ ಐಟಂ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,ವರ್ಗಾವಣೆ ಆಯ್ಕೆ ಐಟಂ DocType: Purchase Invoice,Additional Discount Percentage,ಹೆಚ್ಚುವರಿ ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,ಎಲ್ಲಾ ಸಹಾಯ ವೀಡಿಯೊಗಳನ್ನು ಪಟ್ಟಿಯನ್ನು ವೀಕ್ಷಿಸಿ DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ಅಲ್ಲಿ ಚೆಕ್ ಠೇವಣಿ ಏನು ಬ್ಯಾಂಕ್ ಖಾತೆ ಮುಖ್ಯಸ್ಥ ಆಯ್ಕೆ . @@ -1055,7 +1055,7 @@ DocType: BOM,Raw Material Cost(Company Currency),ರಾ ಮೆಟೀರಿಯ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಈ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ವರ್ಗಾಯಿಸಲಾಗಿದೆ. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ರೋ # {0}: ದರ ಪ್ರಮಾಣ ಬಳಸಲ್ಪಡುತ್ತಿದ್ದವು ಹೆಚ್ಚಿರಬಾರದು {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ರೋ # {0}: ದರ ಪ್ರಮಾಣ ಬಳಸಲ್ಪಡುತ್ತಿದ್ದವು ಹೆಚ್ಚಿರಬಾರದು {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,ಮೀಟರ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,ಮೀಟರ್ DocType: Workstation,Electricity Cost,ವಿದ್ಯುತ್ ಬೆಲೆ DocType: HR Settings,Don't send Employee Birthday Reminders,ನೌಕರರ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳನ್ನು ಕಳುಹಿಸಬೇಡಿ DocType: Item,Inspection Criteria,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಮಾನದಂಡ @@ -1070,7 +1070,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,ಪಾವತಿಸಿದ ಅಡ್ವಾನ್ಸಸ್ ಪಡೆಯಿರಿ DocType: Item,Automatically Create New Batch,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಹೊಸ ಬ್ಯಾಚ್ ರಚಿಸಿ DocType: Item,Automatically Create New Batch,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಹೊಸ ಬ್ಯಾಚ್ ರಚಿಸಿ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,ಮಾಡಿ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,ಮಾಡಿ DocType: Student Admission,Admission Start Date,ಪ್ರವೇಶ ಪ್ರಾರಂಭ ದಿನಾಂಕ DocType: Journal Entry,Total Amount in Words,ವರ್ಡ್ಸ್ ಒಟ್ಟು ಪ್ರಮಾಣ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ಒಂದು ದೋಷ ಉಂಟಾಗಿದೆ . ನೀವು ಉಳಿಸಿಲ್ಲ ಮಾಡಲಿಲ್ಲ ಒಂದು ಸಂಭಾವ್ಯ ಕಾರಣ ಸಮಸ್ಯೆ ಮುಂದುವರಿದರೆ support@erpnext.com ಸಂಪರ್ಕಿಸಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಾಧ್ಯವಾಗಿಲ್ಲ . @@ -1078,7 +1078,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,ನನ್ನ ಕಾರ apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ಆರ್ಡರ್ ಪ್ರಕಾರ ಒಂದು ಇರಬೇಕು {0} DocType: Lead,Next Contact Date,ಮುಂದೆ ಸಂಪರ್ಕಿಸಿ ದಿನಾಂಕ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ಆರಂಭಿಕ ಪ್ರಮಾಣ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,ದಯವಿಟ್ಟು ಪ್ರಮಾಣ ಚೇಂಜ್ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,ದಯವಿಟ್ಟು ಪ್ರಮಾಣ ಚೇಂಜ್ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ DocType: Student Batch Name,Student Batch Name,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಹೆಸರು DocType: Holiday List,Holiday List Name,ಹಾಲಿಡೇ ಪಟ್ಟಿ ಹೆಸರು DocType: Repayment Schedule,Balance Loan Amount,ಬ್ಯಾಲೆನ್ಸ್ ಸಾಲದ ಪ್ರಮಾಣ @@ -1086,7 +1086,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ಸ್ಟಾಕ್ ಆಯ್ಕೆಗಳು DocType: Journal Entry Account,Expense Claim,ಖರ್ಚು ಹಕ್ಕು apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಕೈಬಿಟ್ಟಿತು ಆಸ್ತಿ ಪುನಃಸ್ಥಾಪಿಸಲು ಬಯಸುವಿರಾ? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},ಫಾರ್ ಪ್ರಮಾಣ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},ಫಾರ್ ಪ್ರಮಾಣ {0} DocType: Leave Application,Leave Application,ಅಪ್ಲಿಕೇಶನ್ ಬಿಡಿ apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,ಅಲೋಕೇಶನ್ ಉಪಕರಣ ಬಿಡಿ DocType: Leave Block List,Leave Block List Dates,ಖಂಡ ದಿನಾಂಕ ಬಿಡಿ @@ -1137,7 +1137,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,ವಿರುದ್ಧವಾಗಿ DocType: Item,Default Selling Cost Center,ಡೀಫಾಲ್ಟ್ ಮಾರಾಟ ವೆಚ್ಚ ಸೆಂಟರ್ DocType: Sales Partner,Implementation Partner,ಅನುಷ್ಠಾನ ಸಂಗಾತಿ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,ZIP ಕೋಡ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,ZIP ಕೋಡ್ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಯನ್ನು {1} DocType: Opportunity,Contact Info,ಸಂಪರ್ಕ ಮಾಹಿತಿ apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,ಸ್ಟಾಕ್ ನಮೂದುಗಳು ಮೇಕಿಂಗ್ @@ -1156,14 +1156,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,ಅಟೆಂಡೆನ್ಸ್ ಫ್ರೀಜ್ ದಿನಾಂಕ DocType: School Settings,Attendance Freeze Date,ಅಟೆಂಡೆನ್ಸ್ ಫ್ರೀಜ್ ದಿನಾಂಕ DocType: Opportunity,Your sales person who will contact the customer in future,ಭವಿಷ್ಯದಲ್ಲಿ ಗ್ರಾಹಕ ಸಂಪರ್ಕಿಸಿ ಯಾರು ನಿಮ್ಮ ಮಾರಾಟಗಾರನ -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,ಎಲ್ಲಾ ಉತ್ಪನ್ನಗಳು ವೀಕ್ಷಿಸಿ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),ಕನಿಷ್ಠ ಲೀಡ್ ವಯಸ್ಸು (ದಿನಗಳು) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),ಕನಿಷ್ಠ ಲೀಡ್ ವಯಸ್ಸು (ದಿನಗಳು) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,ಎಲ್ಲಾ BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,ಎಲ್ಲಾ BOMs DocType: Company,Default Currency,ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ DocType: Expense Claim,From Employee,ಉದ್ಯೋಗಗಳು ಗೆ -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ಎಚ್ಚರಿಕೆ: ಸಿಸ್ಟಮ್ {0} {1} ಶೂನ್ಯ ರಲ್ಲಿ ಐಟಂ ಪ್ರಮಾಣದ overbilling ರಿಂದ ಪರೀಕ್ಷಿಸುವುದಿಲ್ಲ +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ಎಚ್ಚರಿಕೆ: ಸಿಸ್ಟಮ್ {0} {1} ಶೂನ್ಯ ರಲ್ಲಿ ಐಟಂ ಪ್ರಮಾಣದ overbilling ರಿಂದ ಪರೀಕ್ಷಿಸುವುದಿಲ್ಲ DocType: Journal Entry,Make Difference Entry,ವ್ಯತ್ಯಾಸ ಎಂಟ್ರಿ ಮಾಡಿ DocType: Upload Attendance,Attendance From Date,ಅಟೆಂಡೆನ್ಸ್ Fromdate DocType: Appraisal Template Goal,Key Performance Area,ಪ್ರಮುಖ ಸಾಧನೆ ಪ್ರದೇಶ @@ -1180,7 +1180,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ನಿಮ್ಮ ಉಲ್ಲೇಖ ಕಂಪನಿ ನೋಂದಣಿ ಸಂಖ್ಯೆಗಳು . ತೆರಿಗೆ ಸಂಖ್ಯೆಗಳನ್ನು ಇತ್ಯಾದಿ DocType: Sales Partner,Distributor,ವಿತರಕ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',ಸೆಟ್ 'ಹೆಚ್ಚುವರಿ ರಿಯಾಯಿತಿ ಅನ್ವಯಿಸು' ದಯವಿಟ್ಟು ,Ordered Items To Be Billed,ಖ್ಯಾತವಾದ ಐಟಂಗಳನ್ನು ಆದೇಶ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ರೇಂಜ್ ಕಡಿಮೆ ಎಂದು ಹೊಂದಿದೆ ಹೆಚ್ಚಾಗಿ ಶ್ರೇಣಿಗೆ @@ -1189,10 +1189,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,ನಿರ್ಣಯಗಳಿಂದ DocType: Leave Allocation,LAL/,ಲಾಲ್ / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ಪ್ರಾರಂಭ ವರ್ಷ -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN ಮೊದಲ 2 ಅಂಕೆಗಳು ರಾಜ್ಯ ಸಂಖ್ಯೆಯ ಹೊಂದಾಣಿಕೆ ಮಾಡಬೇಕು {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN ಮೊದಲ 2 ಅಂಕೆಗಳು ರಾಜ್ಯ ಸಂಖ್ಯೆಯ ಹೊಂದಾಣಿಕೆ ಮಾಡಬೇಕು {0} DocType: Purchase Invoice,Start date of current invoice's period,ಪ್ರಸ್ತುತ ಅವಧಿಯ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪ್ರಾರಂಭಿಸಿ DocType: Salary Slip,Leave Without Pay,ಪೇ ಇಲ್ಲದೆ ಬಿಡಿ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ ದೋಷ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ ದೋಷ ,Trial Balance for Party,ಪಕ್ಷದ ಟ್ರಯಲ್ ಬ್ಯಾಲೆನ್ಸ್ DocType: Lead,Consultant,ಕನ್ಸಲ್ಟೆಂಟ್ DocType: Salary Slip,Earnings,ಅರ್ನಿಂಗ್ಸ್ @@ -1208,7 +1208,7 @@ DocType: Cheque Print Template,Payer Settings,ಪಾವತಿಸುವ ಸೆಟ DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ಈ ವ್ಯತ್ಯಯದ ಐಟಂ ಕೋಡ್ ಬಿತ್ತರಿಸಲಾಗುವುದು. ನಿಮ್ಮ ಸಂಕ್ಷೇಪಣ ""ಎಸ್ಎಮ್"", ಮತ್ತು ಉದಾಹರಣೆಗೆ, ಐಟಂ ಕೋಡ್ ""ಟಿ ಶರ್ಟ್"", ""ಟಿ-ಶರ್ಟ್ ಎಸ್.ಎಂ."" ಇರುತ್ತದೆ ವ್ಯತ್ಯಯದ ಐಟಂ ಸಂಕೇತ" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ನೀವು ಸಂಬಳ ಸ್ಲಿಪ್ ಉಳಿಸಲು ಒಮ್ಮೆ ( ಮಾತಿನಲ್ಲಿ) ನಿವ್ವಳ ವೇತನ ಗೋಚರಿಸುತ್ತದೆ. DocType: Purchase Invoice,Is Return,ಮರಳುವುದು -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,ರಿಟರ್ನ್ / ಡೆಬಿಟ್ ಗಮನಿಸಿ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,ರಿಟರ್ನ್ / ಡೆಬಿಟ್ ಗಮನಿಸಿ DocType: Price List Country,Price List Country,ದರ ಪಟ್ಟಿ ಕಂಟ್ರಿ DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},ಐಟಂ {0} ಮಾನ್ಯ ಸರಣಿ ಸೂಲ {1} @@ -1221,7 +1221,7 @@ DocType: Employee Loan,Partially Disbursed,ಭಾಗಶಃ ಪಾವತಿಸಲ apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ಸರಬರಾಜುದಾರ ಡೇಟಾಬೇಸ್ . DocType: Account,Balance Sheet,ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ','ಐಟಂ ಕೋಡ್ನೊಂದಿಗೆ ಐಟಂ ಸೆಂಟರ್ ವೆಚ್ಚ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ಪಾವತಿ ಮೋಡ್ ಸಂರಚಿತವಾಗಿರುವುದಿಲ್ಲ. ಖಾತೆ ಪಾವತಿ ವಿಧಾನ ಮೇಲೆ ಅಥವಾ ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಹೊಂದಿಸಲಾಗಿದೆ ಎಂಬುದನ್ನು ದಯವಿಟ್ಟು ಪರಿಶೀಲಿಸಿ. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ಪಾವತಿ ಮೋಡ್ ಸಂರಚಿತವಾಗಿರುವುದಿಲ್ಲ. ಖಾತೆ ಪಾವತಿ ವಿಧಾನ ಮೇಲೆ ಅಥವಾ ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಹೊಂದಿಸಲಾಗಿದೆ ಎಂಬುದನ್ನು ದಯವಿಟ್ಟು ಪರಿಶೀಲಿಸಿ. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,ನಿಮ್ಮ ಮಾರಾಟಗಾರ ಗ್ರಾಹಕ ಸಂಪರ್ಕಿಸಿ ಈ ದಿನಾಂಕದಂದು ನೆನಪಿಸುವ ಪಡೆಯುತ್ತಾನೆ apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ಅದೇ ಐಟಂ ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","ಮತ್ತಷ್ಟು ಖಾತೆಗಳನ್ನು ಗುಂಪುಗಳು ಅಡಿಯಲ್ಲಿ ಮಾಡಬಹುದು, ಆದರೆ ನಮೂದುಗಳನ್ನು ಅಲ್ಲದ ಗುಂಪುಗಳ ವಿರುದ್ಧ ಮಾಡಬಹುದು" @@ -1251,7 +1251,7 @@ DocType: Employee Loan Application,Repayment Info,ಮರುಪಾವತಿಯ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,' ನಮೂದುಗಳು ' ಖಾಲಿ ಇರುವಂತಿಲ್ಲ apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},ನಕಲು ಸಾಲು {0} {1} ಒಂದೇ ಜೊತೆ ,Trial Balance,ಟ್ರಯಲ್ ಬ್ಯಾಲೆನ್ಸ್ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಕಂಡುಬಂದಿಲ್ಲ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಕಂಡುಬಂದಿಲ್ಲ apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,ನೌಕರರು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ DocType: Sales Order,SO-,ಆದ್ದರಿಂದ- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,ಮೊದಲ ಪೂರ್ವಪ್ರತ್ಯಯ ಆಯ್ಕೆ ಮಾಡಿ @@ -1266,11 +1266,11 @@ DocType: Grading Scale,Intervals,ಮಧ್ಯಂತರಗಳು apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ಮುಂಚಿನ apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","ಐಟಂ ಗುಂಪು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ , ಐಟಂ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ದಯವಿಟ್ಟು" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ವಿದ್ಯಾರ್ಥಿ ಮೊಬೈಲ್ ನಂ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ವಿಶ್ವದ ಉಳಿದ +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,ವಿಶ್ವದ ಉಳಿದ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ಐಟಂ {0} ಬ್ಯಾಚ್ ಹೊಂದುವಂತಿಲ್ಲ ,Budget Variance Report,ಬಜೆಟ್ ವೈಷಮ್ಯವನ್ನು ವರದಿ DocType: Salary Slip,Gross Pay,ಗ್ರಾಸ್ ಪೇ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ರೋ {0}: ಚಟುವಟಿಕೆ ಕೌಟುಂಬಿಕತೆ ಕಡ್ಡಾಯವಾಗಿದೆ. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,ರೋ {0}: ಚಟುವಟಿಕೆ ಕೌಟುಂಬಿಕತೆ ಕಡ್ಡಾಯವಾಗಿದೆ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ಫಲಕಾರಿಯಾಯಿತು apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,ಲೆಕ್ಕಪತ್ರ ಲೆಡ್ಜರ್ DocType: Stock Reconciliation,Difference Amount,ವ್ಯತ್ಯಾಸ ಪ್ರಮಾಣ @@ -1293,18 +1293,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,ನೌಕರರ ಲೀವ್ ಬ್ಯಾಲೆನ್ಸ್ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},{0} ಯಾವಾಗಲೂ ಇರಬೇಕು ಖಾತೆ ಬಾಕಿ {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},ಸತತವಾಗಿ ಐಟಂ ಅಗತ್ಯವಿದೆ ಮೌಲ್ಯಾಂಕನ ದರ {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ಉದಾಹರಣೆ: ಕಂಪ್ಯೂಟರ್ ಸೈನ್ಸ್ ಮಾಸ್ಟರ್ಸ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,ಉದಾಹರಣೆ: ಕಂಪ್ಯೂಟರ್ ಸೈನ್ಸ್ ಮಾಸ್ಟರ್ಸ್ DocType: Purchase Invoice,Rejected Warehouse,ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ವೇರ್ಹೌಸ್ DocType: GL Entry,Against Voucher,ಚೀಟಿ ವಿರುದ್ಧ DocType: Item,Default Buying Cost Center,ಡೀಫಾಲ್ಟ್ ಖರೀದಿ ವೆಚ್ಚ ಸೆಂಟರ್ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext ಅತ್ಯುತ್ತಮ ಔಟ್ ಪಡೆಯಲು, ನೀವು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳುತ್ತದೆ ಮತ್ತು ಈ ಸಹಾಯ ವೀಡಿಯೊಗಳನ್ನು ವೀಕ್ಷಿಸಲು ಶಿಫಾರಸು." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,ಗೆ +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,ಗೆ DocType: Supplier Quotation Item,Lead Time in days,ದಿನಗಳಲ್ಲಿ ಪ್ರಮುಖ ಸಮಯ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಗಳು ಸಾರಾಂಶ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},{0} ನಿಂದ ಸಂಬಳ ಪಾವತಿಗೆ {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},{0} ನಿಂದ ಸಂಬಳ ಪಾವತಿಗೆ {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆ ಸಂಪಾದಿಸಲು ಅಧಿಕಾರ {0} DocType: Journal Entry,Get Outstanding Invoices,ಮಹೋನ್ನತ ಇನ್ವಾಯ್ಸಸ್ ಪಡೆಯಿರಿ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಮಾನ್ಯವಾಗಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಮಾನ್ಯವಾಗಿಲ್ಲ apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,ಖರೀದಿ ಆದೇಶ ನೀವು ಯೋಜನೆ ಸಹಾಯ ಮತ್ತು ನಿಮ್ಮ ಖರೀದಿ ಮೇಲೆ ಅನುಸರಿಸಿ apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","ಕ್ಷಮಿಸಿ, ಕಂಪನಿಗಳು ವಿಲೀನಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1326,8 +1326,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,ಪರೋಕ್ಷ ವೆಚ್ಚಗಳು apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ರೋ {0}: ಪ್ರಮಾಣ ಕಡ್ಡಾಯ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,ವ್ಯವಸಾಯ -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,ಸಿಂಕ್ ಮಾಸ್ಟರ್ ಡಾಟಾ -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,ಸಿಂಕ್ ಮಾಸ್ಟರ್ ಡಾಟಾ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು DocType: Mode of Payment,Mode of Payment,ಪಾವತಿಯ ಮಾದರಿಯು apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,ವೆಬ್ಸೈಟ್ ಚಿತ್ರ ಸಾರ್ವಜನಿಕ ಕಡತ ಅಥವಾ ವೆಬ್ಸೈಟ್ URL ಇರಬೇಕು DocType: Student Applicant,AP,ಎಪಿ @@ -1347,18 +1347,18 @@ DocType: Student Group Student,Group Roll Number,ಗುಂಪು ರೋಲ DocType: Student Group Student,Group Roll Number,ಗುಂಪು ರೋಲ್ ಸಂಖ್ಯೆ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, ಮಾತ್ರ ಕ್ರೆಡಿಟ್ ಖಾತೆಗಳನ್ನು ಮತ್ತೊಂದು ಡೆಬಿಟ್ ಪ್ರವೇಶ ವಿರುದ್ಧ ಲಿಂಕ್ ಮಾಡಬಹುದು ಫಾರ್" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,ಎಲ್ಲಾ ಕೆಲಸವನ್ನು ತೂಕ ಒಟ್ಟು ಇರಬೇಕು 1. ಪ್ರಕಾರವಾಗಿ ಎಲ್ಲ ಪ್ರಾಜೆಕ್ಟ್ ಕಾರ್ಯಗಳ ತೂಕ ಹೊಂದಿಸಿಕೊಳ್ಳಿ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,ಡೆಲಿವರಿ ಗಮನಿಸಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,ಡೆಲಿವರಿ ಗಮನಿಸಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,ಐಟಂ {0} ಒಂದು ಉಪ ಒಪ್ಪಂದ ಐಟಂ ಇರಬೇಕು apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ಸಲಕರಣಾ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","ಬೆಲೆ ರೂಲ್ ಮೊದಲ ಐಟಂ, ಐಟಂ ಗುಂಪು ಅಥವಾ ಬ್ರಾಂಡ್ ಆಗಿರಬಹುದು, ಕ್ಷೇತ್ರದಲ್ಲಿ 'ರಂದು ಅನ್ವಯಿಸು' ಆಧಾರದ ಮೇಲೆ ಆಯ್ಕೆ." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,ದಯವಿಟ್ಟು ಮೊದಲು ಐಟಂ ಕೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,ದಯವಿಟ್ಟು ಮೊದಲು ಐಟಂ ಕೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ DocType: Hub Settings,Seller Website,ಮಾರಾಟಗಾರ ವೆಬ್ಸೈಟ್ DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,ಮಾರಾಟದ ತಂಡಕ್ಕೆ ಹಂಚಿಕೆ ಶೇಕಡಾವಾರು ಒಟ್ಟು 100 ಶುಡ್ DocType: Appraisal Goal,Goal,ಗುರಿ DocType: Sales Invoice Item,Edit Description,ಸಂಪಾದಿಸಿ ವಿವರಣೆ ,Team Updates,ತಂಡ ಅಪ್ಡೇಟ್ಗಳು -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,ಸರಬರಾಜುದಾರನ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,ಸರಬರಾಜುದಾರನ DocType: Account,Setting Account Type helps in selecting this Account in transactions.,ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ AccountType ವ್ಯವಹಾರಗಳಲ್ಲಿ ಈ ಖಾತೆಯನ್ನು ಆಯ್ಕೆ ಮಾಡುತ್ತದೆ . DocType: Purchase Invoice,Grand Total (Company Currency),ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್ ರಚಿಸಿ @@ -1372,12 +1372,12 @@ DocType: Item,Website Item Groups,ವೆಬ್ಸೈಟ್ ಐಟಂ ಗು DocType: Purchase Invoice,Total (Company Currency),ಒಟ್ಟು (ಕಂಪನಿ ಕರೆನ್ಸಿ) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,ಕ್ರಮಸಂಖ್ಯೆ {0} ಒಮ್ಮೆ ಹೆಚ್ಚು ಪ್ರವೇಶಿಸಿತು DocType: Depreciation Schedule,Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} ಪ್ರಗತಿಯಲ್ಲಿದೆ ಐಟಂಗಳನ್ನು +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} ಪ್ರಗತಿಯಲ್ಲಿದೆ ಐಟಂಗಳನ್ನು DocType: Workstation,Workstation Name,ಕಾರ್ಯಕ್ಷೇತ್ರ ಹೆಸರು DocType: Grading Scale Interval,Grade Code,ಗ್ರೇಡ್ ಕೋಡ್ DocType: POS Item Group,POS Item Group,ಪಿಓಎಸ್ ಐಟಂ ಗ್ರೂಪ್ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},ಬಿಒಎಮ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},ಬಿಒಎಮ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1} DocType: Sales Partner,Target Distribution,ಟಾರ್ಗೆಟ್ ಡಿಸ್ಟ್ರಿಬ್ಯೂಶನ್ DocType: Salary Slip,Bank Account No.,ಬ್ಯಾಂಕ್ ಖಾತೆ ಸಂಖ್ಯೆ DocType: Naming Series,This is the number of the last created transaction with this prefix,ಈ ಪೂರ್ವನಾಮವನ್ನು ಹೊಂದಿರುವ ಲೋಡ್ ದಾಖಲಿಸಿದವರು ವ್ಯವಹಾರದ ಸಂಖ್ಯೆ @@ -1435,7 +1435,7 @@ DocType: Quotation,Shopping Cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,ಆವರೇಜ್ ಡೈಲಿ ಹೊರಹೋಗುವ DocType: POS Profile,Campaign,ದಂಡಯಾತ್ರೆ DocType: Supplier,Name and Type,ಹೆಸರು ಮತ್ತು ವಿಧ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',ಅನುಮೋದನೆ ಸ್ಥಿತಿ 'ಅಂಗೀಕಾರವಾದ' ಅಥವಾ ' ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ' ಮಾಡಬೇಕು +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',ಅನುಮೋದನೆ ಸ್ಥಿತಿ 'ಅಂಗೀಕಾರವಾದ' ಅಥವಾ ' ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ' ಮಾಡಬೇಕು DocType: Purchase Invoice,Contact Person,ಕಾಂಟ್ಯಾಕ್ಟ್ ಪರ್ಸನ್ apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',' ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ ' ' ನಿರೀಕ್ಷಿತ ಅಂತಿಮ ದಿನಾಂಕ ' ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ DocType: Course Scheduling Tool,Course End Date,ಕೋರ್ಸ್ ಅಂತಿಮ ದಿನಾಂಕ @@ -1447,8 +1447,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,prefered ಇಮೇಲ್ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,ಸ್ಥಿರ ಸಂಪತ್ತಾದ ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ DocType: Leave Control Panel,Leave blank if considered for all designations,ಎಲ್ಲಾ ಅಂಕಿತಗಳು ಪರಿಗಣಿಸಲ್ಪಡುವ ವೇಳೆ ಖಾಲಿ ಬಿಡಿ -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ಮಾದರಿ ಸಾಲು {0} ನಲ್ಲಿ 'ವಾಸ್ತವಿಕ' ಉಸ್ತುವಾರಿ ಐಟಂ ದರದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},ಮ್ಯಾಕ್ಸ್: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ಮಾದರಿ ಸಾಲು {0} ನಲ್ಲಿ 'ವಾಸ್ತವಿಕ' ಉಸ್ತುವಾರಿ ಐಟಂ ದರದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},ಮ್ಯಾಕ್ಸ್: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime ಗೆ DocType: Email Digest,For Company,ಕಂಪನಿ apps/erpnext/erpnext/config/support.py +17,Communication log.,ಸಂವಹನ ದಾಖಲೆ . @@ -1490,7 +1490,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","ಜಾಬ್ DocType: Journal Entry Account,Account Balance,ಖಾತೆ ಬ್ಯಾಲೆನ್ಸ್ apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ವ್ಯವಹಾರಗಳಿಗೆ ತೆರಿಗೆ ನಿಯಮ. DocType: Rename Tool,Type of document to rename.,ಬದಲಾಯಿಸಲು ಡಾಕ್ಯುಮೆಂಟ್ ಪ್ರಕಾರ . -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,ನಾವು ಈ ಐಟಂ ಖರೀದಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,ನಾವು ಈ ಐಟಂ ಖರೀದಿ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ಗ್ರಾಹಕ ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ವಿರುದ್ಧ ಅಗತ್ಯವಿದೆ {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ಒಟ್ಟು ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,ಮುಚ್ಚಿಲ್ಲದ ಆರ್ಥಿಕ ವರ್ಷದ ಪಿ & ಎಲ್ ಬ್ಯಾಲೆನ್ಸ್ ತೋರಿಸಿ @@ -1501,7 +1501,7 @@ DocType: Quality Inspection,Readings,ರೀಡಿಂಗ್ಸ್ DocType: Stock Entry,Total Additional Costs,ಒಟ್ಟು ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ DocType: Course Schedule,SH,ಎಸ್ DocType: BOM,Scrap Material Cost(Company Currency),ಸ್ಕ್ರ್ಯಾಪ್ ಮೆಟೀರಿಯಲ್ ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,ಉಪ ಅಸೆಂಬ್ಲೀಸ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,ಉಪ ಅಸೆಂಬ್ಲೀಸ್ DocType: Asset,Asset Name,ಆಸ್ತಿ ಹೆಸರು DocType: Project,Task Weight,ಟಾಸ್ಕ್ ತೂಕ DocType: Shipping Rule Condition,To Value,ಮೌಲ್ಯ @@ -1530,7 +1530,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,ಐಟಂ ಮಾರ್ DocType: Company,Services,ಸೇವೆಗಳು DocType: HR Settings,Email Salary Slip to Employee,ನೌಕರರ ಇಮೇಲ್ ಸಂಬಳ ಸ್ಲಿಪ್ DocType: Cost Center,Parent Cost Center,ಪೋಷಕ ವೆಚ್ಚ ಸೆಂಟರ್ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,ಸಂಭಾವ್ಯ ಸರಬರಾಜುದಾರ ಆಯ್ಕೆ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,ಸಂಭಾವ್ಯ ಸರಬರಾಜುದಾರ ಆಯ್ಕೆ DocType: Sales Invoice,Source,ಮೂಲ apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,ಮುಚ್ಚಲಾಗಿದೆ ಶೋ DocType: Leave Type,Is Leave Without Pay,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ಇದೆ @@ -1542,7 +1542,7 @@ DocType: POS Profile,Apply Discount,ರಿಯಾಯಿತಿ ಅನ್ವಯಿ DocType: GST HSN Code,GST HSN Code,ಜಿಎಸ್ಟಿ HSN ಕೋಡ್ DocType: Employee External Work History,Total Experience,ಒಟ್ಟು ಅನುಭವ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ತೆರೆದ ಯೋಜನೆಗಳು -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,ಪ್ಯಾಕಿಂಗ್ ಸ್ಲಿಪ್ (ಗಳು) ರದ್ದು +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,ಪ್ಯಾಕಿಂಗ್ ಸ್ಲಿಪ್ (ಗಳು) ರದ್ದು apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ಹೂಡಿಕೆ ಹಣದ ಹರಿವನ್ನು DocType: Program Course,Program Course,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಕೋರ್ಸ್ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ಸರಕು ಮತ್ತು ಸಾಗಣೆಯನ್ನು ಚಾರ್ಜಸ್ @@ -1583,9 +1583,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿಯ DocType: Sales Invoice Item,Brand Name,ಬ್ರಾಂಡ್ ಹೆಸರು DocType: Purchase Receipt,Transporter Details,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ವಿವರಗಳು -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,ಡೀಫಾಲ್ಟ್ ಗೋದಾಮಿನ ಆಯ್ಕೆಮಾಡಿದ ಐಟಂ ಅಗತ್ಯವಿದೆ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,ಪೆಟ್ಟಿಗೆ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,ಸಂಭಾವ್ಯ ಸರಬರಾಜುದಾರ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,ಡೀಫಾಲ್ಟ್ ಗೋದಾಮಿನ ಆಯ್ಕೆಮಾಡಿದ ಐಟಂ ಅಗತ್ಯವಿದೆ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,ಪೆಟ್ಟಿಗೆ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,ಸಂಭಾವ್ಯ ಸರಬರಾಜುದಾರ DocType: Budget,Monthly Distribution,ಮಾಸಿಕ ವಿತರಣೆ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ಖಾಲಿಯಾಗಿದೆ . ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ದಯವಿಟ್ಟು ರಚಿಸಿ DocType: Production Plan Sales Order,Production Plan Sales Order,ನಿರ್ಮಾಣ ವೇಳಾಪಟ್ಟಿಯು ಮಾರಾಟದ ಆರ್ಡರ್ @@ -1618,7 +1618,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,ಕಂಪನ apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","ವಿದ್ಯಾರ್ಥಿಗಳು ವ್ಯವಸ್ಥೆಯ ಹೃದಯ, ಎಲ್ಲಾ ನಿಮ್ಮ ವಿದ್ಯಾರ್ಥಿಗಳು ಸೇರಿಸಿ" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},ರೋ # {0}: ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ {1} ಚೆಕ್ ದಿನಾಂಕ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ {2} DocType: Company,Default Holiday List,ಹಾಲಿಡೇ ಪಟ್ಟಿ ಡೀಫಾಲ್ಟ್ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ರೋ {0}: ಗೆ ಸಮಯ ಮತ್ತು ಸಮಯ {1} ಜೊತೆ ಅತಿಕ್ರಮಿಸುವ {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},ರೋ {0}: ಗೆ ಸಮಯ ಮತ್ತು ಸಮಯ {1} ಜೊತೆ ಅತಿಕ್ರಮಿಸುವ {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,ಸ್ಟಾಕ್ ಭಾದ್ಯತೆಗಳನ್ನು DocType: Purchase Invoice,Supplier Warehouse,ಸರಬರಾಜುದಾರ ವೇರ್ಹೌಸ್ DocType: Opportunity,Contact Mobile No,ಸಂಪರ್ಕಿಸಿ ಮೊಬೈಲ್ ನಂ @@ -1634,18 +1634,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},ರೀತಿಯ ಲೀವ್ {0} ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,ಮುಂಚಿತವಾಗಿ ಎಕ್ಸ್ ದಿನಗಳ ಕಾರ್ಯಾಚರಣೆ ಯೋಜನೆ ಪ್ರಯತ್ನಿಸಿ. DocType: HR Settings,Stop Birthday Reminders,ನಿಲ್ಲಿಸಿ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳು -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},ಕಂಪನಿ ರಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ ಸೆಟ್ ಮಾಡಿ {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},ಕಂಪನಿ ರಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ ಸೆಟ್ ಮಾಡಿ {0} DocType: SMS Center,Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,ಹುಡುಕಾಟ ಐಟಂ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,ಹುಡುಕಾಟ ಐಟಂ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ಸೇವಿಸುವ ಪ್ರಮಾಣವನ್ನು apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,ನಗದು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ DocType: Assessment Plan,Grading Scale,ಗ್ರೇಡಿಂಗ್ ಸ್ಕೇಲ್ apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ಅಳತೆಯ ಘಟಕ {0} ಹೆಚ್ಚು ಪರಿವರ್ತಿಸುವುದರ ಟೇಬಲ್ ಒಮ್ಮೆ ಹೆಚ್ಚು ನಮೂದಿಸಲಾದ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,ಈಗಾಗಲೇ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,ಈಗಾಗಲೇ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,ಹ್ಯಾಂಡ್ ರಲ್ಲಿ ಸ್ಟಾಕ್ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ಪಾವತಿ ವಿನಂತಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,ನೀಡಲಾಗಿದೆ ಐಟಂಗಳು ವೆಚ್ಚ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},ಪ್ರಮಾಣ ಹೆಚ್ಚು ಇರಬಾರದು {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},ಪ್ರಮಾಣ ಹೆಚ್ಚು ಇರಬಾರದು {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,ಹಿಂದಿನ ಹಣಕಾಸು ವರ್ಷದ ಮುಚ್ಚಿಲ್ಲ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),ವಯಸ್ಸು (ದಿನಗಳು) DocType: Quotation Item,Quotation Item,ನುಡಿಮುತ್ತುಗಳು ಐಟಂ @@ -1659,6 +1659,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ರದ್ದು ಅಥವಾ ನಿಲ್ಲಿಸಿದಾಗ DocType: Accounts Settings,Credit Controller,ಕ್ರೆಡಿಟ್ ನಿಯಂತ್ರಕ +DocType: Sales Order,Final Delivery Date,ಅಂತಿಮ ವಿತರಣಾ ದಿನಾಂಕ DocType: Delivery Note,Vehicle Dispatch Date,ವಾಹನ ಡಿಸ್ಪ್ಯಾಚ್ ದಿನಾಂಕ DocType: Purchase Invoice Item,HSN/SAC,HSN / ಎಸ್ಎಸಿ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ಖರೀದಿ ರಸೀತಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ @@ -1751,9 +1752,9 @@ DocType: Employee,Date Of Retirement,ನಿವೃತ್ತಿ ದಿನಾಂಕ DocType: Upload Attendance,Get Template,ಟೆಂಪ್ಲೆಟ್ ಪಡೆಯಿರಿ DocType: Material Request,Transferred,ವರ್ಗಾಯಿಸಲ್ಪಟ್ಟ DocType: Vehicle,Doors,ಡೋರ್ಸ್ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext ಸೆಟಪ್ ಪೂರ್ಣಗೊಳಿಸಿ! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext ಸೆಟಪ್ ಪೂರ್ಣಗೊಳಿಸಿ! DocType: Course Assessment Criteria,Weightage,weightage -DocType: Sales Invoice,Tax Breakup,ತೆರಿಗೆ ಬ್ರೇಕ್ಅಪ್ +DocType: Purchase Invoice,Tax Breakup,ತೆರಿಗೆ ಬ್ರೇಕ್ಅಪ್ DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ವೆಚ್ಚದ ಕೇಂದ್ರ 'ಲಾಭ ಮತ್ತು ನಷ್ಟ' ಖಾತೆಯನ್ನು ಅಗತ್ಯವಿದೆ {2}. ಕಂಪನಿ ಒಂದು ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚದ ಕೇಂದ್ರ ಸ್ಥಾಪಿಸಲು ದಯವಿಟ್ಟು. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ಎ ಗ್ರಾಹಕ ಗುಂಪಿನ ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಗ್ರಾಹಕ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಗ್ರಾಹಕ ಗುಂಪಿನ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು @@ -1766,14 +1767,14 @@ DocType: Announcement,Instructor,ಬೋಧಕ DocType: Employee,AB+,ಎಬಿ + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ಈ ಐಟಂ ವೇರಿಯಂಟ್, ಅದು ಮಾರಾಟ ಆದೇಶಗಳಿಗೆ ಇತ್ಯಾದಿ ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ" DocType: Lead,Next Contact By,ಮುಂದೆ ಸಂಪರ್ಕಿಸಿ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},ಐಟಂ ಬೇಕಾದ ಪ್ರಮಾಣ {0} ಸತತವಾಗಿ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},ಐಟಂ ಬೇಕಾದ ಪ್ರಮಾಣ {0} ಸತತವಾಗಿ {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},ಪ್ರಮಾಣ ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ {0} ಅಳಿಸಲಾಗಿಲ್ಲ {1} DocType: Quotation,Order Type,ಆರ್ಡರ್ ಪ್ರಕಾರ DocType: Purchase Invoice,Notification Email Address,ಅಧಿಸೂಚನೆ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ,Item-wise Sales Register,ಐಟಂ ಬಲ್ಲ ಮಾರಾಟದ ರಿಜಿಸ್ಟರ್ DocType: Asset,Gross Purchase Amount,ಒಟ್ಟು ಖರೀದಿಯ ಮೊತ್ತ DocType: Asset,Depreciation Method,ಸವಕಳಿ ವಿಧಾನ -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ಆಫ್ಲೈನ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ಆಫ್ಲೈನ್ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ಈ ಮೂಲ ದರದ ತೆರಿಗೆ ಒಳಗೊಂಡಿದೆ? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,ಒಟ್ಟು ಟಾರ್ಗೆಟ್ DocType: Job Applicant,Applicant for a Job,ಒಂದು ಜಾಬ್ ಅರ್ಜಿದಾರರ @@ -1795,7 +1796,7 @@ DocType: Employee,Leave Encashed?,Encashed ಬಿಡಿ ? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ಕ್ಷೇತ್ರದ ಅವಕಾಶ ಕಡ್ಡಾಯ DocType: Email Digest,Annual Expenses,ವಾರ್ಷಿಕ ವೆಚ್ಚಗಳು DocType: Item,Variants,ರೂಪಾಂತರಗಳು -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,ಮಾಡಿ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,ಮಾಡಿ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ DocType: SMS Center,Send To,ಕಳಿಸಿ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0} DocType: Payment Reconciliation Payment,Allocated amount,ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು @@ -1803,7 +1804,7 @@ DocType: Sales Team,Contribution to Net Total,ನೆಟ್ ಒಟ್ಟು ಕ DocType: Sales Invoice Item,Customer's Item Code,ಗ್ರಾಹಕರ ಐಟಂ ಕೋಡ್ DocType: Stock Reconciliation,Stock Reconciliation,ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ DocType: Territory,Territory Name,ಪ್ರದೇಶ ಹೆಸರು -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್ ಸಲ್ಲಿಸಿ ಮೊದಲು ಅಗತ್ಯವಿದೆ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್ ಸಲ್ಲಿಸಿ ಮೊದಲು ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,ಕೆಲಸ ಸಂ . DocType: Purchase Order Item,Warehouse and Reference,ವೇರ್ಹೌಸ್ ಮತ್ತು ರೆಫರೆನ್ಸ್ DocType: Supplier,Statutory info and other general information about your Supplier,ಕಾನೂನುಸಮ್ಮತ ಮಾಹಿತಿಯನ್ನು ನಿಮ್ಮ ಸರಬರಾಜುದಾರ ಬಗ್ಗೆ ಇತರ ಸಾಮಾನ್ಯ ಮಾಹಿತಿ @@ -1816,16 +1817,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,ರೀತಿಗೆ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},ಐಟಂ ಪ್ರವೇಶಿಸಿತು ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ನಕಲು {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,ಒಂದು ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ಒಂದು ಸ್ಥಿತಿ apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ದಯವಿಟ್ಟು ನಮೂದಿಸಿ -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ಸತತವಾಗಿ ಐಟಂ {0} ಗಾಗಿ overbill ಸಾಧ್ಯವಿಲ್ಲ {1} ಹೆಚ್ಚು {2}. ಅತಿ ಬಿಲ್ಲಿಂಗ್ ಅನುಮತಿಸಲು, ಸೆಟ್ಟಿಂಗ್ಗಳು ಬೈಯಿಂಗ್ ಸೆಟ್ ಮಾಡಿ" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,ಐಟಂ ಅಥವಾ ವೇರ್ಹೌಸ್ ಮೇಲೆ ಫಿಲ್ಟರ್ ಸೆಟ್ ಮಾಡಿ +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ಸತತವಾಗಿ ಐಟಂ {0} ಗಾಗಿ overbill ಸಾಧ್ಯವಿಲ್ಲ {1} ಹೆಚ್ಚು {2}. ಅತಿ ಬಿಲ್ಲಿಂಗ್ ಅನುಮತಿಸಲು, ಸೆಟ್ಟಿಂಗ್ಗಳು ಬೈಯಿಂಗ್ ಸೆಟ್ ಮಾಡಿ" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,ಐಟಂ ಅಥವಾ ವೇರ್ಹೌಸ್ ಮೇಲೆ ಫಿಲ್ಟರ್ ಸೆಟ್ ಮಾಡಿ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ಈ ಪ್ಯಾಕೇಜ್ ನಿವ್ವಳ ತೂಕ . ( ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಲ ಐಟಂಗಳನ್ನು ನಿವ್ವಳ ತೂಕ ಮೊತ್ತ ಎಂದು ) DocType: Sales Order,To Deliver and Bill,ತಲುಪಿಸಿ ಮತ್ತು ಬಿಲ್ DocType: Student Group,Instructors,ತರಬೇತುದಾರರು DocType: GL Entry,Credit Amount in Account Currency,ಖಾತೆ ಕರೆನ್ಸಿ ಕ್ರೆಡಿಟ್ ಪ್ರಮಾಣ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,ಬಿಒಎಮ್ {0} ಸಲ್ಲಿಸಬೇಕು +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,ಬಿಒಎಮ್ {0} ಸಲ್ಲಿಸಬೇಕು DocType: Authorization Control,Authorization Control,ಅಧಿಕಾರ ಕಂಟ್ರೋಲ್ apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ರೋ # {0}: ವೇರ್ಹೌಸ್ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ತಿರಸ್ಕರಿಸಿದರು ಐಟಂ ವಿರುದ್ಧ ಕಡ್ಡಾಯ {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,ಪಾವತಿ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,ಪಾವತಿ apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","ವೇರ್ಹೌಸ್ {0} ಯಾವುದೇ ಖಾತೆಗೆ ಲಿಂಕ್ ಇದೆ, ಕಂಪನಿಯಲ್ಲಿ ಗೋದಾಮಿನ ದಾಖಲೆಯಲ್ಲಿ ಖಾತೆ ಅಥವಾ ಸೆಟ್ ಡೀಫಾಲ್ಟ್ ದಾಸ್ತಾನು ಖಾತೆಯನ್ನು ಸೂಚಿಸಿ {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,ನಿಮ್ಮ ಆದೇಶಗಳನ್ನು ನಿರ್ವಹಿಸಿ DocType: Production Order Operation,Actual Time and Cost,ನಿಜವಾದ ಸಮಯ ಮತ್ತು ವೆಚ್ಚ @@ -1841,12 +1842,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,ಮಾ DocType: Quotation Item,Actual Qty,ನಿಜವಾದ ಪ್ರಮಾಣ DocType: Sales Invoice Item,References,ಉಲ್ಲೇಖಗಳು DocType: Quality Inspection Reading,Reading 10,10 ಓದುವಿಕೆ -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಖರೀದಿ ಅಥವಾ ಮಾರಾಟ ಸೇವೆಗಳು ಪಟ್ಟಿ . +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಖರೀದಿ ಅಥವಾ ಮಾರಾಟ ಸೇವೆಗಳು ಪಟ್ಟಿ . DocType: Hub Settings,Hub Node,ಹಬ್ ನೋಡ್ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,ನೀವು ನಕಲಿ ಐಟಂಗಳನ್ನು ನಮೂದಿಸಿದ್ದೀರಿ. ನಿವಾರಿಸಿಕೊಳ್ಳಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ . apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ಜತೆಗೂಡಿದ +DocType: Company,Sales Target,ಮಾರಾಟದ ಗುರಿ DocType: Asset Movement,Asset Movement,ಆಸ್ತಿ ಮೂವ್ಮೆಂಟ್ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,ಹೊಸ ಕಾರ್ಟ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,ಹೊಸ ಕಾರ್ಟ್ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ಐಟಂ {0} ಒಂದು ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಅಲ್ಲ DocType: SMS Center,Create Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ರಚಿಸಿ DocType: Vehicle,Wheels,ವೀಲ್ಸ್ @@ -1888,13 +1890,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,ಯೋಜನ DocType: Supplier,Supplier of Goods or Services.,ಸರಕುಗಳು ಅಥವಾ ಸೇವೆಗಳ ಪೂರೈಕೆದಾರ. DocType: Budget,Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷ DocType: Vehicle Log,Fuel Price,ಇಂಧನ ಬೆಲೆ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯಾ ಸರಣಿಗಳ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ಸೆಟಪ್ ಸಂಖ್ಯೆಯ ಸರಣಿ DocType: Budget,Budget,ಮುಂಗಡಪತ್ರ apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",ಇದು ಆದಾಯ ಅಥವಾ ಖರ್ಚುವೆಚ್ಚ ಅಲ್ಲ ಎಂದು ಬಜೆಟ್ ವಿರುದ್ಧ {0} ನಿಯೋಜಿಸಲಾಗುವುದು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ಸಾಧಿಸಿದ DocType: Student Admission,Application Form Route,ಅಪ್ಲಿಕೇಶನ್ ಫಾರ್ಮ್ ಮಾರ್ಗ apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,ಪ್ರದೇಶ / ಗ್ರಾಹಕ -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,ಇ ಜಿ 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,ಇ ಜಿ 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ಕೌಟುಂಬಿಕತೆ {0} ಇದು ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ರಿಂದ ಮಾಡಬಹುದು ಹಂಚಿಕೆ ಆಗುವುದಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ಸಾಲು {0}: ನಿಗದಿ ಪ್ರಮಾಣದ {1} ಕಡಿಮೆ ಅಥವಾ ಬಾಕಿ ಮೊತ್ತದ ಸರಕುಪಟ್ಟಿ ಸಮನಾಗಿರುತ್ತದೆ ಮಾಡಬೇಕು {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ನೀವು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. @@ -1903,11 +1906,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಸ್ಥಾಪನೆಯ ಅಲ್ಲ ಐಟಂ ಮಾಸ್ಟರ್ ಪರಿಶೀಲಿಸಿ DocType: Maintenance Visit,Maintenance Time,ನಿರ್ವಹಣೆ ಟೈಮ್ ,Amount to Deliver,ಪ್ರಮಾಣವನ್ನು ಬಿಡುಗಡೆಗೊಳಿಸಲು -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,ಒಂದು ಉತ್ಪನ್ನ ಅಥವಾ ಸೇವೆ +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,ಒಂದು ಉತ್ಪನ್ನ ಅಥವಾ ಸೇವೆ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ಟರ್ಮ್ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ಪ್ರಾರಂಭ ವರ್ಷ ದಿನಾಂಕ ಪದವನ್ನು ಸಂಪರ್ಕಿತ ಮುಂಚಿತವಾಗಿರಬೇಕು ಸಾಧ್ಯವಿಲ್ಲ (ಅಕಾಡೆಮಿಕ್ ಇಯರ್ {}). ದಯವಿಟ್ಟು ದಿನಾಂಕಗಳನ್ನು ಸರಿಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ. DocType: Guardian,Guardian Interests,ಗಾರ್ಡಿಯನ್ ಆಸಕ್ತಿಗಳು DocType: Naming Series,Current Value,ಪ್ರಸ್ತುತ ಮೌಲ್ಯ -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,ಬಹು ಹಣಕಾಸಿನ ವರ್ಷಗಳ ದಿನಾಂಕ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ. ದಯವಿಟ್ಟು ವರ್ಷದಲ್ಲಿ ಕಂಪನಿ ಸೆಟ್ +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,ಬಹು ಹಣಕಾಸಿನ ವರ್ಷಗಳ ದಿನಾಂಕ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ. ದಯವಿಟ್ಟು ವರ್ಷದಲ್ಲಿ ಕಂಪನಿ ಸೆಟ್ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} ದಾಖಲಿಸಿದವರು DocType: Delivery Note Item,Against Sales Order,ಮಾರಾಟದ ಆದೇಶದ ವಿರುದ್ಧ ,Serial No Status,ಯಾವುದೇ ಸೀರಿಯಲ್ ಸ್ಥಿತಿ @@ -1921,7 +1924,7 @@ DocType: Pricing Rule,Selling,ವಿಕ್ರಯ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},ಪ್ರಮಾಣ {0} {1} ವಿರುದ್ಧ ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ {2} DocType: Employee,Salary Information,ವೇತನ ಮಾಹಿತಿ DocType: Sales Person,Name and Employee ID,ಹೆಸರು ಮತ್ತು ಉದ್ಯೋಗಿಗಳ ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,ಕಾರಣ ದಿನಾಂಕ ದಿನಾಂಕ ಪೋಸ್ಟ್ ಮುನ್ನ ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,ಕಾರಣ ದಿನಾಂಕ ದಿನಾಂಕ ಪೋಸ್ಟ್ ಮುನ್ನ ಸಾಧ್ಯವಿಲ್ಲ DocType: Website Item Group,Website Item Group,ಐಟಂ ಗ್ರೂಪ್ ವೆಬ್ಸೈಟ್ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,ಕರ್ತವ್ಯಗಳು ಮತ್ತು ತೆರಿಗೆಗಳು apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ನಮೂದಿಸಿ @@ -1978,9 +1981,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},ನೌಕರ ಸೇರುವ ದಿನಾಂಕ ದಯವಿಟ್ಟು {0} DocType: Task,Total Billing Amount (via Time Sheet),ಒಟ್ಟು ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ಪುನರಾವರ್ತಿತ ಗ್ರಾಹಕ ಕಂದಾಯ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ಪಾತ್ರ 'ಖರ್ಚು ಅನುಮೋದಕ' ಆಗಿರಬೇಕು -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,ಜೋಡಿ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,ಪ್ರೊಡಕ್ಷನ್ ಬಿಒಎಮ್ ಮತ್ತು ಪ್ರಮಾಣ ಆಯ್ಕೆ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ಪಾತ್ರ 'ಖರ್ಚು ಅನುಮೋದಕ' ಆಗಿರಬೇಕು +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,ಜೋಡಿ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,ಪ್ರೊಡಕ್ಷನ್ ಬಿಒಎಮ್ ಮತ್ತು ಪ್ರಮಾಣ ಆಯ್ಕೆ DocType: Asset,Depreciation Schedule,ಸವಕಳಿ ವೇಳಾಪಟ್ಟಿ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ಮಾರಾಟದ ಸಂಗಾತಿ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು DocType: Bank Reconciliation Detail,Against Account,ಖಾತೆ ವಿರುದ್ಧ @@ -1990,7 +1993,7 @@ DocType: Item,Has Batch No,ಬ್ಯಾಚ್ ನಂ ಹೊಂದಿದೆ apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},ವಾರ್ಷಿಕ ಬಿಲ್ಲಿಂಗ್: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ಸರಕು ಮತ್ತು ಸೇವಾ ತೆರಿಗೆ (ಜಿಎಸ್ಟಿ ಭಾರತ) DocType: Delivery Note,Excise Page Number,ಅಬಕಾರಿ ಪುಟ ಸಂಖ್ಯೆ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","ಕಂಪನಿ, ಈ ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ಕಡ್ಡಾಯ" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","ಕಂಪನಿ, ಈ ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ಕಡ್ಡಾಯ" DocType: Asset,Purchase Date,ಖರೀದಿಸಿದ ದಿನಾಂಕ DocType: Employee,Personal Details,ವೈಯಕ್ತಿಕ ವಿವರಗಳು apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},ದಯವಿಟ್ಟು ಕಂಪನಿಯಲ್ಲಿ 'ಆಸ್ತಿ ಸವಕಳಿ ವೆಚ್ಚದ ಕೇಂದ್ರ' ಸೆಟ್ {0} @@ -1999,9 +2002,9 @@ DocType: Task,Actual End Date (via Time Sheet),ನಿಜವಾದ ಅಂತಿ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},ಪ್ರಮಾಣ {0} {1} ವಿರುದ್ಧ {2} {3} ,Quotation Trends,ನುಡಿಮುತ್ತುಗಳು ಟ್ರೆಂಡ್ಸ್ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ಐಟಂ ಐಟಂ ಮಾಸ್ಟರ್ ಉಲ್ಲೇಖಿಸಿಲ್ಲ ಐಟಂ ಗ್ರೂಪ್ {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಒಂದು ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ಇರಬೇಕು +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಒಂದು ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ಇರಬೇಕು DocType: Shipping Rule Condition,Shipping Amount,ಶಿಪ್ಪಿಂಗ್ ಪ್ರಮಾಣ -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,ಗ್ರಾಹಕರು ಸೇರಿಸಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,ಗ್ರಾಹಕರು ಸೇರಿಸಿ apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ಬಾಕಿ ಪ್ರಮಾಣ DocType: Purchase Invoice Item,Conversion Factor,ಪರಿವರ್ತಿಸುವುದರ DocType: Purchase Order,Delivered,ತಲುಪಿಸಲಾಗಿದೆ @@ -2024,7 +2027,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,ಮರುಕೌನ್ಸ DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","ಪೋಷಕ ಕೋರ್ಸ್ (ಈ ಪೋಷಕ ಕೋರ್ಸ್ ಭಾಗವಾಗಿ ವೇಳೆ, ಖಾಲಿ ಬಿಡಿ)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","ಪೋಷಕ ಕೋರ್ಸ್ (ಈ ಪೋಷಕ ಕೋರ್ಸ್ ಭಾಗವಾಗಿ ವೇಳೆ, ಖಾಲಿ ಬಿಡಿ)" DocType: Leave Control Panel,Leave blank if considered for all employee types,ಎಲ್ಲಾ ನೌಕರ ರೀತಿಯ ಪರಿಗಣಿಸಲಾಗಿದೆ ವೇಳೆ ಖಾಲಿ ಬಿಡಿ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕರ ಗುಂಪು> ಪ್ರದೇಶ DocType: Landed Cost Voucher,Distribute Charges Based On,ವಿತರಿಸಲು ಆರೋಪಗಳ ಮೇಲೆ apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳು @@ -2032,7 +2034,7 @@ DocType: Salary Slip,net pay info,ನಿವ್ವಳ ವೇತನ ಮಾಹ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,ಖರ್ಚು ಹಕ್ಕು ಅನುಮೋದನೆ ಬಾಕಿ ಇದೆ . ಮಾತ್ರ ಖರ್ಚು ಅನುಮೋದಕ ಡೇಟ್ ಮಾಡಬಹುದು . DocType: Email Digest,New Expenses,ಹೊಸ ವೆಚ್ಚಗಳು DocType: Purchase Invoice,Additional Discount Amount,ಹೆಚ್ಚುವರಿ ರಿಯಾಯಿತಿ ಪ್ರಮಾಣ -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ರೋ # {0}: ಪ್ರಮಾಣ 1, ಐಟಂ ಸ್ಥಿರ ಆಸ್ತಿ ಇರಬೇಕು. ದಯವಿಟ್ಟು ಬಹು ಪ್ರಮಾಣ ಪ್ರತ್ಯೇಕ ಸಾಲು ಬಳಸಿ." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ರೋ # {0}: ಪ್ರಮಾಣ 1, ಐಟಂ ಸ್ಥಿರ ಆಸ್ತಿ ಇರಬೇಕು. ದಯವಿಟ್ಟು ಬಹು ಪ್ರಮಾಣ ಪ್ರತ್ಯೇಕ ಸಾಲು ಬಳಸಿ." DocType: Leave Block List Allow,Leave Block List Allow,ಬ್ಲಾಕ್ ಲಿಸ್ಟ್ ಅನುಮತಿಸಿ ಬಿಡಿ apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ಖಾಲಿ ಅಥವಾ ಜಾಗವನ್ನು ಇರುವಂತಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,ಅಲ್ಲದ ಗ್ರೂಪ್ ಗ್ರೂಪ್ @@ -2040,7 +2042,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ಕ್ರಿ DocType: Loan Type,Loan Name,ಸಾಲ ಹೆಸರು apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,ನಿಜವಾದ ಒಟ್ಟು DocType: Student Siblings,Student Siblings,ವಿದ್ಯಾರ್ಥಿ ಒಡಹುಟ್ಟಿದವರ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,ಘಟಕ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,ಘಟಕ apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,ಕಂಪನಿ ನಮೂದಿಸಿ ,Customer Acquisition and Loyalty,ಗ್ರಾಹಕ ಸ್ವಾಧೀನ ಮತ್ತು ನಿಷ್ಠೆ DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,ನೀವು ತಿರಸ್ಕರಿಸಿದರು ಐಟಂಗಳ ಸ್ಟಾಕ್ ನಿರ್ವಹಿಸುವುದು ಅಲ್ಲಿ ವೇರ್ಹೌಸ್ @@ -2059,12 +2061,12 @@ DocType: Workstation,Wages per hour,ಗಂಟೆಗೆ ವೇತನ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ಬ್ಯಾಚ್ ಸ್ಟಾಕ್ ಸಮತೋಲನ {0} ಪರಿಣಮಿಸುತ್ತದೆ ಋಣಾತ್ಮಕ {1} ಕೋಠಿಯಲ್ಲಿ ಐಟಂ {2} ಫಾರ್ {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ಕೆಳಗಿನ ಐಟಂ ಮರು ಆದೇಶ ಮಟ್ಟವನ್ನು ಆಧರಿಸಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಎದ್ದಿವೆ DocType: Email Digest,Pending Sales Orders,ಮಾರಾಟದ ಆದೇಶಗಳನ್ನು ಬಾಕಿ -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},ಖಾತೆ {0} ಅಮಾನ್ಯವಾಗಿದೆ. ಖಾತೆ ಕರೆನ್ಸಿ ಇರಬೇಕು {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},ಖಾತೆ {0} ಅಮಾನ್ಯವಾಗಿದೆ. ಖಾತೆ ಕರೆನ್ಸಿ ಇರಬೇಕು {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ ಅಗತ್ಯವಿದೆ {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಮಾರಾಟದ ಆರ್ಡರ್ ಒಂದು, ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು" DocType: Salary Component,Deduction,ವ್ಯವಕಲನ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ರೋ {0}: ಸಮಯ ಮತ್ತು ಟೈಮ್ ಕಡ್ಡಾಯ. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,ರೋ {0}: ಸಮಯ ಮತ್ತು ಟೈಮ್ ಕಡ್ಡಾಯ. DocType: Stock Reconciliation Item,Amount Difference,ಪ್ರಮಾಣ ವ್ಯತ್ಯಾಸ apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},ಐಟಂ ಬೆಲೆ ಸೇರ್ಪಡೆ {0} ದರ ಪಟ್ಟಿ ರಲ್ಲಿ {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ಈ ಮಾರಾಟಗಾರನ ಉದ್ಯೋಗಿ ಅನ್ನು ನಮೂದಿಸಿ @@ -2074,11 +2076,11 @@ DocType: Project,Gross Margin,ಒಟ್ಟು ಅಂಚು apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,ಮೊದಲ ಉತ್ಪಾದನೆ ಐಟಂ ನಮೂದಿಸಿ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,ಲೆಕ್ಕಹಾಕಿದ ಬ್ಯಾಂಕ್ ಹೇಳಿಕೆ ಸಮತೋಲನ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ಅಂಗವಿಕಲ ಬಳಕೆದಾರರ -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,ಉದ್ಧರಣ +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,ಉದ್ಧರಣ DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,ಒಟ್ಟು ಕಳೆಯುವುದು ,Production Analytics,ಪ್ರೊಡಕ್ಷನ್ ಅನಾಲಿಟಿಕ್ಸ್ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ವೆಚ್ಚ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,ವೆಚ್ಚ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ DocType: Employee,Date of Birth,ಜನ್ಮ ದಿನಾಂಕ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,ಐಟಂ {0} ಈಗಾಗಲೇ ಮರಳಿದರು DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ಹಣಕಾಸಿನ ವರ್ಷ ** ಒಂದು ಹಣಕಾಸು ವರ್ಷದ ಪ್ರತಿನಿಧಿಸುತ್ತದೆ. ಎಲ್ಲಾ ಲೆಕ್ಕ ನಮೂದುಗಳನ್ನು ಮತ್ತು ಇತರ ಪ್ರಮುಖ ವ್ಯವಹಾರಗಳ ** ** ಹಣಕಾಸಿನ ವರ್ಷ ವಿರುದ್ಧ ಕಂಡುಕೊಳ್ಳಲಾಯಿತು. @@ -2124,18 +2126,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,ಕಂಪನಿ ಆಯ್ಕೆ ... DocType: Leave Control Panel,Leave blank if considered for all departments,ಎಲ್ಲಾ ವಿಭಾಗಗಳು ಪರಿಗಣಿಸಲ್ಪಡುವ ವೇಳೆ ಖಾಲಿ ಬಿಡಿ apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","ಉದ್ಯೋಗ ವಿಧಗಳು ( ಶಾಶ್ವತ , ಒಪ್ಪಂದ , ಇಂಟರ್ನ್ , ಇತ್ಯಾದಿ ) ." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} ಐಟಂ ಕಡ್ಡಾಯ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} ಐಟಂ ಕಡ್ಡಾಯ {1} DocType: Process Payroll,Fortnightly,ಪಾಕ್ಷಿಕ DocType: Currency Exchange,From Currency,ಚಲಾವಣೆಯ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ಕನಿಷ್ಠ ಒಂದು ಸತತವಾಗಿ ನಿಗದಿ ಪ್ರಮಾಣ, ಸರಕುಪಟ್ಟಿ ಕೌಟುಂಬಿಕತೆ ಮತ್ತು ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ ಆಯ್ಕೆಮಾಡಿ" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,ಹೊಸ ಖರೀದಿ ವೆಚ್ಚ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},ಮಾರಾಟದ ಆರ್ಡರ್ ಐಟಂ ಅಗತ್ಯವಿದೆ {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},ಮಾರಾಟದ ಆರ್ಡರ್ ಐಟಂ ಅಗತ್ಯವಿದೆ {0} DocType: Purchase Invoice Item,Rate (Company Currency),ದರ ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) DocType: Student Guardian,Others,ಇತರೆ DocType: Payment Entry,Unallocated Amount,ನಿಯೋಜಿಸದೆ ಪ್ರಮಾಣ apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,ಮ್ಯಾಚಿಂಗ್ ಐಟಂ ಸಿಗುವುದಿಲ್ಲ. ಫಾರ್ {0} ಕೆಲವು ಇತರ ಮೌಲ್ಯ ಆಯ್ಕೆಮಾಡಿ. DocType: POS Profile,Taxes and Charges,ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","ಒಂದು ಉತ್ಪನ್ನ ಅಥವಾ, ಖರೀದಿಸಿತು ಮಾರಾಟ ಅಥವಾ ಸ್ಟಾಕ್ ಇಟ್ಟುಕೊಂಡು ಒಂದು ಸೇವೆ." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗ್ರೂಪ್> ಬ್ರ್ಯಾಂಡ್ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,ಯಾವುದೇ ನವೀಕರಣಗಳನ್ನು apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,ಮೊದಲ ಸಾಲಿನ ' ಹಿಂದಿನ ರೋ ಒಟ್ಟು ರಂದು ' ' ಹಿಂದಿನ ಸಾಲಿನಲ್ಲಿ ಪ್ರಮಾಣ ' ಅಥವಾ ಒಂದು ಬ್ಯಾಚ್ ರೀತಿಯ ಆಯ್ಕೆ ಮಾಡಬಹುದು apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,ಮಕ್ಕಳ ಐಟಂ ಒಂದು ಉತ್ಪನ್ನ ಬಂಡಲ್ ಮಾಡಬಾರದು. ದಯವಿಟ್ಟು ಐಟಂ ಅನ್ನು ತೆಗೆದುಹಾಕಿ `{0}` ಮತ್ತು ಉಳಿಸಲು @@ -2163,7 +2166,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,ಒಟ್ಟು ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ಒಂದು ಡೀಫಾಲ್ಟ್ ಒಳಬರುವ ಇಮೇಲ್ ಖಾತೆ ಈ ಕೆಲಸ ಮಾಡಲು ಸಕ್ರಿಯಗೊಳಿಸಬೇಕು. ದಯವಿಟ್ಟು ಅನ್ನು ಡೀಫಾಲ್ಟ್ ಒಳಬರುವ ಇಮೇಲ್ ಖಾತೆ (ಪಾಪ್ / IMAP ಅಲ್ಲ) ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆ -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಈಗಾಗಲೇ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಈಗಾಗಲೇ {2} DocType: Quotation Item,Stock Balance,ಸ್ಟಾಕ್ ಬ್ಯಾಲೆನ್ಸ್ apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ಪಾವತಿ ಮಾರಾಟ ಆರ್ಡರ್ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,ಸಿಇಒ @@ -2188,10 +2191,11 @@ DocType: C-Form,Received Date,ಸ್ವೀಕರಿಸಲಾಗಿದೆ ದ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","ನೀವು ಮಾರಾಟ ತೆರಿಗೆ ಮತ್ತು ಶುಲ್ಕಗಳು ಟೆಂಪ್ಲೇಟು ಮಾದರಿಯಲ್ಲಿ ಸೃಷ್ಟಿಸಿದ್ದರೆ, ಒಂದು ಆಯ್ಕೆ ಮತ್ತು ಕೆಳಗಿನ ಬಟನ್ ಮೇಲೆ ಕ್ಲಿಕ್ ಮಾಡಿ." DocType: BOM Scrap Item,Basic Amount (Company Currency),ಬೇಸಿಕ್ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ) DocType: Student,Guardians,ಗಾರ್ಡಿಯನ್ಸ್ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಕೌಟುಂಬಿಕತೆ DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ದರ ಪಟ್ಟಿ ಹೊಂದಿಸದೆ ವೇಳೆ ಬೆಲೆಗಳು ತೋರಿಸಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ಈ ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ಒಂದು ದೇಶದ ಸೂಚಿಸಲು ಅಥವಾ ವಿಶ್ವಾದ್ಯಂತ ಹಡಗು ಪರಿಶೀಲಿಸಿ DocType: Stock Entry,Total Incoming Value,ಒಟ್ಟು ಒಳಬರುವ ಮೌಲ್ಯ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,ಡೆಬಿಟ್ ಅಗತ್ಯವಿದೆ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,ಡೆಬಿಟ್ ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ನಿಮ್ಮ ತಂಡದ ಮಾಡಲಾಗುತ್ತದೆ ಚಟುವಟಿಕೆಗಳನ್ನು ಫಾರ್ ಸಮಯ, ವೆಚ್ಚ ಮತ್ತು ಬಿಲ್ಲಿಂಗ್ ಟ್ರ್ಯಾಕ್ ಸಹಾಯ" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ಖರೀದಿ ಬೆಲೆ ಪಟ್ಟಿ DocType: Offer Letter Term,Offer Term,ಆಫರ್ ಟರ್ಮ್ @@ -2210,11 +2214,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ಉ DocType: Timesheet Detail,To Time,ಸಮಯ DocType: Authorization Rule,Approving Role (above authorized value),(ಅಧಿಕಾರ ಮೌಲ್ಯವನ್ನು ಮೇಲೆ) ಪಾತ್ರ ಅನುಮೋದನೆ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಒಂದು ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಯನ್ನು ಇರಬೇಕು -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM ಪುನರಾವರ್ತನ : {0} ಪೋಷಕರು ಅಥವಾ ಮಗು ಸಾಧ್ಯವಿಲ್ಲ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM ಪುನರಾವರ್ತನ : {0} ಪೋಷಕರು ಅಥವಾ ಮಗು ಸಾಧ್ಯವಿಲ್ಲ {2} DocType: Production Order Operation,Completed Qty,ಪೂರ್ಣಗೊಂಡಿದೆ ಪ್ರಮಾಣ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, ಮಾತ್ರ ಡೆಬಿಟ್ ಖಾತೆಗಳನ್ನು ಇನ್ನೊಂದು ಕ್ರೆಡಿಟ್ ಪ್ರವೇಶ ವಿರುದ್ಧ ಲಿಂಕ್ ಮಾಡಬಹುದು ಫಾರ್" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,ಬೆಲೆ ಪಟ್ಟಿ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},ರೋ {0}: ಪೂರ್ಣಗೊಂಡಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {1} ಕಾರ್ಯಾಚರಣೆಗೆ {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},ರೋ {0}: ಪೂರ್ಣಗೊಂಡಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {1} ಕಾರ್ಯಾಚರಣೆಗೆ {2} DocType: Manufacturing Settings,Allow Overtime,ಓವರ್ಟೈಮ್ ಅವಕಾಶ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ {0} ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿಕೊಂಡು, ದಯವಿಟ್ಟು ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ {0} ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿಕೊಂಡು, ದಯವಿಟ್ಟು ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ" @@ -2233,10 +2237,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,ಬಾಹ್ಯ apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ಬಳಕೆದಾರರು ಮತ್ತು ಅನುಮತಿಗಳು DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ಸ್ ರಚಿಸಲಾಗಿದೆ: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ಸ್ ರಚಿಸಲಾಗಿದೆ: {0} DocType: Branch,Branch,ಶಾಖೆ DocType: Guardian,Mobile Number,ಮೊಬೈಲ್ ನಂಬರ apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ಮುದ್ರಣ ಮತ್ತು ಬ್ರ್ಯಾಂಡಿಂಗ್ +DocType: Company,Total Monthly Sales,ಒಟ್ಟು ಮಾಸಿಕ ಮಾರಾಟಗಳು DocType: Bin,Actual Quantity,ನಿಜವಾದ ಪ್ರಮಾಣ DocType: Shipping Rule,example: Next Day Shipping,ಉದಾಹರಣೆಗೆ : ಮುಂದೆ ದಿನ ಶಿಪ್ಪಿಂಗ್ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,ಕಂಡುಬಂದಿಲ್ಲ ಸರಣಿ ಯಾವುದೇ {0} @@ -2267,7 +2272,7 @@ DocType: Payment Request,Make Sales Invoice,ಮಾರಾಟದ ಸರಕುಪ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,ಸಾಫ್ಟ್ apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ಮುಂದಿನ ಸಂಪರ್ಕಿಸಿ ದಿನಾಂಕ ಹಿಂದೆ ಸಾಧ್ಯವಿಲ್ಲ DocType: Company,For Reference Only.,ಪರಾಮರ್ಶೆಗಾಗಿ ಮಾತ್ರ. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,ಬ್ಯಾಚ್ ಆಯ್ಕೆ ಇಲ್ಲ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,ಬ್ಯಾಚ್ ಆಯ್ಕೆ ಇಲ್ಲ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},ಅಮಾನ್ಯ {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣ @@ -2280,7 +2285,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},ಬಾರ್ಕೋಡ್ ಐಟಂ ಅನ್ನು {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,ಪ್ರಕರಣ ಸಂಖ್ಯೆ 0 ಸಾಧ್ಯವಿಲ್ಲ DocType: Item,Show a slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಒಂದು ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ಸ್ಟೋರ್ಸ್ DocType: Serial No,Delivery Time,ಡೆಲಿವರಿ ಟೈಮ್ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,ರಂದು ಆಧರಿಸಿ ಏಜಿಂಗ್ @@ -2294,16 +2299,16 @@ DocType: Rename Tool,Rename Tool,ಟೂಲ್ ಮರುಹೆಸರಿಸು apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,ನವೀಕರಣ ವೆಚ್ಚ DocType: Item Reorder,Item Reorder,ಐಟಂ ಮರುಕ್ರಮಗೊಳಿಸಿ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,ಸಂಬಳ ಶೋ ಸ್ಲಿಪ್ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,ಟ್ರಾನ್ಸ್ಫರ್ ವಸ್ತು +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,ಟ್ರಾನ್ಸ್ಫರ್ ವಸ್ತು DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ಕಾರ್ಯಾಚರಣೆಗಳು , ನಿರ್ವಹಣಾ ವೆಚ್ಚ ನಿರ್ದಿಷ್ಟಪಡಿಸಲು ಮತ್ತು ಕಾರ್ಯಾಚರಣೆಗಳು ಒಂದು ಅನನ್ಯ ಕಾರ್ಯಾಚರಣೆ ಯಾವುದೇ ನೀಡಿ ." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ಈ ಡಾಕ್ಯುಮೆಂಟ್ ಮೂಲಕ ಮಿತಿಗಿಂತ {0} {1} ಐಟಂ {4}. ನೀವು ಮಾಡುತ್ತಿದ್ದಾರೆ ಇನ್ನೊಂದು ಅದೇ ವಿರುದ್ಧ {3} {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,ಉಳಿಸುವ ನಂತರ ಮರುಕಳಿಸುವ ಸೆಟ್ ಮಾಡಿ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,ಬದಲಾವಣೆ ಆಯ್ಕೆ ಪ್ರಮಾಣದ ಖಾತೆಯನ್ನು +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,ಉಳಿಸುವ ನಂತರ ಮರುಕಳಿಸುವ ಸೆಟ್ ಮಾಡಿ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,ಬದಲಾವಣೆ ಆಯ್ಕೆ ಪ್ರಮಾಣದ ಖಾತೆಯನ್ನು DocType: Purchase Invoice,Price List Currency,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ DocType: Naming Series,User must always select,ಬಳಕೆದಾರ ಯಾವಾಗಲೂ ಆಯ್ಕೆ ಮಾಡಬೇಕು DocType: Stock Settings,Allow Negative Stock,ನಕಾರಾತ್ಮಕ ಸ್ಟಾಕ್ ಅನುಮತಿಸಿ DocType: Installation Note,Installation Note,ಅನುಸ್ಥಾಪನೆ ಸೂಚನೆ -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,ತೆರಿಗೆಗಳು ಸೇರಿಸಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,ತೆರಿಗೆಗಳು ಸೇರಿಸಿ DocType: Topic,Topic,ವಿಷಯ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,ಹಣಕಾಸು ಹಣದ ಹರಿವನ್ನು DocType: Budget Account,Budget Account,ಬಜೆಟ್ ಖಾತೆ @@ -2317,7 +2322,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ಪ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ಗಳಂತಹವು ( ಹೊಣೆಗಾರಿಕೆಗಳು ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ಪ್ರಮಾಣ ಸತತವಾಗಿ {0} ( {1} ) ಅದೇ ಇರಬೇಕು ತಯಾರಿಸಿದ ಪ್ರಮಾಣ {2} DocType: Appraisal,Employee,ನೌಕರರ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,ಬ್ಯಾಚ್ ಆಯ್ಕೆ +DocType: Company,Sales Monthly History,ಮಾರಾಟದ ಮಾಸಿಕ ಇತಿಹಾಸ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,ಬ್ಯಾಚ್ ಆಯ್ಕೆ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} ಸಂಪೂರ್ಣವಾಗಿ ವಿಧಿಸಲಾಗುತ್ತದೆ DocType: Training Event,End Time,ಎಂಡ್ ಟೈಮ್ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ಸಕ್ರಿಯ ಸಂಬಳ ರಚನೆ {0} ನೀಡಲಾಗಿದೆ ದಿನಾಂಕಗಳಿಗೆ ನೌಕರ {1} ಕಂಡುಬಂದಿಲ್ಲ @@ -2325,15 +2331,14 @@ DocType: Payment Entry,Payment Deductions or Loss,ಪಾವತಿ ಕಡಿತ apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,ಮಾರಾಟದ ಅಥವಾ ಖರೀದಿಗಾಗಿ ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಒಪ್ಪಂದದ ವಿಚಾರದಲ್ಲಿ . apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,ಚೀಟಿ ಮೂಲಕ ಗುಂಪು apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,ಮಾರಾಟದ ಪೈಪ್ಲೈನ್ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},ದಯವಿಟ್ಟು ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್ ರಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸೆಟ್ {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},ದಯವಿಟ್ಟು ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್ ರಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸೆಟ್ {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ಅಗತ್ಯವಿದೆ ರಂದು DocType: Rename Tool,File to Rename,ಮರುಹೆಸರಿಸಲು ಫೈಲ್ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},ರೋನಲ್ಲಿ ಐಟಂ ಬಿಒಎಮ್ ಆಯ್ಕೆಮಾಡಿ {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ಖಾತೆ {0} {1} ಖಾತೆಯ ಮೋಡ್ನಲ್ಲಿ ಕಂಪೆನಿಯೊಂದಿಗೆ ಹೋಲಿಕೆಯಾಗುವುದಿಲ್ಲ: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ ನಿಗದಿತ ಬಿಒಎಮ್ {0} {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು DocType: Notification Control,Expense Claim Approved,ಖರ್ಚು ಹಕ್ಕು ಅನುಮೋದನೆ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯಾ ಸರಣಿಗಳ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ಸೆಟಪ್ ಸಂಖ್ಯೆಯ ಸರಣಿ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಈ ಅವಧಿಯಲ್ಲಿ ರಚಿಸಿದ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ಔಷಧೀಯ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ಖರೀದಿಸಿದ ವಸ್ತುಗಳ ವೆಚ್ಚ @@ -2350,7 +2355,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ಯಾವುದೆ DocType: Upload Attendance,Attendance To Date,ದಿನಾಂಕ ಹಾಜರಿದ್ದ DocType: Warranty Claim,Raised By,ಬೆಳೆಸಿದರು DocType: Payment Gateway Account,Payment Account,ಪಾವತಿ ಖಾತೆ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,ಮುಂದುವರೆಯಲು ಕಂಪನಿ ನಮೂದಿಸಿ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,ಮುಂದುವರೆಯಲು ಕಂಪನಿ ನಮೂದಿಸಿ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ಪರಿಹಾರ ಆಫ್ DocType: Offer Letter,Accepted,Accepted @@ -2360,12 +2365,12 @@ DocType: SG Creation Tool Course,Student Group Name,ವಿದ್ಯಾರ್ಥ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಕಂಪನಿಗೆ ಎಲ್ಲಾ ವ್ಯವಹಾರಗಳ ಅಳಿಸಲು ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ. ಅದು ಎಂದು ನಿಮ್ಮ ಮಾಸ್ಟರ್ ಡೇಟಾ ಉಳಿಯುತ್ತದೆ. ಈ ಕಾರ್ಯವನ್ನು ರದ್ದುಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. DocType: Room,Room Number,ಕೋಣೆ ಸಂಖ್ಯೆ apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},ಅಮಾನ್ಯವಾದ ಉಲ್ಲೇಖ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ಯೋಜನೆ quanitity ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ ({2}) ಉತ್ಪಾದನೆಯಲ್ಲಿನ ಆರ್ಡರ್ {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ಯೋಜನೆ quanitity ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ ({2}) ಉತ್ಪಾದನೆಯಲ್ಲಿನ ಆರ್ಡರ್ {3} DocType: Shipping Rule,Shipping Rule Label,ಶಿಪ್ಪಿಂಗ್ ಲೇಬಲ್ ರೂಲ್ apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ಬಳಕೆದಾರ ವೇದಿಕೆ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,ರಾ ಮೆಟೀರಿಯಲ್ಸ್ ಖಾಲಿ ಇರುವಂತಿಲ್ಲ. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","ಸ್ಟಾಕ್ ನವೀಕರಣಗೊಳ್ಳುವುದಿಲ್ಲ, ಸರಕುಪಟ್ಟಿ ಡ್ರಾಪ್ ಹಡಗು ಐಟಂ ಹೊಂದಿದೆ." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ತ್ವರಿತ ಜರ್ನಲ್ ಎಂಟ್ರಿ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,ರಾ ಮೆಟೀರಿಯಲ್ಸ್ ಖಾಲಿ ಇರುವಂತಿಲ್ಲ. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","ಸ್ಟಾಕ್ ನವೀಕರಣಗೊಳ್ಳುವುದಿಲ್ಲ, ಸರಕುಪಟ್ಟಿ ಡ್ರಾಪ್ ಹಡಗು ಐಟಂ ಹೊಂದಿದೆ." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,ತ್ವರಿತ ಜರ್ನಲ್ ಎಂಟ್ರಿ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,BOM ಯಾವುದೇ ಐಟಂ agianst ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ ವೇಳೆ ನೀವು ದರ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Employee,Previous Work Experience,ಹಿಂದಿನ ಅನುಭವ DocType: Stock Entry,For Quantity,ಪ್ರಮಾಣ @@ -2422,7 +2427,7 @@ DocType: SMS Log,No of Requested SMS,ವಿನಂತಿಸಲಾಗಿದೆ SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ರಜೆ ಅನುಮೋದನೆ ಅಪ್ಲಿಕೇಶನ್ ದಾಖಲೆಗಳು ಹೊಂದುವುದಿಲ್ಲ DocType: Campaign,Campaign-.####,ಕ್ಯಾಂಪೇನ್ . # # # # apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ಮುಂದಿನ ಕ್ರಮಗಳು -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,ದಯವಿಟ್ಟು ಸಾಧ್ಯವಾದಷ್ಟು ದರಗಳಲ್ಲಿ ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಐಟಂಗಳನ್ನು ಸರಬರಾಜು +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,ದಯವಿಟ್ಟು ಸಾಧ್ಯವಾದಷ್ಟು ದರಗಳಲ್ಲಿ ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಐಟಂಗಳನ್ನು ಸರಬರಾಜು DocType: Selling Settings,Auto close Opportunity after 15 days,15 ದಿನಗಳ ನಂತರ ಆಟೋ ನಿಕಟ ಅವಕಾಶ apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,ಅಂತ್ಯ ವರ್ಷ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / ಲೀಡ್% @@ -2480,7 +2485,7 @@ DocType: Homepage,Homepage,ಮುಖಪುಟ DocType: Purchase Receipt Item,Recd Quantity,Recd ಪ್ರಮಾಣ apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},ಶುಲ್ಕ ರೆಕಾರ್ಡ್ಸ್ ರಚಿಸಲಾಗಿದೆ - {0} DocType: Asset Category Account,Asset Category Account,ಆಸ್ತಿ ವರ್ಗ ಖಾತೆ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},ಹೆಚ್ಚು ಐಟಂ ಉತ್ಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {0} ಹೆಚ್ಚು ಮಾರಾಟದ ಆರ್ಡರ್ ಪ್ರಮಾಣ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},ಹೆಚ್ಚು ಐಟಂ ಉತ್ಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {0} ಹೆಚ್ಚು ಮಾರಾಟದ ಆರ್ಡರ್ ಪ್ರಮಾಣ {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ DocType: Payment Reconciliation,Bank / Cash Account,ಬ್ಯಾಂಕ್ / ನಗದು ಖಾತೆ apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,ಮುಂದಿನ ಮೂಲಕ ಸಂಪರ್ಕಿಸಿ ಲೀಡ್ ಇಮೇಲ್ ವಿಳಾಸ ಅದೇ ಸಾಧ್ಯವಿಲ್ಲ @@ -2513,7 +2518,7 @@ DocType: Salary Structure,Total Earning,ಒಟ್ಟು ದುಡಿಯುತ್ DocType: Purchase Receipt,Time at which materials were received,ವಸ್ತುಗಳನ್ನು ಸ್ವೀಕರಿಸಿದ ಯಾವ ಸಮಯದಲ್ಲಿ DocType: Stock Ledger Entry,Outgoing Rate,ಹೊರಹೋಗುವ ದರ apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ಸಂಸ್ಥೆ ಶಾಖೆ ಮಾಸ್ಟರ್ . -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ಅಥವಾ +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ಅಥವಾ DocType: Sales Order,Billing Status,ಬಿಲ್ಲಿಂಗ್ ಸ್ಥಿತಿ apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ಸಮಸ್ಯೆಯನ್ನು ವರದಿಮಾಡಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ಯುಟಿಲಿಟಿ ವೆಚ್ಚಗಳು @@ -2521,7 +2526,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ರೋ # {0}: ಜರ್ನಲ್ ಎಂಟ್ರಿ {1} ಖಾತೆಯನ್ನು ಹೊಂದಿಲ್ಲ {2} ಅಥವಾ ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಚೀಟಿ ವಿರುದ್ಧ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ DocType: Buying Settings,Default Buying Price List,ಡೀಫಾಲ್ಟ್ ಬೆಲೆ ಪಟ್ಟಿ ಖರೀದಿ DocType: Process Payroll,Salary Slip Based on Timesheet,ಸಂಬಳ ಸ್ಲಿಪ್ Timesheet ಆಧರಿಸಿ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ಮೇಲೆ ಆಯ್ಕೆ ಮಾಡಿದ ಮಾನದಂಡ ಅಥವಾ ಸಂಬಳ ಸ್ಲಿಪ್ ಯಾವುದೇ ಉದ್ಯೋಗಿ ಈಗಾಗಲೇ ರಚಿಸಿದ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,ಮೇಲೆ ಆಯ್ಕೆ ಮಾಡಿದ ಮಾನದಂಡ ಅಥವಾ ಸಂಬಳ ಸ್ಲಿಪ್ ಯಾವುದೇ ಉದ್ಯೋಗಿ ಈಗಾಗಲೇ ರಚಿಸಿದ DocType: Notification Control,Sales Order Message,ಮಾರಾಟದ ಆರ್ಡರ್ ಸಂದೇಶ apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ಇತ್ಯಾದಿ ಕಂಪನಿ, ಕರೆನ್ಸಿ , ಪ್ರಸಕ್ತ ಆರ್ಥಿಕ ವರ್ಷದ , ಹಾಗೆ ಹೊಂದಿಸಿ ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಗಳು" DocType: Payment Entry,Payment Type,ಪಾವತಿ ಪ್ರಕಾರ @@ -2546,7 +2551,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ರಸೀತಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಲ್ಲಿಸಬೇಕು DocType: Purchase Invoice Item,Received Qty,ಪ್ರಮಾಣ ಸ್ವೀಕರಿಸಲಾಗಿದೆ DocType: Stock Entry Detail,Serial No / Batch,ಯಾವುದೇ ಸೀರಿಯಲ್ / ಬ್ಯಾಚ್ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,ಮಾಡಿರುವುದಿಲ್ಲ ಪಾವತಿಸಿದ ಮತ್ತು ವಿತರಣೆ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,ಮಾಡಿರುವುದಿಲ್ಲ ಪಾವತಿಸಿದ ಮತ್ತು ವಿತರಣೆ DocType: Product Bundle,Parent Item,ಪೋಷಕ ಐಟಂ DocType: Account,Account Type,ಖಾತೆ ಪ್ರಕಾರ DocType: Delivery Note,DN-RET-,ಡಿ-RET- @@ -2577,8 +2582,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,ಒಟ್ಟು ನಿಗದಿ ಪ್ರಮಾಣ apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ಸಾರ್ವಕಾಲಿಕ ದಾಸ್ತಾನು ಹೊಂದಿಸಲಾದ ಪೂರ್ವನಿಯೋಜಿತ ದಾಸ್ತಾನು ಖಾತೆ DocType: Item Reorder,Material Request Type,ಮೆಟೀರಿಯಲ್ RequestType -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},ನಿಂದ {0} ಗೆ ಸಂಬಳ Accural ಜರ್ನಲ್ ಎಂಟ್ರಿ {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಿಲ್ಲ" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},ನಿಂದ {0} ಗೆ ಸಂಬಳ Accural ಜರ್ನಲ್ ಎಂಟ್ರಿ {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಿಲ್ಲ" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ಸಾಲು {0}: ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಪರಿವರ್ತನಾ ಕಾರಕ ಕಡ್ಡಾಯ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,ತೀರ್ಪುಗಾರ DocType: Budget,Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್ @@ -2596,7 +2601,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ವ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ಆಯ್ಕೆ ಬೆಲೆ ರೂಲ್ 'ಬೆಲೆ' ತಯಾರಿಸಲಾಗುತ್ತದೆ, ಅದು ಬೆಲೆ ಪಟ್ಟಿ ಬದಲಿಸಿ. ಬೆಲೆ ರೂಲ್ ಬೆಲೆ ಅಂತಿಮ ಬೆಲೆ, ಆದ್ದರಿಂದ ಯಾವುದೇ ರಿಯಾಯಿತಿ ಅನ್ವಯಿಸಬಹುದಾಗಿದೆ. ಆದ್ದರಿಂದ, ಇತ್ಯಾದಿ ಮಾರಾಟದ ಆರ್ಡರ್, ಆರ್ಡರ್ ಖರೀದಿಸಿ ರೀತಿಯ ವ್ಯವಹಾರಗಳಲ್ಲಿ, ಇದು ಬದಲಿಗೆ 'ಬೆಲೆ ಪಟ್ಟಿ ದರ' ಕ್ಷೇತ್ರದಲ್ಲಿ ಹೆಚ್ಚು, 'ದರ' ಕ್ಷೇತ್ರದಲ್ಲಿ ತರಲಾಗಿದೆ ನಡೆಯಲಿದೆ." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ಟ್ರ್ಯಾಕ್ ಇಂಡಸ್ಟ್ರಿ ಪ್ರಕಾರ ಕಾರಣವಾಗುತ್ತದೆ. DocType: Item Supplier,Item Supplier,ಐಟಂ ಸರಬರಾಜುದಾರ -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,ಯಾವುದೇ ಐಟಂ ಬ್ಯಾಚ್ ಪಡೆಯಲು ಕೋಡ್ ನಮೂದಿಸಿ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,ಯಾವುದೇ ಐಟಂ ಬ್ಯಾಚ್ ಪಡೆಯಲು ಕೋಡ್ ನಮೂದಿಸಿ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},{0} {1} quotation_to ಒಂದು ಮೌಲ್ಯವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ಎಲ್ಲಾ ವಿಳಾಸಗಳನ್ನು . DocType: Company,Stock Settings,ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳು @@ -2623,7 +2628,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ವ್ಯವಹಾರ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},ಸಂಬಳ ಸ್ಲಿಪ್ ನಡುವಿನ ಭಾಗದಲ್ಲಿ {0} ಮತ್ತು {1} ,Pending SO Items For Purchase Request,ಖರೀದಿ ವಿನಂತಿ ಆದ್ದರಿಂದ ಐಟಂಗಳು ಬಾಕಿ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶ -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ DocType: Supplier,Billing Currency,ಬಿಲ್ಲಿಂಗ್ ಕರೆನ್ಸಿ DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,ಎಕ್ಸ್ಟ್ರಾ ದೊಡ್ಡದು @@ -2653,7 +2658,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,ಅಪ್ಲಿಕೇಶನ್ ಸ್ಥಿತಿ DocType: Fees,Fees,ಶುಲ್ಕ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ವಿನಿಮಯ ದರ ಇನ್ನೊಂದು ಒಂದು ಕರೆನ್ಸಿ ಪರಿವರ್ತಿಸಲು ಸೂಚಿಸಿ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,ನುಡಿಮುತ್ತುಗಳು {0} ರದ್ದು +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,ನುಡಿಮುತ್ತುಗಳು {0} ರದ್ದು apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,ಒಟ್ಟು ಬಾಕಿ ಮೊತ್ತದ DocType: Sales Partner,Targets,ಗುರಿ DocType: Price List,Price List Master,ದರ ಪಟ್ಟಿ ಮಾಸ್ಟರ್ @@ -2670,7 +2675,7 @@ DocType: POS Profile,Ignore Pricing Rule,ಬೆಲೆ ರೂಲ್ ನಿರ್ DocType: Employee Education,Graduate,ಪದವೀಧರ DocType: Leave Block List,Block Days,ಬ್ಲಾಕ್ ಡೇಸ್ DocType: Journal Entry,Excise Entry,ಅಬಕಾರಿ ಎಂಟ್ರಿ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ಎಚ್ಚರಿಕೆ: ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಈಗಾಗಲೇ ಗ್ರಾಹಕರ ಆರ್ಡರ್ ಖರೀದಿಸಿ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ಎಚ್ಚರಿಕೆ: ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಈಗಾಗಲೇ ಗ್ರಾಹಕರ ಆರ್ಡರ್ ಖರೀದಿಸಿ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2709,7 +2714,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),ವ ,Salary Register,ಸಂಬಳ ನೋಂದಣಿ DocType: Warehouse,Parent Warehouse,ಪೋಷಕ ವೇರ್ಹೌಸ್ DocType: C-Form Invoice Detail,Net Total,ನೆಟ್ ಒಟ್ಟು -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {0} ಮತ್ತು ಪ್ರಾಜೆಕ್ಟ್ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {0} ಮತ್ತು ಪ್ರಾಜೆಕ್ಟ್ {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,ವಿವಿಧ ಸಾಲ ರೀತಿಯ ವಿವರಿಸಿ DocType: Bin,FCFS Rate,FCFS ದರ DocType: Payment Reconciliation Invoice,Outstanding Amount,ಮಹೋನ್ನತ ಪ್ರಮಾಣ @@ -2746,7 +2751,7 @@ DocType: Salary Detail,Condition and Formula Help,ಪರಿಸ್ಥಿತಿ apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,ಪ್ರದೇಶ ಮ್ಯಾನೇಜ್ಮೆಂಟ್ ಟ್ರೀ . DocType: Journal Entry Account,Sales Invoice,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ DocType: Journal Entry Account,Party Balance,ಪಕ್ಷದ ಬ್ಯಾಲೆನ್ಸ್ -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,ರಿಯಾಯತಿ ಅನ್ವಯಿಸು ಆಯ್ಕೆಮಾಡಿ +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,ರಿಯಾಯತಿ ಅನ್ವಯಿಸು ಆಯ್ಕೆಮಾಡಿ DocType: Company,Default Receivable Account,ಡೀಫಾಲ್ಟ್ ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆ DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,ಮೇಲೆ ಆಯ್ಕೆ ಮಾನದಂಡದ ಒಟ್ಟು ವೇತನ ಬ್ಯಾಂಕ್ ಎಂಟ್ರಿ ರಚಿಸಿ DocType: Stock Entry,Material Transfer for Manufacture,ತಯಾರಿಕೆಗೆ ವಸ್ತು ವರ್ಗಾವಣೆ @@ -2760,7 +2765,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,ಗ್ರಾಹಕ ವಿಳಾಸ DocType: Employee Loan,Loan Details,ಸಾಲ ವಿವರಗಳು DocType: Company,Default Inventory Account,ಡೀಫಾಲ್ಟ್ ಇನ್ವೆಂಟರಿ ಖಾತೆ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ರೋ {0}: ಪೂರ್ಣಗೊಂಡಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿದೆ ಶೂನ್ಯ ಇರಬೇಕು. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,ರೋ {0}: ಪೂರ್ಣಗೊಂಡಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿದೆ ಶೂನ್ಯ ಇರಬೇಕು. DocType: Purchase Invoice,Apply Additional Discount On,ಹೆಚ್ಚುವರಿ ರಿಯಾಯತಿ ಅನ್ವಯಿಸು DocType: Account,Root Type,ರೂಟ್ ಪ್ರಕಾರ DocType: Item,FIFO,FIFO @@ -2777,7 +2782,7 @@ DocType: Purchase Invoice Item,Quality Inspection,ಗುಣಮಟ್ಟದ ತ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,ಹೆಚ್ಚುವರಿ ಸಣ್ಣ DocType: Company,Standard Template,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಟೆಂಪ್ಲೇಟು DocType: Training Event,Theory,ಥಿಯರಿ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,ಎಚ್ಚರಿಕೆ : ಪ್ರಮಾಣ ವಿನಂತಿಸಿದ ವಸ್ತು ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ ಕಡಿಮೆ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,ಎಚ್ಚರಿಕೆ : ಪ್ರಮಾಣ ವಿನಂತಿಸಿದ ವಸ್ತು ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ ಕಡಿಮೆ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,ಖಾತೆ {0} ಹೆಪ್ಪುಗಟ್ಟಿರುವ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ಸಂಸ್ಥೆ ಸೇರಿದ ಖಾತೆಗಳ ಪ್ರತ್ಯೇಕ ಚಾರ್ಟ್ ಜೊತೆಗೆ ಕಾನೂನು ಘಟಕದ / ಅಂಗಸಂಸ್ಥೆ. DocType: Payment Request,Mute Email,ಮ್ಯೂಟ್ ಇಮೇಲ್ @@ -2801,7 +2806,7 @@ DocType: Training Event,Scheduled,ಪರಿಶಿಷ್ಟ apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ಉದ್ಧರಣಾ ಫಾರ್ ವಿನಂತಿ. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","ಇಲ್ಲ" ಮತ್ತು "ಮಾರಾಟ ಐಟಂ" "ಸ್ಟಾಕ್ ಐಟಂ" ಅಲ್ಲಿ "ಹೌದು" ಐಟಂ ಆಯ್ಕೆ ಮತ್ತು ಯಾವುದೇ ಉತ್ಪನ್ನ ಕಟ್ಟು ಇಲ್ಲ ದಯವಿಟ್ಟು DocType: Student Log,Academic,ಶೈಕ್ಷಣಿಕ -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ಒಟ್ಟು ಮುಂಚಿತವಾಗಿ ({0}) ಆರ್ಡರ್ ವಿರುದ್ಧ {1} ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ಒಟ್ಟು ಮುಂಚಿತವಾಗಿ ({0}) ಆರ್ಡರ್ ವಿರುದ್ಧ {1} ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ಅಸಮಾನವಾಗಿ ತಿಂಗಳ ಅಡ್ಡಲಾಗಿ ಗುರಿಗಳನ್ನು ವಿತರಿಸಲು ಮಾಸಿಕ ವಿತರಣೆ ಆಯ್ಕೆ. DocType: Purchase Invoice Item,Valuation Rate,ಮೌಲ್ಯಾಂಕನ ದರ DocType: Stock Reconciliation,SR/,ಎಸ್ಆರ್ / @@ -2867,6 +2872,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,ಮೊತ್ತ DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,ವಿಚಾರಣೆಯ ಮೂಲ ಪ್ರಚಾರ ವೇಳೆ ಪ್ರಚಾರ ಹೆಸರನ್ನು ನಮೂದಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,ಸುದ್ದಿ ಪತ್ರಿಕೆಗಳ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷ ಆಯ್ಕೆಮಾಡಿ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,ನಿರೀಕ್ಷಿತ ವಿತರಣೆ ದಿನಾಂಕ ಮಾರಾಟದ ಆದೇಶದ ದಿನಾಂಕದ ನಂತರ ಇರಬೇಕು apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,ಮರುಕ್ರಮಗೊಳಿಸಿ ಮಟ್ಟ DocType: Company,Chart Of Accounts Template,ಖಾತೆಗಳನ್ನು ಟೆಂಪ್ಲೇಟು ಚಾರ್ಟ್ DocType: Attendance,Attendance Date,ಅಟೆಂಡೆನ್ಸ್ ದಿನಾಂಕ @@ -2898,7 +2904,7 @@ DocType: Pricing Rule,Discount Percentage,ರಿಯಾಯಿತಿ ಶೇಕ DocType: Payment Reconciliation Invoice,Invoice Number,ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ DocType: Shopping Cart Settings,Orders,ಆರ್ಡರ್ಸ್ DocType: Employee Leave Approver,Leave Approver,ಅನುಮೋದಕ ಬಿಡಿ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,ದಯವಿಟ್ಟು ತಂಡ ಆಯ್ಕೆ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,ದಯವಿಟ್ಟು ತಂಡ ಆಯ್ಕೆ DocType: Assessment Group,Assessment Group Name,ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪು ಹೆಸರು DocType: Manufacturing Settings,Material Transferred for Manufacture,ವಸ್ತು ತಯಾರಿಕೆಗೆ ವರ್ಗಾಯಿಸಲಾಯಿತು DocType: Expense Claim,"A user with ""Expense Approver"" role","""ಖರ್ಚು ಅನುಮೋದಕ"" ಪಾತ್ರವನ್ನು ಒಂದು ಬಳಕೆದಾರ" @@ -2935,7 +2941,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,ಮುಂದಿನ ತಿಂಗಳ ಕೊನೆಯ ದಿನ DocType: Support Settings,Auto close Issue after 7 days,7 ದಿನಗಳ ನಂತರ ಆಟೋ ನಿಕಟ ಸಂಚಿಕೆ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ಮೊದಲು ಹಂಚಿಕೆ ಸಾಧ್ಯವಿಲ್ಲ ಬಿಡಿ {0}, ರಜೆ ಸಮತೋಲನ ಈಗಾಗಲೇ ಕ್ಯಾರಿ ಫಾರ್ವರ್ಡ್ ಭವಿಷ್ಯದ ರಜೆ ಹಂಚಿಕೆ ದಾಖಲೆಯಲ್ಲಿ ಬಂದಿದೆ {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ಗಮನಿಸಿ: ಕಾರಣ / ಉಲ್ಲೇಖ ದಿನಾಂಕ {0} ದಿನ ಅವಕಾಶ ಗ್ರಾಹಕ ಕ್ರೆಡಿಟ್ ದಿನಗಳ ಮೀರಿದೆ (ರು) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ಗಮನಿಸಿ: ಕಾರಣ / ಉಲ್ಲೇಖ ದಿನಾಂಕ {0} ದಿನ ಅವಕಾಶ ಗ್ರಾಹಕ ಕ್ರೆಡಿಟ್ ದಿನಗಳ ಮೀರಿದೆ (ರು) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರ DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ಸ್ವೀಕೃತದಾರರಿಗಾಗಿ ಮೂಲ DocType: Asset Category Account,Accumulated Depreciation Account,ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ ಖಾತೆ @@ -2946,7 +2952,7 @@ DocType: Item,Reorder level based on Warehouse,ವೇರ್ಹೌಸ್ ಆ DocType: Activity Cost,Billing Rate,ಬಿಲ್ಲಿಂಗ್ ದರ ,Qty to Deliver,ಡೆಲಿವರ್ ಪ್ರಮಾಣ ,Stock Analytics,ಸ್ಟಾಕ್ ಅನಾಲಿಟಿಕ್ಸ್ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ಕಾರ್ಯಾಚರಣೆ ಖಾಲಿ ಬಿಡುವಂತಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,ಕಾರ್ಯಾಚರಣೆ ಖಾಲಿ ಬಿಡುವಂತಿಲ್ಲ DocType: Maintenance Visit Purpose,Against Document Detail No,ಡಾಕ್ಯುಮೆಂಟ್ ವಿವರ ವಿರುದ್ಧ ನಂ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,ಪಕ್ಷದ ಕೌಟುಂಬಿಕತೆ ಕಡ್ಡಾಯ DocType: Quality Inspection,Outgoing,ನಿರ್ಗಮಿಸುವ @@ -2989,15 +2995,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,ವೇರ್ಹೌಸ್ ಲಭ್ಯವಿದೆ ಪ್ರಮಾಣ apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,ಖ್ಯಾತವಾದ ಪ್ರಮಾಣ DocType: Asset,Double Declining Balance,ಡಬಲ್ ಕ್ಷೀಣಿಸಿದ ಬ್ಯಾಲೆನ್ಸ್ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,ಮುಚ್ಚಿದ ಆದೇಶವನ್ನು ರದ್ದು ಸಾಧ್ಯವಿಲ್ಲ. ರದ್ದು ತೆರೆದಿಡು. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,ಮುಚ್ಚಿದ ಆದೇಶವನ್ನು ರದ್ದು ಸಾಧ್ಯವಿಲ್ಲ. ರದ್ದು ತೆರೆದಿಡು. DocType: Student Guardian,Father,ತಂದೆ -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್' ಸ್ಥಿರ ಸಂಪತ್ತಾದ ಮಾರಾಟ ಪರಿಶೀಲಿಸಲಾಗುವುದಿಲ್ಲ +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್' ಸ್ಥಿರ ಸಂಪತ್ತಾದ ಮಾರಾಟ ಪರಿಶೀಲಿಸಲಾಗುವುದಿಲ್ಲ DocType: Bank Reconciliation,Bank Reconciliation,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ DocType: Attendance,On Leave,ರಜೆಯ ಮೇಲೆ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ಅಪ್ಡೇಟ್ಗಳು ಪಡೆಯಿರಿ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ಖಾತೆ {2} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ {0} ರದ್ದು ಅಥವಾ ನಿಲ್ಲಿಸಿದಾಗ -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,ಕೆಲವು ಸ್ಯಾಂಪಲ್ ದಾಖಲೆಗಳನ್ನು ಸೇರಿಸಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,ಕೆಲವು ಸ್ಯಾಂಪಲ್ ದಾಖಲೆಗಳನ್ನು ಸೇರಿಸಿ apps/erpnext/erpnext/config/hr.py +301,Leave Management,ಮ್ಯಾನೇಜ್ಮೆಂಟ್ ಬಿಡಿ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,ಖಾತೆ ಗುಂಪು DocType: Sales Order,Fully Delivered,ಸಂಪೂರ್ಣವಾಗಿ ತಲುಪಿಸಲಾಗಿದೆ @@ -3006,12 +3012,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ಈ ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಒಂದು ಆರಂಭಿಕ ಎಂಟ್ರಿ ಏಕೆಂದರೆ ವ್ಯತ್ಯಾಸ ಖಾತೆ, ಒಂದು ಆಸ್ತಿ / ಹೊಣೆಗಾರಿಕೆ ರೀತಿಯ ಖಾತೆ ಇರಬೇಕು" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},ಪಾವತಿಸಲಾಗುತ್ತದೆ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಹೆಚ್ಚು ಹೆಚ್ಚಿರಬಾರದು {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಸಂಖ್ಯೆ ಐಟಂ ಅಗತ್ಯವಿದೆ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ರಚಿಸಿಲ್ಲ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ರಚಿಸಿಲ್ಲ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"ಇಂದ ದಿನಾಂಕ, ಗೆ ದಿನಾಂಕದ ಆಮೇಲೆ ಬರಬೇಕು" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ಅಲ್ಲ ವಿದ್ಯಾರ್ಥಿಯಾಗಿ ಸ್ಥಿತಿಯನ್ನು ಬದಲಾಯಿಸಬಹುದು {0} ವಿದ್ಯಾರ್ಥಿ ಅಪ್ಲಿಕೇಶನ್ ಸಂಬಂಧ ಇದೆ {1} DocType: Asset,Fully Depreciated,ಸಂಪೂರ್ಣವಾಗಿ Depreciated ,Stock Projected Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ ಯೋಜಿತ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},ಗ್ರಾಹಕ {0} ಅಭಿವ್ಯಕ್ತಗೊಳಿಸಲು ಸೇರಿಲ್ಲ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},ಗ್ರಾಹಕ {0} ಅಭಿವ್ಯಕ್ತಗೊಳಿಸಲು ಸೇರಿಲ್ಲ {1} DocType: Employee Attendance Tool,Marked Attendance HTML,ಗುರುತು ಅಟೆಂಡೆನ್ಸ್ ಎಚ್ಟಿಎಮ್ಎಲ್ apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","ಉಲ್ಲೇಖಗಳು ಪ್ರಸ್ತಾಪಗಳನ್ನು, ನಿಮ್ಮ ಗ್ರಾಹಕರಿಗೆ ಕಳುಹಿಸಿದ್ದಾರೆ ಬಿಡ್ ಇವೆ" DocType: Sales Order,Customer's Purchase Order,ಗ್ರಾಹಕರ ಆರ್ಡರ್ ಖರೀದಿಸಿ @@ -3021,7 +3027,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,ದಯವಿಟ್ಟು ಸೆಟ್ Depreciations ಸಂಖ್ಯೆ ಬುಕ್ಡ್ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ಮೌಲ್ಯ ಅಥವಾ ಪ್ರಮಾಣ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,ಪ್ರೊಡಕ್ಷನ್ಸ್ ಆರ್ಡರ್ಸ್ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,ಮಿನಿಟ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,ಮಿನಿಟ್ DocType: Purchase Invoice,Purchase Taxes and Charges,ಖರೀದಿ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ,Qty to Receive,ಸ್ವೀಕರಿಸುವ ಪ್ರಮಾಣ DocType: Leave Block List,Leave Block List Allowed,ಖಂಡ ಅನುಮತಿಸಲಾಗಿದೆ ಬಿಡಿ @@ -3035,7 +3041,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ಎಲ್ಲಾ ವಿಧಗಳು ಸರಬರಾಜುದಾರ DocType: Global Defaults,Disable In Words,ವರ್ಡ್ಸ್ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,ಐಟಂ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸಂಖ್ಯೆಯ ಕಾರಣ ಐಟಂ ಕೋಡ್ ಕಡ್ಡಾಯ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},ನುಡಿಮುತ್ತುಗಳು {0} ಅಲ್ಲ ರೀತಿಯ {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},ನುಡಿಮುತ್ತುಗಳು {0} ಅಲ್ಲ ರೀತಿಯ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ ಐಟಂ DocType: Sales Order,% Delivered,ತಲುಪಿಸಲಾಗಿದೆ % DocType: Production Order,PRO-,ಪರ @@ -3058,7 +3064,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,ಮಾರಾಟಗಾರ ಇಮೇಲ್ DocType: Project,Total Purchase Cost (via Purchase Invoice),ಒಟ್ಟು ಖರೀದಿ ವೆಚ್ಚ (ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಮೂಲಕ) DocType: Training Event,Start Time,ಟೈಮ್ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,ಆಯ್ಕೆ ಪ್ರಮಾಣ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,ಆಯ್ಕೆ ಪ್ರಮಾಣ DocType: Customs Tariff Number,Customs Tariff Number,ಕಸ್ಟಮ್ಸ್ ಸುಂಕದ ಸಂಖ್ಯೆ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ಪಾತ್ರ ನಿಯಮ ಅನ್ವಯವಾಗುತ್ತದೆ ಪಾತ್ರ ಅನುಮೋದನೆ ಇರಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ಈ ಇಮೇಲ್ ಡೈಜೆಸ್ಟ್ ಅನ್ಸಬ್ಸ್ಕ್ರೈಬ್ @@ -3082,7 +3088,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,ತರಬೇತಿ ವಿವರ DocType: Sales Order,Fully Billed,ಸಂಪೂರ್ಣವಾಗಿ ಖ್ಯಾತವಾದ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,ಕೈಯಲ್ಲಿ ನಗದು -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},ಡೆಲಿವರಿ ಗೋದಾಮಿನ ಸ್ಟಾಕ್ ಐಟಂ ಬೇಕಾದ {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},ಡೆಲಿವರಿ ಗೋದಾಮಿನ ಸ್ಟಾಕ್ ಐಟಂ ಬೇಕಾದ {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ಪ್ಯಾಕೇಜ್ ಒಟ್ಟಾರೆ ತೂಕದ . ಸಾಮಾನ್ಯವಾಗಿ ನಿವ್ವಳ ತೂಕ + ಪ್ಯಾಕೇಜಿಂಗ್ ವಸ್ತುಗಳ ತೂಕ . ( ಮುದ್ರಣ ) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ಈ ಪಾತ್ರವನ್ನು ಬಳಕೆದಾರರು ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆಗಳ ವಿರುದ್ಧ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಮಾರ್ಪಡಿಸಲು / ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆಗಳನ್ನು ಸೆಟ್ ಮತ್ತು ರಚಿಸಲು ಅವಕಾಶ @@ -3092,7 +3098,7 @@ DocType: Student Group,Group Based On,ಗುಂಪು ಆಧಾರಿತ ರಂ DocType: Journal Entry,Bill Date,ಬಿಲ್ ದಿನಾಂಕ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","ಸೇವೆ ಐಟಂ, ಕೌಟುಂಬಿಕತೆ, ಆವರ್ತನ ಮತ್ತು ಖರ್ಚಿನ ಪ್ರಮಾಣವನ್ನು ಅಗತ್ಯವಿದೆ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ಹೆಚ್ಚಿನ ಆದ್ಯತೆ ಬಹು ಬೆಲೆ ನಿಯಮಗಳು ಇವೆ ಸಹ, ನಂತರ ಕೆಳಗಿನ ಆಂತರಿಕ ಆದ್ಯತೆಗಳು ಅನ್ವಯಿಸಲಾಗಿದೆ:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},ನೀವು ನಿಜವಾಗಿಯೂ {0} ಎಲ್ಲಾ ಸಂಬಳ ಸ್ಲಿಪ್ ಸಲ್ಲಿಸಿ ಬಯಸುತ್ತೀರಾ {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},ನೀವು ನಿಜವಾಗಿಯೂ {0} ಎಲ್ಲಾ ಸಂಬಳ ಸ್ಲಿಪ್ ಸಲ್ಲಿಸಿ ಬಯಸುತ್ತೀರಾ {1} DocType: Cheque Print Template,Cheque Height,ಚೆಕ್ ಎತ್ತರ DocType: Supplier,Supplier Details,ಪೂರೈಕೆದಾರರ ವಿವರಗಳು DocType: Expense Claim,Approval Status,ಅನುಮೋದನೆ ಸ್ಥಿತಿ @@ -3114,7 +3120,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,ಉದ್ಧರಣ apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ಬೇರೇನೂ ತೋರಿಸಲು. DocType: Lead,From Customer,ಗ್ರಾಹಕ apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ಕರೆಗಳು -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,ಬ್ಯಾಚ್ಗಳು +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,ಬ್ಯಾಚ್ಗಳು DocType: Project,Total Costing Amount (via Time Logs),ಒಟ್ಟು ಕಾಸ್ಟಿಂಗ್ ಪ್ರಮಾಣ (ಸಮಯ ದಾಖಲೆಗಳು ಮೂಲಕ) DocType: Purchase Order Item Supplied,Stock UOM,ಸ್ಟಾಕ್ UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ @@ -3146,7 +3152,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,ವಿರುದ್ಧ DocType: Item,Warranty Period (in days),( ದಿನಗಳಲ್ಲಿ ) ಖಾತರಿ ಅವಧಿಯ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 ಸಂಬಂಧ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ಕಾರ್ಯಾಚರಣೆ ನಿವ್ವಳ ನಗದು -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,ಇ ಜಿ ವ್ಯಾಟ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,ಇ ಜಿ ವ್ಯಾಟ್ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,ಐಟಂ 4 DocType: Student Admission,Admission End Date,ಪ್ರವೇಶ ಮುಕ್ತಾಯ ದಿನಾಂಕ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ಒಳ-ಒಪ್ಪಂದ @@ -3154,7 +3160,7 @@ DocType: Journal Entry Account,Journal Entry Account,ಜರ್ನಲ್ ಎಂ apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು DocType: Shopping Cart Settings,Quotation Series,ಉದ್ಧರಣ ಸರಣಿ apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ಐಟಂ ( {0} ) , ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರ ಆಯ್ಕೆ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರ ಆಯ್ಕೆ DocType: C-Form,I,ನಾನು DocType: Company,Asset Depreciation Cost Center,ಆಸ್ತಿ ಸವಕಳಿ ವೆಚ್ಚದ ಕೇಂದ್ರ DocType: Sales Order Item,Sales Order Date,ಮಾರಾಟದ ಆದೇಶ ದಿನಾಂಕ @@ -3165,6 +3171,7 @@ DocType: Stock Settings,Limit Percent,ಮಿತಿ ಪರ್ಸೆಂಟ್ ,Payment Period Based On Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕವನ್ನು ಆಧರಿಸಿ ಪಾವತಿ ಅವಧಿ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},ಕಾಣೆಯಾಗಿದೆ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರಗಳು {0} DocType: Assessment Plan,Examiner,ಎಕ್ಸಾಮಿನರ್ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,ದಯವಿಟ್ಟು ಸೆಟಪ್> ಸೆಟ್ಟಿಂಗ್ಗಳು> ಹೆಸರಿಸುವ ಸರಣಿಯ ಮೂಲಕ {0} ಹೆಸರಿಸುವ ಸರಣಿಗಳನ್ನು ಹೊಂದಿಸಿ DocType: Student,Siblings,ಒಡಹುಟ್ಟಿದವರ DocType: Journal Entry,Stock Entry,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ DocType: Payment Entry,Payment References,ಪಾವತಿ ಉಲ್ಲೇಖಗಳು @@ -3189,7 +3196,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ಉತ್ಪಾದನಾ ಕಾರ್ಯಗಳ ಅಲ್ಲಿ ನಿರ್ವಹಿಸುತ್ತಾರೆ. DocType: Asset Movement,Source Warehouse,ಮೂಲ ವೇರ್ಹೌಸ್ DocType: Installation Note,Installation Date,ಅನುಸ್ಥಾಪನ ದಿನಾಂಕ -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಕಂಪನಿಗೆ ಇಲ್ಲ ಸೇರುವುದಿಲ್ಲ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಕಂಪನಿಗೆ ಇಲ್ಲ ಸೇರುವುದಿಲ್ಲ {2} DocType: Employee,Confirmation Date,ದೃಢೀಕರಣ ದಿನಾಂಕ DocType: C-Form,Total Invoiced Amount,ಒಟ್ಟು ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,ಮಿನ್ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಮ್ಯಾಕ್ಸ್ ಪ್ರಮಾಣ ಸಾಧ್ಯವಿಲ್ಲ @@ -3264,7 +3271,7 @@ DocType: Company,Default Letter Head,ಪತ್ರ ಹೆಡ್ ಡೀಫಾ DocType: Purchase Order,Get Items from Open Material Requests,ಓಪನ್ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ರಿಂದ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು DocType: Item,Standard Selling Rate,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಮಾರಾಟ ದರ DocType: Account,Rate at which this tax is applied,ದರ ಈ ತೆರಿಗೆ ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ ನಲ್ಲಿ -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,ಪ್ರಸ್ತುತ ಉದ್ಯೋಗ ಅವಕಾಶಗಳನ್ನು DocType: Company,Stock Adjustment Account,ಸ್ಟಾಕ್ ಹೊಂದಾಣಿಕೆ ಖಾತೆ apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,ಆಫ್ ಬರೆಯಿರಿ @@ -3278,7 +3285,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,ಸರಬರಾಜುದಾರ ಗ್ರಾಹಕ ನೀಡುತ್ತದೆ apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ಫಾರ್ಮ್ / ಐಟಂ / {0}) ಷೇರುಗಳ ಔಟ್ apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,ಮುಂದಿನ ದಿನಾಂಕ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಹೆಚ್ಚು ಇರಬೇಕು -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},ಕಾರಣ / ಉಲ್ಲೇಖ ದಿನಾಂಕ ನಂತರ ಇರುವಂತಿಲ್ಲ {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},ಕಾರಣ / ಉಲ್ಲೇಖ ದಿನಾಂಕ ನಂತರ ಇರುವಂತಿಲ್ಲ {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ಡೇಟಾ ಆಮದು ಮತ್ತು ರಫ್ತು apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳು ಕಂಡುಬಂದಿಲ್ಲ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ಸರಕುಪಟ್ಟಿ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ @@ -3299,12 +3306,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ಈ ವಿದ್ಯಾರ್ಥಿ ಹಾಜರಾತಿ ಆಧರಿಸಿದೆ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳ ರಲ್ಲಿ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,ಹೆಚ್ಚಿನ ಐಟಂಗಳನ್ನು ಅಥವಾ ಮುಕ್ತ ಪೂರ್ಣ ರೂಪ ಸೇರಿಸಿ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',' ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ ' ನಮೂದಿಸಿ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ಡೆಲಿವರಿ ಟಿಪ್ಪಣಿಗಳು {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ಡೆಲಿವರಿ ಟಿಪ್ಪಣಿಗಳು {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ಪಾವತಿಸಿದ ಪ್ರಮಾಣದ + ಆಫ್ ಬರೆಯಿರಿ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ಐಟಂ ಮಾನ್ಯ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಅಲ್ಲ {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},ಗಮನಿಸಿ : ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,ಅಮಾನ್ಯವಾದ GSTIN ಅಥವಾ ನೋಂದಾಯಿಸದ ಫಾರ್ ಎನ್ಎ ನಮೂದಿಸಿ +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,ಅಮಾನ್ಯವಾದ GSTIN ಅಥವಾ ನೋಂದಾಯಿಸದ ಫಾರ್ ಎನ್ಎ ನಮೂದಿಸಿ DocType: Training Event,Seminar,ಸೆಮಿನಾರ್ DocType: Program Enrollment Fee,Program Enrollment Fee,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ ಶುಲ್ಕ DocType: Item,Supplier Items,ಪೂರೈಕೆದಾರ ಐಟಂಗಳು @@ -3322,7 +3328,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,ಸ್ಟಾಕ್ ಏಜಿಂಗ್ apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},ವಿದ್ಯಾರ್ಥಿ {0} ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,ವೇಳಾಚೀಟಿ -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ಓಪನ್ ಹೊಂದಿಸಿ DocType: Cheque Print Template,Scanned Cheque,ಸ್ಕ್ಯಾನ್ ಚೆಕ್ DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,ಸಲ್ಲಿಸಲಾಗುತ್ತಿದೆ ವ್ಯವಹಾರಗಳ ಮೇಲೆ ಸಂಪರ್ಕಗಳು ಸ್ವಯಂಚಾಲಿತ ಕಳುಹಿಸು. @@ -3369,7 +3375,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,ಬೆಲೆ ಪಟ್ಟಿ ವಿನಿಮಯ ದರ DocType: Purchase Invoice Item,Rate,ದರ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,ಆಂತರಿಕ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ವಿಳಾಸ ಹೆಸರು +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,ವಿಳಾಸ ಹೆಸರು DocType: Stock Entry,From BOM,BOM ಗೆ DocType: Assessment Code,Assessment Code,ಅಸೆಸ್ಮೆಂಟ್ ಕೋಡ್ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ಮೂಲಭೂತ @@ -3382,20 +3388,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,ಸಂಬಳ ರಚನೆ DocType: Account,Bank,ಬ್ಯಾಂಕ್ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ಏರ್ಲೈನ್ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,ಸಂಚಿಕೆ ಮೆಟೀರಿಯಲ್ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,ಸಂಚಿಕೆ ಮೆಟೀರಿಯಲ್ DocType: Material Request Item,For Warehouse,ಗೋದಾಮಿನ DocType: Employee,Offer Date,ಆಫರ್ ದಿನಾಂಕ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ಉಲ್ಲೇಖಗಳು -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,ಆಫ್ಲೈನ್ ಕ್ರಮದಲ್ಲಿ ಇವೆ. ನೀವು ಜಾಲಬಂಧ ತನಕ ರಿಲೋಡ್ ಸಾಧ್ಯವಾಗುವುದಿಲ್ಲ. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,ಆಫ್ಲೈನ್ ಕ್ರಮದಲ್ಲಿ ಇವೆ. ನೀವು ಜಾಲಬಂಧ ತನಕ ರಿಲೋಡ್ ಸಾಧ್ಯವಾಗುವುದಿಲ್ಲ. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳು ದಾಖಲಿಸಿದವರು. DocType: Purchase Invoice Item,Serial No,ಅನುಕ್ರಮ ಸಂಖ್ಯೆ apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,ಮಾಸಿಕ ಮರುಪಾವತಿಯ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,ಮೊದಲ Maintaince ವಿವರಗಳು ನಮೂದಿಸಿ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,ಸಾಲು # {0}: ನಿರೀಕ್ಷಿತ ವಿತರಣಾ ದಿನಾಂಕವು ಖರೀದಿ ಆದೇಶ ದಿನಾಂಕಕ್ಕಿಂತ ಮುಂಚಿತವಾಗಿರುವುದಿಲ್ಲ DocType: Purchase Invoice,Print Language,ಮುದ್ರಣ ಭಾಷಾ DocType: Salary Slip,Total Working Hours,ಒಟ್ಟು ವರ್ಕಿಂಗ್ ಅವರ್ಸ್ DocType: Stock Entry,Including items for sub assemblies,ಉಪ ಅಸೆಂಬ್ಲಿಗಳಿಗೆ ಐಟಂಗಳನ್ನು ಸೇರಿದಂತೆ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,ನಮೂದಿಸಿ ಮೌಲ್ಯವನ್ನು ಧನಾತ್ಮಕವಾಗಿರಬೇಕು -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗ್ರೂಪ್> ಬ್ರ್ಯಾಂಡ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,ನಮೂದಿಸಿ ಮೌಲ್ಯವನ್ನು ಧನಾತ್ಮಕವಾಗಿರಬೇಕು apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ಎಲ್ಲಾ ಪ್ರಾಂತ್ಯಗಳು DocType: Purchase Invoice,Items,ಐಟಂಗಳನ್ನು apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ವಿದ್ಯಾರ್ಥಿ ಈಗಾಗಲೇ ದಾಖಲಿಸಲಾಗಿದೆ. @@ -3418,7 +3424,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ಭಿನ್ನ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ '{0}' ಟೆಂಪ್ಲೇಟು ಅದೇ ಇರಬೇಕು '{1}' DocType: Shipping Rule,Calculate Based On,ಆಧರಿಸಿದ ಲೆಕ್ಕ DocType: Delivery Note Item,From Warehouse,ಗೋದಾಮಿನ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಯಾವುದೇ ವಸ್ತುಗಳು ತಯಾರಿಸಲು +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಯಾವುದೇ ವಸ್ತುಗಳು ತಯಾರಿಸಲು DocType: Assessment Plan,Supervisor Name,ಮೇಲ್ವಿಚಾರಕ ಹೆಸರು DocType: Program Enrollment Course,Program Enrollment Course,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ದಾಖಲಾತಿ ಕೋರ್ಸ್ DocType: Program Enrollment Course,Program Enrollment Course,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ದಾಖಲಾತಿ ಕೋರ್ಸ್ @@ -3434,23 +3440,23 @@ DocType: Training Event Employee,Attended,ಹಾಜರಿದ್ದರು apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,' ಕೊನೆಯ ಆರ್ಡರ್ ರಿಂದ ಡೇಸ್ ' ಹೆಚ್ಚು ಅಥವಾ ಶೂನ್ಯಕ್ಕೆ ಸಮಾನವಾಗಿರುತ್ತದೆ ಇರಬೇಕು DocType: Process Payroll,Payroll Frequency,ವೇತನದಾರರ ಆವರ್ತನ DocType: Asset,Amended From,ಗೆ ತಿದ್ದುಪಡಿ -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,ಮೂಲಸಾಮಗ್ರಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,ಮೂಲಸಾಮಗ್ರಿ DocType: Leave Application,Follow via Email,ಇಮೇಲ್ ಮೂಲಕ ಅನುಸರಿಸಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,ಸಸ್ಯಗಳು ಮತ್ತು ಯಂತ್ರೋಪಕರಣಗಳಲ್ಲಿ DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ಡಿಸ್ಕೌಂಟ್ ಪ್ರಮಾಣ ನಂತರ ತೆರಿಗೆ ಪ್ರಮಾಣ DocType: Daily Work Summary Settings,Daily Work Summary Settings,ದೈನಂದಿನ ಕೆಲಸ ಸಾರಾಂಶ ಸೆಟ್ಟಿಂಗ್ಗಳು -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},ಬೆಲೆ ಪಟ್ಟಿ {0} ಕರೆನ್ಸಿ ಆಯ್ಕೆ ಕರೆನ್ಸಿಗೆ ಹೋಲುವ ಅಲ್ಲ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},ಬೆಲೆ ಪಟ್ಟಿ {0} ಕರೆನ್ಸಿ ಆಯ್ಕೆ ಕರೆನ್ಸಿಗೆ ಹೋಲುವ ಅಲ್ಲ {1} DocType: Payment Entry,Internal Transfer,ಆಂತರಿಕ ಟ್ರಾನ್ಸ್ಫರ್ apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,ಮಗುವಿನ ಖಾತೆಗೆ ಈ ಖಾತೆಗಾಗಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ . ನೀವು ಈ ಖಾತೆಯನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ . apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ಗುರಿ ಪ್ರಮಾಣ ಅಥವಾ ಗುರಿ ಪ್ರಮಾಣವನ್ನು ಒಂದೋ ಕಡ್ಡಾಯ apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},ಯಾವುದೇ ಡೀಫಾಲ್ಟ್ BOM ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,ಮೊದಲ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಆಯ್ಕೆಮಾಡಿ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,ಮೊದಲ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,ದಿನಾಂಕ ತೆರೆಯುವ ದಿನಾಂಕ ಮುಚ್ಚುವ ಮೊದಲು ಇರಬೇಕು DocType: Leave Control Panel,Carry Forward,ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವ್ಯವಹಾರಗಳು ವೆಚ್ಚ ಸೆಂಟರ್ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ DocType: Department,Days for which Holidays are blocked for this department.,ಯಾವ ರಜಾದಿನಗಳಲ್ಲಿ ಡೇಸ್ ಈ ಇಲಾಖೆಗೆ ನಿರ್ಬಂಧಿಸಲಾಗುತ್ತದೆ. ,Produced,ನಿರ್ಮಾಣ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,ರಚಿಸಲಾಗಿದೆ ಸಂಬಳ ತುಂಡಿನಲ್ಲಿ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,ರಚಿಸಲಾಗಿದೆ ಸಂಬಳ ತುಂಡಿನಲ್ಲಿ DocType: Item,Item Code for Suppliers,ಪೂರೈಕೆದಾರರು ಐಟಂ ಕೋಡ್ DocType: Issue,Raised By (Email),( ಇಮೇಲ್ ) ಬೆಳೆಸಿದರು DocType: Training Event,Trainer Name,ತರಬೇತುದಾರ ಹೆಸರು @@ -3458,9 +3464,10 @@ DocType: Mode of Payment,General,ಜನರಲ್ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ಕೊನೆಯ ಸಂವಹನ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ಕೊನೆಯ ಸಂವಹನ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ವರ್ಗದಲ್ಲಿ ' ಮೌಲ್ಯಾಂಕನ ' ಅಥವಾ ' ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು ' ಫಾರ್ ಯಾವಾಗ ಕಡಿತಗೊಳಿಸದಿರುವುದರ ಸಾಧ್ಯವಿಲ್ಲ -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ನಿಮ್ಮ ತೆರಿಗೆ ತಲೆ ಪಟ್ಟಿ (ಉದಾ ವ್ಯಾಟ್ ಕಸ್ಟಮ್ಸ್ ಇತ್ಯಾದಿ; ಅವರು ಅನನ್ಯ ಹೆಸರುಗಳು ಇರಬೇಕು) ಮತ್ತು ತಮ್ಮ ಗುಣಮಟ್ಟದ ದರಗಳು. ನೀವು ಸಂಪಾದಿಸಲು ಮತ್ತು ಹೆಚ್ಚು ನಂತರ ಸೇರಿಸಬಹುದು ಇದರಲ್ಲಿ ಮಾದರಿಯಲ್ಲಿ, ರಚಿಸುತ್ತದೆ." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ನಿಮ್ಮ ತೆರಿಗೆ ತಲೆ ಪಟ್ಟಿ (ಉದಾ ವ್ಯಾಟ್ ಕಸ್ಟಮ್ಸ್ ಇತ್ಯಾದಿ; ಅವರು ಅನನ್ಯ ಹೆಸರುಗಳು ಇರಬೇಕು) ಮತ್ತು ತಮ್ಮ ಗುಣಮಟ್ಟದ ದರಗಳು. ನೀವು ಸಂಪಾದಿಸಲು ಮತ್ತು ಹೆಚ್ಚು ನಂತರ ಸೇರಿಸಬಹುದು ಇದರಲ್ಲಿ ಮಾದರಿಯಲ್ಲಿ, ರಚಿಸುತ್ತದೆ." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಸೀರಿಯಲ್ ಸೂಲ ಅಗತ್ಯವಿದೆ {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ಇನ್ವಾಯ್ಸ್ಗಳು ಜೊತೆ ಪಾವತಿಗಳು ಹೊಂದಿಕೆ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},ಸಾಲು # {0}: ಐಟಂ ವಿರುದ್ಧ ಡೆಲಿವರಿ ದಿನಾಂಕವನ್ನು ನಮೂದಿಸಿ {1} DocType: Journal Entry,Bank Entry,ಬ್ಯಾಂಕ್ ಎಂಟ್ರಿ DocType: Authorization Rule,Applicable To (Designation),ಅನ್ವಯವಾಗುತ್ತದೆ ( ಹುದ್ದೆ ) ,Profitability Analysis,ಲಾಭದಾಯಕತೆಯು ವಿಶ್ಲೇಷಣೆ @@ -3476,17 +3483,18 @@ DocType: Quality Inspection,Item Serial No,ಐಟಂ ಅನುಕ್ರಮ ಸ apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ನೌಕರರ ದಾಖಲೆಗಳು ರಚಿಸಿ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,ಒಟ್ಟು ಪ್ರೆಸೆಂಟ್ apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,ಲೆಕ್ಕಪರಿಶೋಧಕ ಹೇಳಿಕೆಗಳು -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,ಗಂಟೆ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,ಗಂಟೆ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ಹೊಸ ಸೀರಿಯಲ್ ನಂ ಗೋದಾಮಿನ ಸಾಧ್ಯವಿಲ್ಲ . ವೇರ್ಹೌಸ್ ಷೇರು ಖರೀದಿ ರಸೀತಿ ಎಂಟ್ರಿ ಅಥವಾ ಸೆಟ್ ಮಾಡಬೇಕು DocType: Lead,Lead Type,ಲೀಡ್ ಪ್ರಕಾರ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,ನೀವು ಬ್ಲಾಕ್ ದಿನಾಂಕ ಎಲೆಗಳು ಅನುಮೋದಿಸಲು ನಿನಗೆ ಅಧಿಕಾರವಿಲ್ಲ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,ಈ ಎಲ್ಲಾ ವಸ್ತುಗಳನ್ನು ಈಗಾಗಲೇ ಸರಕುಪಟ್ಟಿ ಮಾಡಲಾಗಿದೆ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,ಈ ಎಲ್ಲಾ ವಸ್ತುಗಳನ್ನು ಈಗಾಗಲೇ ಸರಕುಪಟ್ಟಿ ಮಾಡಲಾಗಿದೆ +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,ಮಾಸಿಕ ಮಾರಾಟದ ಗುರಿ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} ಅನುಮೋದನೆ ಮಾಡಬಹುದು DocType: Item,Default Material Request Type,ಡೀಫಾಲ್ಟ್ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಪ್ರಕಾರ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,ಅಜ್ಞಾತ DocType: Shipping Rule,Shipping Rule Conditions,ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ನಿಯಮಗಳು DocType: BOM Replace Tool,The new BOM after replacement,ಬದಲಿ ನಂತರ ಹೊಸ BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,ಪಾಯಿಂಟ್ ಆಫ್ ಸೇಲ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,ಪಾಯಿಂಟ್ ಆಫ್ ಸೇಲ್ DocType: Payment Entry,Received Amount,ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ DocType: GST Settings,GSTIN Email Sent On,GSTIN ಇಮೇಲ್ ಕಳುಹಿಸಲಾಗಿದೆ DocType: Program Enrollment,Pick/Drop by Guardian,ಗಾರ್ಡಿಯನ್ / ಡ್ರಾಪ್ ಆರಿಸಿ @@ -3503,8 +3511,8 @@ DocType: Batch,Source Document Name,ಮೂಲ ಡಾಕ್ಯುಮೆಂಟ್ DocType: Batch,Source Document Name,ಮೂಲ ಡಾಕ್ಯುಮೆಂಟ್ ಹೆಸರು DocType: Job Opening,Job Title,ಕೆಲಸದ ಶೀರ್ಷಿಕೆ apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ಬಳಕೆದಾರರು ರಚಿಸಿ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,ಗ್ರಾಮ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,ತಯಾರಿಸಲು ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,ಗ್ರಾಮ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,ತಯಾರಿಸಲು ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,ನಿರ್ವಹಣೆ ಕಾಲ್ ವರದಿ ಭೇಟಿ . DocType: Stock Entry,Update Rate and Availability,ಅಪ್ಡೇಟ್ ದರ ಮತ್ತು ಲಭ್ಯತೆ DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ನೀವು ಪ್ರಮಾಣ ವಿರುದ್ಧ ಹೆಚ್ಚು ಸ್ವೀಕರಿಸಲು ಅಥವಾ ತಲುಪಿಸಲು ಅವಕಾಶ ಶೇಕಡಾವಾರು ಆದೇಶ . ಉದಾಹರಣೆಗೆ : ನೀವು 100 ಘಟಕಗಳು ಆದೇಶ ಇದ್ದರೆ . ನಿಮ್ಮ ಸೇವನೆ ನೀವು 110 ಘಟಕಗಳು ಸ್ವೀಕರಿಸಲು 10% ಅವಕಾಶವಿರುತ್ತದೆ ಇದೆ . @@ -3517,7 +3525,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ರದ್ದು ಮೊದಲು apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","ಇಮೇಲ್ ವಿಳಾಸ, ಅನನ್ಯ ಇರಬೇಕು ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}" DocType: Serial No,AMC Expiry Date,ಎಎಂಸಿ ಅಂತ್ಯ ದಿನಾಂಕ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,ರಸೀತಿ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,ರಸೀತಿ ,Sales Register,ಮಾರಾಟದ ರಿಜಿಸ್ಟರ್ DocType: Daily Work Summary Settings Company,Send Emails At,ನಲ್ಲಿ ಇಮೇಲ್ಗಳನ್ನು ಕಳುಹಿಸಿ DocType: Quotation,Quotation Lost Reason,ನುಡಿಮುತ್ತುಗಳು ಲಾಸ್ಟ್ ಕಾರಣ @@ -3530,14 +3538,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,ಇನ್ನ apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,ಕ್ಯಾಶ್ ಫ್ಲೋ ಹೇಳಿಕೆ apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ಸಾಲದ ಪ್ರಮಾಣ ಗರಿಷ್ಠ ಸಾಲದ ಪ್ರಮಾಣ ಮೀರುವಂತಿಲ್ಲ {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ಪರವಾನಗಿ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},ಸಿ ಫಾರ್ಮ್ ಈ ಸರಕುಪಟ್ಟಿ {0} ತೆಗೆದುಹಾಕಿ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},ಸಿ ಫಾರ್ಮ್ ಈ ಸರಕುಪಟ್ಟಿ {0} ತೆಗೆದುಹಾಕಿ {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,ನೀವು ಆದ್ದರಿಂದ ಈ ಹಿಂದಿನ ಆರ್ಥಿಕ ವರ್ಷದ ಬಾಕಿ ಈ ಆರ್ಥಿಕ ವರ್ಷ ಬಿಟ್ಟು ಸೇರಿವೆ ಬಯಸಿದರೆ ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ ಆಯ್ಕೆ ಮಾಡಿ DocType: GL Entry,Against Voucher Type,ಚೀಟಿ ಕೌಟುಂಬಿಕತೆ ವಿರುದ್ಧ DocType: Item,Attributes,ಗುಣಲಕ್ಷಣಗಳು apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ ನಮೂದಿಸಿ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,ಕೊನೆಯ ಆದೇಶ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},ಖಾತೆ {0} ಮಾಡುತ್ತದೆ ಕಂಪನಿ ಸೇರಿದೆ ಅಲ್ಲ {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,ಸಾಲು {0} ಸರಣಿ ಸಂಖ್ಯೆಗಳು ಡೆಲಿವರಿ ಗಮನಿಸಿ ಹೊಂದುವುದಿಲ್ಲ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,ಸಾಲು {0} ಸರಣಿ ಸಂಖ್ಯೆಗಳು ಡೆಲಿವರಿ ಗಮನಿಸಿ ಹೊಂದುವುದಿಲ್ಲ DocType: Student,Guardian Details,ಗಾರ್ಡಿಯನ್ ವಿವರಗಳು DocType: C-Form,C-Form,ಸಿ ಆಕಾರ apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,ಅನೇಕ ನೌಕರರು ಮಾರ್ಕ್ ಅಟೆಂಡೆನ್ಸ್ @@ -3569,16 +3577,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,ಮಾರಾಟದ DocType: Stock Entry Detail,Basic Amount,ಬೇಸಿಕ್ ಪ್ರಮಾಣ DocType: Training Event,Exam,ಪರೀಕ್ಷೆ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0} DocType: Leave Allocation,Unused leaves,ಬಳಕೆಯಾಗದ ಎಲೆಗಳು -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,ಕೋಟಿ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,ಕೋಟಿ DocType: Tax Rule,Billing State,ಬಿಲ್ಲಿಂಗ್ ರಾಜ್ಯ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ವರ್ಗಾವಣೆ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ಪಕ್ಷದ ಖಾತೆಗೆ ಸಂಬಂಧಿಸಿದ ಇಲ್ಲ {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),( ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಸೇರಿದಂತೆ ) ಸ್ಫೋಟಿಸಿತು BOM ಪಡೆದುಕೊಳ್ಳಿ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),( ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಸೇರಿದಂತೆ ) ಸ್ಫೋಟಿಸಿತು BOM ಪಡೆದುಕೊಳ್ಳಿ DocType: Authorization Rule,Applicable To (Employee),ಅನ್ವಯವಾಗುತ್ತದೆ ( ಉದ್ಯೋಗಗಳು) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,ಕಾರಣ ದಿನಾಂಕ ಕಡ್ಡಾಯ apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,ಗುಣಲಕ್ಷಣ ಹೆಚ್ಚಳವನ್ನು {0} 0 ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕರ ಗುಂಪು> ಪ್ರದೇಶ DocType: Journal Entry,Pay To / Recd From,Recd ಗೆ / ಕಟ್ಟುವುದನ್ನು DocType: Naming Series,Setup Series,ಸೆಟಪ್ ಸರಣಿ DocType: Payment Reconciliation,To Invoice Date,ದಿನಾಂಕ ಸರಕುಪಟ್ಟಿ @@ -3605,7 +3614,7 @@ DocType: Journal Entry,Write Off Based On,ಆಧರಿಸಿದ ಆಫ್ ಬರ apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ಲೀಡ್ ಮಾಡಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,ಮುದ್ರಣ ಮತ್ತು ಲೇಖನ ಸಾಮಗ್ರಿ DocType: Stock Settings,Show Barcode Field,ಶೋ ಬಾರ್ಕೋಡ್ ಫೀಲ್ಡ್ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,ಸರಬರಾಜುದಾರ ಇಮೇಲ್ಗಳನ್ನು ಕಳುಹಿಸಿ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,ಸರಬರಾಜುದಾರ ಇಮೇಲ್ಗಳನ್ನು ಕಳುಹಿಸಿ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ಸಂಬಳ ಈಗಾಗಲೇ ನಡುವೆ {0} ಮತ್ತು {1}, ಬಿಡಿ ಅಪ್ಲಿಕೇಶನ್ ಅವಧಿಯಲ್ಲಿ ಈ ದಿನಾಂಕ ಶ್ರೇಣಿ ನಡುವೆ ಸಾಧ್ಯವಿಲ್ಲ ಕಾಲ ಸಂಸ್ಕರಿಸಿದ." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,ಒಂದು ನೆಯ ಅನುಸ್ಥಾಪನೆ ದಾಖಲೆ . DocType: Guardian Interest,Guardian Interest,ಗಾರ್ಡಿಯನ್ ಬಡ್ಡಿ @@ -3619,7 +3628,7 @@ DocType: Offer Letter,Awaiting Response,ಪ್ರತಿಕ್ರಿಯೆ ಕಾ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ಮೇಲೆ apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},ಅಮಾನ್ಯ ಗುಣಲಕ್ಷಣ {0} {1} DocType: Supplier,Mention if non-standard payable account,ಹೇಳಿರಿ ಅಲ್ಲದ ಪ್ರಮಾಣಿತ ಪಾವತಿಸಬೇಕು ಖಾತೆಯನ್ನು ವೇಳೆ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ಒಂದೇ ಐಟಂ ಅನ್ನು ಹಲವಾರು ಬಾರಿ ನಮೂದಿಸಲಾದ. {ಪಟ್ಟಿ} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},ಒಂದೇ ಐಟಂ ಅನ್ನು ಹಲವಾರು ಬಾರಿ ನಮೂದಿಸಲಾದ. {ಪಟ್ಟಿ} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',ದಯವಿಟ್ಟು 'ಎಲ್ಲಾ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪುಗಳು' ಬೇರೆ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪು ಆಯ್ಕೆ DocType: Salary Slip,Earning & Deduction,ದುಡಿಯುತ್ತಿದ್ದ & ಡಿಡಕ್ಷನ್ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ಐಚ್ಛಿಕ . ಈ ಸೆಟ್ಟಿಂಗ್ ವಿವಿಧ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಫಿಲ್ಟರ್ ಬಳಸಲಾಗುತ್ತದೆ. @@ -3638,7 +3647,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,ಕೈಬಿಟ್ಟಿತು ಆಸ್ತಿ ವೆಚ್ಚ apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ವೆಚ್ಚ ಸೆಂಟರ್ ಐಟಂ ಕಡ್ಡಾಯ {2} DocType: Vehicle,Policy No,ನೀತಿ ಇಲ್ಲ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,ಉತ್ಪನ್ನ ಬಂಡಲ್ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,ಉತ್ಪನ್ನ ಬಂಡಲ್ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು DocType: Asset,Straight Line,ಸರಳ ರೇಖೆ DocType: Project User,Project User,ಪ್ರಾಜೆಕ್ಟ್ ಬಳಕೆದಾರ apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,ಒಡೆದ @@ -3653,6 +3662,7 @@ DocType: Bank Reconciliation,Payment Entries,ಪಾವತಿ ನಮೂದುಗ DocType: Production Order,Scrap Warehouse,ಸ್ಕ್ರ್ಯಾಪ್ ವೇರ್ಹೌಸ್ DocType: Production Order,Check if material transfer entry is not required,ವಸ್ತು ವರ್ಗಾವಣೆ ಪ್ರವೇಶ ವೇಳೆ ಅಗತ್ಯವಿಲ್ಲ ಪರಿಶೀಲಿಸಿ DocType: Production Order,Check if material transfer entry is not required,ವಸ್ತು ವರ್ಗಾವಣೆ ಪ್ರವೇಶ ವೇಳೆ ಅಗತ್ಯವಿಲ್ಲ ಪರಿಶೀಲಿಸಿ +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಉದ್ಯೋಗಿ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಸಿದ್ಧಗೊಳಿಸಿ DocType: Program Enrollment Tool,Get Students From,ವಿದ್ಯಾರ್ಥಿಗಳನ್ನು ಪಡೆಯಿರಿ DocType: Hub Settings,Seller Country,ಮಾರಾಟಗಾರ ಕಂಟ್ರಿ apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಐಟಂಗಳನ್ನು ಪ್ರಕಟಿಸಿ @@ -3671,19 +3681,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,ಉ DocType: Shipping Rule,Specify conditions to calculate shipping amount,ಹಡಗು ಪ್ರಮಾಣವನ್ನು ಲೆಕ್ಕ ಪರಿಸ್ಥಿತಿಗಳು ಸೂಚಿಸಿ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ಪಾತ್ರವನ್ನು ಘನೀಕೃತ ಖಾತೆಗಳು & ಸಂಪಾದಿಸಿ ಘನೀಕೃತ ನಮೂದುಗಳು ಹೊಂದಿಸಲು ಅನುಮತಿಸಲಾದ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,ಆಲ್ಡ್ವಿಚ್ childNodes ಲೆಡ್ಜರ್ ಒಂದು ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಪರಿವರ್ತಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ಆರಂಭಿಕ ಮೌಲ್ಯ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,ಆರಂಭಿಕ ಮೌಲ್ಯ DocType: Salary Detail,Formula,ಸೂತ್ರ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,ಸರಣಿ # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,ಮಾರಾಟದ ಮೇಲೆ ಕಮಿಷನ್ DocType: Offer Letter Term,Value / Description,ಮೌಲ್ಯ / ವಿವರಣೆ -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ರೋ # {0}: ಆಸ್ತಿ {1} ಮಾಡಬಹುದು ಸಲ್ಲಿಸಲಾಗುತ್ತದೆ, ಇದು ಈಗಾಗಲೇ {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ರೋ # {0}: ಆಸ್ತಿ {1} ಮಾಡಬಹುದು ಸಲ್ಲಿಸಲಾಗುತ್ತದೆ, ಇದು ಈಗಾಗಲೇ {2}" DocType: Tax Rule,Billing Country,ಬಿಲ್ಲಿಂಗ್ ಕಂಟ್ರಿ DocType: Purchase Order Item,Expected Delivery Date,ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ಡೆಬಿಟ್ ಮತ್ತು ಕ್ರೆಡಿಟ್ {0} # ಸಮಾನ ಅಲ್ಲ {1}. ವ್ಯತ್ಯಾಸ {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,ಮನೋರಂಜನೆ ವೆಚ್ಚಗಳು apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಮಾಡಿ apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ಓಪನ್ ಐಟಂ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ವಯಸ್ಸು DocType: Sales Invoice Timesheet,Billing Amount,ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ಐಟಂ ನಿಗದಿತ ಅಮಾನ್ಯ ಪ್ರಮಾಣ {0} . ಪ್ರಮಾಣ 0 ಹೆಚ್ಚಿರಬೇಕು @@ -3706,7 +3716,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,ಹೊಸ ಗ್ರಾಹಕ ಕಂದಾಯ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ಪ್ರಯಾಣ ವೆಚ್ಚ DocType: Maintenance Visit,Breakdown,ಅನಾರೋಗ್ಯದಿಂದ ಕುಸಿತ -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ಖಾತೆ: {0} ಕರೆನ್ಸಿಗೆ: {1} ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,ಖಾತೆ: {0} ಕರೆನ್ಸಿಗೆ: {1} ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ DocType: Bank Reconciliation Detail,Cheque Date,ಚೆಕ್ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ: {2} DocType: Program Enrollment Tool,Student Applicants,ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರು @@ -3726,11 +3736,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ಯೆ DocType: Material Request,Issued,ಬಿಡುಗಡೆ apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,ವಿದ್ಯಾರ್ಥಿ ಚಟುವಟಿಕೆ DocType: Project,Total Billing Amount (via Time Logs),ಒಟ್ಟು ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ (ಸಮಯ ದಾಖಲೆಗಳು ಮೂಲಕ) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,ನಾವು ಈ ಐಟಂ ಮಾರಾಟ +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,ನಾವು ಈ ಐಟಂ ಮಾರಾಟ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ಪೂರೈಕೆದಾರ ಐಡಿ DocType: Payment Request,Payment Gateway Details,ಪೇಮೆಂಟ್ ಗೇಟ್ ವೇ ವಿವರಗಳು -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,ಮಾದರಿ ಡೇಟಾ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,ಮಾದರಿ ಡೇಟಾ DocType: Journal Entry,Cash Entry,ನಗದು ಎಂಟ್ರಿ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಮಾತ್ರ 'ಗುಂಪು' ರೀತಿಯ ಗ್ರಂಥಿಗಳು ಅಡಿಯಲ್ಲಿ ರಚಿಸಬಹುದಾಗಿದೆ DocType: Leave Application,Half Day Date,ಅರ್ಧ ದಿನ ದಿನಾಂಕ @@ -3739,17 +3749,18 @@ DocType: Sales Partner,Contact Desc,ಸಂಪರ್ಕಿಸಿ DESC apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","ಪ್ರಾಸಂಗಿಕ , ಅನಾರೋಗ್ಯ , ಇತ್ಯಾದಿ ಎಲೆಗಳ ಪ್ರಕಾರ" DocType: Email Digest,Send regular summary reports via Email.,ಇಮೇಲ್ ಮೂಲಕ ಸಾಮಾನ್ಯ ಸಾರಾಂಶ ವರದಿ ಕಳುಹಿಸಿ. DocType: Payment Entry,PE-,ಪೆ- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},ದಯವಿಟ್ಟು ಖರ್ಚು ಹಕ್ಕು ಪ್ರಕಾರ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸೆಟ್ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},ದಯವಿಟ್ಟು ಖರ್ಚು ಹಕ್ಕು ಪ್ರಕಾರ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸೆಟ್ {0} DocType: Assessment Result,Student Name,ವಿದ್ಯಾರ್ಥಿಯ ಹೆಸರು DocType: Brand,Item Manager,ಐಟಂ ಮ್ಯಾನೇಜರ್ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು DocType: Buying Settings,Default Supplier Type,ಡೀಫಾಲ್ಟ್ ಸರಬರಾಜುದಾರ ಪ್ರಕಾರ DocType: Production Order,Total Operating Cost,ಒಟ್ಟು ವೆಚ್ಚವನ್ನು -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,ರೇಟಿಂಗ್ : ಐಟಂ {0} ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಿತು +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,ರೇಟಿಂಗ್ : ಐಟಂ {0} ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಿತು apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ಎಲ್ಲಾ ಸಂಪರ್ಕಗಳು . +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,ನಿಮ್ಮ ಟಾರ್ಗೆಟ್ ಅನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,ಕಂಪನಿ ಸಂಕ್ಷೇಪಣ apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ಬಳಕೆದಾರ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,ಕಚ್ಚಾ ವಸ್ತು ಮುಖ್ಯ ಐಟಂ ಅದೇ ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,ಕಚ್ಚಾ ವಸ್ತು ಮುಖ್ಯ ಐಟಂ ಅದೇ ಸಾಧ್ಯವಿಲ್ಲ DocType: Item Attribute Value,Abbreviation,ಸಂಕ್ಷೇಪಣ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ಪಾವತಿ ಎಂಟ್ರಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ಮಿತಿಗಳನ್ನು ಮೀರಿದೆ ರಿಂದ authroized ಮಾಡಿರುವುದಿಲ್ಲ @@ -3767,7 +3778,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,ಪಾತ್ರ ಹೆ ,Territory Target Variance Item Group-Wise,ಪ್ರದೇಶ ಟಾರ್ಗೆಟ್ ವೈಷಮ್ಯವನ್ನು ಐಟಂ ಗ್ರೂಪ್ ವೈಸ್ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ಎಲ್ಲಾ ಗ್ರಾಹಕ ಗುಂಪುಗಳು apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,ಕ್ರೋಢಿಕೃತ ಮಾಸಿಕ -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ {2} ಗೆ {1} ದಾಖಲಿಸಿದವರು ಇದೆ. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ {2} ಗೆ {1} ದಾಖಲಿಸಿದವರು ಇದೆ. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು ಕಡ್ಡಾಯವಾಗಿದೆ. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Purchase Invoice Item,Price List Rate (Company Currency),ಬೆಲೆ ಪಟ್ಟಿ ದರ ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) @@ -3778,7 +3789,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,ಶೇಕಡ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,ಕಾರ್ಯದರ್ಶಿ DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದಲ್ಲಿ, ಕ್ಷೇತ್ರದಲ್ಲಿ ವರ್ಡ್ಸ್ 'ಯಾವುದೇ ವ್ಯವಹಾರದಲ್ಲಿ ಗೋಚರಿಸುವುದಿಲ್ಲ" DocType: Serial No,Distinct unit of an Item,ಐಟಂ ವಿಶಿಷ್ಟ ಘಟಕವಾಗಿದೆ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,ಕಂಪನಿ ದಯವಿಟ್ಟು +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,ಕಂಪನಿ ದಯವಿಟ್ಟು DocType: Pricing Rule,Buying,ಖರೀದಿ DocType: HR Settings,Employee Records to be created by,ನೌಕರರ ದಾಖಲೆಗಳು ದಾಖಲಿಸಿದವರು DocType: POS Profile,Apply Discount On,ರಿಯಾಯತಿ ಅನ್ವಯಿಸು @@ -3789,7 +3800,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ಐಟಂ ವೈಸ್ ತೆರಿಗೆ ವಿವರ apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ಸಂಕ್ಷೇಪಣ ,Item-wise Price List Rate,ಐಟಂ ಬಲ್ಲ ಬೆಲೆ ಪಟ್ಟಿ ದರ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,ಸರಬರಾಜುದಾರ ನುಡಿಮುತ್ತುಗಳು +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,ಸರಬರಾಜುದಾರ ನುಡಿಮುತ್ತುಗಳು DocType: Quotation,In Words will be visible once you save the Quotation.,ನೀವು ಉದ್ಧರಣ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ಪ್ರಮಾಣ ({0}) ಸತತವಾಗಿ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ಪ್ರಮಾಣ ({0}) ಸತತವಾಗಿ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ {1} @@ -3814,7 +3825,7 @@ Updated via 'Time Log'","ನಿಮಿಷಗಳಲ್ಲಿ DocType: Customer,From Lead,ಮುಂಚೂಣಿಯಲ್ಲಿವೆ apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ಉತ್ಪಾದನೆಗೆ ಬಿಡುಗಡೆ ಆರ್ಡರ್ಸ್ . apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ಹಣಕಾಸಿನ ವರ್ಷ ಆಯ್ಕೆ ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಪಿಓಎಸ್ ಎಂಟ್ರಿ ಮಾಡಲು ಅಗತ್ಯವಿದೆ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಪಿಓಎಸ್ ಎಂಟ್ರಿ ಮಾಡಲು ಅಗತ್ಯವಿದೆ DocType: Program Enrollment Tool,Enroll Students,ವಿದ್ಯಾರ್ಥಿಗಳು ದಾಖಲು DocType: Hub Settings,Name Token,ಹೆಸರು ಟೋಕನ್ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ವಿಕ್ರಯ @@ -3832,7 +3843,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,ಸ್ಟಾಕ್ ಮೌಲ apps/erpnext/erpnext/config/learn.py +234,Human Resource,ಮಾನವ ಸಂಪನ್ಮೂಲ DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ಪಾವತಿ ರಾಜಿ ಪಾವತಿಗೆ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ತೆರಿಗೆ ಸ್ವತ್ತುಗಳು -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಬಂದಿದೆ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಬಂದಿದೆ {0} DocType: BOM Item,BOM No,ಯಾವುದೇ BOM DocType: Instructor,INS/,ಐಎನ್ಎಸ್ / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ಜರ್ನಲ್ ಎಂಟ್ರಿ {0} {1} ಅಥವಾ ಈಗಾಗಲೇ ಇತರ ಚೀಟಿ ವಿರುದ್ಧ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ ಖಾತೆಯನ್ನು ಹೊಂದಿಲ್ಲ @@ -3846,7 +3857,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,ಒಂ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ಅತ್ಯುತ್ತಮ ಆಮ್ಟ್ DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ಸೆಟ್ ಗುರಿಗಳನ್ನು ಐಟಂ ಗುಂಪು ಬಲ್ಲ ಈ ಮಾರಾಟ ವ್ಯಕ್ತಿಗೆ . DocType: Stock Settings,Freeze Stocks Older Than [Days],ಫ್ರೀಜ್ ಸ್ಟಾಕ್ಗಳು ಹಳೆಯದಾಗಿರುವ [ ಡೇಸ್ ] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ರೋ # {0}: ಆಸ್ತಿ ಸ್ಥಿರ ಆಸ್ತಿ ಖರೀದಿ / ಮಾರಾಟ ಕಡ್ಡಾಯ +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ರೋ # {0}: ಆಸ್ತಿ ಸ್ಥಿರ ಆಸ್ತಿ ಖರೀದಿ / ಮಾರಾಟ ಕಡ್ಡಾಯ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","ಎರಡು ಅಥವಾ ಹೆಚ್ಚು ಬೆಲೆ ನಿಯಮಗಳು ಮೇಲೆ ಆಧರಿಸಿ ಕಂಡುಬರದಿದ್ದಲ್ಲಿ, ಆದ್ಯತಾ ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ. ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯವನ್ನು ಶೂನ್ಯ (ಖಾಲಿ) ಹಾಗೆಯೇ ಆದ್ಯತಾ 20 0 ನಡುವೆ ಸಂಖ್ಯೆ. ಹೆಚ್ಚಿನ ಸಂಖ್ಯೆ ಅದೇ ಪರಿಸ್ಥಿತಿಗಳು ಅನೇಕ ಬೆಲೆ ನಿಯಮಗಳು ಇವೆ ಅದು ಪ್ರಾಧಾನ್ಯತೆಯನ್ನು ತೆಗೆದುಕೊಳ್ಳುತ್ತದೆ ಅರ್ಥ." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ಹಣಕಾಸಿನ ವರ್ಷ: {0} ಮಾಡುವುದಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ DocType: Currency Exchange,To Currency,ಕರೆನ್ಸಿ @@ -3855,7 +3866,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,ಖರ್ಚು apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ಅದರ {1} ಐಟಂ ಪ್ರಮಾಣ ಮಾರಾಟ {0} ಕಡಿಮೆಯಿದೆ. ಮಾರಾಟ ದರವನ್ನು ಇರಬೇಕು ಕನಿಷ್ಠ {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ಅದರ {1} ಐಟಂ ಪ್ರಮಾಣ ಮಾರಾಟ {0} ಕಡಿಮೆಯಿದೆ. ಮಾರಾಟ ದರವನ್ನು ಇರಬೇಕು ಕನಿಷ್ಠ {2} DocType: Item,Taxes,ತೆರಿಗೆಗಳು -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,ಹಣ ಮತ್ತು ವಿತರಣೆ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,ಹಣ ಮತ್ತು ವಿತರಣೆ DocType: Project,Default Cost Center,ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚ ಸೆಂಟರ್ DocType: Bank Guarantee,End Date,ಅಂತಿಮ ದಿನಾಂಕ apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ @@ -3872,7 +3883,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,ದೈನಂದಿನ ಕೆಲಸ ಸಾರಾಂಶ ಸೆಟ್ಟಿಂಗ್ಗಳು ಕಂಪನಿ apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,ಇದು ಒಂದು ಸ್ಟಾಕ್ ಐಟಂ ಕಾರಣ ಐಟಂ {0} ಕಡೆಗಣಿಸಲಾಗುತ್ತದೆ DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,ಮತ್ತಷ್ಟು ಪ್ರಕ್ರಿಯೆಗೆ ಈ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಸಲ್ಲಿಸಿ . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,ಮತ್ತಷ್ಟು ಪ್ರಕ್ರಿಯೆಗೆ ಈ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಸಲ್ಲಿಸಿ . apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ಒಂದು ನಿರ್ಧಿಷ್ಟ ವ್ಯವಹಾರಕ್ಕೆ ಬೆಲೆ ನಿಯಮ ಅನ್ವಯಿಸುವುದಿಲ್ಲ, ಎಲ್ಲಾ ಅನ್ವಯಿಸುವ ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ ಮಾಡಬೇಕು." DocType: Assessment Group,Parent Assessment Group,ಪೋಷಕ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪು apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ಉದ್ಯೋಗ @@ -3880,10 +3891,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ಉದ್ಯ DocType: Employee,Held On,ನಡೆದ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ಪ್ರೊಡಕ್ಷನ್ ಐಟಂ ,Employee Information,ನೌಕರರ ಮಾಹಿತಿ -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),ದರ (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),ದರ (%) DocType: Stock Entry Detail,Additional Cost,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ಚೀಟಿ ಮೂಲಕ ವರ್ಗೀಕರಿಸಲಾಗಿದೆ ವೇಳೆ , ಚೀಟಿ ಸಂಖ್ಯೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ ಮಾಡಿ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ ಮಾಡಿ DocType: Quality Inspection,Incoming,ಒಳಬರುವ DocType: BOM,Materials Required (Exploded),ಬೇಕಾದ ಸಾಮಗ್ರಿಗಳು (ಸ್ಫೋಟಿಸಿತು ) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","ನಿಮ್ಮನ್ನು ಬೇರೆ, ನಿಮ್ಮ ಸಂಸ್ಥೆಗೆ ಬಳಕೆದಾರರು ಸೇರಿಸಿ" @@ -3899,7 +3910,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ಖಾತೆ: {0} ಮಾತ್ರ ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಮೂಲಕ ಅಪ್ಡೇಟ್ ಮಾಡಬಹುದು DocType: Student Group Creation Tool,Get Courses,ಕೋರ್ಸ್ಗಳು ಪಡೆಯಿರಿ DocType: GL Entry,Party,ಪಕ್ಷ -DocType: Sales Order,Delivery Date,ಡೆಲಿವರಿ ದಿನಾಂಕ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,ಡೆಲಿವರಿ ದಿನಾಂಕ DocType: Opportunity,Opportunity Date,ಅವಕಾಶ ದಿನಾಂಕ DocType: Purchase Receipt,Return Against Purchase Receipt,ಖರೀದಿ ರಿಸೀಟ್ನ್ನು ವಿರುದ್ಧ ಪುನರಾಗಮನ DocType: Request for Quotation Item,Request for Quotation Item,ಉದ್ಧರಣ ಐಟಂ ವಿನಂತಿ @@ -3913,7 +3924,7 @@ DocType: Task,Actual Time (in Hours),(ಘಂಟೆಗಳಲ್ಲಿ) ವಾಸ DocType: Employee,History In Company,ಕಂಪನಿ ಇತಿಹಾಸ apps/erpnext/erpnext/config/learn.py +107,Newsletters,ಸುದ್ದಿಪತ್ರಗಳು DocType: Stock Ledger Entry,Stock Ledger Entry,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ಎಂಟ್ರಿ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,ಒಂದೇ ಐಟಂ ಅನ್ನು ಹಲವಾರು ಬಾರಿ ನಮೂದಿಸಲಾದ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,ಒಂದೇ ಐಟಂ ಅನ್ನು ಹಲವಾರು ಬಾರಿ ನಮೂದಿಸಲಾದ DocType: Department,Leave Block List,ಖಂಡ ಬಿಡಿ DocType: Sales Invoice,Tax ID,ತೆರಿಗೆಯ ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಸ್ಥಾಪನೆಯ ಅಲ್ಲ ಅಂಕಣ ಖಾಲಿಯಾಗಿರಬೇಕು @@ -3931,25 +3942,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ಬ್ಲಾಕ್ DocType: BOM Explosion Item,BOM Explosion Item,BOM ಸ್ಫೋಟ ಐಟಂ DocType: Account,Auditor,ಆಡಿಟರ್ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} ನಿರ್ಮಾಣ ಐಟಂಗಳನ್ನು +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} ನಿರ್ಮಾಣ ಐಟಂಗಳನ್ನು DocType: Cheque Print Template,Distance from top edge,ಮೇಲಿನ ತುದಿಯಲ್ಲಿ ದೂರ apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,ದರ ಪಟ್ಟಿ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದರೆ ಅಥವಾ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Purchase Invoice,Return,ರಿಟರ್ನ್ DocType: Production Order Operation,Production Order Operation,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಆಪರೇಷನ್ DocType: Pricing Rule,Disable,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ಪಾವತಿಸುವ ವಿಧಾನ ಪಾವತಿ ಮಾಡಬೇಕಿರುತ್ತದೆ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,ಪಾವತಿಸುವ ವಿಧಾನ ಪಾವತಿ ಮಾಡಬೇಕಿರುತ್ತದೆ DocType: Project Task,Pending Review,ಬಾಕಿ ರಿವ್ಯೂ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ಬ್ಯಾಚ್ ಸೇರಿಕೊಂಡಳು ಇದೆ {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",ಇದು ಈಗಾಗಲೇ ಆಸ್ತಿ {0} ನಿಷ್ಕ್ರಿಯವಾಗಲ್ಪಟ್ಟವು ಸಾಧ್ಯವಿಲ್ಲ {1} DocType: Task,Total Expense Claim (via Expense Claim),(ಖರ್ಚು ಹಕ್ಕು ಮೂಲಕ) ಒಟ್ಟು ಖರ್ಚು ಹಕ್ಕು apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,ಮಾರ್ಕ್ ಆಬ್ಸೆಂಟ್ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ರೋ {0}: ಆಫ್ ಬಿಒಎಮ್ # ಕರೆನ್ಸಿ {1} ಆಯ್ಕೆ ಕರೆನ್ಸಿ ಸಮಾನ ಇರಬೇಕು {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ರೋ {0}: ಆಫ್ ಬಿಒಎಮ್ # ಕರೆನ್ಸಿ {1} ಆಯ್ಕೆ ಕರೆನ್ಸಿ ಸಮಾನ ಇರಬೇಕು {2} DocType: Journal Entry Account,Exchange Rate,ವಿನಿಮಯ ದರ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ DocType: Homepage,Tag Line,ಟ್ಯಾಗ್ ಲೈನ್ DocType: Fee Component,Fee Component,ಶುಲ್ಕ ಕಾಂಪೊನೆಂಟ್ apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ಫ್ಲೀಟ್ ಮ್ಯಾನೇಜ್ಮೆಂಟ್ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,ಐಟಂಗಳನ್ನು ಸೇರಿಸಿ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,ಐಟಂಗಳನ್ನು ಸೇರಿಸಿ DocType: Cheque Print Template,Regular,ನಿಯಮಿತ apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,ಎಲ್ಲಾ ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ ಒಟ್ಟು ಪ್ರಾಮುಖ್ಯತೆಯನ್ನು 100% ಇರಬೇಕು DocType: BOM,Last Purchase Rate,ಕೊನೆಯ ಖರೀದಿ ದರ @@ -3970,12 +3981,12 @@ DocType: Employee,Reports to,ಗೆ ವರದಿಗಳು DocType: SMS Settings,Enter url parameter for receiver nos,ರಿಸೀವರ್ ಸೂಲ URL ಅನ್ನು ನಿಯತಾಂಕ ಯನ್ನು DocType: Payment Entry,Paid Amount,ಮೊತ್ತವನ್ನು DocType: Assessment Plan,Supervisor,ಮೇಲ್ವಿಚಾರಕ -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,ಆನ್ಲೈನ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ಆನ್ಲೈನ್ ,Available Stock for Packing Items,ಐಟಂಗಳು ಪ್ಯಾಕಿಂಗ್ ಸ್ಟಾಕ್ ಲಭ್ಯವಿದೆ DocType: Item Variant,Item Variant,ಐಟಂ ಭಿನ್ನ DocType: Assessment Result Tool,Assessment Result Tool,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ ಟೂಲ್ DocType: BOM Scrap Item,BOM Scrap Item,ಬಿಒಎಮ್ ಸ್ಕ್ರ್ಯಾಪ್ ಐಟಂ -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,ಸಲ್ಲಿಸಲಾಗಿದೆ ಆದೇಶಗಳನ್ನು ಅಳಿಸಲಾಗುವುದಿಲ್ಲ +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ಸಲ್ಲಿಸಲಾಗಿದೆ ಆದೇಶಗಳನ್ನು ಅಳಿಸಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ಈಗಾಗಲೇ ಡೆಬಿಟ್ ರಲ್ಲಿ ಖಾತೆ ಸಮತೋಲನ, ನೀವು 'ಕ್ರೆಡಿಟ್' 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಬೇಕು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,ಗುಣಮಟ್ಟ ನಿರ್ವಹಣೆ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,ಐಟಂ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ @@ -4007,7 +4018,7 @@ DocType: Item Group,Default Expense Account,ಡೀಫಾಲ್ಟ್ ಖರ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ವಿದ್ಯಾರ್ಥಿ ಈಮೇಲ್ ಅಡ್ರೆಸ್ DocType: Employee,Notice (days),ಎಚ್ಚರಿಕೆ ( ದಿನಗಳು) DocType: Tax Rule,Sales Tax Template,ಮಾರಾಟ ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಐಟಂಗಳನ್ನು ಆಯ್ಕೆ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಐಟಂಗಳನ್ನು ಆಯ್ಕೆ DocType: Employee,Encashment Date,ನಗದೀಕರಣ ದಿನಾಂಕ DocType: Training Event,Internet,ಇಂಟರ್ನೆಟ್ DocType: Account,Stock Adjustment,ಸ್ಟಾಕ್ ಹೊಂದಾಣಿಕೆ @@ -4056,10 +4067,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ರವ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ಮ್ಯಾಕ್ಸ್ ರಿಯಾಯಿತಿ ಐಟಂ ಅವಕಾಶ: {0} {1}% ಆಗಿದೆ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,ಮೇಲೆ ನಿವ್ವಳ ಆಸ್ತಿ ಮೌಲ್ಯ DocType: Account,Receivable,ಲಭ್ಯ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ರೋ # {0}: ಆರ್ಡರ್ ಖರೀದಿಸಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪೂರೈಕೆದಾರ ಬದಲಾಯಿಸಲು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ರೋ # {0}: ಆರ್ಡರ್ ಖರೀದಿಸಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪೂರೈಕೆದಾರ ಬದಲಾಯಿಸಲು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ಪಾತ್ರ ವ್ಯವಹಾರ ಸೆಟ್ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಮಾಡಲಿಲ್ಲ ಸಲ್ಲಿಸಲು ಅವಕಾಶ ನೀಡಲಿಲ್ಲ . -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,ಉತ್ಪಾದನೆ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","ಮಾಸ್ಟರ್ ಡಾಟಾ ಸಿಂಕ್, ಇದು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳಬಹುದು" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,ಉತ್ಪಾದನೆ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","ಮಾಸ್ಟರ್ ಡಾಟಾ ಸಿಂಕ್, ಇದು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳಬಹುದು" DocType: Item,Material Issue,ಮೆಟೀರಿಯಲ್ ಸಂಚಿಕೆ DocType: Hub Settings,Seller Description,ಮಾರಾಟಗಾರ ವಿವರಣೆ DocType: Employee Education,Qualification,ಅರ್ಹತೆ @@ -4080,11 +4091,10 @@ DocType: BOM,Rate Of Materials Based On,ಮೆಟೀರಿಯಲ್ಸ್ ಆ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,ಬೆಂಬಲ Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,ಎಲ್ಲವನ್ನೂ DocType: POS Profile,Terms and Conditions,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಉದ್ಯೋಗಿ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಸಿದ್ಧಗೊಳಿಸಿ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},ದಿನಾಂಕ ಹಣಕಾಸಿನ ವರ್ಷದ ಒಳಗೆ ಇರಬೇಕು. ದಿನಾಂಕ ಭಾವಿಸಿಕೊಂಡು = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ಇಲ್ಲಿ ನೀವು ಎತ್ತರ, ತೂಕ, ಅಲರ್ಜಿ , ವೈದ್ಯಕೀಯ ಇತ್ಯಾದಿ ಕನ್ಸರ್ನ್ಸ್ ಕಾಯ್ದುಕೊಳ್ಳಬಹುದು" DocType: Leave Block List,Applies to Company,ಕಂಪನಿ ಅನ್ವಯಿಸುತ್ತದೆ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,ಸಲ್ಲಿಸಿದ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಏಕೆಂದರೆ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,ಸಲ್ಲಿಸಿದ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಏಕೆಂದರೆ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Employee Loan,Disbursement Date,ವಿತರಣೆ ದಿನಾಂಕ DocType: Vehicle,Vehicle,ವಾಹನ DocType: Purchase Invoice,In Words,ವರ್ಡ್ಸ್ @@ -4123,7 +4133,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,ಜಾಗತಿಕ ಸ DocType: Assessment Result Detail,Assessment Result Detail,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ ವಿವರ DocType: Employee Education,Employee Education,ನೌಕರರ ಶಿಕ್ಷಣ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ನಕಲು ಐಟಂ ಗುಂಪು ಐಟಂ ಗುಂಪು ಟೇಬಲ್ ಕಂಡುಬರುವ -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,ಇದು ಐಟಂ ವಿವರಗಳು ತರಲು ಅಗತ್ಯವಿದೆ. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,ಇದು ಐಟಂ ವಿವರಗಳು ತರಲು ಅಗತ್ಯವಿದೆ. DocType: Salary Slip,Net Pay,ನಿವ್ವಳ ವೇತನ DocType: Account,Account,ಖಾತೆ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಈಗಾಗಲೇ ಸ್ವೀಕರಿಸಲಾಗಿದೆ @@ -4131,7 +4141,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,ವಾಹನ ಲಾಗ್ DocType: Purchase Invoice,Recurring Id,ಮರುಕಳಿಸುವ ಸಂ DocType: Customer,Sales Team Details,ಮಾರಾಟ ತಂಡದ ವಿವರಗಳು -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ? DocType: Expense Claim,Total Claimed Amount,ಹಕ್ಕು ಪಡೆದ ಒಟ್ಟು ಪ್ರಮಾಣ apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ಮಾರಾಟ ಸಮರ್ಥ ಅವಕಾಶಗಳನ್ನು . apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ಅಮಾನ್ಯವಾದ {0} @@ -4143,7 +4153,7 @@ DocType: Warehouse,PIN,ಪಿನ್ apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext ನಿಮ್ಮ ಸ್ಕೂಲ್ ಸೆಟಪ್ DocType: Sales Invoice,Base Change Amount (Company Currency),ಬೇಸ್ ಬದಲಾಯಿಸಬಹುದು ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,ನಂತರ ಗೋದಾಮುಗಳು ಯಾವುದೇ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,ಮೊದಲ ದಾಖಲೆ ಉಳಿಸಿ. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,ಮೊದಲ ದಾಖಲೆ ಉಳಿಸಿ. DocType: Account,Chargeable,ಪೂರಣಮಾಡಬಲ್ಲ DocType: Company,Change Abbreviation,ಬದಲಾವಣೆ ಸಂಕ್ಷೇಪಣ DocType: Expense Claim Detail,Expense Date,ಖರ್ಚು ದಿನಾಂಕ @@ -4157,7 +4167,6 @@ DocType: BOM,Manufacturing User,ಉತ್ಪಾದನಾ ಬಳಕೆದಾರ DocType: Purchase Invoice,Raw Materials Supplied,ವಿತರಿಸುತ್ತಾರೆ ರಾ ಮೆಟೀರಿಯಲ್ಸ್ DocType: Purchase Invoice,Recurring Print Format,ಮರುಕಳಿಸುವ ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್ DocType: C-Form,Series,ಸರಣಿ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ದಿನಾಂಕ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Appraisal,Appraisal Template,ಅಪ್ರೇಸಲ್ ಟೆಂಪ್ಲೇಟು DocType: Item Group,Item Classification,ಐಟಂ ವರ್ಗೀಕರಣ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ವ್ಯವಹಾರ ಅಭಿವೃದ್ಧಿ ವ್ಯವಸ್ಥಾಪಕ @@ -4196,12 +4205,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ಆಯ್ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,ಕ್ರಿಯೆಗಳು / ಫಲಿತಾಂಶಗಳು ತರಬೇತಿ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,ಮೇಲೆ ಸವಕಳಿ ಕ್ರೋಢಿಕೃತ DocType: Sales Invoice,C-Form Applicable,ಅನ್ವಯಿಸುವ ಸಿ ಆಕಾರ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},ಆಪರೇಷನ್ ಟೈಮ್ ಆಪರೇಷನ್ 0 ಹೆಚ್ಚು ಇರಬೇಕು {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},ಆಪರೇಷನ್ ಟೈಮ್ ಆಪರೇಷನ್ 0 ಹೆಚ್ಚು ಇರಬೇಕು {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ವೇರ್ಹೌಸ್ ಕಡ್ಡಾಯ DocType: Supplier,Address and Contacts,ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕಗಳು DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ಪರಿವರ್ತನೆ ವಿವರಗಳು DocType: Program,Program Abbreviation,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಸಂಕ್ಷೇಪಣ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಒಂದು ಐಟಂ ಟೆಂಪ್ಲೇಟು ವಿರುದ್ಧ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಒಂದು ಐಟಂ ಟೆಂಪ್ಲೇಟು ವಿರುದ್ಧ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ಆರೋಪಗಳನ್ನು ಪ್ರತಿ ಐಟಂ ವಿರುದ್ಧ ಖರೀದಿ ರಿಸೀಟ್ನ್ನು ನವೀಕರಿಸಲಾಗುವುದು DocType: Warranty Claim,Resolved By,ಪರಿಹರಿಸಲಾಗುವುದು DocType: Bank Guarantee,Start Date,ಪ್ರಾರಂಭ ದಿನಾಂಕ @@ -4236,6 +4245,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,ತರಬೇತಿ ಪ್ರತಿಕ್ರಿಯೆ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸಬೇಕು apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಐಟಂ ಎಂಡ್ ದಿನಾಂಕ ಆಯ್ಕೆ ಮಾಡಿ {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,ನೀವು ಸಾಧಿಸಲು ಬಯಸುವ ಮಾರಾಟದ ಗುರಿಯನ್ನು ಹೊಂದಿಸಿ. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},ಕೋರ್ಸ್ ಸತತವಾಗಿ ಕಡ್ಡಾಯ {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ಇಲ್ಲಿಯವರೆಗೆ fromDate ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc doctype @@ -4254,7 +4264,7 @@ DocType: Account,Income,ಆದಾಯ DocType: Industry Type,Industry Type,ಉದ್ಯಮ ಪ್ರಕಾರ apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,ಏನೋ ತಪ್ಪಾಗಿದೆ! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,ಎಚ್ಚರಿಕೆ : ಅಪ್ಲಿಕೇಶನ್ ಬಿಡಿ ಕೆಳಗಿನ ಬ್ಲಾಕ್ ದಿನಾಂಕಗಳನ್ನು ಒಳಗೊಂಡಿರುತ್ತದೆ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ {0} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ {0} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಲಾಗಿದೆ DocType: Assessment Result Detail,Score,ಸ್ಕೋರ್ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,ಪೂರ್ಣಗೊಳ್ಳುವ ದಿನಾಂಕ @@ -4284,7 +4294,7 @@ DocType: Naming Series,Help HTML,HTML ಸಹಾಯ DocType: Student Group Creation Tool,Student Group Creation Tool,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸೃಷ್ಟಿ ಉಪಕರಣ DocType: Item,Variant Based On,ಭಿನ್ನ ಬೇಸ್ಡ್ ರಂದು apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},ನಿಯೋಜಿಸಲಾಗಿದೆ ಒಟ್ಟು ಪ್ರಾಮುಖ್ಯತೆಯನ್ನು 100% ಇರಬೇಕು. ಇದು {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರು +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರು apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,ಮಾರಾಟದ ಆರ್ಡರ್ ಮಾಡಿದ ಎಂದು ಕಳೆದು ಹೊಂದಿಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ . DocType: Request for Quotation Item,Supplier Part No,ಸರಬರಾಜುದಾರ ಭಾಗ ಯಾವುದೇ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ವರ್ಗದಲ್ಲಿ 'ಮೌಲ್ಯಾಂಕನ' ಅಥವಾ 'Vaulation ಮತ್ತು ಒಟ್ಟು' ಆಗಿದೆ ಮಾಡಿದಾಗ ಕಡಿತಗೊಳಿಸದಿರುವುದರ ಸಾಧ್ಯವಿಲ್ಲ @@ -4294,14 +4304,14 @@ DocType: Item,Has Serial No,ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಹೊ DocType: Employee,Date of Issue,ಸಂಚಿಕೆ ದಿನಾಂಕ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: ಗೆ {0} ಫಾರ್ {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ಖರೀದಿ Reciept ಅಗತ್ಯವಿದೆ == 'ಹೌದು', ನಂತರ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು, ಬಳಕೆದಾರ ಐಟಂ ಮೊದಲ ಖರೀದಿ ರಸೀತಿ ರಚಿಸಬೇಕಾಗಿದೆ ವೇಳೆ ಬೈಯಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಪ್ರಕಾರ {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},ರೋ # {0}: ಐಟಂ ಹೊಂದಿಸಿ ಸರಬರಾಜುದಾರ {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ರೋ {0}: ಗಂಟೆಗಳು ಮೌಲ್ಯವನ್ನು ಶೂನ್ಯ ಹೆಚ್ಚು ಇರಬೇಕು. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},ರೋ # {0}: ಐಟಂ ಹೊಂದಿಸಿ ಸರಬರಾಜುದಾರ {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,ರೋ {0}: ಗಂಟೆಗಳು ಮೌಲ್ಯವನ್ನು ಶೂನ್ಯ ಹೆಚ್ಚು ಇರಬೇಕು. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,ಐಟಂ {1} ಜೋಡಿಸಲಾದ ವೆಬ್ಸೈಟ್ ಚಿತ್ರ {0} ದೊರೆಯುತ್ತಿಲ್ಲ DocType: Issue,Content Type,ವಿಷಯ ಪ್ರಕಾರ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,ಗಣಕಯಂತ್ರ DocType: Item,List this Item in multiple groups on the website.,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಅನೇಕ ಗುಂಪುಗಳಲ್ಲಿ ಈ ಐಟಂ ಪಟ್ಟಿ . apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,ಇತರ ಕರೆನ್ಸಿ ಖಾತೆಗಳನ್ನು ಅವಕಾಶ ಮಲ್ಟಿ ಕರೆನ್ಸಿ ಆಯ್ಕೆಯನ್ನು ಪರಿಶೀಲಿಸಿ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ಐಟಂ: {0} ವ್ಯವಸ್ಥೆಯ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,ಐಟಂ: {0} ವ್ಯವಸ್ಥೆಯ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,ನೀವು ಫ್ರೋಜನ್ ಮೌಲ್ಯವನ್ನು ಅಧಿಕಾರ DocType: Payment Reconciliation,Get Unreconciled Entries,ರಾಜಿಯಾಗದ ನಮೂದುಗಳು ಪಡೆಯಿರಿ DocType: Payment Reconciliation,From Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಗೆ @@ -4327,7 +4337,7 @@ DocType: Stock Entry,Default Source Warehouse,ಡೀಫಾಲ್ಟ್ ಮೂ DocType: Item,Customer Code,ಗ್ರಾಹಕ ಕೋಡ್ apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},ಹುಟ್ಟುಹಬ್ಬದ ಜ್ಞಾಪನೆ {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ದಿನಗಳಿಂದಲೂ ಕೊನೆಯ ಆರ್ಡರ್ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು DocType: Buying Settings,Naming Series,ಸರಣಿ ಹೆಸರಿಸುವ DocType: Leave Block List,Leave Block List Name,ಖಂಡ ಬಿಡಿ ಹೆಸರು apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ವಿಮೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ ವಿಮಾ ಅಂತಿಮ ದಿನಾಂಕ ಕಡಿಮೆ ಇರಬೇಕು @@ -4344,7 +4354,7 @@ DocType: Vehicle Log,Odometer,ದೂರಮಾಪಕ DocType: Sales Order Item,Ordered Qty,ಪ್ರಮಾಣ ಆದೇಶ apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,ಐಟಂ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ DocType: Stock Settings,Stock Frozen Upto,ಸ್ಟಾಕ್ ಘನೀಕೃತ ವರೆಗೆ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,ಬಿಒಎಮ್ ಯಾವುದೇ ಸ್ಟಾಕ್ ಐಟಂ ಹೊಂದಿಲ್ಲ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,ಬಿಒಎಮ್ ಯಾವುದೇ ಸ್ಟಾಕ್ ಐಟಂ ಹೊಂದಿಲ್ಲ apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},ಗೆ ಅವಧಿಯ ಮರುಕಳಿಸುವ ಕಡ್ಡಾಯವಾಗಿ ದಿನಾಂಕಗಳನ್ನು ಅವಧಿಯಲ್ಲಿ {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,ಪ್ರಾಜೆಕ್ಟ್ ಚಟುವಟಿಕೆ / ಕೆಲಸ . DocType: Vehicle Log,Refuelling Details,Refuelling ವಿವರಗಳು @@ -4354,7 +4364,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,ಕೊನೆಯ ಖರೀದಿ ಕಂಡುಬಂದಿಲ್ಲ DocType: Purchase Invoice,Write Off Amount (Company Currency),ಪ್ರಮಾಣದ ಆಫ್ ಬರೆಯಿರಿ (ಕಂಪನಿ ಕರೆನ್ಸಿ) DocType: Sales Invoice Timesheet,Billing Hours,ಬಿಲ್ಲಿಂಗ್ ಅವರ್ಸ್ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,ಫಾರ್ {0} ಕಂಡುಬಂದಿಲ್ಲ ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,ಫಾರ್ {0} ಕಂಡುಬಂದಿಲ್ಲ ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,ರೋ # {0}: ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ ಹೊಂದಿಸಿ apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ಅವುಗಳನ್ನು ಇಲ್ಲಿ ಸೇರಿಸಲು ಐಟಂಗಳನ್ನು ಟ್ಯಾಪ್ DocType: Fees,Program Enrollment,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ @@ -4389,6 +4399,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,ಏಜಿಂಗ್ ರೇಂಜ್ 2 DocType: SG Creation Tool Course,Max Strength,ಮ್ಯಾಕ್ಸ್ ಸಾಮರ್ಥ್ಯ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM ಬದಲಾಯಿಸಲ್ಪಟ್ಟಿದೆ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,ಡೆಲಿವರಿ ದಿನಾಂಕವನ್ನು ಆಧರಿಸಿ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ ,Sales Analytics,ಮಾರಾಟದ ಅನಾಲಿಟಿಕ್ಸ್ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},ಲಭ್ಯವಿರುವ {0} ,Prospects Engaged But Not Converted,ಪ್ರಾಸ್ಪೆಕ್ಟ್ಸ್ ಎಂಗೇಜಡ್ ಆದರೆ ಪರಿವರ್ತನೆಗೊಂಡಿಲ್ಲ @@ -4437,7 +4448,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ಡಿಸ್ಕ apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,ಕಾರ್ಯಗಳಿಗಾಗಿ timesheet. DocType: Purchase Invoice,Against Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ವಿರುದ್ಧ DocType: Production Order,Production Order,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,ಅನುಸ್ಥಾಪನೆ ಸೂಚನೆ {0} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,ಅನುಸ್ಥಾಪನೆ ಸೂಚನೆ {0} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಲಾಗಿದೆ DocType: Bank Reconciliation,Get Payment Entries,ಪಾವತಿ ನಮೂದುಗಳು ಪಡೆಯಿರಿ DocType: Quotation Item,Against Docname,docName ವಿರುದ್ಧ DocType: SMS Center,All Employee (Active),ಎಲ್ಲಾ ನೌಕರರ ( ಸಕ್ರಿಯ ) @@ -4446,7 +4457,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,ರಾ ಮೆಟೀರಿಯಲ್ ವೆಚ್ಚ DocType: Item Reorder,Re-Order Level,ಮರು ಕ್ರಮಾಂಕದ ಮಟ್ಟ DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,ನೀವು ಉತ್ಪಾದನೆ ಆದೇಶಗಳನ್ನು ಹೆಚ್ಚಿಸಲು ಅಥವಾ ವಿಶ್ಲೇಷಣೆ ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಡೌನ್ಲೋಡ್ ಬಯಸುವ ಐಟಂಗಳನ್ನು ಮತ್ತು ಯೋಜಿಸಿದ ಪ್ರಮಾಣ ನಮೂದಿಸಿ. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,ಗಂಟ್ ಚಾರ್ಟ್ +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,ಗಂಟ್ ಚಾರ್ಟ್ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ಅರೆಕಾಲಿಕ DocType: Employee,Applicable Holiday List,ಅನ್ವಯಿಸುವ ಹಾಲಿಡೇ ಪಟ್ಟಿ DocType: Employee,Cheque,ಚೆಕ್ @@ -4504,11 +4515,11 @@ DocType: Bin,Reserved Qty for Production,ಪ್ರೊಡಕ್ಷನ್ ಪ DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ನೀವು ಕೋರ್ಸ್ ಆಧಾರಿತ ಗುಂಪುಗಳನ್ನು ಮಾಡುವಾಗ ಬ್ಯಾಚ್ ಪರಿಗಣಿಸಲು ಬಯಸದಿದ್ದರೆ ಪರಿಶೀಲಿಸದೆ ಬಿಟ್ಟುಬಿಡಿ. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ನೀವು ಕೋರ್ಸ್ ಆಧಾರಿತ ಗುಂಪುಗಳನ್ನು ಮಾಡುವಾಗ ಬ್ಯಾಚ್ ಪರಿಗಣಿಸಲು ಬಯಸದಿದ್ದರೆ ಪರಿಶೀಲಿಸದೆ ಬಿಟ್ಟುಬಿಡಿ. DocType: Asset,Frequency of Depreciation (Months),ಸವಕಳಿ ಆವರ್ತನ (ತಿಂಗಳ) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,ಕ್ರೆಡಿಟ್ ಖಾತೆ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,ಕ್ರೆಡಿಟ್ ಖಾತೆ DocType: Landed Cost Item,Landed Cost Item,ಇಳಿಯಿತು ವೆಚ್ಚ ಐಟಂ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,ಶೂನ್ಯ ಮೌಲ್ಯಗಳು ತೋರಿಸಿ DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ಕಚ್ಚಾ ವಸ್ತುಗಳ givenName ಪ್ರಮಾಣದಲ್ಲಿ repacking / ತಯಾರಿಕಾ ನಂತರ ಪಡೆದುಕೊಂಡು ಐಟಂ ಪ್ರಮಾಣ -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,ಸೆಟಪ್ ನನ್ನ ಸಂಸ್ಥೆಗೆ ಒಂದು ಸರಳ ವೆಬ್ಸೈಟ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,ಸೆಟಪ್ ನನ್ನ ಸಂಸ್ಥೆಗೆ ಒಂದು ಸರಳ ವೆಬ್ಸೈಟ್ DocType: Payment Reconciliation,Receivable / Payable Account,ಸ್ವೀಕರಿಸುವಂತಹ / ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ DocType: Delivery Note Item,Against Sales Order Item,ಮಾರಾಟದ ಆರ್ಡರ್ ಐಟಂ ವಿರುದ್ಧ apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯ ಗುಣಲಕ್ಷಣ ಸೂಚಿಸಿ {0} @@ -4573,22 +4584,22 @@ DocType: Student,Nationality,ರಾಷ್ಟ್ರೀಯತೆ ,Items To Be Requested,ಮನವಿ ಐಟಂಗಳನ್ನು DocType: Purchase Order,Get Last Purchase Rate,ಕೊನೆಯ ಖರೀದಿ ದರ ಸಿಗುತ್ತದೆ DocType: Company,Company Info,ಕಂಪನಿ ಮಾಹಿತಿ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,ಆಯ್ಕೆಮಾಡಿ ಅಥವಾ ಹೊಸ ಗ್ರಾಹಕ ಸೇರಿಸು -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಒಂದು ಖರ್ಚು ಹಕ್ಕು ಕಾಯ್ದಿರಿಸಲು ಅಗತ್ಯವಿದೆ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,ಆಯ್ಕೆಮಾಡಿ ಅಥವಾ ಹೊಸ ಗ್ರಾಹಕ ಸೇರಿಸು +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಒಂದು ಖರ್ಚು ಹಕ್ಕು ಕಾಯ್ದಿರಿಸಲು ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ನಿಧಿಗಳು ಅಪ್ಲಿಕೇಶನ್ ( ಆಸ್ತಿಗಳು ) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ಈ ನೌಕರರ ಹಾಜರಾತಿ ಆಧರಿಸಿದೆ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,ಡೆಬಿಟ್ ಖಾತೆ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,ಡೆಬಿಟ್ ಖಾತೆ DocType: Fiscal Year,Year Start Date,ವರ್ಷದ ಆರಂಭ ದಿನಾಂಕ DocType: Attendance,Employee Name,ನೌಕರರ ಹೆಸರು DocType: Sales Invoice,Rounded Total (Company Currency),ದುಂಡಾದ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ಖಾತೆ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಏಕೆಂದರೆ ಗ್ರೂಪ್ ನಿಗೂಢ ಸಾಧ್ಯವಿಲ್ಲ. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ರಿಫ್ರೆಶ್ ಮಾಡಿ. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ರಿಫ್ರೆಶ್ ಮಾಡಿ. DocType: Leave Block List,Stop users from making Leave Applications on following days.,ಕೆಳಗಿನ ದಿನಗಳಲ್ಲಿ ಲೀವ್ ಅಪ್ಲಿಕೇಶನ್ ಮಾಡುವ ಬಳಕೆದಾರರನ್ನು ನಿಲ್ಲಿಸಿ . apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ಖರೀದಿಯ ಮೊತ್ತ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ {0} ದಾಖಲಿಸಿದವರು apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,ಅಂತ್ಯ ವರ್ಷ ಪ್ರಾರಂಭ ವರ್ಷ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ಉದ್ಯೋಗಿ ಸೌಲಭ್ಯಗಳು -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},{0} ಸತತವಾಗಿ {1} ಪ್ಯಾಕ್ಡ್ ಪ್ರಮಾಣ ಐಟಂ ಪ್ರಮಾಣ ಸಮ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},{0} ಸತತವಾಗಿ {1} ಪ್ಯಾಕ್ಡ್ ಪ್ರಮಾಣ ಐಟಂ ಪ್ರಮಾಣ ಸಮ DocType: Production Order,Manufactured Qty,ತಯಾರಿಸಲ್ಪಟ್ಟ ಪ್ರಮಾಣ DocType: Purchase Receipt Item,Accepted Quantity,Accepted ಪ್ರಮಾಣ apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},ದಯವಿಟ್ಟು ಡೀಫಾಲ್ಟ್ ನೌಕರರ ಹಾಲಿಡೇ ಪಟ್ಟಿ ಸೆಟ್ {0} ಅಥವಾ ಕಂಪನಿ {1} @@ -4599,11 +4610,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ರೋ ಯಾವುದೇ {0}: ಪ್ರಮಾಣ ಖರ್ಚು ಹಕ್ಕು {1} ವಿರುದ್ಧ ಪ್ರಮಾಣ ಬಾಕಿ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ. ಬಾಕಿ ಪ್ರಮಾಣ {2} DocType: Maintenance Schedule,Schedule,ಕಾರ್ಯಕ್ರಮ DocType: Account,Parent Account,ಪೋಷಕರ ಖಾತೆಯ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,ಲಭ್ಯ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,ಲಭ್ಯ DocType: Quality Inspection Reading,Reading 3,3 ಓದುವಿಕೆ ,Hub,ಹಬ್ DocType: GL Entry,Voucher Type,ಚೀಟಿ ಪ್ರಕಾರ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,ದರ ಪಟ್ಟಿ ಕಂಡುಬಂದಿಲ್ಲ ಅಥವಾ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,ದರ ಪಟ್ಟಿ ಕಂಡುಬಂದಿಲ್ಲ ಅಥವಾ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ DocType: Employee Loan Application,Approved,Approved DocType: Pricing Rule,Price,ಬೆಲೆ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} ಮೇಲೆ ಬಿಡುಗಡೆ ನೌಕರರ ' ಎಡ ' ಹೊಂದಿಸಿ @@ -4673,7 +4684,7 @@ DocType: SMS Settings,Static Parameters,ಸ್ಥಾಯೀ ನಿಯತಾಂ DocType: Assessment Plan,Room,ಕೊಠಡಿ DocType: Purchase Order,Advance Paid,ಅಡ್ವಾನ್ಸ್ ಪಾವತಿಸಿದ DocType: Item,Item Tax,ಐಟಂ ತೆರಿಗೆ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,ಸರಬರಾಜುದಾರ ವಸ್ತು +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,ಸರಬರಾಜುದಾರ ವಸ್ತು apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,ಅಬಕಾರಿ ಸರಕುಪಟ್ಟಿ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ಟ್ರೆಶ್ಹೋಲ್ಡ್ {0}% ಹೆಚ್ಚು ಬಾರಿ ಕಾಣಿಸಿಕೊಳ್ಳುತ್ತದೆ DocType: Expense Claim,Employees Email Id,ನೌಕರರು ಇಮೇಲ್ ಐಡಿ @@ -4713,7 +4724,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,ಮಾದರಿ DocType: Production Order,Actual Operating Cost,ನಿಜವಾದ ವೆಚ್ಚವನ್ನು DocType: Payment Entry,Cheque/Reference No,ಚೆಕ್ / ಉಲ್ಲೇಖ ಇಲ್ಲ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಕೌಟುಂಬಿಕತೆ apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ರೂಟ್ ಸಂಪಾದಿತವಾಗಿಲ್ಲ . DocType: Item,Units of Measure,ಮಾಪನದ ಘಟಕಗಳಿಗೆ DocType: Manufacturing Settings,Allow Production on Holidays,ರಜಾ ದಿನಗಳಲ್ಲಿ ಪ್ರೊಡಕ್ಷನ್ ಅವಕಾಶ @@ -4746,12 +4756,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,ಕ್ರೆಡಿಟ್ ಡೇಸ್ apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಮಾಡಿ DocType: Leave Type,Is Carry Forward,ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ ಇದೆ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM ಐಟಂಗಳು ಪಡೆಯಿರಿ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM ಐಟಂಗಳು ಪಡೆಯಿರಿ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ಟೈಮ್ ಡೇಸ್ ಲೀಡ್ -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ರೋ # {0}: ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಖರೀದಿ ದಿನಾಂಕ ಅದೇ ಇರಬೇಕು {1} ಸ್ವತ್ತಿನ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ರೋ # {0}: ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಖರೀದಿ ದಿನಾಂಕ ಅದೇ ಇರಬೇಕು {1} ಸ್ವತ್ತಿನ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ವಿದ್ಯಾರ್ಥಿ ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ನ ಹಾಸ್ಟೆಲ್ ನಲ್ಲಿ ವಾಸಿಸುವ ಇದೆ ಎಂಬುದನ್ನು ಪರಿಶೀಲಿಸಿ. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,ದಯವಿಟ್ಟು ಮೇಲಿನ ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ನಮೂದಿಸಿ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ಸಲ್ಲಿಸಿಲ್ಲ ಸಂಬಳ ತುಂಡಿನಲ್ಲಿ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,ಸಲ್ಲಿಸಿಲ್ಲ ಸಂಬಳ ತುಂಡಿನಲ್ಲಿ ,Stock Summary,ಸ್ಟಾಕ್ ಸಾರಾಂಶ apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,ಮತ್ತೊಂದು ಗೋದಾಮಿನ ಒಂದು ಆಸ್ತಿ ವರ್ಗಾವಣೆ DocType: Vehicle,Petrol,ಪೆಟ್ರೋಲ್ diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index 97b2bcda3ae..a42597a7f8d 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,상인 DocType: Employee,Rented,대여 DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,사용자에 대한 적용 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","중지 생산 주문이 취소 될 수 없으며, 취소 먼저 ...의 마개를 따다" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","중지 생산 주문이 취소 될 수 없으며, 취소 먼저 ...의 마개를 따다" DocType: Vehicle Service,Mileage,사용량 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,당신은 정말이 자산을 스크랩 하시겠습니까? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,선택 기본 공급 업체 @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% 청구 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),환율은 동일해야합니다 {0} {1} ({2}) DocType: Sales Invoice,Customer Name,고객 이름 DocType: Vehicle,Natural Gas,천연 가스 -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},은행 계정으로 명명 할 수없는 {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},은행 계정으로 명명 할 수없는 {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,머리 (또는 그룹)에있는 회계 항목은 만들어와 균형이 유지된다. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),뛰어난 {0}보다 작을 수 없습니다에 대한 ({1}) DocType: Manufacturing Settings,Default 10 mins,10 분을 기본 @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,유형 이름을 남겨주세요 apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,오픈보기 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,시리즈가 업데이트 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,점검 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural 분개가 제출 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural 분개가 제출 DocType: Pricing Rule,Apply On,에 적용 DocType: Item Price,Multiple Item prices.,여러 품목의 가격. ,Purchase Order Items To Be Received,수신 될 구매 주문 아이템 @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,지불 계정의 모드 apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,쇼 변형 DocType: Academic Term,Academic Term,학술 용어 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,자료 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,수량 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,수량 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,계정 테이블은 비워 둘 수 없습니다. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),대출 (부채) DocType: Employee Education,Year of Passing,전달의 해 @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,건강 관리 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),지급 지연 (일) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,서비스 비용 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},일련 번호 : {0}은 (는) 판매 송장에서 이미 참조되었습니다. {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,송장 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},일련 번호 : {0}은 (는) 판매 송장에서 이미 참조되었습니다. {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,송장 DocType: Maintenance Schedule Item,Periodicity,주기성 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,회계 연도는 {0} 필요 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,예상 배달 날짜는 판매 주문 날짜 전에 할 수있다 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,방어 DocType: Salary Component,Abbr,약어 DocType: Appraisal Goal,Score (0-5),점수 (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,행 번호 {0} : DocType: Timesheet,Total Costing Amount,총 원가 계산 금액 DocType: Delivery Note,Vehicle No,차량 없음 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,가격리스트를 선택하세요 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,가격리스트를 선택하세요 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,행 # {0} : 결제 문서는 trasaction을 완료하는 데 필요한 DocType: Production Order Operation,Work In Progress,진행중인 작업 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,날짜를 선택하세요 @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1}하지 활성 회계 연도한다. DocType: Packed Item,Parent Detail docname,부모 상세 docName 같은 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","참조 : {0}, 상품 코드 : {1} 및 고객 : {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,KG +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,KG DocType: Student Log,Log,기록 apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,작업에 대한 열기. DocType: Item Attribute,Increment,증가 @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,결혼 한 apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},허용되지 {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,에서 항목을 가져 오기 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},스톡 배달 주에 업데이트 할 수 없습니다 {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},스톡 배달 주에 업데이트 할 수 없습니다 {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},제품 {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,나열된 항목이 없습니다. DocType: Payment Reconciliation,Reconcile,조정 @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,연 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,다음 감가 상각 날짜는 구매 날짜 이전 될 수 없습니다 DocType: SMS Center,All Sales Person,모든 판매 사람 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** 월간 배포 ** 당신이 당신의 사업에 계절성이있는 경우는 개월에 걸쳐 예산 / 대상을 배포하는 데 도움이됩니다. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,항목을 찾을 수 없습니다 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,항목을 찾을 수 없습니다 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,급여 구조 누락 DocType: Lead,Person Name,사람 이름 DocType: Sales Invoice Item,Sales Invoice Item,판매 송장 상품 @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","자산 레코드 항목에 대해 존재하는, 선택 해제 할 수 없습니다 "고정 자산"" DocType: Vehicle Service,Brake Oil,브레이크 오일 DocType: Tax Rule,Tax Type,세금의 종류 -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,과세 대상 금액 +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,과세 대상 금액 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},당신은 전에 항목을 추가하거나 업데이트 할 수있는 권한이 없습니다 {0} DocType: BOM,Item Image (if not slideshow),상품의 이미지 (그렇지 않으면 슬라이드 쇼) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,고객은 같은 이름을 가진 DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(시간 / 60) * 실제 작업 시간 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,선택 BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,선택 BOM DocType: SMS Log,SMS Log,SMS 로그 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,배달 항목의 비용 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0}의 휴가 날짜부터 현재까지 사이 아니다 @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,학교 DocType: School Settings,Validate Batch for Students in Student Group,학생 그룹의 학생들을위한 배치 확인 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},직원에 대한 검색 휴가를 기록하지 {0}의 {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,첫 번째 회사를 입력하십시오 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,처음 회사를 선택하세요 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,처음 회사를 선택하세요 DocType: Employee Education,Under Graduate,대학원에서 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,대상에 DocType: BOM,Total Cost,총 비용 DocType: Journal Entry Account,Employee Loan,직원 대출 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,활동 로그 : -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} 항목을 시스템에 존재하지 않거나 만료 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,활동 로그 : +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,{0} 항목을 시스템에 존재하지 않거나 만료 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,부동산 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,거래명세표 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,제약 @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,청구 금액 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer 그룹 테이블에서 발견 중복 된 고객 그룹 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,공급 업체 유형 / 공급 업체 DocType: Naming Series,Prefix,접두사 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,소모품 +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,소모품 DocType: Employee,B-,비- DocType: Upload Attendance,Import Log,가져 오기 로그 DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,위의 기준에 따라 유형 제조의 자료 요청을 당겨 DocType: Training Result Employee,Grade,학년 DocType: Sales Invoice Item,Delivered By Supplier,공급 업체에 의해 전달 DocType: SMS Center,All Contact,모든 연락처 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,생산 주문이 이미 BOM 모든 항목에 대해 작성 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,생산 주문이 이미 BOM 모든 항목에 대해 작성 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,연봉 DocType: Daily Work Summary,Daily Work Summary,매일 작업 요약 DocType: Period Closing Voucher,Closing Fiscal Year,회계 연도 결산 -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} 냉동입니다 +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} 냉동입니다 apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,계정의 차트를 만드는 기존 회사를 선택하세요 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,재고 비용 apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,대상 창고 선택 @@ -213,14 +211,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},수락 + 거부 수량이 항목에 대한 수신 수량이 동일해야합니다 {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,공급 원료 구매 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,결제 적어도 하나의 모드는 POS 송장이 필요합니다. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,결제 적어도 하나의 모드는 POS 송장이 필요합니다. DocType: Products Settings,Show Products as a List,제품 표시 목록으로 DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",", 템플릿을 다운로드 적절한 데이터를 입력하고 수정 된 파일을 첨부합니다. 선택한 기간의 모든 날짜와 직원 조합은 기존의 출석 기록과 함께, 템플릿에 올 것이다" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} 항목을 활성화하지 않거나 수명이 도달했습니다 -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,예 : 기본 수학 -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","행에있는 세금을 포함하려면 {0} 항목의 요금에, 행의 세금은 {1}도 포함되어야한다" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,예 : 기본 수학 +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","행에있는 세금을 포함하려면 {0} 항목의 요금에, 행의 세금은 {1}도 포함되어야한다" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,HR 모듈에 대한 설정 DocType: SMS Center,SMS Center,SMS 센터 DocType: Sales Invoice,Change Amount,변화량 @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},설치 날짜는 항목에 대한 배달 날짜 이전 할 수 없습니다 {0} DocType: Pricing Rule,Discount on Price List Rate (%),가격 목록 요금에 할인 (%) DocType: Offer Letter,Select Terms and Conditions,이용 약관 선택 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,제한 값 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,제한 값 DocType: Production Planning Tool,Sales Orders,판매 주문 DocType: Purchase Taxes and Charges,Valuation,평가 ,Purchase Order Trends,주문 동향을 구매 @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,개시 항목 DocType: Customer Group,Mention if non-standard receivable account applicable,표준이 아닌 채권 계정 (해당되는 경우) DocType: Course Schedule,Instructor Name,강사 이름 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,창고가 필요한 내용은 이전에 제출 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,창고가 필요한 내용은 이전에 제출 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,에 수신 DocType: Sales Partner,Reseller,리셀러 DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","이 옵션이 선택되면, 자재 요청에 재고 항목이 포함됩니다." @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,견적서 항목에 대하여 ,Production Orders in Progress,진행 중 생산 주문 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Financing의 순 현금 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","로컬 저장이 가득, 저장하지 않은" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","로컬 저장이 가득, 저장하지 않은" DocType: Lead,Address & Contact,주소 및 연락처 DocType: Leave Allocation,Add unused leaves from previous allocations,이전 할당에서 사용하지 않는 잎 추가 apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},다음 반복 {0} 생성됩니다 {1} DocType: Sales Partner,Partner website,파트너 웹 사이트 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,항목 추가 -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,담당자 이름 +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,담당자 이름 DocType: Course Assessment Criteria,Course Assessment Criteria,코스 평가 기준 DocType: Process Payroll,Creates salary slip for above mentioned criteria.,위에서 언급 한 기준에 대한 급여 명세서를 작성합니다. DocType: POS Customer Group,POS Customer Group,POS 고객 그룹 @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,행 {0} : 확인하시기 바랍니다이 계정에 대한 '사전인가'{1}이 사전 항목 인 경우. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},웨어 하우스는 {0}에 속하지 않는 회사 {1} DocType: Email Digest,Profit & Loss,이익 및 손실 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,리터 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,리터 DocType: Task,Total Costing Amount (via Time Sheet),(시간 시트를 통해) 총 원가 계산 금액 DocType: Item Website Specification,Item Website Specification,항목 웹 사이트 사양 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,남겨 차단 @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,판매 송장 번호 DocType: Material Request Item,Min Order Qty,최소 주문 수량 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,학생 그룹 생성 도구 코스 DocType: Lead,Do Not Contact,연락하지 말라 -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,조직에서 가르치는 사람들 +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,조직에서 가르치는 사람들 DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,모든 반복 송장을 추적하는 고유 ID.그것은 제출에 생성됩니다. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,소프트웨어 개발자 DocType: Item,Minimum Order Qty,최소 주문 수량 @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,허브에 게시 DocType: Student Admission,Student Admission,학생 입학 ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} 항목 취소 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,자료 요청 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,자료 요청 DocType: Bank Reconciliation,Update Clearance Date,업데이트 통관 날짜 DocType: Item,Purchase Details,구매 상세 정보 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},구매 주문에 '원료 공급'테이블에없는 항목 {0} {1} @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,함대 관리자 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},행 번호 {0} : {1} 항목에 대한 음수가 될 수 없습니다 {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,잘못된 비밀번호 DocType: Item,Variant Of,의 변형 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',보다 '수량 제조하는'완료 수량은 클 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',보다 '수량 제조하는'완료 수량은 클 수 없습니다 DocType: Period Closing Voucher,Closing Account Head,마감 계정 헤드 DocType: Employee,External Work History,외부 작업의 역사 apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,순환 참조 오류 @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,왼쪽 가장자리까지 apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}]의 단위 (# 양식 / 상품 / {1}) {2}]에서 발견 (# 양식 / 창고 / {2}) DocType: Lead,Industry,산업 DocType: Employee,Job Profile,작업 프로필 +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,이것은이 회사와의 거래를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오. DocType: Stock Settings,Notify by Email on creation of automatic Material Request,자동 자료 요청의 생성에 이메일로 통보 DocType: Journal Entry,Multi Currency,멀티 통화 DocType: Payment Reconciliation Invoice,Invoice Type,송장 유형 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,상품 수령증 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,상품 수령증 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,세금 설정 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,판매 자산의 비용 apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,당신이 그것을 끌어 후 결제 항목이 수정되었습니다.다시 당깁니다. @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,필드 값을 '이달의 날 반복'을 입력하십시오 DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,고객 통화는 고객의 기본 통화로 변환하는 속도에 DocType: Course Scheduling Tool,Course Scheduling Tool,코스 일정 도구 -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},행 # {0} : 구매 송장 기존 자산에 대해 할 수 없습니다 {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},행 # {0} : 구매 송장 기존 자산에 대해 할 수 없습니다 {1} DocType: Item Tax,Tax Rate,세율 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} 이미 직원에 할당 {1}에 기간 {2}에 대한 {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,항목 선택 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,항목 선택 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,구매 송장 {0}이 (가) 이미 제출 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},행 번호 {0} : 일괄 없음은 동일해야합니다 {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,비 그룹으로 변환 @@ -448,7 +447,7 @@ DocType: Employee,Widowed,과부 DocType: Request for Quotation,Request for Quotation,견적 요청 DocType: Salary Slip Timesheet,Working Hours,근무 시간 DocType: Naming Series,Change the starting / current sequence number of an existing series.,기존 시리즈의 시작 / 현재의 순서 번호를 변경합니다. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,새로운 고객을 만들기 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,새로운 고객을 만들기 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","여러 가격의 규칙이 우선 계속되면, 사용자는 충돌을 해결하기 위해 수동으로 우선 순위를 설정하라는 메시지가 표시됩니다." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,구매 오더를 생성 ,Purchase Register,회원에게 구매 @@ -474,7 +473,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,심사관 이름 DocType: Purchase Invoice Item,Quantity and Rate,수량 및 평가 DocType: Delivery Note,% Installed,% 설치 -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,교실 / 강의는 예약 할 수 있습니다 연구소 등. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,교실 / 강의는 예약 할 수 있습니다 연구소 등. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,첫 번째 회사 이름을 입력하십시오 DocType: Purchase Invoice,Supplier Name,공급 업체 이름 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext 설명서를 읽어 @@ -491,7 +490,7 @@ DocType: Account,Old Parent,이전 부모 apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,필수 입력란 - Academic Year apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,필수 입력란 - Academic Year DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,해당 이메일의 일부로가는 소개 텍스트를 사용자 정의 할 수 있습니다.각 트랜잭션은 별도의 소개 텍스트가 있습니다. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},회사 {0}에 대한 기본 지불 계정을 설정하십시오. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},회사 {0}에 대한 기본 지불 계정을 설정하십시오. apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,모든 제조 공정에 대한 글로벌 설정. DocType: Accounts Settings,Accounts Frozen Upto,까지에게 동결계정 DocType: SMS Log,Sent On,에 전송 @@ -531,7 +530,7 @@ DocType: Journal Entry,Accounts Payable,미지급금 apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,선택한 BOM의 동일한 항목에 대한 없습니다 DocType: Pricing Rule,Valid Upto,유효한 개까지 DocType: Training Event,Workshop,작업장 -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,고객의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,고객의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,충분한 부품 작성하기 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,직접 수입 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","계정별로 분류하면, 계정을 기준으로 필터링 할 수 없습니다" @@ -539,7 +538,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,코스를 선택하십시오 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,코스를 선택하십시오 DocType: Timesheet Detail,Hrs,시간 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,회사를 선택하세요 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,회사를 선택하세요 DocType: Stock Entry Detail,Difference Account,차이 계정 DocType: Purchase Invoice,Supplier GSTIN,공급 업체 GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,종속 작업 {0}이 닫혀 있지 가까운 작업을 할 수 없습니다. @@ -556,7 +555,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,임계 값 0 %의 등급을 정의하십시오. DocType: Sales Order,To Deliver,전달하기 DocType: Purchase Invoice Item,Item,항목 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,일련 번호 항목 일부가 될 수 없습니다 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,일련 번호 항목 일부가 될 수 없습니다 DocType: Journal Entry,Difference (Dr - Cr),차이 (박사 - 크롬) DocType: Account,Profit and Loss,이익과 손실 apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,관리 하도급 @@ -582,7 +581,7 @@ DocType: Serial No,Warranty Period (Days),보증 기간 (일) DocType: Installation Note Item,Installation Note Item,설치 노트 항목 DocType: Production Plan Item,Pending Qty,보류 수량 DocType: Budget,Ignore,무시 -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} 활성화되지 않습니다 +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} 활성화되지 않습니다 apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS는 다음 번호로 전송 : {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,인쇄 설정 확인 치수 DocType: Salary Slip,Salary Slip Timesheet,급여 슬립 표 @@ -688,8 +687,8 @@ DocType: Installation Note,IN-,에서- DocType: Production Order Operation,In minutes,분에서 DocType: Issue,Resolution Date,결의일 DocType: Student Batch Name,Batch Name,배치 이름 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,작업 표 작성 : -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},지불 모드로 기본 현금 또는 은행 계정을 설정하십시오 {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,작업 표 작성 : +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},지불 모드로 기본 현금 또는 은행 계정을 설정하십시오 {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,싸다 DocType: GST Settings,GST Settings,GST 설정 DocType: Selling Settings,Customer Naming By,고객 이름 지정으로 @@ -709,7 +708,7 @@ DocType: Activity Cost,Projects User,프로젝트 사용자 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,소비 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0} {1} 송장 정보 테이블에서 찾을 수 없습니다 DocType: Company,Round Off Cost Center,비용 센터를 반올림 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,유지 보수 방문은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,유지 보수 방문은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 DocType: Item,Material Transfer,재료 이송 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),오프닝 (박사) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},게시 타임 스탬프 이후 여야 {0} @@ -718,7 +717,7 @@ DocType: Employee Loan,Total Interest Payable,채무 총 관심 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,착륙 비용 세금 및 요금 DocType: Production Order Operation,Actual Start Time,실제 시작 시간 DocType: BOM Operation,Operation Time,운영 시간 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,끝 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,끝 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,베이스 DocType: Timesheet,Total Billed Hours,총 청구 시간 DocType: Journal Entry,Write Off Amount,금액을 상각 @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),주행 거리계 값 (마지막) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,마케팅 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,결제 항목이 이미 생성 DocType: Purchase Receipt Item Supplied,Current Stock,현재 재고 -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},행 번호는 {0} : {1} 자산이 항목에 연결되지 않는 {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},행 번호는 {0} : {1} 자산이 항목에 연결되지 않는 {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,미리보기 연봉 슬립 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,계정 {0} 여러 번 입력 된 DocType: Account,Expenses Included In Valuation,비용은 평가에 포함 @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,항공 우 DocType: Journal Entry,Credit Card Entry,신용 카드 입력 apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,회사 및 계정 apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,제품은 공급 업체에서 받았다. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,값에서 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,값에서 DocType: Lead,Campaign Name,캠페인 이름 DocType: Selling Settings,Close Opportunity After Days,일 후 닫기 기회 ,Reserved,예약 @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,에너지 DocType: Opportunity,Opportunity From,기회에서 apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,월급의 문. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,행 {0} : {1} 품목 {2}에 필요한 일련 번호. 귀하는 {3}을 (를) 제공했습니다. DocType: BOM,Website Specifications,웹 사이트 사양 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}에서 {0} 유형의 {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,행 {0} : 변환 계수는 필수입니다 DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",여러 가격 규칙은 동일한 기준으로 존재 우선 순위를 할당하여 충돌을 해결하십시오. 가격 규칙 : {0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,비활성화하거나 다른 BOM을 함께 연결되어로 BOM을 취소 할 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,비활성화하거나 다른 BOM을 함께 연결되어로 BOM을 취소 할 수 없습니다 DocType: Opportunity,Maintenance,유지 DocType: Item Attribute Value,Item Attribute Value,항목 속성 값 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,판매 캠페인. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,표 만들기 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,표 만들기 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -857,7 +857,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,이메일 계정 설정 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,첫 번째 항목을 입력하십시오 DocType: Account,Liability,부채 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,제재 금액 행에 청구 금액보다 클 수 없습니다 {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,제재 금액 행에 청구 금액보다 클 수 없습니다 {0}. DocType: Company,Default Cost of Goods Sold Account,제품 판매 계정의 기본 비용 apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,가격 목록을 선택하지 DocType: Employee,Family Background,가족 배경 @@ -868,10 +868,10 @@ DocType: Company,Default Bank Account,기본 은행 계좌 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",파티를 기반으로 필터링하려면 선택 파티 첫 번째 유형 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},항목을 통해 전달되지 않기 때문에 '업데이트 재고'확인 할 수없는 {0} DocType: Vehicle,Acquisition Date,취득일 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,NOS +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,NOS DocType: Item,Items with higher weightage will be shown higher,높은 weightage와 항목에서 높은 표시됩니다 DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,은행 계정조정 세부 정보 -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,행 번호 {0} 자산이 {1} 제출해야합니다 +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,행 번호 {0} 자산이 {1} 제출해야합니다 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,검색된 직원이 없습니다 DocType: Supplier Quotation,Stopped,중지 DocType: Item,If subcontracted to a vendor,공급 업체에 하청하는 경우 @@ -888,7 +888,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,최소 송장 금액 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1} : 코스트 센터 {2} 회사에 속하지 않는 {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1} 계정 {2} 그룹이 될 수 없습니다 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,항목 행 {IDX} {문서 타입} {DOCNAME} 위에 존재하지 않는 '{문서 타입}'테이블 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,표 {0} 이미 완료 또는 취소 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,표 {0} 이미 완료 또는 취소 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,어떤 작업을하지 DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","자동 청구서는 05, 28 등의 예를 들어 생성되는 달의 날" DocType: Asset,Opening Accumulated Depreciation,감가 상각 누계액 열기 @@ -947,7 +947,7 @@ DocType: SMS Log,Requested Numbers,신청 번호 DocType: Production Planning Tool,Only Obtain Raw Materials,만 원료를 얻 apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,성능 평가. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","사용 쇼핑 카트가 활성화 될 때, '쇼핑 카트에 사용'및 장바구니 적어도 하나의 세금 규칙이 있어야한다" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","결제 항목 {0} 주문이이 송장에 미리으로 당겨 할 필요가있는 경우 {1}, 확인에 연결되어 있습니다." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","결제 항목 {0} 주문이이 송장에 미리으로 당겨 할 필요가있는 경우 {1}, 확인에 연결되어 있습니다." DocType: Sales Invoice Item,Stock Details,재고 상세 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,프로젝트 값 apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,판매 시점 @@ -970,15 +970,15 @@ DocType: Naming Series,Update Series,업데이트 시리즈 DocType: Supplier Quotation,Is Subcontracted,하청 DocType: Item Attribute,Item Attribute Values,항목 속성 값 DocType: Examination Result,Examination Result,시험 결과 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,구입 영수증 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,구입 영수증 ,Received Items To Be Billed,청구에 주어진 항목 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,제출 급여 전표 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,제출 급여 전표 apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,통화 환율 마스터. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},참고없는 Doctype 중 하나 여야합니다 {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},작업에 대한 다음 {0} 일 시간 슬롯을 찾을 수 없습니다 {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},작업에 대한 다음 {0} 일 시간 슬롯을 찾을 수 없습니다 {1} DocType: Production Order,Plan material for sub-assemblies,서브 어셈블리 계획 물질 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,판매 파트너 및 지역 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0}이 활성화되어 있어야합니다 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0}이 활성화되어 있어야합니다 DocType: Journal Entry,Depreciation Entry,감가 상각 항목 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,첫 번째 문서 유형을 선택하세요 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,"이 유지 보수 방문을 취소하기 전, 재질 방문 {0} 취소" @@ -988,7 +988,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,총액 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,인터넷 게시 DocType: Production Planning Tool,Production Orders,생산 주문 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,잔고액 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,잔고액 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,판매 가격 목록 apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,항목을 동기화 게시 DocType: Bank Reconciliation,Account Currency,계정 통화 @@ -1013,12 +1013,12 @@ DocType: Employee,Exit Interview Details,출구 인터뷰의 자세한 사항 DocType: Item,Is Purchase Item,구매 상품입니다 DocType: Asset,Purchase Invoice,구매 송장 DocType: Stock Ledger Entry,Voucher Detail No,바우처 세부 사항 없음 -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,새로운 판매 송장 +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,새로운 판매 송장 DocType: Stock Entry,Total Outgoing Value,총 보내는 값 apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,날짜 및 마감일을 열면 동일 회계 연도 내에 있어야합니다 DocType: Lead,Request for Information,정보 요청 ,LeaderBoard,리더 보드 -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,동기화 오프라인 송장 +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,동기화 오프라인 송장 DocType: Payment Request,Paid,지불 DocType: Program Fee,Program Fee,프로그램 비용 DocType: Salary Slip,Total in words,즉 전체 @@ -1026,7 +1026,7 @@ DocType: Material Request Item,Lead Time Date,리드 타임 날짜 DocType: Guardian,Guardian Name,보호자 이름 DocType: Cheque Print Template,Has Print Format,인쇄 형식 DocType: Employee Loan,Sanctioned,제재 -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,필수입니다. 환율 레코드가 생성되지 않았습니다. +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,필수입니다. 환율 레코드가 생성되지 않았습니다. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},행 번호는 {0} 항목에 대한 일련 번호를 지정하십시오 {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'제품 번들'항목, 창고, 일련 번호 및 배치에 대해 아니오 '포장 목록'테이블에서 고려 될 것이다. 창고 및 배치 없음 어떤 '제품 번들'항목에 대한 모든 포장 항목에 대해 동일한 경우, 그 값이 주요 항목 테이블에 입력 할 수는 값이 테이블 '목록 포장'을 복사됩니다." DocType: Job Opening,Publish on website,웹 사이트에 게시 @@ -1039,7 +1039,7 @@ DocType: Cheque Print Template,Date Settings,날짜 설정 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,변화 ,Company Name,회사 명 DocType: SMS Center,Total Message(s),전체 메시지 (들) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,전송 항목 선택 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,전송 항목 선택 DocType: Purchase Invoice,Additional Discount Percentage,추가 할인 비율 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,모든 도움말 동영상 목록보기 DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,검사가 입금 된 은행 계좌 머리를 선택합니다. @@ -1054,7 +1054,7 @@ DocType: BOM,Raw Material Cost(Company Currency),원료 비용 (기업 통화) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,모든 항목은 이미 생산 주문에 대한 전송되었습니다. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},행 번호 {0} : 요율은 {1}에서 사용 된 요율보다 클 수 없습니다 {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},행 번호 {0} : 요율은 {1}에서 사용 된 요율보다 클 수 없습니다 {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,미터 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,미터 DocType: Workstation,Electricity Cost,전기 비용 DocType: HR Settings,Don't send Employee Birthday Reminders,직원 생일 알림을 보내지 마십시오 DocType: Item,Inspection Criteria,검사 기준 @@ -1069,7 +1069,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,선불지급 DocType: Item,Automatically Create New Batch,새로운 배치 자동 생성 DocType: Item,Automatically Create New Batch,새로운 배치 자동 생성 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,확인 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,확인 DocType: Student Admission,Admission Start Date,입장료 시작 날짜 DocType: Journal Entry,Total Amount in Words,단어의 합계 금액 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,오류가 발생했습니다.한 가지 가능한 이유는 양식을 저장하지 않은 경우입니다.문제가 계속되면 support@erpnext.com에 문의하시기 바랍니다. @@ -1077,7 +1077,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,내 장바구니 apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},주문 유형 중 하나 여야합니다 {0} DocType: Lead,Next Contact Date,다음 접촉 날짜 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,열기 수량 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,변경 금액에 대한 계정을 입력하세요 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,변경 금액에 대한 계정을 입력하세요 DocType: Student Batch Name,Student Batch Name,학생 배치 이름 DocType: Holiday List,Holiday List Name,휴일 목록 이름 DocType: Repayment Schedule,Balance Loan Amount,잔액 대출 금액 @@ -1085,7 +1085,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,재고 옵션 DocType: Journal Entry Account,Expense Claim,비용 청구 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,당신은 정말이 폐기 자산을 복원 하시겠습니까? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},대한 수량 {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},대한 수량 {0} DocType: Leave Application,Leave Application,휴가 신청 apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,할당 도구를 남겨 DocType: Leave Block List,Leave Block List Dates,차단 목록 날짜를 남겨 @@ -1136,7 +1136,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,에 대하여 DocType: Item,Default Selling Cost Center,기본 판매 비용 센터 DocType: Sales Partner,Implementation Partner,구현 파트너 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,우편 번호 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,우편 번호 apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},판매 주문 {0}를 {1} DocType: Opportunity,Contact Info,연락처 정보 apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,재고 항목 만들기 @@ -1155,14 +1155,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,출석 정지 날짜 DocType: School Settings,Attendance Freeze Date,출석 정지 날짜 DocType: Opportunity,Your sales person who will contact the customer in future,미래의 고객에게 연락 할 것이다 판매 사람 -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,공급 업체의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,공급 업체의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,모든 제품보기 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),최소 납기 (일) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),최소 납기 (일) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,모든 BOM을 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,모든 BOM을 DocType: Company,Default Currency,기본 통화 DocType: Expense Claim,From Employee,직원에서 -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,경고 : 시스템이 {0} {1} 제로의 항목에 대한 금액 때문에 과다 청구를 확인하지 않습니다 +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,경고 : 시스템이 {0} {1} 제로의 항목에 대한 금액 때문에 과다 청구를 확인하지 않습니다 DocType: Journal Entry,Make Difference Entry,차액 항목을 만듭니다 DocType: Upload Attendance,Attendance From Date,날짜부터 출석 DocType: Appraisal Template Goal,Key Performance Area,핵심 성과 지역 @@ -1179,7 +1179,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,당신의 참고를위한 회사의 등록 번호.세금 번호 등 DocType: Sales Partner,Distributor,분배 자 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,쇼핑 카트 배송 규칙 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,생산 순서는 {0}이 판매 주문을 취소하기 전에 취소해야합니다 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,생산 순서는 {0}이 판매 주문을 취소하기 전에 취소해야합니다 apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',설정 '에 추가 할인을 적용'하세요 ,Ordered Items To Be Billed,청구 항목을 주문한 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,범위이어야한다보다는에게 범위 @@ -1188,10 +1188,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,공제 DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,시작 년도 -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN의 처음 2 자리 숫자는 주 번호 {0}과 일치해야합니다. +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN의 처음 2 자리 숫자는 주 번호 {0}과 일치해야합니다. DocType: Purchase Invoice,Start date of current invoice's period,현재 송장의 기간의 시작 날짜 DocType: Salary Slip,Leave Without Pay,지불하지 않고 종료 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,용량 계획 오류 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,용량 계획 오류 ,Trial Balance for Party,파티를위한 시산표 DocType: Lead,Consultant,컨설턴트 DocType: Salary Slip,Earnings,당기순이익 @@ -1207,7 +1207,7 @@ DocType: Cheque Print Template,Payer Settings,지불 설정 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","이 변형의 상품 코드에 추가됩니다.귀하의 약어는 ""SM""이며, 예를 들어, 아이템 코드는 ""T-SHIRT"", ""T-SHIRT-SM""입니다 변형의 항목 코드" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,당신이 급여 슬립을 저장하면 (즉) 순 유료가 표시됩니다. DocType: Purchase Invoice,Is Return,돌아가요 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,반품 / 직불 참고 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,반품 / 직불 참고 DocType: Price List Country,Price List Country,가격 목록 나라 DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},항목에 대한 {0} 유효한 일련 NOS {1} @@ -1220,7 +1220,7 @@ DocType: Employee Loan,Partially Disbursed,부분적으로 지급 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,공급 업체 데이터베이스. DocType: Account,Balance Sheet,대차 대조표 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ','상품 코드와 항목에 대한 센터 비용 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",지불 방식은 구성되어 있지 않습니다. 계정 결제의 모드 또는 POS 프로필에 설정되어 있는지 확인하십시오. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",지불 방식은 구성되어 있지 않습니다. 계정 결제의 모드 또는 POS 프로필에 설정되어 있는지 확인하십시오. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,귀하의 영업 사원은 고객에게 연락이 날짜에 알림을 얻을 것이다 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,동일 상품을 여러 번 입력 할 수 없습니다. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","또한 계정의 그룹에서 제조 될 수 있지만, 항목은 비 - 그룹에 대해 만들어 질 수있다" @@ -1250,7 +1250,7 @@ DocType: Employee Loan Application,Repayment Info,상환 정보 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'항목란'을 채워 주세요. apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},중복 행 {0}과 같은 {1} ,Trial Balance,시산표 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,찾을 수 없습니다 회계 연도 {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,찾을 수 없습니다 회계 연도 {0} apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,직원 설정 DocType: Sales Order,SO-,그래서- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,첫 번째 접두사를 선택하세요 @@ -1265,11 +1265,11 @@ DocType: Grading Scale,Intervals,간격 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,처음 apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",항목 그룹이 동일한 이름을 가진 항목의 이름을 변경하거나 항목 그룹의 이름을 바꾸십시오 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,학생 휴대 전화 번호 -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,세계의 나머지 +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,세계의 나머지 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,항목 {0} 배치를 가질 수 없습니다 ,Budget Variance Report,예산 차이 보고서 DocType: Salary Slip,Gross Pay,총 지불 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,행 {0} : 활동 유형은 필수입니다. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,행 {0} : 활동 유형은 필수입니다. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,배당금 지급 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,회계 원장 DocType: Stock Reconciliation,Difference Amount,차이 금액 @@ -1292,18 +1292,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,직원 허가 밸런스 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},{0} 계정 잔고는 항상 {1} 이어야합니다 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},행 항목에 필요한 평가 비율 {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,예 : 컴퓨터 과학 석사 +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,예 : 컴퓨터 과학 석사 DocType: Purchase Invoice,Rejected Warehouse,거부 창고 DocType: GL Entry,Against Voucher,바우처에 대한 DocType: Item,Default Buying Cost Center,기본 구매 비용 센터 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext 중 최고를 얻으려면, 우리는 당신이 약간의 시간이 걸릴 이러한 도움 비디오를 시청할 것을 권장합니다." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,에 +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,에 DocType: Supplier Quotation Item,Lead Time in days,일 리드 타임 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,미지급금 합계 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},에 {0}에서 급여의 지급 {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},에 {0}에서 급여의 지급 {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},동결 계정을 편집 할 수있는 권한이 없습니다 {0} DocType: Journal Entry,Get Outstanding Invoices,미결제 송장를 얻을 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,판매 주문 {0} 유효하지 않습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,판매 주문 {0} 유효하지 않습니다 apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,구매 주문은 당신이 계획하는 데 도움이 당신의 구입에 후속 apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","죄송합니다, 회사는 병합 할 수 없습니다" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1325,8 +1325,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,간접 비용 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,행 {0} : 수량은 필수입니다 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,농업 -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,싱크 마스터 데이터 -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,귀하의 제품이나 서비스 +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,싱크 마스터 데이터 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,귀하의 제품이나 서비스 DocType: Mode of Payment,Mode of Payment,결제 방식 apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,웹 사이트의 이미지가 공개 파일 또는 웹 사이트 URL이어야합니다 DocType: Student Applicant,AP,AP @@ -1346,18 +1346,18 @@ DocType: Student Group Student,Group Roll Number,그룹 롤 번호 DocType: Student Group Student,Group Roll Number,그룹 롤 번호 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} 만 신용 계정은 자동 이체 항목에 링크 할 수 있습니다 들어 apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,모든 작업 가중치의 합계 1. 따라 모든 프로젝트 작업의 가중치를 조정하여주십시오해야한다 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,배송 참고 {0} 제출되지 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,배송 참고 {0} 제출되지 apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,{0} 항목 하위 계약 품목이어야합니다 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,자본 장비 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","가격 규칙은 첫 번째 항목, 항목 그룹 또는 브랜드가 될 수있는 필드 '에 적용'에 따라 선택됩니다." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,먼저 상품 코드를 설정하십시오. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,먼저 상품 코드를 설정하십시오. DocType: Hub Settings,Seller Website,판매자 웹 사이트 DocType: Item,ITEM-,목- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,영업 팀의 총 할당 비율은 100해야한다 DocType: Appraisal Goal,Goal,골 DocType: Sales Invoice Item,Edit Description,편집 설명 ,Team Updates,팀 업데이트 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,공급 업체 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,공급 업체 DocType: Account,Setting Account Type helps in selecting this Account in transactions.,계정 유형을 설정하면 트랜잭션이 계정을 선택하는 데 도움이됩니다. DocType: Purchase Invoice,Grand Total (Company Currency),총계 (회사 통화) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,인쇄 형식 만들기 @@ -1371,12 +1371,12 @@ DocType: Item,Website Item Groups,웹 사이트 상품 그룹 DocType: Purchase Invoice,Total (Company Currency),총 (회사 통화) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,일련 번호 {0} 번 이상 입력 DocType: Depreciation Schedule,Journal Entry,분개 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,진행중인 {0} 항목 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,진행중인 {0} 항목 DocType: Workstation,Workstation Name,워크 스테이션 이름 DocType: Grading Scale Interval,Grade Code,등급 코드 DocType: POS Item Group,POS Item Group,POS 항목 그룹 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,다이제스트 이메일 : -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} 아이템에 속하지 않는 {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} 아이템에 속하지 않는 {1} DocType: Sales Partner,Target Distribution,대상 배포 DocType: Salary Slip,Bank Account No.,은행 계좌 번호 DocType: Naming Series,This is the number of the last created transaction with this prefix,이것은이 접두사를 마지막으로 생성 된 트랜잭션의 수입니다 @@ -1434,7 +1434,7 @@ DocType: Quotation,Shopping Cart,쇼핑 카트 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,평균 일일 보내는 DocType: POS Profile,Campaign,캠페인 DocType: Supplier,Name and Type,이름 및 유형 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',승인 상태가 '승인'또는 '거부'해야 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',승인 상태가 '승인'또는 '거부'해야 DocType: Purchase Invoice,Contact Person,담당자 apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','예상 시작 날짜'는'예상 종료 날짜 ' 이전이어야 합니다. DocType: Course Scheduling Tool,Course End Date,코스 종료 날짜 @@ -1446,8 +1446,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,선호하는 이메일 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,고정 자산의 순 변화 DocType: Leave Control Panel,Leave blank if considered for all designations,모든 지정을 고려하는 경우 비워 둡니다 -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0}에있는 '실제'의 책임은 상품 요금에 포함 할 수 없습니다 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},최대 : {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0}에있는 '실제'의 책임은 상품 요금에 포함 할 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},최대 : {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,날짜 시간에서 DocType: Email Digest,For Company,회사 apps/erpnext/erpnext/config/support.py +17,Communication log.,통신 로그. @@ -1489,7 +1489,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","필요한 작 DocType: Journal Entry Account,Account Balance,계정 잔액 apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,거래에 대한 세금 규칙. DocType: Rename Tool,Type of document to rename.,이름을 바꿀 문서의 종류. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,우리는이 품목을 구매 +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,우리는이 품목을 구매 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1} : 고객은 채권 계정에 필요한 {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),총 세금 및 요금 (회사 통화) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,닫히지 않은 회계 연도의 P & L 잔액을보기 @@ -1500,7 +1500,7 @@ DocType: Quality Inspection,Readings,읽기 DocType: Stock Entry,Total Additional Costs,총 추가 비용 DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),스크랩 자재 비용 (기업 통화) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,서브 어셈블리 +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,서브 어셈블리 DocType: Asset,Asset Name,자산 이름 DocType: Project,Task Weight,작업 무게 DocType: Shipping Rule Condition,To Value,값 @@ -1529,7 +1529,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,항목 변형 DocType: Company,Services,Services (서비스) DocType: HR Settings,Email Salary Slip to Employee,직원에게 이메일 급여 슬립 DocType: Cost Center,Parent Cost Center,부모의 비용 센터 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,가능한 공급 업체를 선택 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,가능한 공급 업체를 선택 DocType: Sales Invoice,Source,소스 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,쇼 폐쇄 DocType: Leave Type,Is Leave Without Pay,지불하지 않고 남겨주세요 @@ -1541,7 +1541,7 @@ DocType: POS Profile,Apply Discount,할인 적용 DocType: GST HSN Code,GST HSN Code,GST HSN 코드 DocType: Employee External Work History,Total Experience,총 체험 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,오픈 프로젝트 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,포장 명세서 (들) 취소 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,포장 명세서 (들) 취소 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,투자의 현금 흐름 DocType: Program Course,Program Course,프로그램 과정 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,화물 운송 및 포워딩 요금 @@ -1582,9 +1582,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,프로그램 등록 계약 DocType: Sales Invoice Item,Brand Name,브랜드 명 DocType: Purchase Receipt,Transporter Details,수송기 상세 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,기본 창고가 선택한 항목에 대한 필요 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,상자 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,가능한 공급 업체 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,기본 창고가 선택한 항목에 대한 필요 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,상자 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,가능한 공급 업체 DocType: Budget,Monthly Distribution,예산 월간 배분 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,수신기 목록이 비어 있습니다.수신기 목록을 만드십시오 DocType: Production Plan Sales Order,Production Plan Sales Order,생산 계획 판매 주문 @@ -1617,7 +1617,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,회사 경비 apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","학생들은 시스템의 중심에, 모든 학생들이 추가된다" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},행 # {0} : 정리 날짜는 {1} 수표 날짜 전에 할 수 없습니다 {2} DocType: Company,Default Holiday List,휴일 목록 기본 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},행 {0}의 시간과 시간에서 {1}과 중첩된다 {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},행 {0}의 시간과 시간에서 {1}과 중첩된다 {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,재고 부채 DocType: Purchase Invoice,Supplier Warehouse,공급 업체 창고 DocType: Opportunity,Contact Mobile No,연락처 모바일 없음 @@ -1633,18 +1633,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},유형의 휴가는 {0}을 넘을 수 없습니다 {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,사전에 X 일에 대한 작업을 계획 해보십시오. DocType: HR Settings,Stop Birthday Reminders,정지 생일 알림 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},회사에서 기본 급여 채무 계정을 설정하십시오 {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},회사에서 기본 급여 채무 계정을 설정하십시오 {0} DocType: SMS Center,Receiver List,수신기 목록 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,검색 항목 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,검색 항목 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,소비 금액 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,현금의 순 변화 DocType: Assessment Plan,Grading Scale,등급 규모 apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,측정 단위는 {0}보다 변환 계수 표에 두 번 이상 입력 한 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,이미 완료 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,이미 완료 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,손에 주식 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},지불 요청이 이미 존재 {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,발행 항목의 비용 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},수량 이하이어야한다 {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},수량 이하이어야한다 {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,이전 회계 연도가 종료되지 않습니다 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),나이 (일) DocType: Quotation Item,Quotation Item,견적 상품 @@ -1658,6 +1658,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,참조 문헌 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} 취소 또는 정지되었습니다. DocType: Accounts Settings,Credit Controller,신용 컨트롤러 +DocType: Sales Order,Final Delivery Date,최종 납기일 DocType: Delivery Note,Vehicle Dispatch Date,차량 파견 날짜 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,구입 영수증 {0} 제출되지 @@ -1750,9 +1751,9 @@ DocType: Employee,Date Of Retirement,은퇴 날짜 DocType: Upload Attendance,Get Template,양식 구하기 DocType: Material Request,Transferred,이전 됨 DocType: Vehicle,Doors,문 -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext 설치가 완료! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext 설치가 완료! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,세금 분열 +DocType: Purchase Invoice,Tax Breakup,세금 분열 DocType: Packing Slip,PS-,추신- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1} : 코스트 센터가 '손익'계정이 필요합니다 {2}. 회사의 기본 비용 센터를 설치하시기 바랍니다. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,고객 그룹이 동일한 이름으로 존재하는 것은 고객의 이름을 변경하거나 고객 그룹의 이름을 바꾸십시오 @@ -1765,14 +1766,14 @@ DocType: Announcement,Instructor,강사 DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","이 항목이 변형을 갖는다면, 이는 판매 주문 등을 선택할 수 없다" DocType: Lead,Next Contact By,다음 접촉 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},상품에 필요한 수량 {0} 행에서 {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},상품에 필요한 수량 {0} 행에서 {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},수량이 항목에 대한 존재하는 창고 {0} 삭제할 수 없습니다 {1} DocType: Quotation,Order Type,주문 유형 DocType: Purchase Invoice,Notification Email Address,알림 전자 메일 주소 ,Item-wise Sales Register,상품이 많다는 판매 등록 DocType: Asset,Gross Purchase Amount,총 구매 금액 DocType: Asset,Depreciation Method,감가 상각 방법 -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,오프라인 +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,오프라인 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,이 세금은 기본 요금에 포함되어 있습니까? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,총 대상 DocType: Job Applicant,Applicant for a Job,작업에 대한 신청자 @@ -1794,7 +1795,7 @@ DocType: Employee,Leave Encashed?,Encashed 남겨? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,필드에서 기회는 필수입니다 DocType: Email Digest,Annual Expenses,연간 비용 DocType: Item,Variants,변종 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,확인 구매 주문 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,확인 구매 주문 DocType: SMS Center,Send To,보내기 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},허가 유형에 대한 충분한 휴가 밸런스가 없습니다 {0} DocType: Payment Reconciliation Payment,Allocated amount,할당 된 양 @@ -1802,7 +1803,7 @@ DocType: Sales Team,Contribution to Net Total,인터넷 전체에 기여 DocType: Sales Invoice Item,Customer's Item Code,고객의 상품 코드 DocType: Stock Reconciliation,Stock Reconciliation,재고 조정 DocType: Territory,Territory Name,지역 이름 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,작업중인 창고는 제출하기 전에 필요 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,작업중인 창고는 제출하기 전에 필요 apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,작업을 위해 신청자. DocType: Purchase Order Item,Warehouse and Reference,창고 및 참조 DocType: Supplier,Statutory info and other general information about your Supplier,법정 정보 및 공급 업체에 대한 다른 일반적인 정보 @@ -1815,16 +1816,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,감정 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},중복 된 일련 번호는 항목에 대해 입력 {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,배송 규칙의 조건 apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,들어 오세요 -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",행의 항목 {0}에 대한 overbill 수 없습니다 {1}보다 {2}. 과다 청구를 허용하려면 설정을 구매에서 설정하시기 바랍니다 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,상품 또는웨어 하우스를 기반으로 필터를 설정하십시오 +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",행의 항목 {0}에 대한 overbill 수 없습니다 {1}보다 {2}. 과다 청구를 허용하려면 설정을 구매에서 설정하시기 바랍니다 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,상품 또는웨어 하우스를 기반으로 필터를 설정하십시오 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),이 패키지의 순 중량. (항목의 순 중량의 합으로 자동으로 계산) DocType: Sales Order,To Deliver and Bill,제공 및 법안 DocType: Student Group,Instructors,강사 DocType: GL Entry,Credit Amount in Account Currency,계정 통화 신용의 양 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM은 {0} 제출해야합니다 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM은 {0} 제출해야합니다 DocType: Authorization Control,Authorization Control,권한 제어 apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},행 번호 {0} : 창고 거부 거부 항목에 대해 필수입니다 {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,지불 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,지불 apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",창고 {0}이 (가) 어떤 계정에도 연결되어 있지 않습니다. 창고 기록에서 계정을 언급하거나 {1} 회사에서 기본 인벤토리 계정을 설정하십시오. apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,주문 관리 DocType: Production Order Operation,Actual Time and Cost,실제 시간과 비용 @@ -1840,12 +1841,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,판매 DocType: Quotation Item,Actual Qty,실제 수량 DocType: Sales Invoice Item,References,참조 DocType: Quality Inspection Reading,Reading 10,10 읽기 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","귀하의 제품이나 제품을 구매하거나 판매하는 서비스를 나열합니다.당신이 시작할 때 항목 그룹, 측정 및 기타 속성의 단위를 확인해야합니다." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","귀하의 제품이나 제품을 구매하거나 판매하는 서비스를 나열합니다.당신이 시작할 때 항목 그룹, 측정 및 기타 속성의 단위를 확인해야합니다." DocType: Hub Settings,Hub Node,허브 노드 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,중복 항목을 입력했습니다.조정하고 다시 시도하십시오. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,준 +DocType: Company,Sales Target,판매 대상 DocType: Asset Movement,Asset Movement,자산 이동 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,새로운 장바구니 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,새로운 장바구니 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} 항목을 직렬화 된 상품이 없습니다 DocType: SMS Center,Create Receiver List,수신기 목록 만들기 DocType: Vehicle,Wheels,휠 @@ -1887,13 +1889,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,프로젝트 관리 DocType: Supplier,Supplier of Goods or Services.,제품 또는 서비스의 공급. DocType: Budget,Fiscal Year,회계 연도 DocType: Vehicle Log,Fuel Price,연료 가격 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,설정> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오. DocType: Budget,Budget,예산 apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,고정 자산 항목은 재고 항목 있어야합니다. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",이 수입 또는 비용 계정이 아니다으로 예산이에 대해 {0}에 할당 할 수 없습니다 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,달성 DocType: Student Admission,Application Form Route,신청서 경로 apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,지역 / 고객 -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,예) 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,예) 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,그것은 지불하지 않고 종료되기 때문에 유형 {0}를 할당 할 수 없습니다 남겨주세요 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},행 {0} : 할당 된 양 {1} 미만 또는 잔액을 청구하기 위해 동일합니다 {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,당신이 판매 송장을 저장 한 단어에서 볼 수 있습니다. @@ -1902,11 +1905,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} 항목을 직렬 제의 체크 항목 마스터에 대한 설정이 없습니다 DocType: Maintenance Visit,Maintenance Time,유지 시간 ,Amount to Deliver,금액 제공하는 -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,제품 또는 서비스 +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,제품 또는 서비스 apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,계약 기간의 시작 날짜는 용어가 연결되는 학술 올해의 올해의 시작 날짜보다 이전이 될 수 없습니다 (학년 {}). 날짜를 수정하고 다시 시도하십시오. DocType: Guardian,Guardian Interests,가디언 관심 DocType: Naming Series,Current Value,현재 값 -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,여러 회계 연도 날짜 {0} 존재한다. 회계 연도에 회사를 설정하세요 +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,여러 회계 연도 날짜 {0} 존재한다. 회계 연도에 회사를 설정하세요 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} 생성 DocType: Delivery Note Item,Against Sales Order,판매 주문에 대해 ,Serial No Status,일련 번호 상태 @@ -1920,7 +1923,7 @@ DocType: Pricing Rule,Selling,판매 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},금액은 {0} {1}에 대해 공제 {2} DocType: Employee,Salary Information,급여정보 DocType: Sales Person,Name and Employee ID,이름 및 직원 ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,기한 날짜를 게시하기 전에 할 수 없습니다 +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,기한 날짜를 게시하기 전에 할 수 없습니다 DocType: Website Item Group,Website Item Group,웹 사이트 상품 그룹 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,관세 및 세금 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,참고 날짜를 입력 해주세요 @@ -1977,9 +1980,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},직원 {0}의 가입 날짜를 설정하십시오. DocType: Task,Total Billing Amount (via Time Sheet),총 결제 금액 (시간 시트를 통해) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,반복 고객 수익 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1})은 '지출 승인자'이어야 합니다. -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,페어링 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,생산을위한 BOM 및 수량 선택 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1})은 '지출 승인자'이어야 합니다. +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,페어링 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,생산을위한 BOM 및 수량 선택 DocType: Asset,Depreciation Schedule,감가 상각 일정 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,영업 파트너 주소 및 연락처 DocType: Bank Reconciliation Detail,Against Account,계정에 대하여 @@ -1989,7 +1992,7 @@ DocType: Item,Has Batch No,일괄 없음에게 있습니다 apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},연간 결제 : {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),재화 및 서비스 세금 (GST 인도) DocType: Delivery Note,Excise Page Number,소비세의 페이지 번호 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",회사는 날짜부터 현재까지는 필수입니다 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",회사는 날짜부터 현재까지는 필수입니다 DocType: Asset,Purchase Date,구입 날짜 DocType: Employee,Personal Details,개인 정보 apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},회사의 '자산 감가 상각 비용 센터'를 설정하십시오 {0} @@ -1998,9 +2001,9 @@ DocType: Task,Actual End Date (via Time Sheet),실제 종료 날짜 (시간 시 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},양 {0} {1}에 대한 {2} {3} ,Quotation Trends,견적 동향 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},항목에 대한 항목을 마스터에 언급되지 않은 항목 그룹 {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,차변계정은 채권 계정이어야합니다 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,차변계정은 채권 계정이어야합니다 DocType: Shipping Rule Condition,Shipping Amount,배송 금액 -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,고객 추가 +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,고객 추가 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,대기중인 금액 DocType: Purchase Invoice Item,Conversion Factor,변환 계수 DocType: Purchase Order,Delivered,배달 @@ -2023,7 +2026,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,조정 됨 항목을 포 DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",학부모 과정 (학부모 과정에 포함되지 않은 경우 비워 둡니다) DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",학부모 과정 (학부모 과정에 포함되지 않은 경우 비워 둡니다) DocType: Leave Control Panel,Leave blank if considered for all employee types,모든 직원의 유형을 고려하는 경우 비워 둡니다 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 DocType: Landed Cost Voucher,Distribute Charges Based On,배포 요금을 기준으로 apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,작업 표 DocType: HR Settings,HR Settings,HR 설정 @@ -2031,7 +2033,7 @@ DocType: Salary Slip,net pay info,순 임금 정보 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,비용 청구가 승인 대기 중입니다.만 비용 승인자 상태를 업데이트 할 수 있습니다. DocType: Email Digest,New Expenses,새로운 비용 DocType: Purchase Invoice,Additional Discount Amount,추가 할인 금액 -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",행 번호 {0} 항목이 고정 자산이기 때문에 수량은 1이어야합니다. 여러 수량에 대해 별도의 행을 사용하십시오. +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",행 번호 {0} 항목이 고정 자산이기 때문에 수량은 1이어야합니다. 여러 수량에 대해 별도의 행을 사용하십시오. DocType: Leave Block List Allow,Leave Block List Allow,차단 목록은 허용 남겨 apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,약어는 비워둘수 없습니다 apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,비 그룹에 그룹 @@ -2039,7 +2041,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,스포츠 DocType: Loan Type,Loan Name,대출 이름 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,실제 총 DocType: Student Siblings,Student Siblings,학생 형제 자매 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,단위 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,단위 apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,회사를 지정하십시오 ,Customer Acquisition and Loyalty,고객 확보 및 충성도 DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,당신이 거부 된 품목의 재고를 유지하고 창고 @@ -2058,12 +2060,12 @@ DocType: Workstation,Wages per hour,시간당 임금 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},일괄 재고 잔액은 {0}이 될 것이다 부정적인 {1}의 창고에서 상품 {2}에 대한 {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,자료 요청에 이어 항목의 재 주문 레벨에 따라 자동으로 제기되고있다 DocType: Email Digest,Pending Sales Orders,판매 주문을 보류 -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},계정 {0} 유효하지 않습니다. 계정 통화가 있어야합니다 {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},계정 {0} 유효하지 않습니다. 계정 통화가 있어야합니다 {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM 변환 계수는 행에 필요한 {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","행 번호 {0} 참조 문서 형식은 판매 주문 중 하나, 판매 송장 또는 분개해야합니다" DocType: Salary Component,Deduction,공제 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,행 {0} : 시간에서와 시간은 필수입니다. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,행 {0} : 시간에서와 시간은 필수입니다. DocType: Stock Reconciliation Item,Amount Difference,금액 차이 apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},상품 가격은 추가 {0} 가격 목록에서 {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,이 영업 사원의 직원 ID를 입력하십시오 @@ -2073,11 +2075,11 @@ DocType: Project,Gross Margin,매출 총 이익률 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,첫 번째 생산 품목을 입력하십시오 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,계산 된 은행 잔고 잔액 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,사용하지 않는 사용자 -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,인용 +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,인용 DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,총 공제 ,Production Analytics,생산 분석 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,비용 업데이트 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,비용 업데이트 DocType: Employee,Date of Birth,생일 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,항목 {0}이 (가) 이미 반환 된 DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** 회계 연도는 ** 금융 년도 나타냅니다.모든 회계 항목 및 기타 주요 거래는 ** ** 회계 연도에 대해 추적됩니다. @@ -2123,18 +2125,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,회사를 선택 ... DocType: Leave Control Panel,Leave blank if considered for all departments,모든 부서가 있다고 간주 될 경우 비워 둡니다 apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","고용 (영구, 계약, 인턴 등)의 종류." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} 항목에 대한 필수입니다 {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} 항목에 대한 필수입니다 {1} DocType: Process Payroll,Fortnightly,이주일에 한번의 DocType: Currency Exchange,From Currency,통화와 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","이어야 한 행에 할당 된 금액, 송장 유형 및 송장 번호를 선택하세요" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,새로운 구매 비용 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},상품에 필요한 판매 주문 {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},상품에 필요한 판매 주문 {0} DocType: Purchase Invoice Item,Rate (Company Currency),속도 (회사 통화) DocType: Student Guardian,Others,기타사항 DocType: Payment Entry,Unallocated Amount,할당되지 않은 금액 apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,일치하는 항목을 찾을 수 없습니다. 에 대한 {0} 다른 값을 선택하십시오. DocType: POS Profile,Taxes and Charges,세금과 요금 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","제품 또는, 구입 판매 또는 재고 유지 서비스." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,더 이상 업데이트되지 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,첫 번째 행에 대한 '이전 행 전체에'이전 행에 금액 '또는로 충전 타입을 선택할 수 없습니다 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,하위 항목은 제품 번들이어야한다. 항목을 제거`{0}`와 저장하세요 @@ -2162,7 +2165,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,총 결제 금액 apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,이 작업을 사용할 기본 들어오는 이메일 계정이 있어야합니다. 하십시오 설치 기본 들어오는 이메일 계정 (POP / IMAP)하고 다시 시도하십시오. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,채권 계정 -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},행 번호 {0} 자산이 {1} 이미 {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},행 번호 {0} 자산이 {1} 이미 {2} DocType: Quotation Item,Stock Balance,재고 대차 apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,지불에 판매 주문 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,최고 경영자 @@ -2187,10 +2190,11 @@ DocType: C-Form,Received Date,받은 날짜 DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","당신이 판매 세금 및 요금 템플릿의 표준 템플릿을 생성 한 경우, 하나를 선택하고 아래 버튼을 클릭합니다." DocType: BOM Scrap Item,Basic Amount (Company Currency),기본 금액 (회사 통화) DocType: Student,Guardians,보호자 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,공급 업체> 공급 업체 유형 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,가격리스트가 설정되지 않은 경우 가격이 표시되지 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,이 배송 규칙에 대한 국가를 지정하거나 전세계 배송을 확인하시기 바랍니다 DocType: Stock Entry,Total Incoming Value,총 수신 값 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,직불 카드에 대한이 필요합니다 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,직불 카드에 대한이 필요합니다 apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","작업 표는 팀에 의해 수행하는 행동이 시간, 비용 및 결제 추적 할 수 있도록" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,구매 가격 목록 DocType: Offer Letter Term,Offer Term,행사 기간 @@ -2209,11 +2213,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,제 DocType: Timesheet Detail,To Time,시간 DocType: Authorization Rule,Approving Role (above authorized value),(승인 된 값 이상) 역할을 승인 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,대변계정은 채무 계정이어야합니다 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM 재귀 : {0} 부모 또는 자녀가 될 수 없습니다 {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM 재귀 : {0} 부모 또는 자녀가 될 수 없습니다 {2} DocType: Production Order Operation,Completed Qty,완료 수량 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0} 만 직불 계정은 다른 신용 항목에 링크 할 수 있습니다 들어 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,가격 목록 {0} 비활성화 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},행 {0} : 완성 된 수량보다 더 많은 수 없습니다 {1} 조작 {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},행 {0} : 완성 된 수량보다 더 많은 수 없습니다 {1} 조작 {2} DocType: Manufacturing Settings,Allow Overtime,초과 근무 허용 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",주식 조정을 사용하여 일련 번호가 매겨진 항목 {0}을 (를) 업데이트 할 수 없습니다. 재고 항목을 사용하십시오. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",주식 조정을 사용하여 일련 번호가 매겨진 항목 {0}을 (를) 업데이트 할 수 없습니다. 재고 항목을 사용하십시오. @@ -2232,10 +2236,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,외부 apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,사용자 및 권한 DocType: Vehicle Log,VLOG.,동영상 블로그. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},생산 오더 생성 : {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},생산 오더 생성 : {0} DocType: Branch,Branch,Branch DocType: Guardian,Mobile Number,휴대 전화 번호 apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,인쇄 및 브랜딩 +DocType: Company,Total Monthly Sales,총 월간 판매액 DocType: Bin,Actual Quantity,실제 수량 DocType: Shipping Rule,example: Next Day Shipping,예 : 익일 배송 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,발견되지 일련 번호 {0} @@ -2264,7 +2269,7 @@ DocType: Payment Request,Make Sales Invoice,견적서에게 확인 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,소프트웨어 apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,다음으로 연락 날짜는 과거가 될 수 없습니다 DocType: Company,For Reference Only.,참조 용으로 만 사용됩니다. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,배치 번호 선택 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,배치 번호 선택 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},잘못된 {0} : {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,사전의 양 @@ -2277,7 +2282,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},바코드 가진 항목이 없습니다 {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,케이스 번호는 0이 될 수 없습니다 DocType: Item,Show a slideshow at the top of the page,페이지의 상단에 슬라이드 쇼보기 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOM을 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,BOM을 apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,상점 DocType: Serial No,Delivery Time,배달 시간 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,을 바탕으로 고령화 @@ -2291,16 +2296,16 @@ DocType: Rename Tool,Rename Tool,이름바꾸기 툴 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,업데이트 비용 DocType: Item Reorder,Item Reorder,항목 순서 바꾸기 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,쇼 급여 슬립 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,전송 자료 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,전송 자료 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","운영, 운영 비용을 지정하고 작업에 고유 한 작업에게 더를 제공합니다." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,이 문서에 의해 제한을 초과 {0} {1} 항목 {4}. 당신은하고 있습니다 동일에 대한 또 다른 {3} {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,저장 한 후 반복 설정하십시오 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,선택 변화량 계정 +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,저장 한 후 반복 설정하십시오 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,선택 변화량 계정 DocType: Purchase Invoice,Price List Currency,가격리스트 통화 DocType: Naming Series,User must always select,사용자는 항상 선택해야합니다 DocType: Stock Settings,Allow Negative Stock,음의 재고 허용 DocType: Installation Note,Installation Note,설치 노트 -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,세금 추가 +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,세금 추가 DocType: Topic,Topic,이야기 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,금융으로 인한 현금 흐름 DocType: Budget Account,Budget Account,예산 계정 @@ -2314,7 +2319,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,추 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),자금의 출처 (부채) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},수량은 행에서 {0} ({1})와 동일해야합니다 제조 수량 {2} DocType: Appraisal,Employee,종업원 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,배치 선택 +DocType: Company,Sales Monthly History,판매 월별 기록 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,배치 선택 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} 전액 지불되었습니다. DocType: Training Event,End Time,종료 시간 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,주어진 날짜에 대해 직원 {1}의 발견 액티브 급여 구조 {0} @@ -2322,15 +2328,14 @@ DocType: Payment Entry,Payment Deductions or Loss,지불 공제 또는 손실 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,판매 또는 구매를위한 표준 계약 조건. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,바우처 그룹 apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,판매 파이프 라인 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},급여 구성 요소에서 기본 계정을 설정하십시오 {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},급여 구성 요소에서 기본 계정을 설정하십시오 {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,필요에 DocType: Rename Tool,File to Rename,이름 바꾸기 파일 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},행에 항목에 대한 BOM을 선택하세요 {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},계정 {0}이 (가) 계정 모드에서 회사 {1}과 (과) 일치하지 않습니다 : {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},상품에 대한 존재하지 않습니다 BOM {0} {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,유지 보수 일정은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,유지 보수 일정은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 DocType: Notification Control,Expense Claim Approved,비용 청구 승인 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,설정> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,직원의 급여 슬립은 {0} 이미이 기간 동안 생성 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,제약 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,구입 한 항목의 비용 @@ -2347,7 +2352,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,완제품 항목에 DocType: Upload Attendance,Attendance To Date,날짜 출석 DocType: Warranty Claim,Raised By,에 의해 제기 DocType: Payment Gateway Account,Payment Account,결제 계정 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,진행하는 회사를 지정하십시오 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,진행하는 회사를 지정하십시오 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,채권에 순 변경 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,보상 오프 DocType: Offer Letter,Accepted,허용 @@ -2357,12 +2362,12 @@ DocType: SG Creation Tool Course,Student Group Name,학생 그룹 이름 apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,당신이 정말로이 회사에 대한 모든 트랜잭션을 삭제 하시겠습니까 확인하시기 바랍니다. 그대로 마스터 데이터는 유지됩니다. 이 작업은 취소 할 수 없습니다. DocType: Room,Room Number,방 번호 apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},잘못된 참조 {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{3} 생산 주문시 {0} ({1}) 수량은 ({2})} 보다 클 수 없습니다. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{3} 생산 주문시 {0} ({1}) 수량은 ({2})} 보다 클 수 없습니다. DocType: Shipping Rule,Shipping Rule Label,배송 규칙 라벨 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,사용자 포럼 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,원료는 비워 둘 수 없습니다. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","주식을 업데이트 할 수 없습니다, 송장은 하락 선박 항목이 포함되어 있습니다." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,빠른 분개 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,원료는 비워 둘 수 없습니다. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","주식을 업데이트 할 수 없습니다, 송장은 하락 선박 항목이 포함되어 있습니다." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,빠른 분개 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,BOM 어떤 항목 agianst 언급 한 경우는 속도를 변경할 수 없습니다 DocType: Employee,Previous Work Experience,이전 작업 경험 DocType: Stock Entry,For Quantity,수량 @@ -2419,7 +2424,7 @@ DocType: SMS Log,No of Requested SMS,요청 SMS 없음 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,승인 된 휴가 신청 기록과 일치하지 않습니다 지불하지 않고 남겨주세요 DocType: Campaign,Campaign-.####,캠페인.# # # # apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,다음 단계 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,최상의 요금으로 지정된 항목을 제공하십시오 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,최상의 요금으로 지정된 항목을 제공하십시오 DocType: Selling Settings,Auto close Opportunity after 15 days,15 일이 경과되면 자동 가까운 기회 apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,최종 년도 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,따옴표 / 리드 % @@ -2476,7 +2481,7 @@ DocType: Homepage,Homepage,홈페이지 DocType: Purchase Receipt Item,Recd Quantity,Recd 수량 apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},요금 기록 작성 - {0} DocType: Asset Category Account,Asset Category Account,자산 분류 계정 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},더 많은 항목을 생성 할 수 없습니다 {0}보다 판매 주문 수량 {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},더 많은 항목을 생성 할 수 없습니다 {0}보다 판매 주문 수량 {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,재고 입력 {0} 미작성 DocType: Payment Reconciliation,Bank / Cash Account,은행 / 현금 계정 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,다음으로 연락으로는 리드 이메일 주소와 동일 할 수 없습니다 @@ -2509,7 +2514,7 @@ DocType: Salary Structure,Total Earning,총 적립 DocType: Purchase Receipt,Time at which materials were received,재료가 수신 된 시간입니다 DocType: Stock Ledger Entry,Outgoing Rate,보내는 속도 apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,조직 분기의 마스터. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,또는 +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,또는 DocType: Sales Order,Billing Status,결제 상태 apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,문제 신고 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,광열비 @@ -2517,7 +2522,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,행 번호 {0} 저널 항목 {1} 계정이없는이 {2} 또는 이미 다른 쿠폰에 대해 일치 DocType: Buying Settings,Default Buying Price List,기본 구매 가격 목록 DocType: Process Payroll,Salary Slip Based on Timesheet,표를 바탕으로 급여 슬립 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,위의 선택 기준 또는 급여 명세서에 대한 어떤 직원이 이미 만들어 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,위의 선택 기준 또는 급여 명세서에 대한 어떤 직원이 이미 만들어 DocType: Notification Control,Sales Order Message,판매 주문 메시지 apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","기타 회사, 통화, 당해 사업 연도와 같은 기본값을 설정" DocType: Payment Entry,Payment Type,지불 유형 @@ -2542,7 +2547,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,영수증 문서를 제출해야합니다 DocType: Purchase Invoice Item,Received Qty,수량에게받은 DocType: Stock Entry Detail,Serial No / Batch,일련 번호 / 배치 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,아니 지불하고 전달되지 않음 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,아니 지불하고 전달되지 않음 DocType: Product Bundle,Parent Item,상위 항목 DocType: Account,Account Type,계정 유형 DocType: Delivery Note,DN-RET-,DN-RET- @@ -2573,8 +2578,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,총 할당 된 금액 apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,영구 인벤토리에 대한 기본 재고 계정 설정 DocType: Item Reorder,Material Request Type,자료 요청 유형 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0}에에서 급여에 대한 Accural 분개 {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","로컬 저장이 가득, 저장하지 않은" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},{0}에에서 급여에 대한 Accural 분개 {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","로컬 저장이 가득, 저장하지 않은" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,행 {0} : UOM 변환 계수는 필수입니다 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,참조 DocType: Budget,Cost Center,비용 센터 @@ -2592,7 +2597,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,소 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","선택 가격 규칙은 '가격'을 위해 만든 경우, 가격 목록을 덮어 쓰게됩니다.가격 규칙 가격이 최종 가격이기 때문에 더 이상의 할인은 적용되지해야합니다.따라서, 등 판매 주문, 구매 주문 등의 거래에있어서, 그것은 오히려 '가격 목록 평가'분야보다 '속도'필드에서 가져온 것입니다." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,트랙은 산업 유형에 의해 리드. DocType: Item Supplier,Item Supplier,부품 공급 업체 -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,더 배치를 얻을 수 상품 코드를 입력하시기 바랍니다 +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,더 배치를 얻을 수 상품 코드를 입력하시기 바랍니다 apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},값을 선택하세요 {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,모든 주소. DocType: Company,Stock Settings,재고 설정 @@ -2619,7 +2624,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,거래 후 실제 수 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},사이 찾지 급여 슬립하지 {0}과 {1} ,Pending SO Items For Purchase Request,구매 요청에 대한 SO 항목 보류 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,학생 입학 -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} 비활성화 +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} 비활성화 DocType: Supplier,Billing Currency,결제 통화 DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,아주 큰 @@ -2649,7 +2654,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,출원 현황 DocType: Fees,Fees,수수료 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,환율이 통화를 다른 통화로 지정 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,견적 {0} 취소 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,견적 {0} 취소 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,총 발행 금액 DocType: Sales Partner,Targets,대상 DocType: Price List,Price List Master,가격 목록 마스터 @@ -2666,7 +2671,7 @@ DocType: POS Profile,Ignore Pricing Rule,가격 규칙을 무시 DocType: Employee Education,Graduate,졸업생 DocType: Leave Block List,Block Days,블록 일 DocType: Journal Entry,Excise Entry,소비세 항목 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},경고 : 판매 주문 {0} 이미 고객의 구매 주문에 대해 존재 {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},경고 : 판매 주문 {0} 이미 고객의 구매 주문에 대해 존재 {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2705,7 +2710,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),만 ,Salary Register,연봉 회원 가입 DocType: Warehouse,Parent Warehouse,부모 창고 DocType: C-Form Invoice Detail,Net Total,합계액 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},항목 {0} 및 프로젝트 {1}에 대한 기본 BOM을 찾을 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},항목 {0} 및 프로젝트 {1}에 대한 기본 BOM을 찾을 수 없습니다 apps/erpnext/erpnext/config/hr.py +163,Define various loan types,다양한 대출 유형을 정의 DocType: Bin,FCFS Rate,FCFS 평가 DocType: Payment Reconciliation Invoice,Outstanding Amount,잔액 @@ -2742,7 +2747,7 @@ DocType: Salary Detail,Condition and Formula Help,조건 및 수식 도움말 apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,지역의 나무를 관리합니다. DocType: Journal Entry Account,Sales Invoice,판매 송장 DocType: Journal Entry Account,Party Balance,파티 밸런스 -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,할인에 적용을 선택하세요 +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,할인에 적용을 선택하세요 DocType: Company,Default Receivable Account,기본 채권 계정 DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,위의 선택 기준에 대해 지불 한 총 연봉 은행 항목 만들기 DocType: Stock Entry,Material Transfer for Manufacture,제조에 대한 자료 전송 @@ -2756,7 +2761,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,고객 주소 DocType: Employee Loan,Loan Details,대출 세부 사항 DocType: Company,Default Inventory Account,기본 재고 계정 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,행 {0} : 완성 된 수량은 0보다 커야합니다. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,행 {0} : 완성 된 수량은 0보다 커야합니다. DocType: Purchase Invoice,Apply Additional Discount On,추가 할인에 적용 DocType: Account,Root Type,루트 유형 DocType: Item,FIFO,FIFO @@ -2773,7 +2778,7 @@ DocType: Purchase Invoice Item,Quality Inspection,품질 검사 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,매우 작은 DocType: Company,Standard Template,표준 템플릿 DocType: Training Event,Theory,이론 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,경고 : 수량 요청 된 자료는 최소 주문 수량보다 적은 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,경고 : 수량 요청 된 자료는 최소 주문 수량보다 적은 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,계정 {0} 동결 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,조직에 속한 계정의 별도의 차트와 법인 / 자회사. DocType: Payment Request,Mute Email,음소거 이메일 @@ -2797,7 +2802,7 @@ DocType: Training Event,Scheduled,예약된 apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,견적 요청. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","아니오"와 "판매 상품은" "주식의 항목으로"여기서 "예"인 항목을 선택하고 다른 제품 번들이없는하세요 DocType: Student Log,Academic,학생 -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),전체 사전 ({0})의 순서에 대하여 {1} 총합계보다 클 수 없습니다 ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),전체 사전 ({0})의 순서에 대하여 {1} 총합계보다 클 수 없습니다 ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,고르지 개월에 걸쳐 목표를 배포하는 월별 분포를 선택합니다. DocType: Purchase Invoice Item,Valuation Rate,평가 평가 DocType: Stock Reconciliation,SR/,SR / @@ -2863,6 +2868,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,메시지의 소스 캠페인 경우 캠페인의 이름을 입력 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,신문 발행인 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,회계 연도 선택 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,예상 배달 날짜는 판매 주문 날짜 이후 여야합니다. apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,재정렬 수준 DocType: Company,Chart Of Accounts Template,계정 템플릿의 차트 DocType: Attendance,Attendance Date,출석 날짜 @@ -2894,7 +2900,7 @@ DocType: Pricing Rule,Discount Percentage,할인 비율 DocType: Payment Reconciliation Invoice,Invoice Number,송장 번호 DocType: Shopping Cart Settings,Orders,명령 DocType: Employee Leave Approver,Leave Approver,승인자를 남겨 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,일괄 처리를 선택하십시오. +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,일괄 처리를 선택하십시오. DocType: Assessment Group,Assessment Group Name,평가 그룹 이름 DocType: Manufacturing Settings,Material Transferred for Manufacture,재료 제조에 양도 DocType: Expense Claim,"A user with ""Expense Approver"" role","""비용 승인자""역할이있는 사용자" @@ -2931,7 +2937,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,다음 달의 마지막 날 DocType: Support Settings,Auto close Issue after 7 days,칠일 후 자동으로 닫 문제 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","이전에 할당 할 수없는 남기기 {0}, 휴가 균형이 이미 반입 전달 미래 휴가 할당 기록되었습니다로 {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),참고 : 지원 / 참조 날짜가 {0} 일에 의해 허용 된 고객의 신용 일을 초과 (들) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),참고 : 지원 / 참조 날짜가 {0} 일에 의해 허용 된 고객의 신용 일을 초과 (들) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,학생 신청자 DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,수취인 본래 DocType: Asset Category Account,Accumulated Depreciation Account,누적 감가 상각 계정 @@ -2942,7 +2948,7 @@ DocType: Item,Reorder level based on Warehouse,웨어 하우스를 기반으로 DocType: Activity Cost,Billing Rate,결제 비율 ,Qty to Deliver,제공하는 수량 ,Stock Analytics,재고 분석 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,작업은 비워 둘 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,작업은 비워 둘 수 없습니다 DocType: Maintenance Visit Purpose,Against Document Detail No,문서의 세부 사항에 대한 없음 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,파티의 종류는 필수입니다 DocType: Quality Inspection,Outgoing,발신 @@ -2985,15 +2991,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,창고에서 사용 가능한 수량 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,청구 금액 DocType: Asset,Double Declining Balance,이중 체감 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,청산 주문이 취소 할 수 없습니다. 취소 열다. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,청산 주문이 취소 할 수 없습니다. 취소 열다. DocType: Student Guardian,Father,아버지 -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'업데이트 증권은'고정 자산의 판매 확인할 수 없습니다 +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'업데이트 증권은'고정 자산의 판매 확인할 수 없습니다 DocType: Bank Reconciliation,Bank Reconciliation,은행 계정 조정 DocType: Attendance,On Leave,휴가로 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,업데이트 받기 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1} 계정 {2} 회사에 속하지 않는 {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,자료 요청 {0} 취소 또는 정지 -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,몇 가지 샘플 레코드 추가 +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,몇 가지 샘플 레코드 추가 apps/erpnext/erpnext/config/hr.py +301,Leave Management,관리를 남겨주세요 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,계정별 그룹 DocType: Sales Order,Fully Delivered,완전 배달 @@ -3002,12 +3008,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","콘텐츠 화해는 열기 항목이기 때문에 차이 계정, 자산 / 부채 형 계정이어야합니다" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},지급 금액은 대출 금액보다 클 수 없습니다 {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},구매 주문 번호 항목에 필요한 {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,생산 주문이 작성되지 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,생산 주문이 작성되지 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','시작일자'는 '마감일자' 이전이어야 합니다 apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},학생으로 상태를 변경할 수 없습니다 {0} 학생 응용 프로그램과 연결되어 {1} DocType: Asset,Fully Depreciated,완전 상각 ,Stock Projected Qty,재고 수량을 예상 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},고객 {0} 프로젝트에 속하지 않는 {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},고객 {0} 프로젝트에 속하지 않는 {1} DocType: Employee Attendance Tool,Marked Attendance HTML,표시된 출석 HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","견적, 당신은 당신의 고객에게 보낸 입찰 제안서 있습니다" DocType: Sales Order,Customer's Purchase Order,고객의 구매 주문 @@ -3017,7 +3023,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,감가 상각 수 예약을 설정하십시오 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,값 또는 수량 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,생산 주문을 사육 할 수 없습니다 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,분 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,분 DocType: Purchase Invoice,Purchase Taxes and Charges,구매 세금과 요금 ,Qty to Receive,받도록 수량 DocType: Leave Block List,Leave Block List Allowed,차단 목록은 허용 남겨 @@ -3031,7 +3037,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,모든 공급 유형 DocType: Global Defaults,Disable In Words,단어에서 해제 apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,항목이 자동으로 번호가되어 있지 않기 때문에 상품 코드는 필수입니다 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},견적 {0}은 유형 {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},견적 {0}은 유형 {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,유지 보수 일정 상품 DocType: Sales Order,% Delivered,% 배달 DocType: Production Order,PRO-,찬성- @@ -3054,7 +3060,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,판매자 이메일 DocType: Project,Total Purchase Cost (via Purchase Invoice),총 구매 비용 (구매 송장을 통해) DocType: Training Event,Start Time,시작 시간 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,수량 선택 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,수량 선택 DocType: Customs Tariff Number,Customs Tariff Number,관세 번호 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,역할을 승인하면 규칙이 적용됩니다 역할로 동일 할 수 없습니다 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,이 이메일 다이제스트 수신 거부 @@ -3078,7 +3084,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR의 세부 사항 DocType: Sales Order,Fully Billed,완전 청구 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,손에 현금 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},배송 창고 재고 항목에 필요한 {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},배송 창고 재고 항목에 필요한 {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),패키지의 총 무게.보통 그물 무게 + 포장 재료의 무게. (프린트) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,프로그램 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,이 역할이있는 사용자는 고정 된 계정에 대한 계정 항목을 수정 / 동결 계정을 설정하고 만들 수 있습니다 @@ -3088,7 +3094,7 @@ DocType: Student Group,Group Based On,그룹 기반 DocType: Journal Entry,Bill Date,청구 일자 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","서비스 항목, 유형, 주파수 및 비용 금액이 필요합니다" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","우선 순위가 가장 높은 가격에 여러 규칙이있는 경우에도, 그 다음 다음 내부의 우선 순위가 적용됩니다" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},당신이 정말로 {0}에 대한 모든 급여 슬립 제출 하시겠습니까 {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},당신이 정말로 {0}에 대한 모든 급여 슬립 제출 하시겠습니까 {1} DocType: Cheque Print Template,Cheque Height,수표 높이 DocType: Supplier,Supplier Details,공급 업체의 상세 정보 DocType: Expense Claim,Approval Status,승인 상태 @@ -3110,7 +3116,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,리드고객에게 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,더 아무것도 표시가 없습니다. DocType: Lead,From Customer,고객의 apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,통화 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,배치 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,배치 DocType: Project,Total Costing Amount (via Time Logs),총 원가 계산 금액 (시간 로그를 통해) DocType: Purchase Order Item Supplied,Stock UOM,재고 UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,구매 주문 {0} 제출되지 @@ -3142,7 +3148,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,에 대하여 구매 DocType: Item,Warranty Period (in days),(일) 보증 기간 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1와의 관계 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,조작에서 순 현금 -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,예) VAT +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,예) VAT apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,항목 4 DocType: Student Admission,Admission End Date,입학 종료 날짜 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,하위 계약 @@ -3150,7 +3156,7 @@ DocType: Journal Entry Account,Journal Entry Account,분개 계정 apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,학생 그룹 DocType: Shopping Cart Settings,Quotation Series,견적 시리즈 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",항목 ({0}) 항목의 그룹 이름을 변경하거나 항목의 이름을 변경하시기 바랍니다 같은 이름을 가진 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,고객을 선택하세요 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,고객을 선택하세요 DocType: C-Form,I,나는 DocType: Company,Asset Depreciation Cost Center,자산 감가 상각 비용 센터 DocType: Sales Order Item,Sales Order Date,판매 주문 날짜 @@ -3161,6 +3167,7 @@ DocType: Stock Settings,Limit Percent,제한 비율 ,Payment Period Based On Invoice Date,송장의 날짜를 기준으로 납부 기간 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},대한 누락 된 통화 환율 {0} DocType: Assessment Plan,Examiner,시험관 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. DocType: Student,Siblings,동기 DocType: Journal Entry,Stock Entry,재고 입력 DocType: Payment Entry,Payment References,지불 참조 @@ -3185,7 +3192,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,제조 작업은 어디를 수행한다. DocType: Asset Movement,Source Warehouse,자료 창고 DocType: Installation Note,Installation Date,설치 날짜 -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},행 번호 {0} 자산이 {1} 회사에 속하지 않는 {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},행 번호 {0} 자산이 {1} 회사에 속하지 않는 {2} DocType: Employee,Confirmation Date,확인 일자 DocType: C-Form,Total Invoiced Amount,총 송장 금액 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,최소 수량이 최대 수량보다 클 수 없습니다 @@ -3260,7 +3267,7 @@ DocType: Company,Default Letter Head,편지 헤드 기본 DocType: Purchase Order,Get Items from Open Material Requests,오픈 자료 요청에서 항목 가져 오기 DocType: Item,Standard Selling Rate,표준 판매 비율 DocType: Account,Rate at which this tax is applied,요금이 세금이 적용되는 -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,재주문 수량 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,재주문 수량 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,현재 채용 DocType: Company,Stock Adjustment Account,재고 조정 계정 apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,탕치다 @@ -3274,7 +3281,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,공급자는 고객에게 제공 apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# 양식 / 상품 / {0}) 품절 apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,다음 날짜 게시 날짜보다 커야합니다 -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},때문에 / 참조 날짜 이후 수 없습니다 {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},때문에 / 참조 날짜 이후 수 없습니다 {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,데이터 가져 오기 및 내보내기 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,어떤 학생들은 찾을 수 없음 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,송장 전기 일 @@ -3295,12 +3302,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,이이 학생의 출석을 기반으로 apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,학생 없음 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,더 많은 항목 또는 완전 개방 형태로 추가 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','예상 배달 날짜'를 입력하십시오 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,배달 노트는 {0}이 판매 주문을 취소하기 전에 취소해야합니다 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,배달 노트는 {0}이 판매 주문을 취소하기 전에 취소해야합니다 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,지불 금액 + 금액 오프 쓰기 총합보다 클 수 없습니다 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} 항목에 대한 유효한 배치 번호없는 {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},참고 : 허가 유형에 대한 충분한 휴가 밸런스가 없습니다 {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,등록되지 않은 GSTIN이 잘못되었거나 NA 입력 +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,등록되지 않은 GSTIN이 잘못되었거나 NA 입력 DocType: Training Event,Seminar,세미나 DocType: Program Enrollment Fee,Program Enrollment Fee,프로그램 등록 수수료 DocType: Item,Supplier Items,공급 업체 항목 @@ -3318,7 +3324,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,재고 고령화 apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},학생 {0} 학생 신청자에 존재 {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,출퇴근 시간 기록 용지 -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' 사용할 수 없습니다. +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' 사용할 수 없습니다. apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,열기로 설정 DocType: Cheque Print Template,Scanned Cheque,스캔 한 수표 DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,제출 거래에 연락처에 자동으로 이메일을 보내십시오. @@ -3365,7 +3371,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,가격 기준 환율 DocType: Purchase Invoice Item,Rate,비율 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,인턴 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,주소 명 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,주소 명 DocType: Stock Entry,From BOM,BOM에서 DocType: Assessment Code,Assessment Code,평가 코드 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,기본 @@ -3378,20 +3384,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,급여 체계 DocType: Account,Bank,은행 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,항공 회사 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,문제의 소재 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,문제의 소재 DocType: Material Request Item,For Warehouse,웨어 하우스 DocType: Employee,Offer Date,제공 날짜 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,견적 -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,당신은 오프라인 모드에 있습니다. 당신은 당신이 네트워크를 때까지 다시로드 할 수 없습니다. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,당신은 오프라인 모드에 있습니다. 당신은 당신이 네트워크를 때까지 다시로드 할 수 없습니다. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,어떤 학생 그룹이 생성되지 않습니다. DocType: Purchase Invoice Item,Serial No,일련 번호 apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,월별 상환 금액은 대출 금액보다 클 수 없습니다 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Maintaince를 세부 사항을 먼저 입력하십시오 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,행 번호 {0} : 예상 된 배달 날짜는 구매 주문 날짜 이전 일 수 없습니다. DocType: Purchase Invoice,Print Language,인쇄 언어 DocType: Salary Slip,Total Working Hours,총 근로 시간 DocType: Stock Entry,Including items for sub assemblies,서브 어셈블리에 대한 항목을 포함 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,입력 값은 양수 여야합니다 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,입력 값은 양수 여야합니다 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,모든 국가 DocType: Purchase Invoice,Items,아이템 apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,학생이 이미 등록되어 있습니다. @@ -3414,7 +3420,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',변형에 대한 측정의 기본 단위는 '{0}'템플릿에서와 동일해야합니다 '{1}' DocType: Shipping Rule,Calculate Based On,에 의거에게 계산 DocType: Delivery Note Item,From Warehouse,창고에서 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,재료 명세서 (BOM)와 어떤 항목은 제조 없습니다 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,재료 명세서 (BOM)와 어떤 항목은 제조 없습니다 DocType: Assessment Plan,Supervisor Name,관리자 이름 DocType: Program Enrollment Course,Program Enrollment Course,프로그램 등록 과정 DocType: Program Enrollment Course,Program Enrollment Course,프로그램 등록 과정 @@ -3430,23 +3436,23 @@ DocType: Training Event Employee,Attended,참가 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'마지막 주문 날짜' 이후의 날짜를 지정해 주세요. DocType: Process Payroll,Payroll Frequency,급여 주파수 DocType: Asset,Amended From,개정 -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,원료 +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,원료 DocType: Leave Application,Follow via Email,이메일을 통해 수행 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,식물과 기계류 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,할인 금액 후 세액 DocType: Daily Work Summary Settings,Daily Work Summary Settings,매일 작업 요약 설정 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},가격 목록 {0}의 통화 선택한 통화와 유사하지 {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},가격 목록 {0}의 통화 선택한 통화와 유사하지 {1} DocType: Payment Entry,Internal Transfer,내부 전송 apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,이 계정에 하위계정이 존재합니다.이 계정을 삭제할 수 없습니다. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,목표 수량 또는 목표량 하나는 필수입니다 apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},기본의 BOM은 존재하지 않습니다 항목에 대한 {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,첫 번째 게시 날짜를 선택하세요 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,첫 번째 게시 날짜를 선택하세요 apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,날짜를 열기 날짜를 닫기 전에해야 DocType: Leave Control Panel,Carry Forward,이월하다 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,기존의 트랜잭션 비용 센터 원장으로 변환 할 수 없습니다 DocType: Department,Days for which Holidays are blocked for this department.,휴일이 부서 차단하는 일. ,Produced,생산 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,만든 급여 전표 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,만든 급여 전표 DocType: Item,Item Code for Suppliers,공급 업체에 대한 상품 코드 DocType: Issue,Raised By (Email),(이메일)에 의해 제기 DocType: Training Event,Trainer Name,트레이너 이름 @@ -3454,9 +3460,10 @@ DocType: Mode of Payment,General,일반 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,마지막 커뮤니케이션 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,마지막 커뮤니케이션 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',카테고리는 '평가'또는 '평가 및 전체'에 대한 때 공제 할 수 없습니다 -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","세금 헤드 목록 (예를 들어 부가가치세, 관세 등, 그들은 고유 한 이름을 가져야한다)과 그 표준 요금. 이것은 당신이 편집하고 더 이상 추가 할 수있는 표준 템플릿을 생성합니다." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","세금 헤드 목록 (예를 들어 부가가치세, 관세 등, 그들은 고유 한 이름을 가져야한다)과 그 표준 요금. 이것은 당신이 편집하고 더 이상 추가 할 수있는 표준 템플릿을 생성합니다." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},직렬화 된 항목에 대한 일련 NOS 필수 {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,송장과 일치 결제 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},행 번호 {0} : 품목 {1}에 대해 배송 날짜를 입력하십시오. DocType: Journal Entry,Bank Entry,은행 입장 DocType: Authorization Rule,Applicable To (Designation),에 적용 (지정) ,Profitability Analysis,수익성 분석 @@ -3472,17 +3479,18 @@ DocType: Quality Inspection,Item Serial No,상품 시리얼 번호 apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,직원 레코드 만들기 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,전체 현재 apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,회계 문 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,시간 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,시간 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,새로운 시리얼 번호는 창고를 가질 수 없습니다.창고 재고 항목 또는 구입 영수증으로 설정해야합니다 DocType: Lead,Lead Type,리드 타입 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,당신은 블록 날짜에 잎을 승인 할 수있는 권한이 없습니다 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,이러한 모든 항목이 이미 청구 된 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,이러한 모든 항목이 이미 청구 된 +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,월간 판매 목표 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0}에 의해 승인 될 수있다 DocType: Item,Default Material Request Type,기본 자료 요청 유형 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,알 수 없는 DocType: Shipping Rule,Shipping Rule Conditions,배송 규칙 조건 DocType: BOM Replace Tool,The new BOM after replacement,교체 후 새로운 BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,판매 시점 +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,판매 시점 DocType: Payment Entry,Received Amount,받은 금액 DocType: GST Settings,GSTIN Email Sent On,GSTIN 이메일 전송 DocType: Program Enrollment,Pick/Drop by Guardian,Guardian의 선택 / 드롭 @@ -3499,8 +3507,8 @@ DocType: Batch,Source Document Name,원본 문서 이름 DocType: Batch,Source Document Name,원본 문서 이름 DocType: Job Opening,Job Title,직책 apps/erpnext/erpnext/utilities/activation.py +97,Create Users,사용자 만들기 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,그램 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,제조하는 수량은 0보다 커야합니다. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,그램 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,제조하는 수량은 0보다 커야합니다. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,유지 보수 통화에 대해 보고서를 참조하십시오. DocType: Stock Entry,Update Rate and Availability,업데이트 속도 및 가용성 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,당신이 양에 대해 더 수신하거나 전달하도록 허용 비율 명령했다.예를 들면 : 당신이 100 대를 주문한 경우. 당신의 수당은 다음 110 단위를받을 10 % 허용된다. @@ -3513,7 +3521,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,첫 번째 구매 송장 {0}을 취소하십시오 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","이메일 주소는 이미 존재, 고유해야합니다 {0}" DocType: Serial No,AMC Expiry Date,AMC 유효 날짜 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,영수증 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,영수증 ,Sales Register,판매 등록 DocType: Daily Work Summary Settings Company,Send Emails At,에 이메일 보내기 DocType: Quotation,Quotation Lost Reason,견적 잃어버린 이유 @@ -3526,14 +3534,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,아직 고객 apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,현금 흐름표 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},대출 금액은 최대 대출 금액을 초과 할 수 없습니다 {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,특허 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},C-양식에서이 송장 {0}을 제거하십시오 {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},C-양식에서이 송장 {0}을 제거하십시오 {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,당신은 또한 이전 회계 연도의 균형이 회계 연도에 나뭇잎 포함 할 경우 이월를 선택하세요 DocType: GL Entry,Against Voucher Type,바우처 형식에 대한 DocType: Item,Attributes,속성 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,계정을 끄기 쓰기 입력하십시오 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,마지막 주문 날짜 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},계정 {0} 수행은 회사 소유하지 {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,행 {0}의 일련 번호가 배달 참고와 일치하지 않습니다. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,행 {0}의 일련 번호가 배달 참고와 일치하지 않습니다. DocType: Student,Guardian Details,가디언의 자세한 사항 DocType: C-Form,C-Form,C-양식 apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,여러 직원 마크 출석 @@ -3565,16 +3573,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,판매 DocType: Stock Entry Detail,Basic Amount,기본 금액 DocType: Training Event,Exam,시험 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},재고 품목에 필요한 창고 {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},재고 품목에 필요한 창고 {0} DocType: Leave Allocation,Unused leaves,사용하지 않는 잎 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,CR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,CR DocType: Tax Rule,Billing State,결제 주 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,이체 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} 파티 계정과 연결되어 있지 않습니다 {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(서브 어셈블리 포함) 폭발 BOM 가져 오기 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(서브 어셈블리 포함) 폭발 BOM 가져 오기 DocType: Authorization Rule,Applicable To (Employee),에 적용 (직원) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,마감일은 필수입니다 apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,속성에 대한 증가는 {0} 0이 될 수 없습니다 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 DocType: Journal Entry,Pay To / Recd From,지불 / 수취처 DocType: Naming Series,Setup Series,설치 시리즈 DocType: Payment Reconciliation,To Invoice Date,날짜를 청구 할 @@ -3601,7 +3610,7 @@ DocType: Journal Entry,Write Off Based On,에 의거 오프 쓰기 apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,리드를 확인 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,인쇄 및 문구 DocType: Stock Settings,Show Barcode Field,쇼 바코드 필드 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,공급 업체 이메일 보내기 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,공급 업체 이메일 보내기 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","급여는 이미 {0}과 {1},이 기간 사이가 될 수 없습니다 신청 기간을 남겨 사이의 기간에 대해 처리." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,일련 번호의 설치 기록 DocType: Guardian Interest,Guardian Interest,가디언 관심 @@ -3615,7 +3624,7 @@ DocType: Offer Letter,Awaiting Response,응답을 기다리는 중 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,위 apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},잘못된 속성 {0} {1} DocType: Supplier,Mention if non-standard payable account,표준이 아닌 지불 계정에 대한 언급 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},동일한 항목이 여러 번 입력되었습니다. {명부} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},동일한 항목이 여러 번 입력되었습니다. {명부} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups','모든 평가 그룹'이외의 평가 그룹을 선택하십시오. DocType: Salary Slip,Earning & Deduction,당기순이익/손실 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,선택.이 설정은 다양한 거래를 필터링하는 데 사용됩니다. @@ -3634,7 +3643,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,폐기 자산의 비용 apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1} : 코스트 센터는 항목에 대해 필수입니다 {2} DocType: Vehicle,Policy No,정책 없음 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,제품 번들에서 항목 가져 오기 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,제품 번들에서 항목 가져 오기 DocType: Asset,Straight Line,일직선 DocType: Project User,Project User,프로젝트 사용자 apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,스플릿 @@ -3649,6 +3658,7 @@ DocType: Bank Reconciliation,Payment Entries,결제 항목 DocType: Production Order,Scrap Warehouse,스크랩 창고 DocType: Production Order,Check if material transfer entry is not required,자재 이전 항목이 필요하지 않은지 확인하십시오. DocType: Production Order,Check if material transfer entry is not required,자재 이전 항목이 필요하지 않은지 확인하십시오. +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네임 시스템 설정 DocType: Program Enrollment Tool,Get Students From,학생들 가져 오기 DocType: Hub Settings,Seller Country,판매자 나라 apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,웹 사이트에 항목을 게시 @@ -3667,19 +3677,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,제 DocType: Shipping Rule,Specify conditions to calculate shipping amount,배송 금액을 계산하는 조건을 지정합니다 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,역할 동결 계정 및 편집 동결 항목을 설정할 수 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,이 자식 노드를 가지고 원장 비용 센터로 변환 할 수 없습니다 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,영업 가치 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,영업 가치 DocType: Salary Detail,Formula,공식 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,직렬 # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,판매에 대한 수수료 DocType: Offer Letter Term,Value / Description,값 / 설명 -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","행 번호 {0} 자산이 {1} 제출할 수 없습니다, 그것은 이미 {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","행 번호 {0} 자산이 {1} 제출할 수 없습니다, 그것은 이미 {2}" DocType: Tax Rule,Billing Country,결제 나라 DocType: Purchase Order Item,Expected Delivery Date,예상 배송 날짜 apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,직불 및 신용 {0} #에 대한 동일하지 {1}. 차이는 {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,접대비 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,자료 요청합니다 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},열기 항목 {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,판매 송장은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,판매 송장은 {0}이 판매 주문을 취소하기 전에 취소해야합니다 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,나이 DocType: Sales Invoice Timesheet,Billing Amount,결제 금액 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,항목에 대해 지정된 잘못된 수량 {0}.수량이 0보다 커야합니다. @@ -3702,7 +3712,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,새로운 고객 수익 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,여행 비용 DocType: Maintenance Visit,Breakdown,고장 -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,계정 : {0} 통화로 : {1}을 선택할 수 없습니다 +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,계정 : {0} 통화로 : {1}을 선택할 수 없습니다 DocType: Bank Reconciliation Detail,Cheque Date,수표 날짜 apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},계정 {0} : 부모 계정 {1} 회사에 속하지 않는 {2} DocType: Program Enrollment Tool,Student Applicants,학생 지원자 @@ -3722,11 +3732,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,계획 DocType: Material Request,Issued,발행 된 apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,학생 활동 DocType: Project,Total Billing Amount (via Time Logs),총 결제 금액 (시간 로그를 통해) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,우리는이 품목을 +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,우리는이 품목을 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,공급 업체 아이디 DocType: Payment Request,Payment Gateway Details,지불 게이트웨이의 자세한 사항 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,수량이 0보다 커야합니다 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,샘플 데이터 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,수량이 0보다 커야합니다 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,샘플 데이터 DocType: Journal Entry,Cash Entry,현금 항목 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,자식 노드은 '그룹'유형 노드에서 생성 할 수 있습니다 DocType: Leave Application,Half Day Date,하프 데이 데이트 @@ -3735,17 +3745,18 @@ DocType: Sales Partner,Contact Desc,연락처 제품 설명 apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","캐주얼, 병 등과 같은 잎의 종류" DocType: Email Digest,Send regular summary reports via Email.,이메일을 통해 정기적으로 요약 보고서를 보냅니다. DocType: Payment Entry,PE-,체육- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},경비 요청 유형에 기본 계정을 설정하십시오 {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},경비 요청 유형에 기본 계정을 설정하십시오 {0} DocType: Assessment Result,Student Name,학생 이름 DocType: Brand,Item Manager,항목 관리자 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,채무 급여 DocType: Buying Settings,Default Supplier Type,기본 공급자 유형 DocType: Production Order,Total Operating Cost,총 영업 비용 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,참고 : {0} 항목을 여러 번 입력 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,참고 : {0} 항목을 여러 번 입력 apps/erpnext/erpnext/config/selling.py +41,All Contacts.,모든 연락처. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,목표 설정 apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,회사의 약어 apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,{0} 사용자가 존재하지 않습니다 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,원료의 주요 항목과 동일 할 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,원료의 주요 항목과 동일 할 수 없습니다 DocType: Item Attribute Value,Abbreviation,약어 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,결제 항목이 이미 존재합니다 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} 한도를 초과 한 authroized Not @@ -3763,7 +3774,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,동결 재고을 편 ,Territory Target Variance Item Group-Wise,지역 대상 분산 상품 그룹 와이즈 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,모든 고객 그룹 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,누적 월별 -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} 필수입니다.아마 통화 기록은 {2}로 {1}에 만들어지지 않습니다. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} 필수입니다.아마 통화 기록은 {2}로 {1}에 만들어지지 않습니다. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,세금 템플릿은 필수입니다. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,계정 {0} : 부모 계정 {1}이 (가) 없습니다 DocType: Purchase Invoice Item,Price List Rate (Company Currency),가격 목록 비율 (회사 통화) @@ -3774,7 +3785,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,비율 할당 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,비서 DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",사용하지 않으면 필드 '단어에서'트랜잭션에 표시되지 않습니다 DocType: Serial No,Distinct unit of an Item,항목의 고유 단위 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,회사를 설정하십시오. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,회사를 설정하십시오. DocType: Pricing Rule,Buying,구매 DocType: HR Settings,Employee Records to be created by,직원 기록에 의해 생성되는 DocType: POS Profile,Apply Discount On,할인에 적용 @@ -3785,7 +3796,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,항목 와이즈 세금 세부 정보 apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,연구소 약어 ,Item-wise Price List Rate,상품이 많다는 가격리스트 평가 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,공급 업체 견적 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,공급 업체 견적 DocType: Quotation,In Words will be visible once you save the Quotation.,당신은 견적을 저장 한 단어에서 볼 수 있습니다. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},수량 ({0})은 행 {1}의 분수가 될 수 없습니다. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},수량 ({0})은 행 {1}의 분수가 될 수 없습니다. @@ -3809,7 +3820,7 @@ Updated via 'Time Log'",'소요시간 로그' 분단위 업데이트 DocType: Customer,From Lead,리드에서 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,생산 발표 순서. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,회계 연도 선택 ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS 프로필 POS 항목을 만드는 데 필요한 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS 프로필 POS 항목을 만드는 데 필요한 DocType: Program Enrollment Tool,Enroll Students,학생 등록 DocType: Hub Settings,Name Token,이름 토큰 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,표준 판매 @@ -3827,7 +3838,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,재고 가치의 차이 apps/erpnext/erpnext/config/learn.py +234,Human Resource,인적 자원 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,지불 화해 지불 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,법인세 자산 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},생산 오더가 {0}되었습니다. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},생산 오더가 {0}되었습니다. DocType: BOM Item,BOM No,BOM 없음 DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,분개 {0} {1} 또는 이미 다른 쿠폰에 대해 일치하는 계정이 없습니다 @@ -3841,7 +3852,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,. csv apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,뛰어난 AMT 사의 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,목표를 설정 항목 그룹 방향이 판매 사람입니다. DocType: Stock Settings,Freeze Stocks Older Than [Days],고정 재고 이전보다 [일] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,행 # {0} : 자산은 고정 자산 구매 / 판매를위한 필수입니다 +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,행 # {0} : 자산은 고정 자산 구매 / 판매를위한 필수입니다 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","둘 이상의 가격 결정 규칙은 상기 조건에 따라 발견되면, 우선 적용된다.기본 값이 0 (공백) 동안 우선 순위는 0-20 사이의 숫자입니다.숫자가 높을수록 동일한 조건으로 여러 가격 규칙이있는 경우는 우선 순위를 의미합니다." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,회계 연도 : {0} 수행하지 존재 DocType: Currency Exchange,To Currency,통화로 @@ -3850,7 +3861,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,비용 청구의 apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},항목 {0}의 판매율이 {1}보다 낮습니다. 판매율은 atleast 여야합니다 {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},항목 {0}의 판매율이 {1}보다 낮습니다. 판매율은 atleast 여야합니다 {2} DocType: Item,Taxes,세금 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,유료 및 전달되지 않음 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,유료 및 전달되지 않음 DocType: Project,Default Cost Center,기본 비용 센터 DocType: Bank Guarantee,End Date,끝 날짜 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,재고 변동 @@ -3867,7 +3878,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,매일 작업 요약 설정 회사 apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,그것은 재고 품목이 아니기 때문에 {0} 항목을 무시 DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,추가 처리를 위해이 생산 주문을 제출합니다. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,추가 처리를 위해이 생산 주문을 제출합니다. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",특정 트랜잭션에서 가격 규칙을 적용하지 않으려면 모두 적용 가격 규칙 비활성화해야합니다. DocType: Assessment Group,Parent Assessment Group,상위 평가 그룹 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,채용 정보 @@ -3875,10 +3886,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,채용 정 DocType: Employee,Held On,개최 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,생산 품목 ,Employee Information,직원 정보 -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),비율 (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),비율 (%) DocType: Stock Entry Detail,Additional Cost,추가 비용 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","바우처를 기반으로 필터링 할 수 없음, 바우처로 그룹화하는 경우" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,공급 업체의 견적을 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,공급 업체의 견적을 DocType: Quality Inspection,Incoming,수신 DocType: BOM,Materials Required (Exploded),필요한 재료 (분해) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",자신보다 다른 조직에 사용자를 추가 @@ -3894,7 +3905,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,계정 : {0} 만 재고 거래를 통해 업데이트 할 수 있습니다 DocType: Student Group Creation Tool,Get Courses,과정을 받으세요 DocType: GL Entry,Party,파티 -DocType: Sales Order,Delivery Date,* 인수일 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,* 인수일 DocType: Opportunity,Opportunity Date,기회 날짜 DocType: Purchase Receipt,Return Against Purchase Receipt,구매 영수증에 대해 반환 DocType: Request for Quotation Item,Request for Quotation Item,견적 항목에 대한 요청 @@ -3908,7 +3919,7 @@ DocType: Task,Actual Time (in Hours),(시간) 실제 시간 DocType: Employee,History In Company,회사의 역사 apps/erpnext/erpnext/config/learn.py +107,Newsletters,뉴스 레터 DocType: Stock Ledger Entry,Stock Ledger Entry,재고 원장 입력 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,같은 항목을 여러 번 입력 된 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,같은 항목을 여러 번 입력 된 DocType: Department,Leave Block List,차단 목록을 남겨주세요 DocType: Sales Invoice,Tax ID,세금 아이디 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} 항목을 직렬 제 칼럼에 대한 설정이 비어 있어야하지 @@ -3926,25 +3937,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,검정 DocType: BOM Explosion Item,BOM Explosion Item,BOM 폭발 상품 DocType: Account,Auditor,감사 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,생산 {0} 항목 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,생산 {0} 항목 DocType: Cheque Print Template,Distance from top edge,상단으로부터의 거리 apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,가격 목록 {0} 비활성화 또는 존재하지 않는 DocType: Purchase Invoice,Return,반환 DocType: Production Order Operation,Production Order Operation,생산 오더 운영 DocType: Pricing Rule,Disable,사용 안함 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,지불 모드는 지불 할 필요 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,지불 모드는 지불 할 필요 DocType: Project Task,Pending Review,검토 중 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1}은 (는) 배치 {2}에 등록되지 않았습니다. apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","이미 같이 자산 {0}, 폐기 될 수 없다 {1}" DocType: Task,Total Expense Claim (via Expense Claim),(비용 청구를 통해) 총 경비 요청 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,마크 결석 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},행 {0} 다음 BOM 번호의 통화 {1} 선택한 통화 같아야한다 {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},행 {0} 다음 BOM 번호의 통화 {1} 선택한 통화 같아야한다 {2} DocType: Journal Entry Account,Exchange Rate,환율 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,판매 주문 {0} 제출되지 않았습니다. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,판매 주문 {0} 제출되지 않았습니다. DocType: Homepage,Tag Line,태그 라인 DocType: Fee Component,Fee Component,요금 구성 요소 apps/erpnext/erpnext/config/hr.py +195,Fleet Management,함대 관리 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,에서 항목 추가 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,에서 항목 추가 DocType: Cheque Print Template,Regular,정규병 apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,모든 평가 기준 총 Weightage 100 %이어야합니다 DocType: BOM,Last Purchase Rate,마지막 구매 비율 @@ -3965,12 +3976,12 @@ DocType: Employee,Reports to,에 대한 보고서 DocType: SMS Settings,Enter url parameter for receiver nos,수신기 NOS에 대한 URL 매개 변수를 입력 DocType: Payment Entry,Paid Amount,지불 금액 DocType: Assessment Plan,Supervisor,감독자 -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,온라인으로 +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,온라인으로 ,Available Stock for Packing Items,항목 포장 재고품 DocType: Item Variant,Item Variant,항목 변형 DocType: Assessment Result Tool,Assessment Result Tool,평가 결과 도구 DocType: BOM Scrap Item,BOM Scrap Item,BOM 스크랩 항목 -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,제출 된 주문은 삭제할 수 없습니다 +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,제출 된 주문은 삭제할 수 없습니다 apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","이미 직불의 계정 잔액, 당신은 같은 '신용', '균형이어야합니다'설정할 수 없습니다" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,품질 관리 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} 항목이 비활성화되었습니다 @@ -4002,7 +4013,7 @@ DocType: Item Group,Default Expense Account,기본 비용 계정 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,학생 이메일 ID DocType: Employee,Notice (days),공지 사항 (일) DocType: Tax Rule,Sales Tax Template,판매 세 템플릿 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,송장을 저장하는 항목을 선택 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,송장을 저장하는 항목을 선택 DocType: Employee,Encashment Date,현금화 날짜 DocType: Training Event,Internet,인터넷 DocType: Account,Stock Adjustment,재고 조정 @@ -4051,10 +4062,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,파견 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,최대 할인 품목을 허용 : {0} {1} %이 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,순자산 값에 DocType: Account,Receivable,받을 수있는 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,행 번호 {0} : 구매 주문이 이미 존재로 공급 업체를 변경할 수 없습니다 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,행 번호 {0} : 구매 주문이 이미 존재로 공급 업체를 변경할 수 없습니다 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,설정 신용 한도를 초과하는 거래를 제출하도록 허용 역할. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,제조 할 항목을 선택합니다 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","마스터 데이터 동기화, 그것은 시간이 걸릴 수 있습니다" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,제조 할 항목을 선택합니다 +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","마스터 데이터 동기화, 그것은 시간이 걸릴 수 있습니다" DocType: Item,Material Issue,소재 호 DocType: Hub Settings,Seller Description,판매자 설명 DocType: Employee Education,Qualification,자격 @@ -4075,11 +4086,10 @@ DocType: BOM,Rate Of Materials Based On,자료에 의거 한 속도 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,지원 Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,모두 선택 취소 DocType: POS Profile,Terms and Conditions,이용약관 -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네임 시스템 설정 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},현재까지의 회계 연도 내에 있어야합니다.날짜에 가정 = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","여기서 당신은 신장, 체중, 알레르기, 의료 문제 등 유지 관리 할 수 있습니다" DocType: Leave Block List,Applies to Company,회사에 적용 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,제출 된 재고 항목 {0}이 존재하기 때문에 취소 할 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,제출 된 재고 항목 {0}이 존재하기 때문에 취소 할 수 없습니다 DocType: Employee Loan,Disbursement Date,지급 날짜 DocType: Vehicle,Vehicle,차량 DocType: Purchase Invoice,In Words,즉 @@ -4118,7 +4128,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,전역 설정 DocType: Assessment Result Detail,Assessment Result Detail,평가 결과의 세부 사항 DocType: Employee Education,Employee Education,직원 교육 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,항목 그룹 테이블에서 발견 중복 항목 그룹 -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,그것은 상품 상세을 가져 오기 위해 필요하다. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,그것은 상품 상세을 가져 오기 위해 필요하다. DocType: Salary Slip,Net Pay,실질 임금 DocType: Account,Account,계정 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,일련 번호 {0}이 (가) 이미 수신 된 @@ -4126,7 +4136,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,차량 로그인 DocType: Purchase Invoice,Recurring Id,경상 아이디 DocType: Customer,Sales Team Details,판매 팀의 자세한 사항 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,영구적으로 삭제 하시겠습니까? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,영구적으로 삭제 하시겠습니까? DocType: Expense Claim,Total Claimed Amount,총 주장 금액 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,판매를위한 잠재적 인 기회. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},잘못된 {0} @@ -4138,7 +4148,7 @@ DocType: Warehouse,PIN,핀 apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext에 설치 학교 DocType: Sales Invoice,Base Change Amount (Company Currency),자료 변경 금액 (회사 통화) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,다음 창고에 대한 회계 항목이 없음 -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,먼저 문서를 저장합니다. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,먼저 문서를 저장합니다. DocType: Account,Chargeable,청구 DocType: Company,Change Abbreviation,변경 요약 DocType: Expense Claim Detail,Expense Date,비용 날짜 @@ -4152,7 +4162,6 @@ DocType: BOM,Manufacturing User,제조 사용자 DocType: Purchase Invoice,Raw Materials Supplied,공급 원료 DocType: Purchase Invoice,Recurring Print Format,반복 인쇄 형식 DocType: C-Form,Series,시리즈 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,예상 배송 날짜는 구매 주문 날짜 전에 할 수 없습니다 DocType: Appraisal,Appraisal Template,평가 템플릿 DocType: Item Group,Item Classification,품목 분류 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,비즈니스 개발 매니저 @@ -4191,12 +4200,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,선택 브 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,교육 이벤트 / 결과 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,등의 감가 상각 누계액 DocType: Sales Invoice,C-Form Applicable,해당 C-양식 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},작업 시간은 작업에 대한 0보다 큰 수 있어야 {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},작업 시간은 작업에 대한 0보다 큰 수 있어야 {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,창고는 필수입니다 DocType: Supplier,Address and Contacts,주소 및 연락처 DocType: UOM Conversion Detail,UOM Conversion Detail,UOM 변환 세부 사항 DocType: Program,Program Abbreviation,프로그램의 약자 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,생산 주문은 항목 템플릿에 대해 제기 할 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,생산 주문은 항목 템플릿에 대해 제기 할 수 없습니다 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,요금은 각 항목에 대해 구매 영수증에 업데이트됩니다 DocType: Warranty Claim,Resolved By,에 의해 해결 DocType: Bank Guarantee,Start Date,시작 날짜 @@ -4231,6 +4240,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,교육 피드백 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,생산 오더 {0} 제출해야합니다 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},시작 날짜와 항목에 대한 종료 날짜를 선택하세요 {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,달성하고자하는 판매 목표를 설정하십시오. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},코스 행의 필수 {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,지금까지 날로부터 이전 할 수 없습니다 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc의 문서 종류 @@ -4249,7 +4259,7 @@ DocType: Account,Income,수익 DocType: Industry Type,Industry Type,산업 유형 apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,문제가 발생했습니다! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,경고 : 응용 프로그램이 다음 블록 날짜를 포함 남겨 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,판매 송장 {0}이 (가) 이미 제출되었습니다 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,판매 송장 {0}이 (가) 이미 제출되었습니다 DocType: Assessment Result Detail,Score,점수 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,회계 연도 {0} 존재하지 않습니다 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,완료일 @@ -4279,7 +4289,7 @@ DocType: Naming Series,Help HTML,도움말 HTML DocType: Student Group Creation Tool,Student Group Creation Tool,학생 그룹 생성 도구 DocType: Item,Variant Based On,변형 기반에 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},할당 된 총 weightage 100 %이어야한다.그것은 {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,공급 업체 +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,공급 업체 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,판매 주문이 이루어질으로 분실로 설정할 수 없습니다. DocType: Request for Quotation Item,Supplier Part No,공급 업체 부품 번호 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',카테고리는 '평가'또는 'Vaulation과 전체'에 대한 때 공제 할 수 없음 @@ -4289,14 +4299,14 @@ DocType: Item,Has Serial No,시리얼 No에게 있습니다 DocType: Employee,Date of Issue,발행일 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}에서 {0}에 대한 {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","구매 요청이 필요한 경우 구매 설정에 따라 == '예', 구매 송장 생성을 위해 사용자는 {0} 품목의 구매 영수증을 먼저 생성해야합니다." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},행 번호 {0} 항목에 대한 설정 공급 업체 {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,행 {0} : 시간의 값은 0보다 커야합니다. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},행 번호 {0} 항목에 대한 설정 공급 업체 {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,행 {0} : 시간의 값은 0보다 커야합니다. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,부품 {1}에 연결된 웹 사이트 콘텐츠 {0}를 찾을 수없는 DocType: Issue,Content Type,컨텐츠 유형 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,컴퓨터 DocType: Item,List this Item in multiple groups on the website.,웹 사이트에 여러 그룹에이 항목을 나열합니다. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,다른 통화와 계정을 허용하는 다중 통화 옵션을 확인하시기 바랍니다 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,상품 : {0} 시스템에 존재하지 않을 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,상품 : {0} 시스템에 존재하지 않을 apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,당신은 고정 된 값을 설정할 수있는 권한이 없습니다 DocType: Payment Reconciliation,Get Unreconciled Entries,비 조정 항목을보세요 DocType: Payment Reconciliation,From Invoice Date,송장 일로부터 @@ -4322,7 +4332,7 @@ DocType: Stock Entry,Default Source Warehouse,기본 소스 창고 DocType: Item,Customer Code,고객 코드 apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},생일 알림 {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,일 이후 마지막 주문 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,계정에 직불는 대차 대조표 계정이어야합니다 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,계정에 직불는 대차 대조표 계정이어야합니다 DocType: Buying Settings,Naming Series,시리즈 이름 지정 DocType: Leave Block List,Leave Block List Name,차단 목록의 이름을 남겨주세요 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,보험 시작일은 보험 종료일보다 작아야합니다 @@ -4339,7 +4349,7 @@ DocType: Vehicle Log,Odometer,주행 거리계 DocType: Sales Order Item,Ordered Qty,수량 주문 apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,항목 {0} 사용할 수 없습니다 DocType: Stock Settings,Stock Frozen Upto,재고 동결 개까지 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM은 재고 아이템을 포함하지 않는 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM은 재고 아이템을 포함하지 않는 apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},에서와 기간 반복 필수 날짜로 기간 {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,프로젝트 활동 / 작업. DocType: Vehicle Log,Refuelling Details,급유 세부 사항 @@ -4349,7 +4359,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,마지막 구매 비율을 찾을 수 없습니다 DocType: Purchase Invoice,Write Off Amount (Company Currency),금액을 상각 (회사 통화) DocType: Sales Invoice Timesheet,Billing Hours,결제 시간 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,{0}를 찾을 수 없습니다에 대한 기본 BOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,{0}를 찾을 수 없습니다에 대한 기본 BOM apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,행 번호 {0} : 재주문 수량을 설정하세요 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,항목을 탭하여 여기에 추가하십시오. DocType: Fees,Program Enrollment,프로그램 등록 @@ -4384,6 +4394,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,고령화 범위 2 DocType: SG Creation Tool Course,Max Strength,최대 강도 apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM 교체 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,배달 날짜를 기준으로 품목 선택 ,Sales Analytics,판매 분석 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},사용 가능한 {0} ,Prospects Engaged But Not Converted,잠재 고객은 참여했지만 전환하지 않았습니다. @@ -4432,7 +4443,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise 할인 apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,작업에 대한 작업 표. DocType: Purchase Invoice,Against Expense Account,비용 계정에 대한 DocType: Production Order,Production Order,생산 주문 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,설치 노트 {0}이 (가) 이미 제출되었습니다 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,설치 노트 {0}이 (가) 이미 제출되었습니다 DocType: Bank Reconciliation,Get Payment Entries,지불 항목 가져 오기 DocType: Quotation Item,Against Docname,docName 같은 반대 DocType: SMS Center,All Employee (Active),모든 직원 (활성) @@ -4441,7 +4452,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,원료 비용 DocType: Item Reorder,Re-Order Level,다시 주문 수준 DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,당신이 생산 주문을 올리거나 분석을위한 원시 자료를 다운로드하고자하는 항목 및 계획 수량을 입력합니다. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt 차트 +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt 차트 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,파트 타임으로 DocType: Employee,Applicable Holiday List,해당 휴일 목록 DocType: Employee,Cheque,수표 @@ -4499,11 +4510,11 @@ DocType: Bin,Reserved Qty for Production,생산 수량 예약 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,과정 기반 그룹을 만드는 동안 배치를 고려하지 않으려면 선택하지 마십시오. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,과정 기반 그룹을 만드는 동안 일괄 처리를 고려하지 않으려면 선택하지 않습니다. DocType: Asset,Frequency of Depreciation (Months),감가 상각의 주파수 (월) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,신용 계정 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,신용 계정 DocType: Landed Cost Item,Landed Cost Item,착륙 비용 항목 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,0 값을보기 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,원료의 부여 수량에서 재 포장 / 제조 후의 아이템의 수량 -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,설정 내 조직에 대한 간단한 웹 사이트 +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,설정 내 조직에 대한 간단한 웹 사이트 DocType: Payment Reconciliation,Receivable / Payable Account,채권 / 채무 계정 DocType: Delivery Note Item,Against Sales Order Item,판매 주문 항목에 대하여 apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},속성에 대한 속성 값을 지정하십시오 {0} @@ -4568,22 +4579,22 @@ DocType: Student,Nationality,국적 ,Items To Be Requested,요청 할 항목 DocType: Purchase Order,Get Last Purchase Rate,마지막 구매께서는보세요 DocType: Company,Company Info,회사 소개 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,선택하거나 새로운 고객을 추가 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,비용 센터 비용 청구를 예약 할 필요 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,선택하거나 새로운 고객을 추가 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,비용 센터 비용 청구를 예약 할 필요 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),펀드의 응용 프로그램 (자산) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,이이 직원의 출석을 기반으로 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,자동 이체 계좌 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,자동 이체 계좌 DocType: Fiscal Year,Year Start Date,년 시작 날짜 DocType: Attendance,Employee Name,직원 이름 DocType: Sales Invoice,Rounded Total (Company Currency),둥근 합계 (회사 통화) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,계정 유형을 선택하기 때문에 그룹을 변환 할 수 없습니다. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} 수정되었습니다.새로 고침하십시오. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} 수정되었습니다.새로 고침하십시오. DocType: Leave Block List,Stop users from making Leave Applications on following days.,다음과 같은 일에 허가 신청을하는 사용자가 중지합니다. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,구매 금액 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,공급 업체의 견적 {0} 작성 apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,종료 연도는 시작 연도 이전 될 수 없습니다 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,종업원 급여 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},{0} 행에서 {1} 포장 수량의 수량을 동일해야합니다 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},{0} 행에서 {1} 포장 수량의 수량을 동일해야합니다 DocType: Production Order,Manufactured Qty,제조 수량 DocType: Purchase Receipt Item,Accepted Quantity,허용 수량 apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},직원에 대한 기본 홀리데이 목록을 설정하십시오 {0} 또는 회사 {1} @@ -4594,11 +4605,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},행 번호 {0} : 금액 경비 요청 {1}에 대해 금액을 보류보다 클 수 없습니다. 등록되지 않은 금액은 {2} DocType: Maintenance Schedule,Schedule,일정 DocType: Account,Parent Account,부모 계정 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,사용 가능함 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,사용 가능함 DocType: Quality Inspection Reading,Reading 3,3 읽기 ,Hub,허브 DocType: GL Entry,Voucher Type,바우처 유형 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,가격 목록 발견되지 않았거나 비활성화 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,가격 목록 발견되지 않았거나 비활성화 DocType: Employee Loan Application,Approved,인가 된 DocType: Pricing Rule,Price,가격 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0}에 안심 직원은 '왼쪽'으로 설정해야합니다 @@ -4668,7 +4679,7 @@ DocType: SMS Settings,Static Parameters,정적 매개 변수 DocType: Assessment Plan,Room,방 DocType: Purchase Order,Advance Paid,사전 유료 DocType: Item,Item Tax,상품의 세금 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,공급 업체에 소재 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,공급 업체에 소재 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,소비세 송장 apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0} %가 한 번 이상 나타납니다 DocType: Expense Claim,Employees Email Id,직원 이드 이메일 @@ -4708,7 +4719,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,모델 DocType: Production Order,Actual Operating Cost,실제 운영 비용 DocType: Payment Entry,Cheque/Reference No,수표 / 참조 없음 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,공급 업체> 공급 업체 유형 apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,루트는 편집 할 수 없습니다. DocType: Item,Units of Measure,측정 단위 DocType: Manufacturing Settings,Allow Production on Holidays,휴일에 생산 허용 @@ -4741,12 +4751,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,신용 일 apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,학생 배치 확인 DocType: Leave Type,Is Carry Forward,이월된다 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM에서 항목 가져 오기 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM에서 항목 가져 오기 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,시간 일 리드 -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},행 # {0} : 날짜를 게시하면 구입 날짜와 동일해야합니다 {1} 자산의 {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},행 # {0} : 날짜를 게시하면 구입 날짜와 동일해야합니다 {1} 자산의 {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,학생이 연구소의 숙소에 거주하고 있는지 확인하십시오. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,위의 표에 판매 주문을 입력하세요 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,급여 전표 제출하지 않음 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,급여 전표 제출하지 않음 ,Stock Summary,재고 요약 apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,다른 한 창고에서 자산을 이동 DocType: Vehicle,Petrol,가솔린 diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv index 119c002fe3c..02cdb3bc15d 100644 --- a/erpnext/translations/ku.csv +++ b/erpnext/translations/ku.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Dealer DocType: Employee,Rented,bi kirê DocType: Purchase Order,PO-,"ramyarî," DocType: POS Profile,Applicable for User,Wergirtinê ji bo User -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Rawestandin Production Order ne dikarin bên îptal kirin, ew unstop yekem to cancel" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Rawestandin Production Order ne dikarin bên îptal kirin, ew unstop yekem to cancel" DocType: Vehicle Service,Mileage,Mileage apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Ma tu bi rastî dixwazî bibit vê hebûnê? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Supplier Default Hilbijêre @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% billed apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate divê eynî wek {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Navê mişterî DocType: Vehicle,Natural Gas,Gaza natûral -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},hesabê bankê dikare wekî ne bê bi navê {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},hesabê bankê dikare wekî ne bê bi navê {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Serên (an jî Komên) dijî ku Arşîva Accounting bi made û hevsengiyên parast in. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Outstanding ji bo {0} nikare were kêmî ji sifir ({1}) DocType: Manufacturing Settings,Default 10 mins,Default 10 mins @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Dev ji Name Type apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,nîşan vekirî apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Series Demê serket apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Lêkolîn -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Peyam Journal Şandin +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Peyam Journal Şandin DocType: Pricing Rule,Apply On,Apply ser DocType: Item Price,Multiple Item prices.,bihayê babet Multiple. ,Purchase Order Items To Be Received,"Buy Order Nawy To Be, pêşwazî" @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Mode of Account Payment apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Show Variants DocType: Academic Term,Academic Term,Term (Ekadîmî) apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Mal -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Jimarî +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Jimarî apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,table Hesabên nikare bibe vala. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Deyn (Deynên) DocType: Employee Education,Year of Passing,Sal ji Dr.Kemal @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Parastina saxlemîyê apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Delay di peredana (Days) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Expense Service -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Hejmara Serial: {0} jixwe li Sales bi fatûreyên referans: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Biha +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Hejmara Serial: {0} jixwe li Sales bi fatûreyên referans: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Biha DocType: Maintenance Schedule Item,Periodicity,Periodicity apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Sal malî {0} pêwîst e -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Bende ji Date Delivery e berî Sales Order Date be apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Parastinî DocType: Salary Component,Abbr,kurte DocType: Appraisal Goal,Score (0-5),Score: (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Temamê meblaxa bi qurûşekî DocType: Delivery Note,Vehicle No,Vehicle No -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Ji kerema xwe ve List Price hilbijêre +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Ji kerema xwe ve List Price hilbijêre apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: belgeya Payment pêwîst e ji bo temamkirina trasaction DocType: Production Order Operation,Work In Progress,Kar berdewam e apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Ji kerema xwe ve date hilbijêre @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ne jî di tu aktîv sala diravî. DocType: Packed Item,Parent Detail docname,docname Detail dê û bav apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","World: Kurdî: {0}, Code babet: {1} û Mişterî: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,kg DocType: Student Log,Log,Rojname apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Vekirina ji bo Job. DocType: Item Attribute,Increment,Increment @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Zewicî apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},ji bo destûr ne {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Get tomar ji -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock dikare li hember Delivery Têbînî ne bê ewe {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock dikare li hember Delivery Têbînî ne bê ewe {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Product {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,No tomar di lîsteyê de DocType: Payment Reconciliation,Reconcile,li hev @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,kalî apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Next Date Farhad. Nikarim li ber Date Purchase be DocType: SMS Center,All Sales Person,Hemû Person Sales DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Belavkariya Ayda ** alîkariya te dike belavkirin Budçeya / Armanc seranser mehan Eger tu dzanî seasonality di karê xwe. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Ne tumar hatin dîtin +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Ne tumar hatin dîtin apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Missing Structure meaş DocType: Lead,Person Name,Navê kesê DocType: Sales Invoice Item,Sales Invoice Item,Babetê firotina bi fatûreyên @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Ma Asset Fixed" nikare bibe nedixwest, wek record Asset li dijî babete heye" DocType: Vehicle Service,Brake Oil,Oil şikand DocType: Tax Rule,Tax Type,Type bacê -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Şêwaz ber bacê +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Şêwaz ber bacê apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Destûra te tune ku lê zêde bike an update entries berî {0} DocType: BOM,Item Image (if not slideshow),Wêne Babetê (eger Mîhrîcana ne) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,An Mişterî ya bi heman navî heye DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Saet Rate / 60) * Time Actual Operation -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Hilbijêre BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Hilbijêre BOM DocType: SMS Log,SMS Log,SMS bike Têkeve Têkeve apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Cost ji Nawy Çiyan apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Cejna li ser {0} e di navbera From Date û To Date ne @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,dibistanên DocType: School Settings,Validate Batch for Students in Student Group,Validate Batch bo Xwendekarên li Komeleya Xwendekarên apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},No record îzna dîtin ji bo karker {0} ji bo {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ji kerema xwe ve yekemîn şîrketa binivîse -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Ji kerema xwe ve yekem Company hilbijêre +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Ji kerema xwe ve yekem Company hilbijêre DocType: Employee Education,Under Graduate,di bin Graduate apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,target ser DocType: BOM,Total Cost,Total Cost DocType: Journal Entry Account,Employee Loan,Xebatkarê Loan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Têkeve çalakiyê: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,"Babetê {0} nayê di sîstema tune ne, an jî xelas bûye" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Têkeve çalakiyê: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,"Babetê {0} nayê di sîstema tune ne, an jî xelas bûye" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Emlak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Daxûyanîya Account apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Pharmaceuticals @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Şêwaz îdîaya apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,koma mişterî hate dîtin li ser sifrê koma cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Supplier Type / Supplier DocType: Naming Series,Prefix,Pêşkîte -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe veşartî ji bo {0} bi Sîstema Setup> Sîstemên * Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,bikaranînê +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,bikaranînê DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Import bike Têkeve Têkeve DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Kolane Daxwaza maddî ya type Manufacture li ser bingeha krîterên ku li jor DocType: Training Result Employee,Grade,Sinif DocType: Sales Invoice Item,Delivered By Supplier,Teslîmî By Supplier DocType: SMS Center,All Contact,Hemû Contact -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Production Order berê ve ji bo hemû tomar bi BOM tên afirandin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Production Order berê ve ji bo hemû tomar bi BOM tên afirandin apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salary salane DocType: Daily Work Summary,Daily Work Summary,Nasname Work rojane DocType: Period Closing Voucher,Closing Fiscal Year,Girtina sala diravî -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} frozen e +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} frozen e apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Ji kerema xwe ve û taybet de Company ji bo afirandina Chart Dageriyê hilbijêre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Mesref Stock apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Select Target Warehouse @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},"Qebûlkirin + Redkirin Qty, divê ji bo pêşwazî qasêsa wekhev de ji bo babet bê {0}" DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Madeyên Raw ji bo Purchase -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,De bi kêmanî yek mode of tezmînat ji bo fatûra POS pêwîst e. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,De bi kêmanî yek mode of tezmînat ji bo fatûra POS pêwîst e. DocType: Products Settings,Show Products as a List,Show Products wek List DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Download Şablon, welat guncaw tije û pelê de hate guherandin ve girêbidin. Hemû dîrokên û karker combination di dema hilbijartî dê di şablon bên, bi records amadebûnê heyî" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Babetê {0} e çalak ne jî dawiya jiyana gihîştiye -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Mînak: Matematîk Basic -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To de baca li row {0} di rêjeya Babetê, bacên li rêzên {1} divê jî di nav de bê" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Mînak: Matematîk Basic +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To de baca li row {0} di rêjeya Babetê, bacên li rêzên {1} divê jî di nav de bê" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Mîhengên ji bo Module HR DocType: SMS Center,SMS Center,Navenda SMS DocType: Sales Invoice,Change Amount,Change Mîqdar @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},date Installation nikarim li ber roja çêbûna ji bo babet bê {0} DocType: Pricing Rule,Discount on Price List Rate (%),Li ser navnîshana List Price Rate (%) DocType: Offer Letter,Select Terms and Conditions,Hilbijêre şert û mercan -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Nirx out +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Nirx out DocType: Production Planning Tool,Sales Orders,ordênên Sales DocType: Purchase Taxes and Charges,Valuation,Texmînî ,Purchase Order Trends,Bikirin Order Trends @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Ma Opening Peyam DocType: Customer Group,Mention if non-standard receivable account applicable,"Behs, eger ne-standard account teleb pêkanîn," DocType: Course Schedule,Instructor Name,Navê Instructor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Ji bo Warehouse berî pêwîst e Submit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Ji bo Warehouse berî pêwîst e Submit apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,pêşwazî li DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Eger kontrolkirin, Will de tomar non-stock di Requests Material." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Li dijî Sales bi fatûreyên babetî ,Production Orders in Progress,Ordênên Production in Progress apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Cash Net ji Fînansa -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage tije ye, rizgar ne" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage tije ye, rizgar ne" DocType: Lead,Address & Contact,Navnîşana & Contact DocType: Leave Allocation,Add unused leaves from previous allocations,Lê zêde bike pelên feyde ji xerciyên berê apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Next Aksarayê {0} dê li ser tên afirandin {1} DocType: Sales Partner,Partner website,malpera partner apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,lê zêde bike babetî -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Contact Name +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Contact Name DocType: Course Assessment Criteria,Course Assessment Criteria,Şertên Nirxandina Kurs DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Diafirîne slip meaş ji bo krîterên ku li jor dîyarkirine. DocType: POS Customer Group,POS Customer Group,POS Mişterî Group @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Hêvîye 'de venêrî Is Advance' li dijî Account {1} eger ev an entry pêşwext e. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Warehouse {0} nayê ji şîrketa girêdayî ne {1} DocType: Email Digest,Profit & Loss,Qezencê & Loss -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Bi tevahî bi qurûşekî jî Mîqdar (via Time Sheet) DocType: Item Website Specification,Item Website Specification,Specification babete Website apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Dev ji astengkirin @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Sales bi fatûreyên No DocType: Material Request Item,Min Order Qty,Min Order Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kurs Komeleya Xwendekarên Tool Creation DocType: Lead,Do Not Contact,Serî -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Kesên ku di rêxistina xwe hînî +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Kesên ku di rêxistina xwe hînî DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,The id yekane ji bo êşekê hemû hisab dubare bikin. Ev li ser submit bi giştî. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Developer DocType: Item,Minimum Order Qty,Siparîşa hindiktirîn Qty @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Weşana Hub DocType: Student Admission,Student Admission,Admission Student ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Babetê {0} betal e -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Daxwaza maddî +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Daxwaza maddî DocType: Bank Reconciliation,Update Clearance Date,Update Date Clearance DocType: Item,Purchase Details,Details kirîn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Babetê {0} di 'Delîlên Raw Supplied' sifrê li Purchase Kom nehate dîtin {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fîloya Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} nikare were ji bo em babete neyînî {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Şîfreya çewt DocType: Item,Variant Of,guhertoya Of -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Qediya Qty ne dikarin bibin mezintir 'Qty ji bo Manufacture' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Qediya Qty ne dikarin bibin mezintir 'Qty ji bo Manufacture' DocType: Period Closing Voucher,Closing Account Head,Girtina Serokê Account DocType: Employee,External Work History,Dîroka Work Link apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Error Reference bezandin @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Distance ji devê hiştin apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} yekîneyên [{1}] (Form # / babet / {1}) found in [{2}] (Form # / Warehouse / {2}) DocType: Lead,Industry,Ava DocType: Employee,Job Profile,Profile Job +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Ev li ser vê kompaniyê veguherîn li ser veguhestinê ye. Ji bo agahdariyên jêrîn binêrin DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notify by Email li ser çêkirina Daxwaza Material otomatîk DocType: Journal Entry,Multi Currency,Multi Exchange DocType: Payment Reconciliation Invoice,Invoice Type,bi fatûreyên Type -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Delivery Note +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Delivery Note apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Avakirina Baca apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Cost ji Asset Sold apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Peyam di peredana hatiye guherandin, piştî ku we paş de vekişiyaye. Ji kerema xwe re dîsa ew vekişîne." @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Ji kerema xwe ve nirxa warê 'li ser Day of Month Dubare' binivîse DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Rate li ku Mişterî Exchange ji bo pereyan base mişterî bîya DocType: Course Scheduling Tool,Course Scheduling Tool,Kurs Scheduling Tool -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Purchase bi fatûreyên nikare li hemberî sermaye heyî ne bên kirin {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Purchase bi fatûreyên nikare li hemberî sermaye heyî ne bên kirin {1} DocType: Item Tax,Tax Rate,Rate bacê apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} berê ji bo karkirinê yên bi rêk û {1} ji bo dema {2} ji bo {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Hilbijêre babetî +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Hilbijêre babetî apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Bikirin bi fatûreyên {0} ji xwe şandin apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch No divê eynî wek {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convert to non-Group @@ -447,7 +446,7 @@ DocType: Employee,Widowed,bî DocType: Request for Quotation,Request for Quotation,Daxwaza ji bo Quotation DocType: Salary Slip Timesheet,Working Hours,dema xebatê DocType: Naming Series,Change the starting / current sequence number of an existing series.,Guhertina Guherandinên / hejmara cihekê niha ya series heyî. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Create a Mişterî ya nû +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Create a Mişterî ya nû apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ger Rules Pricing multiple berdewam bi ser keve, bikarhênerên pirsî danîna Priority bi destan ji bo çareserkirina pevçûnan." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Create Orders Purchase ,Purchase Register,Buy Register @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Navê sehkerê DocType: Purchase Invoice Item,Quantity and Rate,Quantity û Rate DocType: Delivery Note,% Installed,% firin -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Sinifên / kolîja hwd ku ders dikare bê destnîşankirin. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Sinifên / kolîja hwd ku ders dikare bê destnîşankirin. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Ji kerema xwe re navê şîrketa binivîse DocType: Purchase Invoice,Supplier Name,Supplier Name apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Xandinê Manual ERPNext @@ -490,7 +489,7 @@ DocType: Account,Old Parent,Parent Old apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,warê Mandatory - Year (Ekadîmî) apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,warê Mandatory - Year (Ekadîmî) DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Sīroveyan text destpêkê de ku wekî beşek ji ku email diçe. Her Kirarî a text destpêkê de ji hev cuda. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Tikaye default account cîhde danîn ji bo ku şîrketa {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Tikaye default account cîhde danîn ji bo ku şîrketa {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,settings Global ji bo hemû pêvajoyên bi aktîvîteyên. DocType: Accounts Settings,Accounts Frozen Upto,Hesabên Frozen Upto DocType: SMS Log,Sent On,şandin ser @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,bikarhênerên cîhde apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,The dikeye hilbijartî ne ji bo em babete eynî ne DocType: Pricing Rule,Valid Upto,derbasdar Upto DocType: Training Event,Workshop,Kargeh -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,"Lîsteya çend ji mişterîyên xwe. Ew dikarin bibin rêxistin, yan jî kesên." +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,"Lîsteya çend ji mişterîyên xwe. Ew dikarin bibin rêxistin, yan jî kesên." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Parts bes ji bo Build apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Dahata rasterast apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Dikarin li ser Account ne filter bingeha, eger destê Account komkirin" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Tikaye Kurs hilbijêre apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Tikaye Kurs hilbijêre DocType: Timesheet Detail,Hrs,hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Ji kerema xwe ve Company hilbijêre +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Ji kerema xwe ve Company hilbijêre DocType: Stock Entry Detail,Difference Account,Account Cudahiya DocType: Purchase Invoice,Supplier GSTIN,Supplier GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Can karê nêzîkî wek karekî girêdayî wê {0} e girtî ne ne. @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Tikaye pola bo Qeyrana 0% define DocType: Sales Order,To Deliver,Gihandin DocType: Purchase Invoice Item,Item,Şanî -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serial no babete nikare bibe fraction +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serial no babete nikare bibe fraction DocType: Journal Entry,Difference (Dr - Cr),Cudahiya (Dr - Kr) DocType: Account,Profit and Loss,Qezenc û Loss apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,birêvebirina îhaleya @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),Period Warranty (Days) DocType: Installation Note Item,Installation Note Item,Installation Têbînî babetî DocType: Production Plan Item,Pending Qty,Pending Qty DocType: Budget,Ignore,Berçavnegirtin -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} e çalak ne +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} e çalak ne apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},"SMS şandin, da ku hejmarên jêr e: {0}" apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,aliyên check Setup ji bo çapkirinê DocType: Salary Slip,Salary Slip Timesheet,Timesheet meaş Slip @@ -687,8 +686,8 @@ DocType: Installation Note,IN-,LI- DocType: Production Order Operation,In minutes,li minutes DocType: Issue,Resolution Date,Date Resolution DocType: Student Batch Name,Batch Name,Navê batch -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet tên afirandin: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Ji kerema xwe ve Cash default an account Bank set li Mode of Payment {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet tên afirandin: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Ji kerema xwe ve Cash default an account Bank set li Mode of Payment {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Nivîsîn DocType: GST Settings,GST Settings,Settings gst DocType: Selling Settings,Customer Naming By,Qada Mişterî By @@ -708,7 +707,7 @@ DocType: Activity Cost,Projects User,projeyên Bikarhêner apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,telef apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} li ser sifrê bi fatûreyên Details dîtin ne DocType: Company,Round Off Cost Center,Li dora Off Navenda Cost -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Maintenance Visit {0} divê berî betalkirinê ev Sales Order were betalkirin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Maintenance Visit {0} divê berî betalkirinê ev Sales Order were betalkirin DocType: Item,Material Transfer,Transfer maddî apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Deaktîv bike û demxeya divê piştî be {0} @@ -717,7 +716,7 @@ DocType: Employee Loan,Total Interest Payable,Interest Total cîhde DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,"Bac, Cost siwar bûn û doz li" DocType: Production Order Operation,Actual Start Time,Time rastî Start DocType: BOM Operation,Operation Time,Time Operation -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Qedandin +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Qedandin apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Bingeh DocType: Timesheet,Total Billed Hours,Total Hours billed DocType: Journal Entry,Write Off Amount,Hewe Off Mîqdar @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),Nirx Green (dawî) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Peyam di peredana ji nuha ve tên afirandin DocType: Purchase Receipt Item Supplied,Current Stock,Stock niha: -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ne ji Babetê girêdayî ne {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ne ji Babetê girêdayî ne {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Preview Bikini Salary apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Account {0} hatiye bicihkirin çend caran DocType: Account,Expenses Included In Valuation,Mesrefên di nav Valuation @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Peyam Credit Card apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Company û Hesab apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Mal ji Suppliers wergirt. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,di Nirx +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,di Nirx DocType: Lead,Campaign Name,Navê kampanyayê DocType: Selling Settings,Close Opportunity After Days,Close Opportunity Piştî Rojan ,Reserved,reserved. @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Înercî DocType: Opportunity,Opportunity From,derfet ji apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,daxuyaniyê de meaşê mehane. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Hejmarên Serial Ji bo {2} Pêdivî ye. Te destnîşan kir {3}. DocType: BOM,Website Specifications,Specifications Website apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Ji {0} ji type {1} DocType: Warranty Claim,CI-,çi- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Factor Converter wêneke e DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Rules Price Multiple bi pîvanên heman heye, ji kerema xwe ve çareser şer ji aliyê hêzeke pêşanî. Rules Biha: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,ne dikarin neçalak bikî an betal BOM wekî ku bi din dikeye girêdayî +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,ne dikarin neçalak bikî an betal BOM wekî ku bi din dikeye girêdayî DocType: Opportunity,Maintenance,Lênerrînî DocType: Item Attribute Value,Item Attribute Value,Babetê nirxê taybetmendiyê apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,kampanyayên firotina. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Make timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Make timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -838,7 +838,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Avakirina Account Email apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ji kerema xwe ve yekem babetî bikevin DocType: Account,Liability,Bar -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Şêwaz belê ne dikarin li Row mezintir Mîqdar Îdîaya {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Şêwaz belê ne dikarin li Row mezintir Mîqdar Îdîaya {0}. DocType: Company,Default Cost of Goods Sold Account,Default Cost ji Account Goods Sold apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,List Price hilbijartî ne DocType: Employee,Family Background,Background Family @@ -849,10 +849,10 @@ DocType: Company,Default Bank Account,Account Bank Default apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Fîltre li ser bingeha Partîya, Partîya select yekem Type" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Update Stock' nikarin werin kontrolkirin, ji ber tumar bi via teslîmî ne {0}" DocType: Vehicle,Acquisition Date,Derheqê Date -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,nos DocType: Item,Items with higher weightage will be shown higher,Nawy bi weightage mezintir dê mezintir li banî tê DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detail Bank Lihevkirinê -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} de divê bê şandin +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} de divê bê şandin apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,No karker dîtin DocType: Supplier Quotation,Stopped,rawestandin DocType: Item,If subcontracted to a vendor,Eger ji bo vendor subcontracted @@ -869,7 +869,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Herî kêm Mîqdar bi fat apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Navenda Cost {2} ne ji Company girêdayî ne {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} dikarin bi a Group apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Babetê Row {IDX}: {doctype} {docname} nayê li jor de tune ne '{doctype}' sifrê -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} ji xwe temam an jî betalkirin +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} ji xwe temam an jî betalkirin apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No erkên DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dotira rojê ya meha ku li ser fatûra auto nimûne, 05, 28 û hwd. Jî wê bi giştî bê" DocType: Asset,Opening Accumulated Depreciation,Vekirina Farhad. Accumulated @@ -928,7 +928,7 @@ DocType: SMS Log,Requested Numbers,Numbers xwestin DocType: Production Planning Tool,Only Obtain Raw Materials,Tenê Wergirtin Alav Raw apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,nirxandina Performance. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Ne bitenê 'bi kar bîne ji bo Têxe selikê', wek Têxe selikê pêk tê û divê bi kêmanî yek Rule Bacê ji bo Têxe selikê li wir be" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Peyam di peredana {0} li dijî Order {1}, ka jî, divê wekî pêşda li vê fatoreyê de vekişiyaye ve girêdayî ye." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Peyam di peredana {0} li dijî Order {1}, ka jî, divê wekî pêşda li vê fatoreyê de vekişiyaye ve girêdayî ye." DocType: Sales Invoice Item,Stock Details,Stock Details apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Project Nirx apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-ji-Sale @@ -951,15 +951,15 @@ DocType: Naming Series,Update Series,update Series DocType: Supplier Quotation,Is Subcontracted,Ma Subcontracted DocType: Item Attribute,Item Attribute Values,Nirxên Pêşbîr babetî DocType: Examination Result,Examination Result,Encam muayene -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Meqbûz kirîn +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Meqbûz kirîn ,Received Items To Be Billed,Pêşwaziya Nawy ye- Be -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Şandin Slips Salary +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Şandin Slips Salary apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,rêjeya qotîk master. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},"Çavkanî Doctype, divê yek ji yên bê {0}" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Nikare bibînin Slot Time di pêş {0} rojan de ji bo Operasyona {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Nikare bibînin Slot Time di pêş {0} rojan de ji bo Operasyona {1} DocType: Production Order,Plan material for sub-assemblies,maddî Plan ji bo sub-meclîsên apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partners Sales û Herêmê -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} divê çalak be +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} divê çalak be DocType: Journal Entry,Depreciation Entry,Peyam Farhad. apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Ji kerema xwe re ji cureyê pelgeyê hilbijêre apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Betal Serdan Material {0} berî betalkirinê ev Maintenance Visit @@ -969,7 +969,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Temamê meblaxa apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publishing Internet DocType: Production Planning Tool,Production Orders,ordênên Production -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Nirx Balance +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Nirx Balance apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Lîsteya firotina Price apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Weşana senkronîze tomar DocType: Bank Reconciliation,Account Currency,account Exchange @@ -994,12 +994,12 @@ DocType: Employee,Exit Interview Details,Details Exit Hevpeyvîn DocType: Item,Is Purchase Item,E Purchase babetî DocType: Asset,Purchase Invoice,Buy bi fatûreyên DocType: Stock Ledger Entry,Voucher Detail No,Detail fîşeke No -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,New bi fatûreyên Sales +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,New bi fatûreyên Sales DocType: Stock Entry,Total Outgoing Value,Total Nirx Afganî apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Vekirina Date û roja dawî divê di heman sala diravî be DocType: Lead,Request for Information,Daxwaza ji bo Information ,LeaderBoard,Leaderboard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Syncê girêdayî hisab +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Syncê girêdayî hisab DocType: Payment Request,Paid,tê dayin DocType: Program Fee,Program Fee,Fee Program DocType: Salary Slip,Total in words,Bi tevahî di peyvên @@ -1007,7 +1007,7 @@ DocType: Material Request Item,Lead Time Date,Lead Date Time DocType: Guardian,Guardian Name,Navê Guardian DocType: Cheque Print Template,Has Print Format,Has Print Format DocType: Employee Loan,Sanctioned,belê -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,bivênevê ye. Dibe ku rekor Exchange ji bo tên afirandin ne +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,bivênevê ye. Dibe ku rekor Exchange ji bo tên afirandin ne apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: kerema xwe diyar bike Serial No bo Babetê {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Ji bo tomar 'Product Bundle', Warehouse, Serial No û Batch No wê ji ser sifrê 'Lîsteya Packing' nirxandin. Ger Warehouse û Batch No bo hemû tomar bo barkirinê bo em babete ti 'Bundle Product' eynî ne, wan nirxan dikare li ser sifrê Babetê serekî ketin, nirxên wê bê kopîkirin to 'tê de Lîsteya' sifrê." DocType: Job Opening,Publish on website,Weşana li ser malpera @@ -1020,7 +1020,7 @@ DocType: Cheque Print Template,Date Settings,Settings Date apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variance ,Company Name,Navê Company DocType: SMS Center,Total Message(s),Total Message (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Hilbijêre babet ji bo transfera +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Hilbijêre babet ji bo transfera DocType: Purchase Invoice,Additional Discount Percentage,Rêjeya Discount Additional apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,View lîsteya hemû videos alîkarî DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,serê account Hilbijêre ji bank ku check danenîye bû. @@ -1035,7 +1035,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Raw Cost Material (Company Exch apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Hemû tomar niha ji bo vê Production Order hatine veguhastin. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Rate ne dikarin bibin mezintir rêjeya bikaranîn di {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Rate ne dikarin bibin mezintir rêjeya bikaranîn di {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Jimarvan +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Jimarvan DocType: Workstation,Electricity Cost,Cost elektrîkê DocType: HR Settings,Don't send Employee Birthday Reminders,Ma Employee Birthday Reminders bişîne ne DocType: Item,Inspection Criteria,Şertên Serperiştiya @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Get pêşketina Paid DocType: Item,Automatically Create New Batch,Otomatîk Create Batch New DocType: Item,Automatically Create New Batch,Otomatîk Create Batch New -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Kirin +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Kirin DocType: Student Admission,Admission Start Date,Admission Serî Date DocType: Journal Entry,Total Amount in Words,Temamê meblaxa li Words apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"çewtiyek derket. Yek ji sedemên muhtemel, dikarin bibin, ku tu formê de hatine tomarkirin ne. Ji kerema xwe ve support@erpnext.com li gel ku pirsgirêk berdewam dike." @@ -1058,7 +1058,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Têxe min apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},"Order Type, divê yek ji yên bê {0}" DocType: Lead,Next Contact Date,Next Contact Date apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,vekirina Qty -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Ji kerema xwe ve Account ji bo Guhertina Mîqdar binivîse +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Ji kerema xwe ve Account ji bo Guhertina Mîqdar binivîse DocType: Student Batch Name,Student Batch Name,Xwendekarên Name Batch DocType: Holiday List,Holiday List Name,Navê Lîsteya Holiday DocType: Repayment Schedule,Balance Loan Amount,Balance Loan Mîqdar @@ -1066,7 +1066,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Vebijêrkên Stock DocType: Journal Entry Account,Expense Claim,mesrefan apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Ma tu bi rastî dixwazî ji bo restorekirina vê hebûnê belav buye? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Qty ji bo {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Qty ji bo {0} DocType: Leave Application,Leave Application,Leave Application apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Dev ji Tool Kodek DocType: Leave Block List,Leave Block List Dates,Dev ji Lîsteya Block Kurdî Nexşe @@ -1117,7 +1117,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Dijî DocType: Item,Default Selling Cost Center,Default Navenda Cost Selling DocType: Sales Partner,Implementation Partner,Partner Kiryariya -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Kode ya postî +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Kode ya postî apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} e {1} DocType: Opportunity,Contact Info,Têkilî apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Making Stock Arşîva @@ -1136,14 +1136,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,A DocType: School Settings,Attendance Freeze Date,Beşdariyê Freeze Date DocType: School Settings,Attendance Freeze Date,Beşdariyê Freeze Date DocType: Opportunity,Your sales person who will contact the customer in future,kesê firotina xwe ku mişterî di pêşerojê de dê peywendîyê -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,"Lîsteya çend ji wholesale xwe. Ew dikarin bibin rêxistin, yan jî kesên." +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,"Lîsteya çend ji wholesale xwe. Ew dikarin bibin rêxistin, yan jî kesên." apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,View All Products apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Siparîşa hindiktirîn Lead Age (Days) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Siparîşa hindiktirîn Lead Age (Days) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Hemû dikeye +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Hemû dikeye DocType: Company,Default Currency,Default Exchange DocType: Expense Claim,From Employee,ji xebatkara -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Hişyarî: System wê overbilling ji ber ku mîqdara ji bo babet ne bi {0} li {1} sifir e +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Hişyarî: System wê overbilling ji ber ku mîqdara ji bo babet ne bi {0} li {1} sifir e DocType: Journal Entry,Make Difference Entry,Make Peyam Cudahiya DocType: Upload Attendance,Attendance From Date,Alîkarîkirinê ji Date DocType: Appraisal Template Goal,Key Performance Area,Area Performance Key @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,hejmara Company referansa li te. hejmara Bacê hwd. DocType: Sales Partner,Distributor,Belavkirina DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Têxe selikê Rule Shipping -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Production Order {0} divê berî betalkirinê ev Sales Order were betalkirin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Production Order {0} divê berî betalkirinê ev Sales Order were betalkirin apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Ji kerema xwe ve set 'Bisepîne Discount Additional Li ser' ' ,Ordered Items To Be Billed,Nawy emir ye- Be apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Ji Range ev be ku kêmtir ji To Range @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,bi dabirînê DocType: Leave Allocation,LAL/,lal / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Serî Sal -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},First 2 malikên ji GSTIN divê bi hejmara Dewletê hev {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},First 2 malikên ji GSTIN divê bi hejmara Dewletê hev {0} DocType: Purchase Invoice,Start date of current invoice's period,date ji dema fatûra niha ve dest bi DocType: Salary Slip,Leave Without Pay,Leave Bê Pay -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Error Planning kapasîteya +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Error Planning kapasîteya ,Trial Balance for Party,Balance Trial bo Party DocType: Lead,Consultant,Şêwirda DocType: Salary Slip,Earnings,Earnings @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,Settings Jaaniya DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ev dê ji qanûna Babetê ji guhertoya bendên. Ji bo nimûne, eger kurtenivîsên SYR ji we "SM", e û code babete de ye "T-SHIRT", code babete ji yên ku guhertoya wê bibe "T-SHIRT-SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pay Net (di peyvên) xuya wê carekê hûn Slip Salary li xilas bike. DocType: Purchase Invoice,Is Return,e Return -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Return / Debit Têbînî +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Return / Debit Têbînî DocType: Price List Country,Price List Country,List Price Country DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} nos serial derbasdar e ji bo vî babetî {1} @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,Qismen dandin de apps/erpnext/erpnext/config/buying.py +38,Supplier database.,heye Supplier. DocType: Account,Balance Sheet,Bîlançoya apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Navenda bihagiranîyê ji bo babet bi Code Babetê ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode tezmînatê nehatiye mîhenkirin. Ji kerema xwe, gelo account hatiye dîtin li ser Mode of Payments an li ser POS Profile danîn." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode tezmînatê nehatiye mîhenkirin. Ji kerema xwe, gelo account hatiye dîtin li ser Mode of Payments an li ser POS Profile danîn." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,kesê firotina we dê bîrxistineke li ser vê date get ku serî li mişterî apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,babete eynî ne dikarin ketin bê çend caran. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","bikarhênerên berfireh dikarin di bin Groups kirin, di heman demê de entries dikare li dijî non-Groups kirin" @@ -1231,7 +1231,7 @@ DocType: Employee Loan Application,Repayment Info,Info vegerandinê apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Arşîva' ne vala be apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Pekana row {0} bi heman {1} ,Trial Balance,Balance trial -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Sal malî {0} nehate dîtin +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Sal malî {0} nehate dîtin apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Avakirina Karmendên DocType: Sales Order,SO-,WIHA- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Ji kerema xwe ve yekem prefix hilbijêre @@ -1246,11 +1246,11 @@ DocType: Grading Scale,Intervals,navberan apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Kevintirîn apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","An Pol babet bi heman navî heye, ji kerema xwe biguherînin navê babete an jî datayê biguherîne koma babete de" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,"Na, xwendekarê Mobile" -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Din ên cîhanê +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Din ên cîhanê apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The babet {0} ne dikarin Batch hene ,Budget Variance Report,Budceya Report Variance DocType: Salary Slip,Gross Pay,Pay Gross -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Type Activity bivênevê ye. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Row {0}: Type Activity bivênevê ye. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,destkeftineke Paid apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Accounting Ledger DocType: Stock Reconciliation,Difference Amount,Şêwaz Cudahiya @@ -1273,18 +1273,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Xebatkarê Leave Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Balance bo Account {0} tim divê {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Rate Valuation pêwîst ji bo vî babetî di rêza {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Mînak: Masters li Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Mînak: Masters li Computer Science DocType: Purchase Invoice,Rejected Warehouse,Warehouse red DocType: GL Entry,Against Voucher,li dijî Vienna DocType: Item,Default Buying Cost Center,Default Navenda Buying Cost apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","To get the best ji ERPNext, em pêşniyar dikin ku hûn ku hinek dem û watch van videos alîkariyê." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,ber +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,ber DocType: Supplier Quotation Item,Lead Time in days,Time Lead di rojên apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Bikarhênerên Nasname cîhde -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Dayina meaş ji {0} ji bo {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Dayina meaş ji {0} ji bo {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},destûr ne ji bo weşînertiya frozen Account {0} DocType: Journal Entry,Get Outstanding Invoices,Get Outstanding hisab -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Sales Order {0} ne derbasdar e +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Sales Order {0} ne derbasdar e apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,emir kirînê alîkariya we û plankirina û li pey xwe li ser kirînên te apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Mixabin, şîrketên bi yek bên" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1306,8 +1306,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Mesref nerasterast di apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Qty wêneke e apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Cotyarî -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Syncê Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Products an Services te +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Syncê Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Products an Services te DocType: Mode of Payment,Mode of Payment,Mode of Payment apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,"Website Wêne, divê pel giştî an URL malpera be" DocType: Student Applicant,AP,AP @@ -1327,18 +1327,18 @@ DocType: Student Group Student,Group Roll Number,Pol Hejmara Roll DocType: Student Group Student,Group Roll Number,Pol Hejmara Roll apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Ji bo {0}, tenê bikarhênerên credit dikare li dijî entry debit din ve girêdayî" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Bi tevahî ji hemû pîvan Erka divê bê nîşandan 1. kerema xwe pîvan ji hemû erkên Project eyar bikin li gorî -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Delivery Têbînî {0} tê şandin ne +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Delivery Têbînî {0} tê şandin ne apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,"Babetê {0}, divê babete-bînrawe bi peyman be" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Teçxîzatên hatiye capital apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rule Pricing is yekem li ser esasê hilbijartin 'Bisepîne Li ser' qada, ku dikare bê Babetê, Babetê Pol an Brand." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Ji kerema xwe kodê yekem hilbijêre +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Ji kerema xwe kodê yekem hilbijêre DocType: Hub Settings,Seller Website,Seller Website DocType: Item,ITEM-,ŞANÎ- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Total beşek veqetand ji bo tîma firotina divê 100 be DocType: Appraisal Goal,Goal,Armanc DocType: Sales Invoice Item,Edit Description,biguherîne Description ,Team Updates,Updates Team -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,ji bo Supplier +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,ji bo Supplier DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Bikin Type Account di bijartina vê Account li muamele dike. DocType: Purchase Invoice,Grand Total (Company Currency),Grand Total (Company Exchange) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Create Print Format @@ -1352,12 +1352,12 @@ DocType: Item,Website Item Groups,Groups babet Website DocType: Purchase Invoice,Total (Company Currency),Total (Company Exchange) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,"hejmara Serial {0} ketin, ji carekê zêdetir" DocType: Depreciation Schedule,Journal Entry,Peyam di Journal -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} tomar di pêşketina +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} tomar di pêşketina DocType: Workstation,Workstation Name,Navê Workstation DocType: Grading Scale Interval,Grade Code,Code pola DocType: POS Item Group,POS Item Group,POS babetî Pula apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} nayê to Babetê girêdayî ne {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} nayê to Babetê girêdayî ne {1} DocType: Sales Partner,Target Distribution,Belavkariya target DocType: Salary Slip,Bank Account No.,No. Account Bank DocType: Naming Series,This is the number of the last created transaction with this prefix,"Ev hejmara dawî ya muameleyan tên afirandin, bi vê prefix e" @@ -1415,7 +1415,7 @@ DocType: Quotation,Shopping Cart,Têxe selikê apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daily Afganî DocType: POS Profile,Campaign,Bêşvekirin DocType: Supplier,Name and Type,Name û Type -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Rewş erêkirina divê 'status' an jî 'Redkirin' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Rewş erêkirina divê 'status' an jî 'Redkirin' DocType: Purchase Invoice,Contact Person,Contact Person apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Hêvîkirin Date Serî' nikare bibe mezintir 'ya bende Date End' DocType: Course Scheduling Tool,Course End Date,Kurs End Date @@ -1427,8 +1427,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,prefered Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Change Net di Asset Fixed DocType: Leave Control Panel,Leave blank if considered for all designations,"Vala bihêlin, eger ji bo hemû deverî nirxandin" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Pere ji type 'Actual' li row {0} ne bi were di Rate babetî di nav de -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Pere ji type 'Actual' li row {0} ne bi were di Rate babetî di nav de +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ji DateTime DocType: Email Digest,For Company,ji bo Company apps/erpnext/erpnext/config/support.py +17,Communication log.,log-Ragihandin a. @@ -1469,7 +1469,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","profile kar, b DocType: Journal Entry Account,Account Balance,Mêzîna Hesabê apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Rule Bacê ji bo muameleyên. DocType: Rename Tool,Type of document to rename.,Type of belge ji bo rename. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Em buy vî babetî +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Em buy vî babetî apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Mişterî li dijî account teleb pêwîst e {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),"Total Bac, û doz li (Company Exchange)" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Nîşan P & hevsengiyên L sala diravî ya negirtî ya @@ -1480,7 +1480,7 @@ DocType: Quality Inspection,Readings,bi xwendina DocType: Stock Entry,Total Additional Costs,Total Xercên din DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Cost xurde Material (Company Exchange) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Meclîsên bînrawe +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Meclîsên bînrawe DocType: Asset,Asset Name,Navê Asset DocType: Project,Task Weight,Task Loss DocType: Shipping Rule Condition,To Value,to Nirx @@ -1509,7 +1509,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variants babetî DocType: Company,Services,Services DocType: HR Settings,Email Salary Slip to Employee,Email Slip Salary ji bo karkirinê DocType: Cost Center,Parent Cost Center,Navenda Cost dê û bav -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Select Supplier muhtemel +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Select Supplier muhtemel DocType: Sales Invoice,Source,Kanî apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show girtî DocType: Leave Type,Is Leave Without Pay,Ma Leave Bê Pay @@ -1521,7 +1521,7 @@ DocType: POS Profile,Apply Discount,Apply Discount DocType: GST HSN Code,GST HSN Code,Gst Code HSN DocType: Employee External Work History,Total Experience,Total ezmûna apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Projeyên vekirî -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Packing Slip (s) betalkirin +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Packing Slip (s) betalkirin apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Flow Cash ji Investing DocType: Program Course,Program Course,Kurs Program apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Koçberên êşkencebûyî tê û şandinê de doz li @@ -1562,9 +1562,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Enrollments Program DocType: Sales Invoice Item,Brand Name,Navê marka DocType: Purchase Receipt,Transporter Details,Details Transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Default warehouse bo em babete helbijartî pêwîst e -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Qûtîk -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Supplier gengaz +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Default warehouse bo em babete helbijartî pêwîst e +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Qûtîk +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Supplier gengaz DocType: Budget,Monthly Distribution,Belavkariya mehane apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Lîsteya Receiver vala ye. Ji kerema Lîsteya Receiver DocType: Production Plan Sales Order,Production Plan Sales Order,Plan Production Sales Order @@ -1597,7 +1597,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Îdîaya ji b apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Xwendekarên bi li dilê sîstema, lê zêde bike hemû xwendekarên xwe" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: date Clearance {1} ne berî Date Cheque be {2} DocType: Company,Default Holiday List,Default Lîsteya Holiday -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Ji Time û To Time of {1} bi gihîjte {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Ji Time û To Time of {1} bi gihîjte {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Deynên Stock DocType: Purchase Invoice,Supplier Warehouse,Supplier Warehouse DocType: Opportunity,Contact Mobile No,Contact Mobile No @@ -1613,18 +1613,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Leave a type {0} nikare were êdî ji {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Try plan operasyonên ji bo rojên X di pêş. DocType: HR Settings,Stop Birthday Reminders,Stop Birthday Reminders -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Ji kerema xwe ve Default payroll cîhde Account set li Company {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Ji kerema xwe ve Default payroll cîhde Account set li Company {0} DocType: SMS Center,Receiver List,Lîsteya Receiver -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Search babetî +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Search babetî apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Şêwaz telef apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Change Net di Cash DocType: Assessment Plan,Grading Scale,pîvanê de apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,"Unit ji Measure {0} hatiye, ji carekê zêdetir li Converter Factor Table nivîsandin" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,jixwe temam +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,jixwe temam apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock Li Hand apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Daxwaza peredana ji berê ve heye {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Cost ji Nawy Issued -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},"Dorpêçê de ne, divê bêhtir ji {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},"Dorpêçê de ne, divê bêhtir ji {0}" apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Previous Financial Sal is girtî ne apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Age (Days) DocType: Quotation Item,Quotation Item,Babetê quotation @@ -1638,6 +1638,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Dokumentê Reference apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ji betalkirin an sekinî DocType: Accounts Settings,Credit Controller,Controller Credit +DocType: Sales Order,Final Delivery Date,Dîroka Dawîn ya Dawîn DocType: Delivery Note,Vehicle Dispatch Date,Vehicle Date Dispatch DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Buy Meqbûz {0} tê şandin ne @@ -1730,9 +1731,9 @@ DocType: Employee,Date Of Retirement,Date Of Teqawîdiyê DocType: Upload Attendance,Get Template,Get Şablon DocType: Material Request,Transferred,veguhestin DocType: Vehicle,Doors,Doors -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Sazkirin Qediya! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Sazkirin Qediya! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Breakup Bacê +DocType: Purchase Invoice,Tax Breakup,Breakup Bacê DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Navenda Cost ji bo 'Profit û wendakirin' account pêwîst e {2}. Ji kerema xwe ve set up a Navenda Cost default ji bo Company. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A Pol Mişterî ya bi heman navî heye ji kerema xwe biguherînin navê Mişterî li an rename Pol Mişterî ya @@ -1745,14 +1746,14 @@ DocType: Announcement,Instructor,Dersda DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Eger tu dzanî ev babete Guhertoyên, hingê wê ne li gor fermanên firotina hwd bên hilbijartin" DocType: Lead,Next Contact By,Contact Next By -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Quantity pêwîst ji bo vî babetî {0} li row {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Quantity pêwîst ji bo vî babetî {0} li row {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} ne jêbirin wek dorpêçê de ji bo babet heye {1} DocType: Quotation,Order Type,Order Type DocType: Purchase Invoice,Notification Email Address,Hişyariya Email Address ,Item-wise Sales Register,Babetê-şehreza Sales Register DocType: Asset,Gross Purchase Amount,Şêwaz Purchase Gross DocType: Asset,Depreciation Method,Method Farhad. -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Ne girêdayî +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Ne girêdayî DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ma ev Tax di nav Rate Basic? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Total Target DocType: Job Applicant,Applicant for a Job,Applicant bo Job @@ -1774,7 +1775,7 @@ DocType: Employee,Leave Encashed?,Dev ji Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Derfeta ji qadê de bivênevê ye DocType: Email Digest,Annual Expenses,Mesref ya salane DocType: Item,Variants,Guhertoyên -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Make Purchase Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Make Purchase Order DocType: SMS Center,Send To,Send To apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},e balance îzna bes ji bo Leave Type li wir ne {0} DocType: Payment Reconciliation Payment,Allocated amount,butçe @@ -1782,7 +1783,7 @@ DocType: Sales Team,Contribution to Net Total,Alîkarên ji bo Net Total DocType: Sales Invoice Item,Customer's Item Code,Mişterî ya Code babetî DocType: Stock Reconciliation,Stock Reconciliation,Stock Lihevkirinê DocType: Territory,Territory Name,Name axa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Kar-li-Terakî Warehouse berî pêwîst e Submit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Kar-li-Terakî Warehouse berî pêwîst e Submit apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Applicant bo Job. DocType: Purchase Order Item,Warehouse and Reference,Warehouse û Reference DocType: Supplier,Statutory info and other general information about your Supplier,"info ya zagonî û din, agahiyên giştî li ser Supplier te" @@ -1795,16 +1796,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Şiroveyên apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Curenivîsên Serial No bo Babetê ketin {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,A rewşa ji bo Rule Shipping apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Ji kerema xwe re têkevin -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ne dikarin ji bo vî babetî {0} li row overbill {1} zêdetir {2}. To rê li ser-billing, ji kerema xwe danîn li Peydakirina Settings" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Ji kerema xwe ve filter li ser Babetî an Warehouse danîn +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ne dikarin ji bo vî babetî {0} li row overbill {1} zêdetir {2}. To rê li ser-billing, ji kerema xwe danîn li Peydakirina Settings" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Ji kerema xwe ve filter li ser Babetî an Warehouse danîn DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Giraniya net ji vê pakêtê. (Automatically weke dîyardeyeke weight net ji tomar tê hesabkirin) DocType: Sales Order,To Deliver and Bill,To azad û Bill DocType: Student Group,Instructors,Instructors DocType: GL Entry,Credit Amount in Account Currency,Şêwaz Credit li Account Exchange -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} de divê bê şandin +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} de divê bê şandin DocType: Authorization Control,Authorization Control,Control Authorization apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Redkirin Warehouse dijî babet red wêneke e {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Diravdanî +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Diravdanî apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} ji bo her account girêdayî ne, ji kerema xwe ve behsa account di qeyda warehouse an set account ambaran de default li şîrketa {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Manage fermana xwe DocType: Production Order Operation,Actual Time and Cost,Time û Cost rastî @@ -1820,12 +1821,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,"tomar DocType: Quotation Item,Actual Qty,rastî Qty DocType: Sales Invoice Item,References,Çavkanî DocType: Quality Inspection Reading,Reading 10,Reading 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lîsteya hilber û karguzarîyên we ku hun dikirin an jî bifiroşe. Piştrast bike ku venêrî Koma Babetê, Unit ji Measure û milkên din gava ku tu dest pê bike." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lîsteya hilber û karguzarîyên we ku hun dikirin an jî bifiroşe. Piştrast bike ku venêrî Koma Babetê, Unit ji Measure û milkên din gava ku tu dest pê bike." DocType: Hub Settings,Hub Node,hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Hûn ketin tomar lînkek kirine. Ji kerema xwe re çak û careke din biceribîne. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Şirîk +DocType: Company,Sales Target,Target Target DocType: Asset Movement,Asset Movement,Tevgera Asset -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Têxe New +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Têxe New apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Babetê {0} e a babete weşandin ne DocType: SMS Center,Create Receiver List,Create Lîsteya Receiver DocType: Vehicle,Wheels,wheels @@ -1867,13 +1869,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,birêvebirina Projey DocType: Supplier,Supplier of Goods or Services.,Supplier ji mal an Services. DocType: Budget,Fiscal Year,sala diravî ya DocType: Vehicle Log,Fuel Price,sotemeniyê Price +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe veqetandina hejmarê ji bo Tevlêbûnê ya Setup> Sîstema Nimûne DocType: Budget,Budget,Sermîyan apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,"Babetê Asset Fixed, divê babete non-stock be." apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budceya dikare li hember {0} ne bên wezîfedarkirin, wek ku ev hesabê Hatinê an jî Expense ne" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,nebine DocType: Student Admission,Application Form Route,Forma serlêdana Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Axa / Mişterî -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,eg 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,eg 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Dev ji Type {0} nikare bê veqetandin, ji ber ku bê pere bihêle" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: veqetandin mîqdara {1} gerek kêmtir be an jî li beramberî bo Fatûreya mayî {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Li Words xuya dê bibe dema ku tu bi fatûreyên Sales xilas bike. @@ -1882,11 +1885,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Babetê {0} e setup bo Serial Nos ne. Kontrol bike master babetî DocType: Maintenance Visit,Maintenance Time,Maintenance Time ,Amount to Deliver,Mîqdar ji bo azad -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,A Product an Service +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,A Product an Service apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,The Date Serî Term ne dikarin zûtir ji Date Sal Start of the Year (Ekadîmî) ji bo ku di dema girêdayî be (Year (Ekadîmî) {}). Ji kerema xwe re li rojên bike û careke din biceribîne. DocType: Guardian,Guardian Interests,Guardian Interests DocType: Naming Series,Current Value,Nirx niha: -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,salan malî Multiple ji bo roja {0} hene. Ji kerema xwe ve şîrketa ku di sala diravî +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,salan malî Multiple ji bo roja {0} hene. Ji kerema xwe ve şîrketa ku di sala diravî apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} tên afirandin DocType: Delivery Note Item,Against Sales Order,Li dijî Sales Order ,Serial No Status,Serial Status No @@ -1899,7 +1902,7 @@ DocType: Pricing Rule,Selling,firotin apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Şêwaz {0} {1} dabirîn dijî {2} DocType: Employee,Salary Information,Information meaş DocType: Sales Person,Name and Employee ID,Name û Xebatkarê ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Date ji ber nikarim li ber Mesaj Date be +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Date ji ber nikarim li ber Mesaj Date be DocType: Website Item Group,Website Item Group,Website babetî Pula apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Erk û Baca apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Ji kerema xwe ve date Çavkanî binivîse @@ -1956,9 +1959,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Xêra xwe li Date Of bizaveka bo karker {0} DocType: Task,Total Billing Amount (via Time Sheet),Temamê meblaxa Billing (via Time Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Hatiniyên Mişterî Repeat -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), divê rola 'Approver Expense' heye" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Cot -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Select BOM û Qty bo Production +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), divê rola 'Approver Expense' heye" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Cot +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Select BOM û Qty bo Production DocType: Asset,Depreciation Schedule,Cedwela Farhad. apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Navnîşan Sales Partner Û Têkilî DocType: Bank Reconciliation Detail,Against Account,li dijî Account @@ -1968,7 +1971,7 @@ DocType: Item,Has Batch No,Has Batch No apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Billing salane: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Mal û xizmetan Bacê (gst India) DocType: Delivery Note,Excise Page Number,Baca Hejmara Page -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Ji Date û To Date wêneke e" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Company, Ji Date û To Date wêneke e" DocType: Asset,Purchase Date,Date kirîn DocType: Employee,Personal Details,Details şexsî apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ji kerema xwe ve 'Asset Navenda Farhad. Cost' li Company set {0} @@ -1977,9 +1980,9 @@ DocType: Task,Actual End Date (via Time Sheet),Rastî End Date (via Time Sheet) apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Şêwaz {0} {1} dijî {2} {3} ,Quotation Trends,Trends quotation apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Babetê Pol di master babete bo em babete behsa ne {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,"Debit To account, divê hesabekî teleb be" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,"Debit To account, divê hesabekî teleb be" DocType: Shipping Rule Condition,Shipping Amount,Şêwaz Shipping -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,lê zêde muşteriyan +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,lê zêde muşteriyan apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,hîn Mîqdar DocType: Purchase Invoice Item,Conversion Factor,Factor converter DocType: Purchase Order,Delivered,teslîmî @@ -2002,7 +2005,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Usa jî Arşîva hev DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kurs dê û bav (Leave vala, ger ev e beşek ji dê û bav Kurs ne)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kurs dê û bav (Leave vala, ger ev e beşek ji dê û bav Kurs ne)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Vala bihêlin, eger ji bo hemû cureyên karkirek" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Xerîdar> Giştî ya Giştî> Territory DocType: Landed Cost Voucher,Distribute Charges Based On,Belavkirin doz li ser bingeha apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,Settings HR @@ -2010,7 +2012,7 @@ DocType: Salary Slip,net pay info,info net pay apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Mesrefan hîn erêkirina. Tenê Approver Expense dikare status update. DocType: Email Digest,New Expenses,Mesref New DocType: Purchase Invoice,Additional Discount Amount,Şêwaz Discount Additional -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty divê 1 be, wek babete a hebûnê sabît e. Ji kerema xwe ve row cuda ji bo QTY multiple bi kar tînin." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty divê 1 be, wek babete a hebûnê sabît e. Ji kerema xwe ve row cuda ji bo QTY multiple bi kar tînin." DocType: Leave Block List Allow,Leave Block List Allow,Dev ji Lîsteya Block Destûrê bide apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Kurte nikare bibe vala an space apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Pol to non-Group @@ -2018,7 +2020,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sports DocType: Loan Type,Loan Name,Navê deyn apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Actual DocType: Student Siblings,Student Siblings,Brayên Student -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Yekbûn +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Yekbûn apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Ji kerema xwe ve Company diyar ,Customer Acquisition and Loyalty,Mişterî Milk û rêzgirtin ji DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse tu li ku derê bi parastina stock ji tomar red @@ -2037,12 +2039,12 @@ DocType: Workstation,Wages per hour,"Mûçe, di saetekê de" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},balance Stock li Batch {0} dê bibe neyînî {1} ji bo babet {2} li Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Piştî Requests Material hatine automatically li ser asta re-da babete rabûye DocType: Email Digest,Pending Sales Orders,Hîn Orders Sales -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Account {0} ne derbasdar e. Account Exchange divê {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Account {0} ne derbasdar e. Account Exchange divê {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},faktora UOM Converter li row pêwîst e {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Sales Order, Sales bi fatûreyên an Peyam Journal be" DocType: Salary Component,Deduction,Jêkişî -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Ji Time û To Time de bivênevê ye. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Row {0}: Ji Time û To Time de bivênevê ye. DocType: Stock Reconciliation Item,Amount Difference,Cudahiya di Mîqdar apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Babetê Price added for {0} li List Price {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ji kerema xwe ve Employee Id bikevin vî kesî yên firotina @@ -2052,11 +2054,11 @@ DocType: Project,Gross Margin,Kenarê Gross apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Ji kerema xwe ve yekemîn babet Production binivîse apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Di esasa balance Bank Statement apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,user seqet -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Girtebêje +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Girtebêje DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Total dabirîna ,Production Analytics,Analytics Production -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,cost Demê +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,cost Demê DocType: Employee,Date of Birth,Rojbûn apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Babetê {0} ji niha ve hatine vegerandin DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiscal Sal ** temsîl Sal Financial. Re hemû ketanên hisêba û din muamele mezin bi dijî Sal Fiscal ** Molla **. @@ -2102,18 +2104,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Select Company ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Vala bihêlin, eger ji bo hemû beşên nirxandin" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Cure yên kar (daîmî, peymana, û hwd. Intern)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} ji bo babet wêneke e {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} ji bo babet wêneke e {1} DocType: Process Payroll,Fortnightly,Livînê DocType: Currency Exchange,From Currency,ji Exchange apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Cost ji Buy New -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Sales Order pêwîst ji bo vî babetî {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Sales Order pêwîst ji bo vî babetî {0} DocType: Purchase Invoice Item,Rate (Company Currency),Rate (Company Exchange) DocType: Student Guardian,Others,yên din DocType: Payment Entry,Unallocated Amount,Şêwaz PV apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,"Can a Hêmanên nedît. Ji kerema xwe re hin nirxên din, ji bo {0} hilbijêre." DocType: POS Profile,Taxes and Charges,Bac û doz li DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","A Product an a Xizmeta ku kirîn, firotin an li stock girt." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kodê Asayîş> Tîpa Group> Brand apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,No updates more apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Can type pere weke 'li ser Previous Mîqdar Row' hilbijêre ne an 'li ser Previous Row Total' ji bo rêza yekem apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Babetê zarok ne pêwîst be gurzek Product. Ji kerema xwe ve babete jê `{0}` û xilas bike @@ -2141,7 +2144,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Şêwaz Total Billing apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Divê default höndör Account Email çalak be ji bo vê ji bo xebatê li wir be. Ji kerema xwe ve setup a default Account Email höndör (POP / oerienkommende) û careke din biceribîne. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Account teleb -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} berê ji {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} berê ji {2} DocType: Quotation Item,Stock Balance,Balance Stock apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Firotina ji bo Payment apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2166,10 +2169,11 @@ DocType: C-Form,Received Date,pêşwaziya Date DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Eger tu şablonê standard li Sales Bac, û doz li Şablon tên afirandin kirine, yek hilbijêrin û bitikînin li ser bişkojka jêr." DocType: BOM Scrap Item,Basic Amount (Company Currency),Şêwaz bingehîn (Company Exchange) DocType: Student,Guardians,serperişt +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Supplier Type DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Bihayê wê li banî tê ne bê eger List Price is set ne apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Ji kerema xwe ve welatekî ji bo vê Rule Shipping diyar bike an jî Shipping Worldwide DocType: Stock Entry,Total Incoming Value,Total Nirx Incoming -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debit To pêwîst e +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debit To pêwîst e apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets alîkariya şopandibe, dem, mesrefa û fatûre ji bo activites kirin ji aliyê ekîba xwe" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Buy List Price DocType: Offer Letter Term,Offer Term,Term Pêşnîyaza @@ -2188,11 +2192,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Searc DocType: Timesheet Detail,To Time,to Time DocType: Authorization Rule,Approving Role (above authorized value),Erêkirina Role (li jorê nirxa destûr) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,"Credit To account, divê hesabekî fêhmkirin be" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM kûrahiya: {0} nikare bibe dê û bav an jî zarok ji {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM kûrahiya: {0} nikare bibe dê û bav an jî zarok ji {2} DocType: Production Order Operation,Completed Qty,Qediya Qty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Ji bo {0}, tenê bikarhênerên debit dikare li dijî entry credit din ve girêdayî" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,List Price {0} neçalak e -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Qediya Qty ne dikarin zêdetir ji {1} ji bo operasyona {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Qediya Qty ne dikarin zêdetir ji {1} ji bo operasyona {2} DocType: Manufacturing Settings,Allow Overtime,Destûrê bide Heqê apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Babetê weşandin {0} ne dikarin bi bikaranîna Stock Lihevkirinê, ji kerema xwe ve bi kar Stock Peyam ve were" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Babetê weşandin {0} ne dikarin bi bikaranîna Stock Lihevkirinê, ji kerema xwe ve bi kar Stock Peyam ve were" @@ -2211,10 +2215,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Xûkirînî apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Bikarhêner û Permissions DocType: Vehicle Log,VLOG.,Sjnaka. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Ordênên Production nû: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Ordênên Production nû: {0} DocType: Branch,Branch,Liq DocType: Guardian,Mobile Number,Hejmara Mobile apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Printing û Branding +DocType: Company,Total Monthly Sales,Tişta Tevahî Mijar DocType: Bin,Actual Quantity,Quantity rastî DocType: Shipping Rule,example: Next Day Shipping,nimûne: Shipping Next Day apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} nehate dîtin @@ -2245,7 +2250,7 @@ DocType: Payment Request,Make Sales Invoice,Make Sales bi fatûreyên apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Next Contact Date ne di dema borî de be DocType: Company,For Reference Only.,For Reference Only. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Hilbijêre Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Hilbijêre Batch No apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Invalid {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-direvin DocType: Sales Invoice Advance,Advance Amount,Advance Mîqdar @@ -2258,7 +2263,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No babet bi Barcode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,"Case Na, nikare bibe 0" DocType: Item,Show a slideshow at the top of the page,Nîşan a slideshow li jor li ser vê rûpelê -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,dikeye +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,dikeye apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,dikanên DocType: Serial No,Delivery Time,Time Delivery apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Ageing li ser bingeha @@ -2272,16 +2277,16 @@ DocType: Rename Tool,Rename Tool,Rename Tool apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,update Cost DocType: Item Reorder,Item Reorder,Babetê DIRTYHERTZ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Slip Show Salary -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,transfer Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,transfer Material DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Hên operasyonên, mesrefa xebatê û bide Operation yekane no ji bo operasyonên xwe." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ev belge li ser sînor ji aliyê {0} {1} ji bo em babete {4}. Ma tu ji yekî din {3} li dijî heman {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Ji kerema xwe ve set dubare piştî tomarkirinê -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Hilbijêre guhertina account mîqdara +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Ji kerema xwe ve set dubare piştî tomarkirinê +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Hilbijêre guhertina account mîqdara DocType: Purchase Invoice,Price List Currency,List Price Exchange DocType: Naming Series,User must always select,Bikarhêner her tim divê hilbijêre DocType: Stock Settings,Allow Negative Stock,Destûrê bide Stock Negative DocType: Installation Note,Installation Note,installation Note -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,lê zêde bike Baca +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,lê zêde bike Baca DocType: Topic,Topic,Mijar apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Flow Cash ji Fînansa DocType: Budget Account,Budget Account,Account budceya @@ -2295,7 +2300,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Trace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Source of Funds (Deynên) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Quantity li row {0} ({1}), divê di heman wek quantity çêkirin be {2}" DocType: Appraisal,Employee,Karker -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Hilbijêre Batch +DocType: Company,Sales Monthly History,Dîroka Monthly History +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Hilbijêre Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,"{0} {1} e, bi temamî billed" DocType: Training Event,End Time,Time End apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Structure Salary Active {0} ji bo karker {1} ji bo celebê dîroka dayîn dîtin @@ -2303,15 +2309,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Daşikandinên Payment an Loss apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,mercên peymana Standard ji bo Sales an Buy. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Pol destê Vienna apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,pipeline Sales -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Ji kerema xwe ve account default set li Salary Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Ji kerema xwe ve account default set li Salary Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,required ser DocType: Rename Tool,File to Rename,File to Rename apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Ji kerema xwe ve BOM li Row hilbijêre ji bo babet {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Account {0} nayê bi Company {1} li Mode of Account hev nagirin: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM diyarkirî {0} nayê ji bo Babetê tune {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Maintenance Cedwela {0} divê berî betalkirinê ev Sales Order were betalkirin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Maintenance Cedwela {0} divê berî betalkirinê ev Sales Order were betalkirin DocType: Notification Control,Expense Claim Approved,Mesrefan Pejirandin -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ji kerema xwe veqetandina hejmarê ji bo Tevlêbûnê ya Setup> Pirtûka Nimûne apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Slip meaşê karmendekî {0} berê ve ji bo vê pêvajoyê de tên apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,dermanan apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Cost ji Nawy Purchased @@ -2328,7 +2333,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,No. BOM ji bo babet DocType: Upload Attendance,Attendance To Date,Amadebûna To Date DocType: Warranty Claim,Raised By,rakir By DocType: Payment Gateway Account,Payment Account,Account Payment -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Ji kerema xwe ve Company diyar bike ji bo berdewamiyê +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Ji kerema xwe ve Company diyar bike ji bo berdewamiyê apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Change Net li hesabê hilgirtinê apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,heger Off DocType: Offer Letter,Accepted,qebûlkirin @@ -2338,12 +2343,12 @@ DocType: SG Creation Tool Course,Student Group Name,Navê Komeleya Xwendekarên apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Kerema xwe binêre ka tu bi rastî dixwazî jê bibî hemû muamele û ji bo vê şirketê. Daneyên axayê te dê pevê wekî xwe ye. Ev çalakî nayê vegerandin. DocType: Room,Room Number,Hejmara room apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referansa çewt {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne dikarin bibin mezintir quanitity plankirin ({2}) li Production Order {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne dikarin bibin mezintir quanitity plankirin ({2}) li Production Order {3} DocType: Shipping Rule,Shipping Rule Label,Label Shipping Rule apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum Bikarhêner -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Madeyên xav nikare bibe vala. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Gelo stock update ne, fatûra dihewîne drop babete shipping." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Peyam di Journal Quick +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Madeyên xav nikare bibe vala. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Gelo stock update ne, fatûra dihewîne drop babete shipping." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Peyam di Journal Quick apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Tu dikarî rêjeya nayê guhertin, eger BOM agianst tu babete behsa" DocType: Employee,Previous Work Experience,Previous serê kurda DocType: Stock Entry,For Quantity,ji bo Diravan @@ -2400,7 +2405,7 @@ DocType: SMS Log,No of Requested SMS,No yên SMS Wîkîpediyayê apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Leave bê pere nayê bi erêkirin records Leave Application hev nagirin DocType: Campaign,Campaign-.####,Bêşvekirin-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Steps Next -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,"Ji kerema xwe wan tedarîk bikin ji tomar xwe bişinî at the best, rêjeya muhtemel" +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,"Ji kerema xwe wan tedarîk bikin ji tomar xwe bişinî at the best, rêjeya muhtemel" DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Opportunity nêzîkî piştî 15 rojan de apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,End Sal apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2438,7 +2443,7 @@ DocType: Homepage,Homepage,Homepage DocType: Purchase Receipt Item,Recd Quantity,Recd Diravan apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Records Fee Created - {0} DocType: Asset Category Account,Asset Category Account,Account Asset Kategorî -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Can babet zêdetir {0} ji Sales Order dorpêçê de hilberandina ne {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Can babet zêdetir {0} ji Sales Order dorpêçê de hilberandina ne {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock Peyam di {0} tê şandin ne DocType: Payment Reconciliation,Bank / Cash Account,Account Bank / Cash apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Next Contact By nikare bibe wek Email Address Lead @@ -2471,7 +2476,7 @@ DocType: Salary Structure,Total Earning,Total Earning DocType: Purchase Receipt,Time at which materials were received,Time li ku materyalên pêşwazî kirin DocType: Stock Ledger Entry,Outgoing Rate,Rate nikarbe apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,master şaxê Organization. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,an +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,an DocType: Sales Order,Billing Status,Rewş Billing apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Report an Dozî Kurd apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Mesref Bikaranîn @@ -2479,7 +2484,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Peyam {1} nayê Hesabê te nîne {2} an ji niha ve bi rêk û pêk li dijî fîşeke din DocType: Buying Settings,Default Buying Price List,Default Lîsteya Buying Price DocType: Process Payroll,Salary Slip Based on Timesheet,Slip meaş Li ser timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,No karker ji bo ku krîterên ku li jor hatiye hilbijartin yan slip meaş jixwe tên afirandin +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,No karker ji bo ku krîterên ku li jor hatiye hilbijartin yan slip meaş jixwe tên afirandin DocType: Notification Control,Sales Order Message,Sales Order Message apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Nirxên Default wek Company, Exchange, niha: Sala diravî, û hwd." DocType: Payment Entry,Payment Type,Type Payment @@ -2504,7 +2509,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,belgeya wergirtina divê bê şandin DocType: Purchase Invoice Item,Received Qty,pêşwaziya Qty DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Paid ne û Delivered ne +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Paid ne û Delivered ne DocType: Product Bundle,Parent Item,Babetê dê û bav DocType: Account,Account Type,Type account DocType: Delivery Note,DN-RET-,DN-direvin @@ -2535,8 +2540,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Temamê meblaxa veqetandin apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Set account ambaran de default bo ambaran de perpetual DocType: Item Reorder,Material Request Type,Maddî request type -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Peyam di Journal Accural ji bo mûçeyên ji {0} ji bo {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage tije ye, rizgar ne" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Peyam di Journal Accural ji bo mûçeyên ji {0} ji bo {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage tije ye, rizgar ne" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Factor Converter wêneke e apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Navenda cost @@ -2554,7 +2559,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Bacê apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Heke hatibe hilbijartin Pricing Rule ji bo 'Price' çêkir, ew dê List Price binivîsî. Rule Pricing price buhayê dawî ye, da tu discount zêdetir bên bicîanîn. Ji ber vê yekê, di karbazarên wek Sales Order, Buy Kom hwd., Ev dê di warê 'Pûan' biribû, bêtir ji qadê 'Price List Rate'." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track Leads by Type Industry. DocType: Item Supplier,Item Supplier,Supplier babetî -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Tikaye kodî babet bikeve ji bo hevîrê tune +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Tikaye kodî babet bikeve ji bo hevîrê tune apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Ji kerema xwe re nirx ji bo {0} quotation_to hilbijêre {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Hemû Navnîşan. DocType: Company,Stock Settings,Settings Stock @@ -2581,7 +2586,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qty rastî Piştî Tran apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},No slip meaş dîtin di navbera {0} û {1} ,Pending SO Items For Purchase Request,Hîn SO Nawy Ji bo Daxwaza Purchase apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admissions Student -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} neçalak e +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} neçalak e DocType: Supplier,Billing Currency,Billing Exchange DocType: Sales Invoice,SINV-RET-,SINV-direvin apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large @@ -2611,7 +2616,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Rewş application DocType: Fees,Fees,xercên DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Hên Exchange Rate veguhertina yek currency nav din -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Quotation {0} betal e +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Quotation {0} betal e apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Temamê meblaxa Outstanding DocType: Sales Partner,Targets,armancên DocType: Price List,Price List Master,Price List Master @@ -2628,7 +2633,7 @@ DocType: POS Profile,Ignore Pricing Rule,Guh Rule Pricing DocType: Employee Education,Graduate,Xelasker DocType: Leave Block List,Block Days,block Rojan DocType: Journal Entry,Excise Entry,Peyam baca -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Hişyarî: Sales Order {0} niha li dijî Mişterî ya Purchase Order heye {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Hişyarî: Sales Order {0} niha li dijî Mişterî ya Purchase Order heye {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2655,7 +2660,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Eger ,Salary Register,meaş Register DocType: Warehouse,Parent Warehouse,Warehouse dê û bav DocType: C-Form Invoice Detail,Net Total,Total net -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Default BOM ji bo babet dîtin ne {0} û Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Default BOM ji bo babet dîtin ne {0} û Project {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Define cureyên cuda yên deyn DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,mayî @@ -2692,7 +2697,7 @@ DocType: Salary Detail,Condition and Formula Help,Rewşa û Formula Alîkarî apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Manage Tree Herêmê. DocType: Journal Entry Account,Sales Invoice,bi fatûreyên Sales DocType: Journal Entry Account,Party Balance,Balance Partiya -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Ji kerema xwe ve Apply Discount Li ser hilbijêre +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Ji kerema xwe ve Apply Discount Li ser hilbijêre DocType: Company,Default Receivable Account,Default Account teleb DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Create Peyam Bank ji bo meaş total pere ji bo ku krîterên ku li jor hatiye hilbijartin DocType: Stock Entry,Material Transfer for Manufacture,Transfer madî ji bo Manufacture @@ -2706,7 +2711,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Address mişterî DocType: Employee Loan,Loan Details,deyn Details DocType: Company,Default Inventory Account,Account Inventory Default -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Qediya Qty divê ji sifirê mezintir be. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Row {0}: Qediya Qty divê ji sifirê mezintir be. DocType: Purchase Invoice,Apply Additional Discount On,Apply Additional li ser navnîshana DocType: Account,Root Type,Type root DocType: Item,FIFO,FIFOScheduler @@ -2723,7 +2728,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Serperiştiya Quality apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,Şablon Standard DocType: Training Event,Theory,Dîtinî -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Hişyarî: Material Wîkîpediyayê Qty kêmtir ji Minimum Order Qty e +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Hişyarî: Material Wîkîpediyayê Qty kêmtir ji Minimum Order Qty e apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Account {0} frozen e DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Legal Entity / destekkirinê bi Chart cuda yên Accounts mensûbê Rêxistina. DocType: Payment Request,Mute Email,Mute Email @@ -2747,7 +2752,7 @@ DocType: Training Event,Scheduled,scheduled apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ji bo gotinên li bixwaze. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Ji kerema xwe ve Babetê hilbijêre ku "Ma Stock Babetî" e "No" û "Gelo babetî Nest" e "Erê" e û tu Bundle Product din li wê derê DocType: Student Log,Academic,Danişgayî -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total pêşwext ({0}) li dijî Order {1} nikare were mezintir li Grand Total ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total pêşwext ({0}) li dijî Order {1} nikare were mezintir li Grand Total ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Select Belavkariya mehane ya ji bo yeksan belavkirin armancên li seranserî mehan. DocType: Purchase Invoice Item,Valuation Rate,Rate Valuation DocType: Stock Reconciliation,SR/,SR / @@ -2813,6 +2818,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Navê kampanyaya Enter, eger source lêkolînê ya kampanyaya e" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Weşanxane rojnameya apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Select sala diravî +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Divê Dîroka Daxuyaniya Dîrokê Divê piştî Sermarkirina Darmendê apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Level DIRTYHERTZ DocType: Company,Chart Of Accounts Template,Chart bikarhênerên Şablon DocType: Attendance,Attendance Date,Date amadebûnê @@ -2844,7 +2850,7 @@ DocType: Pricing Rule,Discount Percentage,Rêjeya discount DocType: Payment Reconciliation Invoice,Invoice Number,Hejmara fatûreyên DocType: Shopping Cart Settings,Orders,ordênên DocType: Employee Leave Approver,Leave Approver,Dev ji Approver -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Tikaye hevîrê hilbijêre +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Tikaye hevîrê hilbijêre DocType: Assessment Group,Assessment Group Name,Navê Nirxandina Group DocType: Manufacturing Settings,Material Transferred for Manufacture,Maddî Transferred bo Manufacture DocType: Expense Claim,"A user with ""Expense Approver"" role",A user bi "Expense Approver" rola @@ -2881,7 +2887,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Last Day of the Month Next DocType: Support Settings,Auto close Issue after 7 days,Auto Doza nêzîkî piştî 7 rojan apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Leave nikarim li ber terxan kirin {0}, wekî parsenga îzinê jixwe-hilgire hatiye şandin, di qeyda dabeşkirina îzna pêş {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Têbînî: Ji ber / Date: Çavkanî qat bi destûr rojan credit mişterî destê {0} roj (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Têbînî: Ji ber / Date: Çavkanî qat bi destûr rojan credit mişterî destê {0} roj (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Xwendekarên Applicant DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL BO SITENDÊR DocType: Asset Category Account,Accumulated Depreciation Account,Account Farhad. Accumulated @@ -2892,7 +2898,7 @@ DocType: Item,Reorder level based on Warehouse,asta DIRTYHERTZ li ser Warehouse DocType: Activity Cost,Billing Rate,Rate Billing ,Qty to Deliver,Qty ji bo azad ,Stock Analytics,Stock Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operasyonên bi vala neyê hiştin +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operasyonên bi vala neyê hiştin DocType: Maintenance Visit Purpose,Against Document Detail No,Li dijî Detail dokumênt No apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Type Partiya wêneke e DocType: Quality Inspection,Outgoing,nikarbe @@ -2935,15 +2941,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Available Qty li Warehouse apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Şêwaz billed DocType: Asset,Double Declining Balance,Double Balance Îro -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Ji Tîpa ne dikarin bên îptal kirin. Unclose bo betalkirina. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Ji Tîpa ne dikarin bên îptal kirin. Unclose bo betalkirina. DocType: Student Guardian,Father,Bav -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' dikarin for sale sermaye sabît nayê kontrolkirin +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' dikarin for sale sermaye sabît nayê kontrolkirin DocType: Bank Reconciliation,Bank Reconciliation,Bank Lihevkirinê DocType: Attendance,On Leave,li ser Leave apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Get rojanekirî apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ne ji Company girêdayî ne {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Daxwaza maddî {0} betal e an sekinî -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Lê zêde bike çend records test +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Lê zêde bike çend records test apps/erpnext/erpnext/config/hr.py +301,Leave Management,Dev ji Management apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Pol destê Account DocType: Sales Order,Fully Delivered,bi temamî Çiyan @@ -2952,12 +2958,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Account Cudahiya, divê hesabekî type Asset / mesulîyetê be, ji ber ku ev Stock Lihevkirinê an Peyam Opening e" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Şêwaz dandin de ne dikarin bibin mezintir Loan Mîqdar {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Bikirin siparîşê pêwîst ji bo vî babetî {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Production Order tên afirandin ne +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Production Order tên afirandin ne apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Ji Date' Divê piştî 'To Date' be apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Dikare biguhere status wek xwendekarê bi {0} bi serlêdana xwendekaran ve girêdayî {1} DocType: Asset,Fully Depreciated,bi temamî bicūkkirin ,Stock Projected Qty,Stock projeya Qty -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Mişterî {0} ne aîdî raxe {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Mişterî {0} ne aîdî raxe {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Beşdariyê nîşankirin HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Quotations pêşniyarên in, bids ku hûn û mişterîyên xwe şandin" DocType: Sales Order,Customer's Purchase Order,Mişterî ya Purchase Order @@ -2967,7 +2973,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Ji kerema xwe ve set Hejmara Depreciations civanan apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Nirx an Qty apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,"Ordênên Productions dikarin ji bo ne, bêne zindî kirin:" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Deqqe +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Deqqe DocType: Purchase Invoice,Purchase Taxes and Charges,"Bikirin Bac, û doz li" ,Qty to Receive,Qty Werdigire DocType: Leave Block List,Leave Block List Allowed,Dev ji Lîsteya Block Yorumlar @@ -2981,7 +2987,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,All Types Supplier DocType: Global Defaults,Disable In Words,Disable Li Words apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Code babete wêneke e ji ber ku em babete bixweber hejmartî ne -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Quotation {0} ne ji type {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Quotation {0} ne ji type {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Maintenance babet Cedwela DocType: Sales Order,% Delivered,% Çiyan DocType: Production Order,PRO-,refaqetê @@ -3004,7 +3010,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Seller Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Total Cost Purchase (via Purchase bi fatûreyên) DocType: Training Event,Start Time,Time Start -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Hilbijêre Diravan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Hilbijêre Diravan DocType: Customs Tariff Number,Customs Tariff Number,Gumrikê Hejmara tarîfan apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Erêkirina Role ne dikarin heman rola desthilata To evin e apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Vê grûpê Email Digest @@ -3028,7 +3034,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,Detail PR DocType: Sales Order,Fully Billed,bi temamî billed apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Cash Li Hand -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},warehouse Delivery pêwîst bo em babete stock {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},warehouse Delivery pêwîst bo em babete stock {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Giraniya derewîn û ji pakêta. Bi piranî weight net + pakêta weight maddî. (Ji bo print) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Bername DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Bikarhêner li ser bi vê rola bi destûr ji bo bikarhênerên frozen biafirînin û / ya xeyrandin di entries, hesabgirê dijî bikarhênerên bêhest" @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Li ser Group DocType: Journal Entry,Bill Date,Bill Date apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Babetê Service, Type, frequency û mîqdara kîsî pêwîst in" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Heta eger ne Rules Pricing multiple bi Girîngiya herî bilind heye, pêşengiyê navxweyî ye, wê li jêr tên sepandin:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Ma tu bi rastî dixwazî Submit hemû Slip Salary ji {0} ji bo {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Ma tu bi rastî dixwazî Submit hemû Slip Salary ji {0} ji bo {1} DocType: Cheque Print Template,Cheque Height,Bilindahiya Cheque DocType: Supplier,Supplier Details,Details Supplier DocType: Expense Claim,Approval Status,Rewş erêkirina @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Rê ji bo Quotation apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Tiştek din nîşan bidin. DocType: Lead,From Customer,ji Mişterî apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Banga -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,lekerên +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,lekerên DocType: Project,Total Costing Amount (via Time Logs),Temamê meblaxa bi qurûşekî jî (bi riya Time Têketin) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Bikirin Order {0} tê şandin ne @@ -3092,7 +3098,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Vegere li dijî Purcha DocType: Item,Warranty Period (in days),Period Warranty (di rojên) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Peywendiya bi Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Cash Net ji operasyonên -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,eg moms +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,eg moms apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Babetê 4 DocType: Student Admission,Admission End Date,Admission End Date apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-belênderî @@ -3100,7 +3106,7 @@ DocType: Journal Entry Account,Journal Entry Account,Account Peyam di Journal apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Komeleya Xwendekarên DocType: Shopping Cart Settings,Quotation Series,quotation Series apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","An babete bi heman navî heye ({0}), ji kerema xwe biguherînin li ser navê koma babete an navê babete" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Ji kerema xwe ve mişterî hilbijêre +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Ji kerema xwe ve mişterî hilbijêre DocType: C-Form,I,ez DocType: Company,Asset Depreciation Cost Center,Asset Navenda Farhad. Cost DocType: Sales Order Item,Sales Order Date,Sales Order Date @@ -3111,6 +3117,7 @@ DocType: Stock Settings,Limit Percent,Sedî Sînora ,Payment Period Based On Invoice Date,Period tezmînat li ser Date bi fatûreyên apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Exchange wenda Exchange ji bo {0} DocType: Assessment Plan,Examiner,sehkerê +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ji kerema xwe veşartî ji bo {0} bi Sîstema Setup> Sîstemên * Naming Series DocType: Student,Siblings,Brayên DocType: Journal Entry,Stock Entry,Stock Peyam DocType: Payment Entry,Payment References,Çavkanî Payment @@ -3135,7 +3142,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Li ku derê operasyonên bi aktîvîteyên bi çalakiyek hatiye lidarxistin. DocType: Asset Movement,Source Warehouse,Warehouse Source DocType: Installation Note,Installation Date,Date installation -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne ji şîrketa girêdayî ne {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne ji şîrketa girêdayî ne {2} DocType: Employee,Confirmation Date,Date piştrastkirinê DocType: C-Form,Total Invoiced Amount,Temamê meblaxa fatore apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty ne dikarin bibin mezintir Max Qty @@ -3210,7 +3217,7 @@ DocType: Company,Default Letter Head,Default Letter Head DocType: Purchase Order,Get Items from Open Material Requests,Get Nawy ji Requests Open Material DocType: Item,Standard Selling Rate,Rate Selling Standard DocType: Account,Rate at which this tax is applied,Rate at ku ev tax sepandin -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,DIRTYHERTZ Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,DIRTYHERTZ Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Openings Job niha: DocType: Company,Stock Adjustment Account,Account Adjustment Stock apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,hewe Off @@ -3224,7 +3231,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Supplier xelas dike ji bo Mişterî apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (Form # / babet / {0}) e ji stock apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Date Next divê mezintir Mesaj Date be -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Date ji ber / Çavkanî ne dikarin piştî be {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Date ji ber / Çavkanî ne dikarin piştî be {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Data Import û Export apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,No xwendekarên dîtin.Di apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Bi fatûreyên Mesaj Date @@ -3245,12 +3252,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ev li ser amadebûna vê Xwendekarên li apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,No Xwendekarên li apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Lê zêde bike tomar zêdetir an form tije vekirî -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Ji kerema xwe ve 'ya bende Date Delivery' binivîse -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Notes Delivery {0} divê berî betalkirinê ev Sales Order were betalkirin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Notes Delivery {0} divê berî betalkirinê ev Sales Order were betalkirin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,pereyan + hewe Off Mîqdar ne dikarin bibin mezintir Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} e a Number Batch derbasdar e ji bo vî babetî bi {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Têbînî: e balance îzna bes ji bo Leave Type tune ne {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN çewt an NA Enter bo ne-endam +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN çewt an NA Enter bo ne-endam DocType: Training Event,Seminar,Semîner DocType: Program Enrollment Fee,Program Enrollment Fee,Program hejmartina Fee DocType: Item,Supplier Items,Nawy Supplier @@ -3268,7 +3274,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stock Ageing apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Xwendekarên {0} dijî serlêder Xwendekarê hene {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' neçalak e +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' neçalak e apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Set as Open DocType: Cheque Print Template,Scanned Cheque,Scanned Cheque DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Send emails otomatîk ji Têkilî li ser danûstandinên Radestkirina. @@ -3315,7 +3321,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,List Price Exchange Rate DocType: Purchase Invoice Item,Rate,Qûrs apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Pizişka destpêker -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Address Name +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Address Name DocType: Stock Entry,From BOM,ji BOM DocType: Assessment Code,Assessment Code,Code nirxandina apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Bingehîn @@ -3328,20 +3334,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Structure meaş DocType: Account,Bank,Banke apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Şîrketa balafiran -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Doza Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Doza Material DocType: Material Request Item,For Warehouse,ji bo Warehouse DocType: Employee,Offer Date,Pêşkêşiya Date apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Quotations -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Tu di moda negirêdayî ne. Tu nikarî wê ji nû ve, heta ku hûn torê." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Tu di moda negirêdayî ne. Tu nikarî wê ji nû ve, heta ku hûn torê." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,No komên xwendekaran tên afirandin. DocType: Purchase Invoice Item,Serial No,Serial No apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Şêwaz vegerandinê mehane ne dikarin bibin mezintir Loan Mîqdar apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Ji kerema xwe ve yekem Maintaince Details binivîse +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: Dîroka Dabeşkirina Expired Berî Berê Daxuyaniya Kirîna Dîroka DocType: Purchase Invoice,Print Language,Print Ziman DocType: Salary Slip,Total Working Hours,Total dema xebatê DocType: Stock Entry,Including items for sub assemblies,Di nav wan de tomar bo sub meclîsên -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Enter nirxa divê erênî be -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kodê Asayîş> Tîpa Group> Brand +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Enter nirxa divê erênî be apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Hemû Territories DocType: Purchase Invoice,Items,Nawy apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Xwendekarên jixwe digirin. @@ -3364,7 +3370,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default Unit ji pîvanê ji bo Variant '{0}', divê wekî li Şablon be '{1}'" DocType: Shipping Rule,Calculate Based On,Calcolo li ser DocType: Delivery Note Item,From Warehouse,ji Warehouse -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,No babet bi Bill ji materyalên ji bo Manufacture +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,No babet bi Bill ji materyalên ji bo Manufacture DocType: Assessment Plan,Supervisor Name,Navê Supervisor DocType: Program Enrollment Course,Program Enrollment Course,Program hejmartina Kurs DocType: Program Enrollment Course,Program Enrollment Course,Program hejmartina Kurs @@ -3380,23 +3386,23 @@ DocType: Training Event Employee,Attended,Beşdarê apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Rojên Ji Last Order' Divê mezintir an wekhev ji sifir be DocType: Process Payroll,Payroll Frequency,Frequency payroll DocType: Asset,Amended From,de guherîn From -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Raw +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Raw DocType: Leave Application,Follow via Email,Follow via Email apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Santralên û Machineries DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Şêwaz Bacê Piştî Mîqdar Discount DocType: Daily Work Summary Settings,Daily Work Summary Settings,Settings Nasname Work rojane -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Pereyan ji lîsteya bihayê {0} e similar bi pereyê hilbijartî ne {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Pereyan ji lîsteya bihayê {0} e similar bi pereyê hilbijartî ne {1} DocType: Payment Entry,Internal Transfer,Transfer navxweyî apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,account zarok ji bo vê çîrokê de heye. Tu dikarî vê account jêbirin. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,An QTY hedef an miqdar hedef diyarkirî e apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No BOM default ji bo vî babetî heye {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Ji kerema xwe ve yekem Mesaj Date hilbijêre +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Ji kerema xwe ve yekem Mesaj Date hilbijêre apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Vekirina Date divê berî Girtina Date be DocType: Leave Control Panel,Carry Forward,çêşît Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Navenda Cost bi muamele heyî nikare bê guhartina ji bo ledger DocType: Department,Days for which Holidays are blocked for this department.,Rojan de ji bo ku Holidays bi ji bo vê beşê astengkirin. ,Produced,Berhema -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Tên afirandin Slips Salary +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Tên afirandin Slips Salary DocType: Item,Item Code for Suppliers,Code babete bo Bed DocType: Issue,Raised By (Email),Rakir By (Email) DocType: Training Event,Trainer Name,Navê Trainer @@ -3404,9 +3410,10 @@ DocType: Mode of Payment,General,Giştî apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ragihandina dawî apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ragihandina dawî apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ne dikarin dadixînin dema kategoriyê e ji bo 'Valuation' an jî 'Valuation û Total' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lîsteya serê baca xwe (wek mînak baca bikaranînê, Gumruk û hwd; divê ew navên xweser heye) û rêjeyên standard xwe. Ev dê şablonê standard, ku tu dikarî biguherînî û lê zêde bike paşê zêdetir biafirîne." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lîsteya serê baca xwe (wek mînak baca bikaranînê, Gumruk û hwd; divê ew navên xweser heye) û rêjeyên standard xwe. Ev dê şablonê standard, ku tu dikarî biguherînî û lê zêde bike paşê zêdetir biafirîne." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Nos pêwîst ji bo vî babetî weşandin {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Payments Match bi fatûreyên +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Row # {0}: Ji kerema xwe veşartina Dîroka Demkî li dijî {1} DocType: Journal Entry,Bank Entry,Peyam Bank DocType: Authorization Rule,Applicable To (Designation),To de evin: (teklîfê) ,Profitability Analysis,Analysis bêhtir bi @@ -3422,17 +3429,18 @@ DocType: Quality Inspection,Item Serial No,Babetê No Serial apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,"Create a Karkeran, Records" apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Rageyendrawekanî Accounting -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Seet +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Seet apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"No New Serial ne dikarin Warehouse hene. Warehouse kirin, divê ji aliyê Stock Peyam an Meqbûz Purchase danîn" DocType: Lead,Lead Type,Lead Type apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Destûra te tune ku ji bo pejirandina pelên li ser Kurdî Nexşe Block -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Hemû van tomar niha ji fatore dîtin +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Hemû van tomar niha ji fatore dîtin +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Target Target Monthly apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Nikare were pejirandin {0} DocType: Item,Default Material Request Type,Default Material request type apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Nenas DocType: Shipping Rule,Shipping Rule Conditions,Shipping Şertên Rule DocType: BOM Replace Tool,The new BOM after replacement,The BOM nû piştî gotina -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Point of Sale DocType: Payment Entry,Received Amount,pêşwaziya Mîqdar DocType: GST Settings,GSTIN Email Sent On,GSTIN Email şandin ser DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop destê Guardian @@ -3449,8 +3457,8 @@ DocType: Batch,Source Document Name,Source Name dokumênt DocType: Batch,Source Document Name,Source Name dokumênt DocType: Job Opening,Job Title,Manşeta şolê apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Create Users -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Xiram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Diravan ji bo Manufacture divê mezintir 0 be. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Xiram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Diravan ji bo Manufacture divê mezintir 0 be. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,rapora ji bo banga parastina biçin. DocType: Stock Entry,Update Rate and Availability,Update Rate û Amadeyî DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Rêjeya we bi destûr bistînin an rizgar zêdetir li dijî dorpêçê de ferman da. Ji bo nimûne: Ger tu 100 yekîneyên emir kirine. û bistînin xwe 10% îdî tu bi destûr bo wergirtina 110 yekîneyên e. @@ -3463,7 +3471,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Ji kerema xwe ve poşmaniya kirînê bi fatûreyên {0} pêşîn apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Email Address divê yekta be, ji niha ve ji bo heye {0}" DocType: Serial No,AMC Expiry Date,AMC Expiry Date -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Meqbûz +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Meqbûz ,Sales Register,Sales Register DocType: Daily Work Summary Settings Company,Send Emails At,Send Emails At DocType: Quotation,Quotation Lost Reason,Quotation Lost Sedem @@ -3476,14 +3484,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,No muşteriya apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Daxûyanîya Flow Cash apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Deyn Mîqdar dikarin Maximum Mîqdar deyn ji mideyeka ne bêtir ji {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Îcaze -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Ji kerema xwe re vê bi fatûreyên {0} ji C-Form jê {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Ji kerema xwe re vê bi fatûreyên {0} ji C-Form jê {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Ji kerema xwe ve çêşît Forward hilbijêre, eger hûn jî dixwazin ku di nav hevsengiyê sala diravî ya berî bernadin ji bo vê sala diravî ya" DocType: GL Entry,Against Voucher Type,Li dijî Type Vienna DocType: Item,Attributes,taybetmendiyên xwe apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Ji kerema xwe re têkevin hewe Off Account apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Last Order Date apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Account {0} nayê ji şîrketa endamê ne {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Numbers Serial li row {0} nayê bi Delivery Têbînî hev nagirin +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Numbers Serial li row {0} nayê bi Delivery Têbînî hev nagirin DocType: Student,Guardian Details,Guardian Details DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Beşdariyê Mark ji bo karmendên multiple @@ -3515,16 +3523,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Cu DocType: Tax Rule,Sales,Sales DocType: Stock Entry Detail,Basic Amount,Şêwaz bingehîn DocType: Training Event,Exam,Bilbilên -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Warehouse pêwîst ji bo vî babetî stock {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Warehouse pêwîst ji bo vî babetî stock {0} DocType: Leave Allocation,Unused leaves,pelên Unused -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Kr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Kr DocType: Tax Rule,Billing State,Dewletê Billing apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Derbaskirin apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nayê bi Account Partiya re têkildar ne {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch BOM teqiya (di nav wan de sub-meclîs) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch BOM teqiya (di nav wan de sub-meclîs) DocType: Authorization Rule,Applicable To (Employee),To wergirtinê (Xebatkarê) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Date ji ber wêneke e apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Increment bo Pêşbîr {0} nikare bibe 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Xerîdar> Giştî ya Giştî> Territory DocType: Journal Entry,Pay To / Recd From,Pay To / Recd From DocType: Naming Series,Setup Series,Series Setup DocType: Payment Reconciliation,To Invoice Date,To bi fatûreyên Date @@ -3551,7 +3560,7 @@ DocType: Journal Entry,Write Off Based On,Hewe Off li ser apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Make Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print û Stationery DocType: Stock Settings,Show Barcode Field,Show Barcode Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Send Emails Supplier +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Send Emails Supplier apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Meaşê niha ve ji bo dema di navbera {0} û {1}, Leave dema serlêdana ne di navbera vê R‧ezkirina dema bê vehûnandin." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,record Installation bo No. Serial DocType: Guardian Interest,Guardian Interest,Guardian Interest @@ -3565,7 +3574,7 @@ DocType: Offer Letter,Awaiting Response,li benda Response apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Ser apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},taybetmendiyê de çewt {0} {1} DocType: Supplier,Mention if non-standard payable account,Qala eger ne-standard account cîhde -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},babete heman hatiye nivîsandin çend caran. {rêzok} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},babete heman hatiye nivîsandin çend caran. {rêzok} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Kerema xwe re koma nirxandina ya din jî ji bilî 'Hemû Groups Nirxandina' hilbijêrî DocType: Salary Slip,Earning & Deduction,Maaş & dabirîna apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Bixwe. Vê mîhengê wê were bikaranîn ji bo palavtina karê cuda cuda. @@ -3584,7 +3593,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Cost ji Asset belav apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Navenda Cost ji bo babet wêneke e {2} DocType: Vehicle,Policy No,siyaseta No -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Get Nawy ji Bundle Product +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Get Nawy ji Bundle Product DocType: Asset,Straight Line,Line Straight DocType: Project User,Project User,Project Bikarhêner apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Qelişandin @@ -3598,6 +3607,7 @@ DocType: Bank Reconciliation,Payment Entries,Arşîva Payment DocType: Production Order,Scrap Warehouse,Warehouse xurde DocType: Production Order,Check if material transfer entry is not required,Check eger entry transfer maddî ne hewceyî DocType: Production Order,Check if material transfer entry is not required,Check eger entry transfer maddî ne hewceyî +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe veguhastina Sîstema Sîstema Navneteweyî di Çavkaniya Mirovan> HR Settings DocType: Program Enrollment Tool,Get Students From,Get xwendekarên ji DocType: Hub Settings,Seller Country,Seller Country apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Weşana Nawy li ser Website @@ -3616,19 +3626,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Hên şert û mercên ji bo hesibandina mîqdara shipping DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role Yorumlar ji bo Set Accounts Frozen & Edit berheman Frozen apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"Can Navenda Cost ji bo ledger bawermendê ne, wek ku hatiye hucûma zarok" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Nirx vekirinê +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Nirx vekirinê DocType: Salary Detail,Formula,Formîl apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komîsyona li ser Sales DocType: Offer Letter Term,Value / Description,Nirx / Description -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne dikarin bên şandin, ev e jixwe {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne dikarin bên şandin, ev e jixwe {2}" DocType: Tax Rule,Billing Country,Billing Country DocType: Purchase Order Item,Expected Delivery Date,Hêvîkirin Date Delivery apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debit û Credit ji bo {0} # wekhev ne {1}. Cudahiya e {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Mesref Entertainment apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Make Daxwaza Material apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Babetê Open {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,"Sales berî betalkirinê ev Sales Order bi fatûreyên {0} bên îptal kirin," +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,"Sales berî betalkirinê ev Sales Order bi fatûreyên {0} bên îptal kirin," apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Kalbûn DocType: Sales Invoice Timesheet,Billing Amount,Şêwaz Billing apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,dorpêçê de derbasdar e ji bo em babete {0}. Quantity divê mezintir 0 be. @@ -3651,7 +3661,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Hatiniyên Mişterî New apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Travel Expenses DocType: Maintenance Visit,Breakdown,Qeza -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Account: {0} bi currency: {1} ne bên hilbijartin +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Account: {0} bi currency: {1} ne bên hilbijartin DocType: Bank Reconciliation Detail,Cheque Date,Date Cheque apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Account {0}: account Parent {1} ne aîdî ji şîrketa: {2} DocType: Program Enrollment Tool,Student Applicants,Applicants Student @@ -3671,11 +3681,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Pîlan DocType: Material Request,Issued,weşand apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Activity Student DocType: Project,Total Billing Amount (via Time Logs),Temamê meblaxa Billing (via Time Têketin) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Em bifiroşe vî babetî +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Em bifiroşe vî babetî apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Supplier Id DocType: Payment Request,Payment Gateway Details,Payment Details Gateway -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Quantity divê mezintir 0 be -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Data rate +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Quantity divê mezintir 0 be +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Data rate DocType: Journal Entry,Cash Entry,Peyam Cash apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,hucûma zarok dikare bi tenê di bin 'Group' type hucûma tên afirandin DocType: Leave Application,Half Day Date,Date nîv Day @@ -3684,17 +3694,18 @@ DocType: Sales Partner,Contact Desc,Contact Desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Type of pelên mîna casual, nexweş hwd." DocType: Email Digest,Send regular summary reports via Email.,Send raporên summary nîzamî bi rêya Email. DocType: Payment Entry,PE-,Şerqê -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Ji kerema xwe ve account default set li Type mesrefan {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Ji kerema xwe ve account default set li Type mesrefan {0} DocType: Assessment Result,Student Name,Navê Student DocType: Brand,Item Manager,Manager babetî apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,payroll cîhde DocType: Buying Settings,Default Supplier Type,Default Type Supplier DocType: Production Order,Total Operating Cost,Total Cost Operating -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Têbînî: em babet {0} ketin çend caran +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Têbînî: em babet {0} ketin çend caran apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Hemû Têkilî. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Target target apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abbreviation Company apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Bikarhêner {0} tune -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,materyalên xav ne dikarin heman wek babeteke serekî +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,materyalên xav ne dikarin heman wek babeteke serekî DocType: Item Attribute Value,Abbreviation,Kinkirî apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Peyam di peredana ji berê ve heye apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,authroized ne ji ber ku {0} dibuhure ji sînorên @@ -3712,7 +3723,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Role Yorumlar ji bo we ,Territory Target Variance Item Group-Wise,Axa Target Variance babetî Pula-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Hemû Groups Mişterî apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Accumulated Ayda -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} de bivênevê ye. Dibe ku rekor Exchange ji bo {1} ji bo {2} tên afirandin ne. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} de bivênevê ye. Dibe ku rekor Exchange ji bo {1} ji bo {2} tên afirandin ne. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Şablon Bacê de bivênevê ye. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Account {0}: account Parent {1} tune DocType: Purchase Invoice Item,Price List Rate (Company Currency),Price List Rate (Company Exchange) @@ -3723,7 +3734,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Kodek rêjeya apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekreter DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Heke neçalak bike, 'Di Words' qada wê ne di tu mêjera xuya" DocType: Serial No,Distinct unit of an Item,yekîneyên cuda yên vî babetî -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Xêra xwe Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Xêra xwe Company DocType: Pricing Rule,Buying,kirîn DocType: HR Settings,Employee Records to be created by,Records karker ji aliyê tên afirandin bê DocType: POS Profile,Apply Discount On,Apply li ser navnîshana @@ -3734,7 +3745,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Babetê Detail Wise Bacê apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Abbreviation Enstîtuya ,Item-wise Price List Rate,List Price Rate babete-şehreza -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Supplier Quotation +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Supplier Quotation DocType: Quotation,In Words will be visible once you save the Quotation.,Li Words xuya dê bibe dema ku tu Quotation xilas bike. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Diravan ({0}) ne dikarin bibin fraction li row {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Diravan ({0}) ne dikarin bibin fraction li row {1} @@ -3758,7 +3769,7 @@ Updated via 'Time Log'",li Minutes Demê via 'Time Têkeve' DocType: Customer,From Lead,ji Lead apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Emir ji bo hilberîna berdan. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Select Fiscal Sal ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profile pêwîst ji bo Peyam POS +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profile pêwîst ji bo Peyam POS DocType: Program Enrollment Tool,Enroll Students,kul Xwendekarên DocType: Hub Settings,Name Token,Navê Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Selling Standard @@ -3776,7 +3787,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Cudahiya di Nirx Stock apps/erpnext/erpnext/config/learn.py +234,Human Resource,çavkaniyê binirxîne mirovan DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Lihevhatin û dayina tezmînat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Maldarî bacê -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Production Order hatiye {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Production Order hatiye {0} DocType: BOM Item,BOM No,BOM No DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Peyam di kovara {0} nayê Hesabê te nîne {1} an ji niha ve bi rêk û pêk li dijî din fîşeke @@ -3790,7 +3801,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Upload apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Outstanding Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,armancên Set babetî Pula-şehreza ji bo vê Person Sales. DocType: Stock Settings,Freeze Stocks Older Than [Days],Rêzefîlma Cîran Cîran Freeze kevintir Than [Rojan] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset ji bo sermaye sabît kirîn / sale wêneke e +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset ji bo sermaye sabît kirîn / sale wêneke e apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Eger du an jî zêdetir Rules Pricing dîtin li ser şert û mercên li jor li, Priority sepandin. Girîngî hejmareke di navbera 0 to 20 e dema ku nirxa standard zero (vala) e. hejmara Bilind tê wê wateyê ku ew dê sertir eger ne Rules Pricing multiple bi eynî şert û li wir bigirin." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Sal malî: {0} nayê heye ne DocType: Currency Exchange,To Currency,to Exchange @@ -3799,7 +3810,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Types ji mesrefan apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},rêjeya bo em babete Firotina {0} kêmtir e {1} xwe. rêjeya firotina divê bê Hindîstan û {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},rêjeya bo em babete Firotina {0} kêmtir e {1} xwe. rêjeya firotina divê bê Hindîstan û {2} DocType: Item,Taxes,bacê -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Pere û bidana +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Pere û bidana DocType: Project,Default Cost Center,Navenda Cost Default DocType: Bank Guarantee,End Date,Date End apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transactions Stock @@ -3816,7 +3827,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daily Work Settings Nasname Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Babetê {0} hesibandin ji ber ku ew e ku em babete stock ne DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Submit ev Production Order bo processing zêdetir. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Submit ev Production Order bo processing zêdetir. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","To Rule Pricing di danûstandina bi taybetî jî derbas nabe, hemû Rules Pricing pêkanîn, divê neçalak bibin." DocType: Assessment Group,Parent Assessment Group,Dê û bav Nirxandina Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs @@ -3824,10 +3835,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs DocType: Employee,Held On,held ser apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Babetê Production ,Employee Information,Information karker -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Rêjeya (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Rêjeya (%) DocType: Stock Entry Detail,Additional Cost,Cost Additional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Can filter li ser Voucher No bingeha ne, eger ji aliyê Vienna kom" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Make Supplier Quotation +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Make Supplier Quotation DocType: Quality Inspection,Incoming,Incoming DocType: BOM,Materials Required (Exploded),Materyalên pêwîst (teqandin) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Lê zêde bike bikarhênerên bi rêxistina xwe, ji xwe" @@ -3843,7 +3854,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Account: {0} bi tenê dikare bi rêya Transactions Stock ve DocType: Student Group Creation Tool,Get Courses,Get Kursên DocType: GL Entry,Party,Partî -DocType: Sales Order,Delivery Date,Date Delivery +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Date Delivery DocType: Opportunity,Opportunity Date,Date derfet DocType: Purchase Receipt,Return Against Purchase Receipt,Vegere li dijî Meqbûz Purchase DocType: Request for Quotation Item,Request for Quotation Item,Daxwaza ji bo babet Quotation @@ -3857,7 +3868,7 @@ DocType: Task,Actual Time (in Hours),Time rastî (di Hours) DocType: Employee,History In Company,Dîroka Li Company apps/erpnext/erpnext/config/learn.py +107,Newsletters,bultenên me DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Peyam Ledger -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,babete heman hatiye nivîsandin çend caran +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,babete heman hatiye nivîsandin çend caran DocType: Department,Leave Block List,Dev ji Lîsteya Block DocType: Sales Invoice,Tax ID,ID bacê apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Babetê {0} e setup bo Serial Nos ne. Stûna divê vala be @@ -3875,25 +3886,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Reş DocType: BOM Explosion Item,BOM Explosion Item,BOM babet teqîn DocType: Account,Auditor,xwîndin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} tomar çêkirin +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} tomar çêkirin DocType: Cheque Print Template,Distance from top edge,Distance ji devê top apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,List Price {0} kêmendam e yan jî tune DocType: Purchase Invoice,Return,Vegerr DocType: Production Order Operation,Production Order Operation,Production Order Operation DocType: Pricing Rule,Disable,neçalak bike -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Mode dayinê pêwist e ji bo ku tezmînat +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Mode dayinê pêwist e ji bo ku tezmînat DocType: Project Task,Pending Review,hîn Review apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ku di Batch jimartin ne {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nikarin belav bibin, wekî ku ji niha ve {1}" DocType: Task,Total Expense Claim (via Expense Claim),Îdîaya Expense Total (via mesrefan) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Exchange ji BOM # di {1} de divê ji bo pereyê hilbijartin wekhev be {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Exchange ji BOM # di {1} de divê ji bo pereyê hilbijartin wekhev be {2} DocType: Journal Entry Account,Exchange Rate,Rate -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Sales Order {0} tê şandin ne +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Sales Order {0} tê şandin ne DocType: Homepage,Tag Line,Line Tag DocType: Fee Component,Fee Component,Fee Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Management ya Korsan -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Lê zêde bike tomar ji +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Lê zêde bike tomar ji DocType: Cheque Print Template,Regular,Rêzbirêz apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage tevahî ji hemû Krîterên Nirxandina divê 100% be DocType: BOM,Last Purchase Rate,Last Rate Purchase @@ -3914,12 +3925,12 @@ DocType: Employee,Reports to,raporên ji bo DocType: SMS Settings,Enter url parameter for receiver nos,parametre url Enter ji bo destikê nos DocType: Payment Entry,Paid Amount,Şêwaz pere DocType: Assessment Plan,Supervisor,Gûhliser -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,bike +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,bike ,Available Stock for Packing Items,Stock ji bo Nawy jî tê de DocType: Item Variant,Item Variant,Babetê Variant DocType: Assessment Result Tool,Assessment Result Tool,Nirxandina Tool Encam DocType: BOM Scrap Item,BOM Scrap Item,BOM babet Scrap -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,emir Submitted nikare were jêbirin +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,emir Submitted nikare were jêbirin apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","balance Account jixwe di Debit, hûn bi destûr ne ji bo danîna wek 'Credit' 'Balance Must Be'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Management Quality apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Babetê {0} neçalakirin @@ -3951,7 +3962,7 @@ DocType: Item Group,Default Expense Account,Account Default Expense apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Xwendekarên ID Email DocType: Employee,Notice (days),Notice (rojan) DocType: Tax Rule,Sales Tax Template,Şablon firotina Bacê -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Select tomar bo rizgarkirina fatûra +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Select tomar bo rizgarkirina fatûra DocType: Employee,Encashment Date,Date Encashment DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Adjustment Stock @@ -4000,10 +4011,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatc apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max discount destûr bo em babete: {0} {1}% e apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,nirxa Asset Net ku li ser DocType: Account,Receivable,teleb -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: destûr Not bo guherandina Supplier wek Purchase Order jixwe heye +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: destûr Not bo guherandina Supplier wek Purchase Order jixwe heye DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rola ku destûr ji bo pêşkêşkirina muamele ku di mideyeka sînorên credit danîn. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Select Nawy ji bo Manufacture -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master senkronîzekirina welat, bibe hinek dem bigire" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Select Nawy ji bo Manufacture +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master senkronîzekirina welat, bibe hinek dem bigire" DocType: Item,Material Issue,Doza maddî DocType: Hub Settings,Seller Description,Seller Description DocType: Employee Education,Qualification,Zanyarî @@ -4024,11 +4035,10 @@ DocType: BOM,Rate Of Materials Based On,Rate ji materyalên li ser bingeha apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics Support apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,menuya hemû DocType: POS Profile,Terms and Conditions,Şert û mercan -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ji kerema xwe veguhastina Sîstema Sîstema Navneteweyî di Çavkaniya Mirovan> HR Settings apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},To Date divê di nava sala diravî be. Bihesibînin To Date = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Li vir tu dikarî height, giranî, alerjî, fikarên tibbî û hwd. Bidomînin" DocType: Leave Block List,Applies to Company,Ji bo Company -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,ne dikarin betal bike ji ber ku nehatine şandin Stock Peyam di {0} heye +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,ne dikarin betal bike ji ber ku nehatine şandin Stock Peyam di {0} heye DocType: Employee Loan,Disbursement Date,Date Disbursement DocType: Vehicle,Vehicle,Erebok DocType: Purchase Invoice,In Words,li Words @@ -4067,7 +4077,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Mîhengên gerdûnî DocType: Assessment Result Detail,Assessment Result Detail,Nirxandina Detail Encam DocType: Employee Education,Employee Education,Perwerde karker apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,koma babete hate dîtin li ser sifrê koma babete -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Ev pêwîst e ji bo pędivî Details Babetê. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Ev pêwîst e ji bo pędivî Details Babetê. DocType: Salary Slip,Net Pay,Pay net DocType: Account,Account,Konto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial No {0} ji niha ve wergirtin @@ -4075,7 +4085,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Têkeve Vehicle DocType: Purchase Invoice,Recurring Id,nişankirin Id DocType: Customer,Sales Team Details,Details firotina Team -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Vemirandina mayînde? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Vemirandina mayînde? DocType: Expense Claim,Total Claimed Amount,Temamê meblaxa îdîa apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,derfetên Potential ji bo firotina. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0} @@ -4087,7 +4097,7 @@ DocType: Warehouse,PIN,DERZÎ apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup Dibistana xwe li ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base Change Mîqdar (Company Exchange) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,No entries hisêba ji bo wargehan de li jêr -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Save yekemîn belgeya. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Save yekemîn belgeya. DocType: Account,Chargeable,Chargeable DocType: Company,Change Abbreviation,Change Abbreviation DocType: Expense Claim Detail,Expense Date,Date Expense @@ -4101,7 +4111,6 @@ DocType: BOM,Manufacturing User,manufacturing Bikarhêner DocType: Purchase Invoice,Raw Materials Supplied,Madeyên xav Supplied DocType: Purchase Invoice,Recurring Print Format,Nişankirin Format bo çapkirinê DocType: C-Form,Series,Doranî -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Hêvîkirin Date Delivery nikarim li ber Purchase Order Date be DocType: Appraisal,Appraisal Template,appraisal Şablon DocType: Item Group,Item Classification,Classification babetî apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4140,12 +4149,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Hilbijêre apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Perwerdekirina Events / Results apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Accumulated Farhad ku li ser DocType: Sales Invoice,C-Form Applicable,C-Forma serlêdanê -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Operasyona Time divê mezintir 0 bo operasyonê bibin {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Operasyona Time divê mezintir 0 bo operasyonê bibin {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse wêneke e DocType: Supplier,Address and Contacts,Address û Têkilî DocType: UOM Conversion Detail,UOM Conversion Detail,Detail UOM Converter DocType: Program,Program Abbreviation,Abbreviation Program -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,"Production Order dikarin li dijî Şablon babet ne, bêne zindî kirin" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,"Production Order dikarin li dijî Şablon babet ne, bêne zindî kirin" apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Li dijî wan doz bi wergirtina Purchase dijî hev babete ve DocType: Warranty Claim,Resolved By,Biryar By DocType: Bank Guarantee,Start Date,Destpêk Date @@ -4180,6 +4189,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Training Feedback apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Production Order {0} de divê bê şandin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Ji kerema xwe ve Date Start û End Date ji bo babet hilbijêre {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Armancek firotana firotanê bikin ku hûn dixwazin dixwazin. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Helbet li row wêneke e {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,To date nikarim li ber ji date be DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc @@ -4197,7 +4207,7 @@ DocType: Account,Income,Hatin DocType: Industry Type,Industry Type,Type Industry apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Tiştek xelet çû! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Hişyarî: Ji sepanê dihewîne di dîrokên block van -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Sales bi fatûreyên {0} ji niha ve hatine radestkirin +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Sales bi fatûreyên {0} ji niha ve hatine radestkirin DocType: Assessment Result Detail,Score,Rewşa nixtan apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Sal malî {0} tune apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Date cebîr @@ -4227,7 +4237,7 @@ DocType: Naming Series,Help HTML,alîkarî HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Komeleya Xwendekarên Tool Creation DocType: Item,Variant Based On,Li ser varyanta apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Total weightage rêdan divê 100% be. Ev e {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Suppliers te +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Suppliers te apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,ne dikarin set wek Lost wek Sales Order çêkirin. DocType: Request for Quotation Item,Supplier Part No,Supplier Part No apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ne dikarin dadixînin dema kategoriyê e ji bo 'Valuation' an jî 'Vaulation û Total' @@ -4237,14 +4247,14 @@ DocType: Item,Has Serial No,Has No Serial DocType: Employee,Date of Issue,Date of Dozî Kurd apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Ji {0} ji bo {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Li gor Settings Buying eger Buy reciept gireke == 'ERÊ', piştre ji bo afirandina Buy bi fatûreyên, bikarhêner ji bo afirandina Meqbûz Buy yekem bo em babete {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Set Supplier bo em babete {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: value Hours divê ji sifirê mezintir be. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Set Supplier bo em babete {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Row {0}: value Hours divê ji sifirê mezintir be. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Website Wêne {0} girêdayî babet {1} nayê dîtin DocType: Issue,Content Type,Content Type apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Komûter DocType: Item,List this Item in multiple groups on the website.,Lîsteya ev babet di koman li ser malpera me. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Ji kerema xwe ve vebijêrk Exchange Multi bi rê bikarhênerên bi pereyê din jî -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Babet: {0} nayê di sîstema tune +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Babet: {0} nayê di sîstema tune apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Tu bi destûr ne ji bo danîna nirxa Frozen DocType: Payment Reconciliation,Get Unreconciled Entries,Get Unreconciled Arşîva DocType: Payment Reconciliation,From Invoice Date,Ji fatûreyên Date @@ -4270,7 +4280,7 @@ DocType: Stock Entry,Default Source Warehouse,Default Warehouse Source DocType: Item,Customer Code,Code mişterî apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Reminder Birthday ji bo {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Rojan de ji sala Last Order -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,"Debit To account, divê hesabekî Bîlançoya be" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,"Debit To account, divê hesabekî Bîlançoya be" DocType: Buying Settings,Naming Series,Series Bidin DocType: Leave Block List,Leave Block List Name,Dev ji Lîsteya Block Name apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,date Insurance Serî divê kêmtir ji date Insurance End be @@ -4287,7 +4297,7 @@ DocType: Vehicle Log,Odometer,Green DocType: Sales Order Item,Ordered Qty,emir kir Qty apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Babetê {0} neçalak e DocType: Stock Settings,Stock Frozen Upto,Stock Upto Frozen -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nade ti stock babete ne +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM nade ti stock babete ne apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Dema From û dema To dîrokên diyarkirî ji bo dubare {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,çalakiyên Project / erka. DocType: Vehicle Log,Refuelling Details,Details Refuelling @@ -4297,7 +4307,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Ev rûpel cara rêjeya kirîn nehate dîtin DocType: Purchase Invoice,Write Off Amount (Company Currency),Hewe Off Mîqdar (Company Exchange) DocType: Sales Invoice Timesheet,Billing Hours,Saet Billing -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM Default ji bo {0} nehate dîtin +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM Default ji bo {0} nehate dîtin apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Row # {0}: Hêvîye set dorpêçê de DIRTYHERTZ apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tap tomar ji wan re lê zêde bike here DocType: Fees,Program Enrollment,Program nivîsînî @@ -4331,6 +4341,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Range Ageing 2 DocType: SG Creation Tool Course,Max Strength,Max Hêz apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM şûna +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Li gor danûstandinên Navnîşê li ser hilbijêre ,Sales Analytics,Analytics Sales apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Available {0} ,Prospects Engaged But Not Converted,Perspektîvên Engaged Lê Converted Not @@ -4379,7 +4390,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Discount apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet ji bo karên. DocType: Purchase Invoice,Against Expense Account,Li dijî Account Expense DocType: Production Order,Production Order,Production Order -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Installation Têbînî {0} ji niha ve hatine radestkirin +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Installation Têbînî {0} ji niha ve hatine radestkirin DocType: Bank Reconciliation,Get Payment Entries,Get berheman Payment DocType: Quotation Item,Against Docname,li dijî Docname DocType: SMS Center,All Employee (Active),Hemû Employee (Active) @@ -4388,7 +4399,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Cost Raw DocType: Item Reorder,Re-Order Level,Re-Order Level DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,tomar û QTY plan ji bo ku tu dixwazî bilind emir hilberîna an download madeyên xav ji bo analîzê binivîse. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Chart Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Chart Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Nîvdem DocType: Employee,Applicable Holiday List,Lîsteya Holiday wergirtinê DocType: Employee,Cheque,Berçavkirinî @@ -4446,11 +4457,11 @@ DocType: Bin,Reserved Qty for Production,Qty Reserved bo Production DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Dev ji zilma eger tu dixwazî ji bo ku li hevîrê di dema çêkirina komên Helbet bingeha. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Dev ji zilma eger tu dixwazî ji bo ku li hevîrê di dema çêkirina komên Helbet bingeha. DocType: Asset,Frequency of Depreciation (Months),Frequency ji Farhad (meh) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Account Credit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Account Credit DocType: Landed Cost Item,Landed Cost Item,Landed babet Cost apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Nîşan bide nirxên zero DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Mêjera babete bidestxistin piştî manufacturing / repacking ji quantities dayîn ji madeyên xav -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup a website sade ji bo rêxistina xwe +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup a website sade ji bo rêxistina xwe DocType: Payment Reconciliation,Receivable / Payable Account,Teleb / cîhde Account DocType: Delivery Note Item,Against Sales Order Item,Li dijî Sales Order babetî apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Ji kerema xwe binivîsin nirxê taybetmendiyê ji bo pêşbîrê {0} @@ -4515,22 +4526,22 @@ DocType: Student,Nationality,Niştimanî ,Items To Be Requested,Nawy To bê xwestin DocType: Purchase Order,Get Last Purchase Rate,Get Last Purchase Rate DocType: Company,Company Info,Company Info -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Select an jî lê zêde bike mişterî nû -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,navenda Cost pêwîst e ji bo kitêba mesrefan +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Select an jî lê zêde bike mişterî nû +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,navenda Cost pêwîst e ji bo kitêba mesrefan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Sepanê ji Funds (Maldarî) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ev li ser amadebûna vê Xebatkara li -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Account Debit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Account Debit DocType: Fiscal Year,Year Start Date,Sal Serî Date DocType: Attendance,Employee Name,Navê xebatkara DocType: Sales Invoice,Rounded Total (Company Currency),Total Rounded (Company Exchange) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"ne dikarin bi Pol nepenî, ji ber Type Account hilbijartî ye." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} hate guherandin. Ji kerema xwe nû dikin. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} hate guherandin. Ji kerema xwe nû dikin. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Dev ji bikarhêneran ji çêkirina Applications Leave li ser van rojan de. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Asta kirîn apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Supplier Quotation {0} tên afirandin apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,End Sal nikarim li ber Serî Sal be apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Qezenca kardarîyê -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},"dorpêçê de bi timamî, divê dorpêçê de ji bo babet {0} li row pêşya {1}" +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},"dorpêçê de bi timamî, divê dorpêçê de ji bo babet {0} li row pêşya {1}" DocType: Production Order,Manufactured Qty,Manufactured Qty DocType: Purchase Receipt Item,Accepted Quantity,Quantity qebûlkirin apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Ji kerema xwe ve set a default Lîsteya Holiday ji bo karkirinê {0} an Company {1} @@ -4541,11 +4552,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row No {0}: Mîqdar ne mezintir Pending Mîqdar dijî {1} mesrefan. Hîn Mîqdar e {2} DocType: Maintenance Schedule,Schedule,Pîlan DocType: Account,Parent Account,Account dê û bav -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Berdeste +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Berdeste DocType: Quality Inspection Reading,Reading 3,Reading 3 ,Hub,hub DocType: GL Entry,Voucher Type,fîşeke Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,List Price nehate dîtin an jî neçalakirinName +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,List Price nehate dîtin an jî neçalakirinName DocType: Employee Loan Application,Approved,pejirandin DocType: Pricing Rule,Price,Biha apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Xebatkarê hebekî li ser {0} bê mîhenkirin wek 'Çepê' @@ -4615,7 +4626,7 @@ DocType: SMS Settings,Static Parameters,Parameters Static DocType: Assessment Plan,Room,Jûre DocType: Purchase Order,Advance Paid,Advance Paid DocType: Item,Item Tax,Bacê babetî -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Madî ji bo Supplier +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Madî ji bo Supplier apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,baca bi fatûreyên apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ji carekê zêdetir xuya DocType: Expense Claim,Employees Email Id,Karmendên Email Id @@ -4655,7 +4666,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Cins DocType: Production Order,Actual Operating Cost,Cost Operating rastî DocType: Payment Entry,Cheque/Reference No,Cheque / Çavkanî No -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Supplier Type apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root bi dikarin di dahatûyê de were. DocType: Item,Units of Measure,Yekîneyên Measure DocType: Manufacturing Settings,Allow Production on Holidays,Destûrê bide Production li ser Holidays @@ -4688,12 +4698,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Rojan Credit apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Make Batch Student DocType: Leave Type,Is Carry Forward,Ma çêşît Forward -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Get Nawy ji BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Get Nawy ji BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Rê Time Rojan -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Mesaj Date divê eynî wek tarîxa kirînê be {1} ji sermaye {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Mesaj Date divê eynî wek tarîxa kirînê be {1} ji sermaye {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"vê kontrol bike, eger ku xwendevan û geştê li Hostel a Enstîtuyê ye." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Ji kerema xwe ve Orders Sales li ser sifrê li jor binivîse -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Şandin ne Salary Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Şandin ne Salary Slips ,Stock Summary,Stock Nasname apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transferkirina sermaye ji yek warehouse din DocType: Vehicle,Petrol,Benzîl diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv index c536e7531dd..2162a20d68e 100644 --- a/erpnext/translations/lo.csv +++ b/erpnext/translations/lo.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,ຕົວແທນຈໍາຫນ່າຍ DocType: Employee,Rented,ເຊົ່າ DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,ສາມາດນໍາໃຊ້ສໍາລັບຜູ້ໃຊ້ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","ໃບສັ່ງຜະລິດຢຸດເຊົາບໍ່ສາມາດໄດ້ຮັບການຍົກເລີກ, ຈຸກມັນຄັ້ງທໍາອິດເພື່ອຍົກເລີກການ" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","ໃບສັ່ງຜະລິດຢຸດເຊົາບໍ່ສາມາດໄດ້ຮັບການຍົກເລີກ, ຈຸກມັນຄັ້ງທໍາອິດເພື່ອຍົກເລີກການ" DocType: Vehicle Service,Mileage,mileage apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,ທ່ານກໍ່ຕ້ອງການທີ່ຈະ scrap ຊັບສິນນີ້? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,ເລືອກຜູ້ຜະລິດມາດຕະຖານ @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% ບິນ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),ອັດຕາແລກປ່ຽນຈະຕ້ອງເປັນເຊັ່ນດຽວກັນກັບ {0} {1} ({2}) DocType: Sales Invoice,Customer Name,ຊື່ຂອງລູກຄ້າ DocType: Vehicle,Natural Gas,ອາຍແກັສທໍາມະຊາດ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},ບັນຊີທະນາຄານບໍ່ສາມາດໄດ້ຮັບການຕັ້ງຊື່ເປັນ {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},ບັນຊີທະນາຄານບໍ່ສາມາດໄດ້ຮັບການຕັ້ງຊື່ເປັນ {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ຫົວຫນ້າ (ຫຼືກຸ່ມ) ການຕໍ່ຕ້ານທີ່ Entries ບັນຊີທີ່ຜະລິດແລະຍອດຖືກຮັກສາໄວ້. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ທີ່ຍັງຄ້າງຄາສໍາລັບ {0} ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາສູນ ({1}) DocType: Manufacturing Settings,Default 10 mins,ມາດຕະຖານ 10 ນາທີ @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,ອອກຈາກຊື່ປະເພດ apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ສະແດງໃຫ້ເຫັນການເປີດ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,ຊຸດອັບເດດຮຽບຮ້ອຍ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,ກວດເບິ່ງ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,ຖືກຕ້ອງອະນຸ Submitted +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,ຖືກຕ້ອງອະນຸ Submitted DocType: Pricing Rule,Apply On,ສະຫມັກຕໍາກ່ຽວກັບ DocType: Item Price,Multiple Item prices.,ລາຄາສິນຄ້າທີ່ຫຼາກຫຼາຍ. ,Purchase Order Items To Be Received,ລາຍການສັ່ງຊື້ທີ່ຈະໄດ້ຮັບ @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,ຮູບແບບຂ apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,ສະແດງໃຫ້ເຫັນທີ່ແຕກຕ່າງກັນ DocType: Academic Term,Academic Term,ໄລຍະທາງວິຊາການ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ອຸປະກອນການ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,ປະລິມານ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,ປະລິມານ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,ຕາຕະລາງບັນຊີບໍ່ສາມາດມີຊ່ອງຫວ່າງ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ເງິນກູ້ຢືມ (ຫນີ້ສິນ) DocType: Employee Education,Year of Passing,ປີທີ່ຜ່ານ @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ຮັກສາສຸຂະພາບ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ຄວາມຊັກຊ້າໃນການຈ່າຍເງິນ (ວັນ) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ຄ່າໃຊ້ຈ່າຍໃນການບໍລິການ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ອ້າງອິງແລ້ວໃນ Sales ໃບເກັບເງິນ: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,ໃບເກັບເງິນ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ອ້າງອິງແລ້ວໃນ Sales ໃບເກັບເງິນ: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,ໃບເກັບເງິນ DocType: Maintenance Schedule Item,Periodicity,ໄລຍະເວລາ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ປີງົບປະມານ {0} ຈໍາເປັນຕ້ອງມີ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,ວັນທີຄາດວ່າສົ່ງແມ່ນຈະກ່ອນທີ່ຈະສັ່ງຊື້ຂາຍວັນທີ່ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,ປ້ອງກັນປະເທດ DocType: Salary Component,Abbr,abbr DocType: Appraisal Goal,Score (0-5),ຄະແນນ (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,"ຕິດຕໍ່ກັນ, {0}:" DocType: Timesheet,Total Costing Amount,ຈໍານວນເງິນຕົ້ນທຶນທັງຫມົດ DocType: Delivery Note,Vehicle No,ຍານພາຫະນະບໍ່ມີ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,ກະລຸນາເລືອກລາຄາ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,ກະລຸນາເລືອກລາຄາ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,"ຕິດຕໍ່ກັນ, {0}: ເອກະສານການຊໍາລະເງິນທີ່ຕ້ອງການເພື່ອໃຫ້ສໍາເລັດ trasaction ໄດ້" DocType: Production Order Operation,Work In Progress,ກໍາລັງດໍາເນີນການ apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ກະລຸນາເລືອກເອົາວັນທີ @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ບໍ່ໄດ້ຢູ່ໃນການເຄື່ອນໄຫວປີໃດງົບປະມານ. DocType: Packed Item,Parent Detail docname,ພໍ່ແມ່ຂໍ້ docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ອ້າງອິງ: {0}, ລະຫັດສິນຄ້າ: {1} ແລະລູກຄ້າ: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,ກິໂລກຣາມ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,ກິໂລກຣາມ DocType: Student Log,Log,ເຂົ້າສູ່ລະບົບ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ການເປີດກວ້າງການວຽກ. DocType: Item Attribute,Increment,ການເພີ່ມຂຶ້ນ @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,ການແຕ່ງງານ apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},ບໍ່ອະນຸຍາດໃຫ້ສໍາລັບການ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,ໄດ້ຮັບການລາຍການຈາກ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ການສົ່ງເງິນ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ການສົ່ງເງິນ {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ຜະລິດຕະພັນ {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ບໍ່ມີລາຍະລະບຸໄວ້ DocType: Payment Reconciliation,Reconcile,ທໍາ @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,ກ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,ຕໍ່ໄປວັນທີ່ຄ່າເສື່ອມລາຄາບໍ່ສາມາດກ່ອນທີ່ວັນເວລາຊື້ DocType: SMS Center,All Sales Person,ທັງຫມົດຄົນຂາຍ DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ການແຜ່ກະຈາຍລາຍເດືອນ ** ຈະຊ່ວຍໃຫ້ທ່ານການແຈກຢາຍງົບປະມານ / ເປົ້າຫມາຍໃນທົ່ວເດືອນຖ້າຫາກວ່າທ່ານມີຕາມລະດູໃນທຸລະກິດຂອງທ່ານ. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,ບໍ່ພົບລາຍການ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,ບໍ່ພົບລາຍການ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,ໂຄງປະກອບການເງິນເດືອນທີ່ຫາຍໄປ DocType: Lead,Person Name,ຊື່ບຸກຄົນ DocType: Sales Invoice Item,Sales Invoice Item,ສິນຄ້າລາຄາ Invoice @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ແມ່ນຊັບສິນຄົງທີ່" ບໍ່ສາມາດຈະມີການກວດກາ, ເປັນການບັນທຶກຊັບສິນລາຄາຕໍ່ລາຍການ" DocType: Vehicle Service,Brake Oil,ນ້ໍາມັນຫ້າມລໍ້ DocType: Tax Rule,Tax Type,ປະເພດອາກອນ -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,ຈໍານວນພາສີ +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,ຈໍານວນພາສີ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ເພີ່ມຫຼືການປັບປຸງການອອກສຽງກ່ອນ {0} DocType: BOM,Item Image (if not slideshow),ລາຍການຮູບພາບ (ຖ້າຫາກວ່າບໍ່ໂຊ) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ການລູກຄ້າທີ່ມີຢູ່ມີຊື່ດຽວກັນ DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(ຊົ່ວໂມງອັດຕາ / 60) * ຈິງທີ່ໃຊ້ເວລາການດໍາເນີນງານ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,ເລືອກ BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,ເລືອກ BOM DocType: SMS Log,SMS Log,SMS ເຂົ້າສູ່ລະບົບ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ຄ່າໃຊ້ຈ່າຍຂອງການສົ່ງ apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,ວັນພັກໃນ {0} ບໍ່ແມ່ນລະຫວ່າງຕັ້ງແຕ່ວັນທີ່ແລະວັນທີ @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,ໂຮງຮຽນ DocType: School Settings,Validate Batch for Students in Student Group,ກວດສອບຊຸດສໍາລັບນັກສຶກສາໃນກຸ່ມນັກສຶກສາ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ບໍ່ມີການບັນທຶກໃບພົບພະນັກງານ {0} ສໍາລັບ {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ກະລຸນາໃສ່ບໍລິສັດທໍາອິດ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,ກະລຸນາເລືອກບໍລິສັດທໍາອິດ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,ກະລຸນາເລືອກບໍລິສັດທໍາອິດ DocType: Employee Education,Under Graduate,ພາຍໃຕ້ການຈົບການສຶກສາ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ເປົ້າຫມາຍກ່ຽວກັບ DocType: BOM,Total Cost,ຄ່າໃຊ້ຈ່າຍທັງຫມົດ DocType: Journal Entry Account,Employee Loan,ເງິນກູ້ພະນັກງານ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,ເຂົ້າສູ່ລະບົບກິດຈະກໍາ: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,ລາຍການ {0} ບໍ່ຢູ່ໃນລະບົບຫຼືຫມົດອາຍຸແລ້ວ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,ເຂົ້າສູ່ລະບົບກິດຈະກໍາ: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,ລາຍການ {0} ບໍ່ຢູ່ໃນລະບົບຫຼືຫມົດອາຍຸແລ້ວ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,ອະສັງຫາລິມະຊັບ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,ຖະແຫຼງການຂອງບັນຊີ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ຢາ @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,ຈໍານວນການຮ້ອ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,ກຸ່ມລູກຄ້າຊ້ໍາກັນພົບເຫັນຢູ່ໃນຕາຕະລາງກຸ່ມ cutomer ໄດ້ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,ປະເພດຜະລິດ / ຜູ້ຈັດຈໍາຫນ່າຍ DocType: Naming Series,Prefix,ຄໍານໍາຫນ້າ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງການຕັ້ງຊື່ Series ໃນລາຄາ {0} ຜ່ານ Setup> Settings> ຕັ້ງຊື່ Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,ຜູ້ບໍລິໂພກ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,ຜູ້ບໍລິໂພກ DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,ການນໍາເຂົ້າເຂົ້າສູ່ລະບົບ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ດຶງຂໍການວັດສະດຸປະເພດຜະລິດໂດຍອີງໃສ່ເງື່ອນໄຂຂ້າງເທິງນີ້ DocType: Training Result Employee,Grade,Grade DocType: Sales Invoice Item,Delivered By Supplier,ສົ່ງໂດຍຜູ້ສະຫນອງ DocType: SMS Center,All Contact,ທັງຫມົດຕິດຕໍ່ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,ໃບສັ່ງຜະລິດສ້າງແລ້ວສໍາລັບລາຍການທັງຫມົດທີ່ມີ BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,ໃບສັ່ງຜະລິດສ້າງແລ້ວສໍາລັບລາຍການທັງຫມົດທີ່ມີ BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,ເງິນເດືອນປະຈໍາປີ DocType: Daily Work Summary,Daily Work Summary,Summary ວຽກປະຈໍາວັນ DocType: Period Closing Voucher,Closing Fiscal Year,ປິດປີງົບປະມານ -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} ແມ່ນ frozen +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} ແມ່ນ frozen apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,ກະລຸນາເລືອກບໍລິສັດທີ່ມີຢູ່ສໍາລັບການສ້າງຕາຕະລາງຂອງການບັນຊີ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,ຄ່າໃຊ້ຈ່າຍ Stock apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ເລືອກ Warehouse ເປົ້າຫມາຍ @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ ທີ່ໄດ້ຮັບການປະຕິເສດຈໍານວນຕ້ອງເທົ່າກັບປະລິມານທີ່ໄດ້ຮັບສໍາລັບລາຍການ {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,ວັດສະດຸສະຫນອງວັດຖຸດິບສໍາຫລັບການຊື້ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,ຢ່າງຫນ້ອຍຫນຶ່ງຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນສໍາລັບໃບເກັບເງິນ POS. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,ຢ່າງຫນ້ອຍຫນຶ່ງຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນສໍາລັບໃບເກັບເງິນ POS. DocType: Products Settings,Show Products as a List,ສະແດງໃຫ້ເຫັນຜະລິດຕະພັນເປັນຊີ DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","ດາວນ໌ໂຫລດແມ່ແບບ, ໃຫ້ຕື່ມຂໍ້ມູນທີ່ເຫມາະສົມແລະຕິດແຟ້ມທີ່ແກ້ໄຂໄດ້. ທັງຫມົດກໍານົດວັນທີແລະພະນັກງານປະສົມປະສານໃນໄລຍະເວລາທີ່ເລືອກຈະມາໃນແມ່ແບບ, ມີການບັນທຶກການເຂົ້າຮຽນທີ່ມີຢູ່ແລ້ວ" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,ລາຍການ {0} ບໍ່ເຮັດວຽກຫຼືໃນຕອນທ້າຍຂອງຊີວິດໄດ້ຮັບການບັນລຸໄດ້ -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,ຕົວຢ່າງ: ຄະນິດສາດພື້ນຖານ -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ເພື່ອປະກອບມີພາສີໃນການຕິດຕໍ່ກັນ {0} ໃນອັດຕາການສິນຄ້າ, ພາສີອາກອນໃນແຖວເກັດທີ່ຢູ່ {1} ຍັງຕ້ອງໄດ້ຮັບການປະກອບ" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,ຕົວຢ່າງ: ຄະນິດສາດພື້ນຖານ +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ເພື່ອປະກອບມີພາສີໃນການຕິດຕໍ່ກັນ {0} ໃນອັດຕາການສິນຄ້າ, ພາສີອາກອນໃນແຖວເກັດທີ່ຢູ່ {1} ຍັງຕ້ອງໄດ້ຮັບການປະກອບ" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,ການຕັ້ງຄ່າສໍາລັບ Module HR DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,ການປ່ຽນແປງຈໍານວນເງິນ @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},ວັນທີການຕິດຕັ້ງບໍ່ສາມາດກ່ອນທີ່ວັນທີສໍາລັບລາຍການ {0} DocType: Pricing Rule,Discount on Price List Rate (%),ສ່ວນຫຼຸດກ່ຽວກັບລາຄາອັດຕາ (%) DocType: Offer Letter,Select Terms and Conditions,ເລືອກເງື່ອນໄຂການແລະເງື່ອນໄຂ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,ມູນຄ່າອອກ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,ມູນຄ່າອອກ DocType: Production Planning Tool,Sales Orders,ຄໍາສັ່ງການຂາຍ DocType: Purchase Taxes and Charges,Valuation,ປະເມີນມູນຄ່າ ,Purchase Order Trends,ຊື້ແນວໂນ້ມຄໍາສັ່ງ @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,ຄືການເປີດ Entry DocType: Customer Group,Mention if non-standard receivable account applicable,ເວົ້າເຖິງຖ້າຫາກວ່າບໍ່ໄດ້ມາດຕະຖານບັນຊີລູກຫນີ້ສາມາດນໍາໃຊ້ DocType: Course Schedule,Instructor Name,ຊື່ instructor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,ສໍາລັບການຄັງສິນຄ້າທີ່ຕ້ອງການກ່ອນທີ່ຈະຍື່ນສະເຫນີການ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,ສໍາລັບການຄັງສິນຄ້າທີ່ຕ້ອງການກ່ອນທີ່ຈະຍື່ນສະເຫນີການ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,ໄດ້ຮັບກ່ຽວກັບ DocType: Sales Partner,Reseller,ຕົວແທນຈໍາຫນ່າຍ DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","ຖ້າຫາກວ່າການກວດກາ, ຈະປະກອບມີລາຍການລາຍການທີ່ບໍ່ແມ່ນຫຼັກຊັບໃນຄໍາຮ້ອງຂໍການວັດສະດຸ." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,ຕໍ່ຕ້ານການຂາຍໃບແຈ້ງຫນີ້ສິນຄ້າ ,Production Orders in Progress,ໃບສັ່ງຜະລິດໃນຄວາມຄືບຫນ້າ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,ເງິນສົດສຸດທິຈາກການເງິນ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ" DocType: Lead,Address & Contact,ທີ່ຢູ່ຕິດຕໍ່ DocType: Leave Allocation,Add unused leaves from previous allocations,ຕື່ມການໃບທີ່ບໍ່ໄດ້ໃຊ້ຈາກການຈັດສັນທີ່ຜ່ານມາ apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Recurring ຕໍ່ໄປ {0} ຈະໄດ້ຮັບການສ້າງຕັ້ງຂື້ນໃນ {1} DocType: Sales Partner,Partner website,ເວັບໄຊທ໌ Partner apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,ເພີ່ມລາຍການລາຍ -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,ຊື່ຕິດຕໍ່ +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,ຊື່ຕິດຕໍ່ DocType: Course Assessment Criteria,Course Assessment Criteria,ເງື່ອນໄຂການປະເມີນຜົນຂອງລາຍວິຊາ DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ສ້າງຄວາມຜິດພາດພຽງເງິນເດືອນສໍາລັບເງື່ອນໄຂທີ່ໄດ້ກ່າວມາຂ້າງເທິງ. DocType: POS Customer Group,POS Customer Group,POS ກຸ່ມລູກຄ້າ @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ຕິດຕໍ່ກັນ {0}: ກະລຸນາກວດສອບຄື Advance 'ກັບບັນຊີ {1} ຖ້າຫາກວ່ານີ້ເປັນການເຂົ້າລ່ວງຫນ້າ. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Warehouse {0} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {1} DocType: Email Digest,Profit & Loss,ກໍາໄລແລະຂາດທຶນ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,ລິດ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,ລິດ DocType: Task,Total Costing Amount (via Time Sheet),ມູນຄ່າທັງຫມົດຈໍານວນເງິນ (ຜ່ານທີ່ໃຊ້ເວລາ Sheet) DocType: Item Website Specification,Item Website Specification,ຂໍ້ມູນຈໍາເພາະລາຍການເວັບໄຊທ໌ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ອອກຈາກສະກັດ @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,ຂາຍໃບເກັບເງິນທ DocType: Material Request Item,Min Order Qty,ນາທີສັ່ງຊື້ຈໍານວນ DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ຂອງລາຍວິຊາ Group ນັກສຶກສາເຄື່ອງມືການສ້າງ DocType: Lead,Do Not Contact,ບໍ່ໄດ້ຕິດຕໍ່ -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,ປະຊາຊົນຜູ້ທີ່ສອນໃນອົງການຈັດຕັ້ງຂອງທ່ານ +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,ປະຊາຊົນຜູ້ທີ່ສອນໃນອົງການຈັດຕັ້ງຂອງທ່ານ DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,The id ເປັນເອກະລັກສໍາລັບການຕິດຕາມໃບແຈ້ງການທີ່ເກີດຂຶ້ນທັງຫມົດ. ມັນຖືກສ້າງຂຶ້ນກ່ຽວກັບການ. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,ຊອບແວພັດທະນາ DocType: Item,Minimum Order Qty,ຈໍານວນການສັ່ງຊື້ຂັ້ນຕ່ໍາ @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,ເຜີຍແຜ່ໃນ Hub DocType: Student Admission,Student Admission,ຮັບສະຫມັກນັກສຶກສາ ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,ລາຍການ {0} ຈະຖືກຍົກເລີກ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,ຂໍອຸປະກອນການ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,ຂໍອຸປະກອນການ DocType: Bank Reconciliation,Update Clearance Date,ວັນທີ່ປັບປຸງການເກັບກູ້ DocType: Item,Purchase Details,ລາຍລະອຽດການຊື້ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ລາຍການ {0} ບໍ່ພົບເຫັນຢູ່ໃນຕາຕະລາງ 'ຈໍາຫນ່າຍວັດຖຸດິບໃນການສັ່ງຊື້ {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,ຜູ້ຈັດການເຮືອ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},ແຖວ # {0}: {1} ບໍ່ສາມາດຈະລົບສໍາລັບລາຍການ {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,ລະຫັດຜ່ານຜິດ DocType: Item,Variant Of,variant ຂອງ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',ສໍາເລັດຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ 'ຈໍານວນການຜະລິດ' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',ສໍາເລັດຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ 'ຈໍານວນການຜະລິດ' DocType: Period Closing Voucher,Closing Account Head,ປິດຫົວຫນ້າບັນຊີ DocType: Employee,External Work History,ວັດການເຮັດວຽກພາຍນອກ apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Error Reference ວົງ @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,ໄລຍະຫ່າງ apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} ຫົວຫນ່ວຍຂອງ [{1}] (ແບບຟອມ # / Item / {1}) ພົບເຫັນຢູ່ໃນ [{2}] (ແບບຟອມ # / Warehouse / {2}) DocType: Lead,Industry,ອຸດສາຫະກໍາ DocType: Employee,Job Profile,ຂໍ້ມູນວຽກເຮັດງານທໍາ +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ທຸລະກໍາກັບບໍລິສັດນີ້. ເບິ່ງໄລຍະເວລາຕ່ໍາກວ່າສໍາລັບລາຍລະອຽດ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ແຈ້ງໂດຍ Email ກ່ຽວກັບການສ້າງຂອງຄໍາຮ້ອງຂໍອຸປະກອນອັດຕະໂນມັດ DocType: Journal Entry,Multi Currency,ສະກຸນເງິນຫຼາຍ DocType: Payment Reconciliation Invoice,Invoice Type,ປະເພດໃບເກັບເງິນ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,ການສົ່ງເງິນ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,ການສົ່ງເງິນ apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ການຕັ້ງຄ່າພາສີອາກອນ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,ຄ່າໃຊ້ຈ່າຍຂອງຊັບສິນຂາຍ apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Entry ການຊໍາລະເງິນໄດ້ຮັບການແກ້ໄຂພາຍຫຼັງທີ່ທ່ານໄດ້ດຶງມັນ. ກະລຸນາດຶງມັນອີກເທື່ອຫນຶ່ງ. @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,ກະລຸນາໃສ່ 'ຊ້ໍາໃນວັນປະຈໍາເດືອນມູນຄ່າພາກສະຫນາມ DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ອັດຕາທີ່ສະກຸນເງິນຂອງລູກຄ້າຈະຖືກແປງເປັນສະກຸນເງິນຂອງລູກຄ້າຂອງພື້ນຖານ DocType: Course Scheduling Tool,Course Scheduling Tool,ຂອງລາຍວິຊາເຄື່ອງມືການຕັ້ງເວລາ -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"ຕິດຕໍ່ກັນ, {0}: Purchase Invoice ບໍ່ສາມາດຈະດໍາເນີນຕໍ່ຊັບສິນທີ່ມີຢູ່ແລ້ວ {1}" +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"ຕິດຕໍ່ກັນ, {0}: Purchase Invoice ບໍ່ສາມາດຈະດໍາເນີນຕໍ່ຊັບສິນທີ່ມີຢູ່ແລ້ວ {1}" DocType: Item Tax,Tax Rate,ອັດຕາພາສີ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ຈັດສັນແລ້ວສໍາລັບພະນັກງານ {1} ສໍາລັບໄລຍະເວລາ {2} ກັບ {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,ເລືອກລາຍການ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,ເລືອກລາຍການ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ຊື້ Invoice {0} ໄດ້ຖືກສົ່ງແລ້ວ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"ຕິດຕໍ່ກັນ, {0}: Batch ບໍ່ຕ້ອງເຊັ່ນດຽວກັນກັບ {1} {2}" apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,ປ່ຽນກັບທີ່ບໍ່ແມ່ນ Group @@ -447,7 +446,7 @@ DocType: Employee,Widowed,ຜູ້ທີ່ເປັນຫມ້າຍ DocType: Request for Quotation,Request for Quotation,ການຮ້ອງຂໍສໍາລັບວົງຢືມ DocType: Salary Slip Timesheet,Working Hours,ຊົ່ວໂມງເຮັດວຽກ DocType: Naming Series,Change the starting / current sequence number of an existing series.,ການປ່ຽນແປງ / ຈໍານວນລໍາດັບການເລີ່ມຕົ້ນໃນປັດຈຸບັນຂອງໄລຍະການທີ່ມີຢູ່ແລ້ວ. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ສ້າງລູກຄ້າໃຫມ່ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,ສ້າງລູກຄ້າໃຫມ່ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ຖ້າຫາກວ່າກົດລະບຽບການຕັ້ງລາຄາທີ່ຫຼາກຫຼາຍສືບຕໍ່ໄຊຊະນະ, ຜູ້ໃຊ້ໄດ້ຮ້ອງຂໍໃຫ້ກໍານົດບຸລິມະສິດດ້ວຍຕົນເອງເພື່ອແກ້ໄຂບັນຫາຂໍ້ຂັດແຍ່ງ." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ສ້າງໃບສັ່ງຊື້ ,Purchase Register,ລົງທະບຽນການຊື້ @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,ຊື່ຜູ້ກວດສອບ DocType: Purchase Invoice Item,Quantity and Rate,ປະລິມານແລະອັດຕາການ DocType: Delivery Note,% Installed,% ການຕິດຕັ້ງ -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,ຫ້ອງຮຽນ / ຫ້ອງປະຕິບັດແລະອື່ນໆທີ່ບັນຍາຍສາມາດໄດ້ຮັບການກໍານົດ. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,ຫ້ອງຮຽນ / ຫ້ອງປະຕິບັດແລະອື່ນໆທີ່ບັນຍາຍສາມາດໄດ້ຮັບການກໍານົດ. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,ກະລຸນາໃສ່ຊື່ບໍລິສັດທໍາອິດ DocType: Purchase Invoice,Supplier Name,ຊື່ຜູ້ຜະລິດ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ອ່ານຄູ່ມື ERPNext @@ -490,7 +489,7 @@ DocType: Account,Old Parent,ພໍ່ແມ່ເກົ່າ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,ພາກສະຫນາມບັງຄັບ - ປີທາງວິຊາການ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,ພາກສະຫນາມບັງຄັບ - ປີທາງວິຊາການ DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ປັບຂໍ້ຄວາມແນະນໍາທີ່ດີເປັນສ່ວນຫນຶ່ງຂອງອີເມລ໌ທີ່ເປັນ. ແຕ່ລະຄົນມີຄວາມແນະນໍາທີ່ແຍກຕ່າງຫາກ. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},ກະລຸນາຕັ້ງບັນຊີທີ່ຕ້ອງຈ່າຍໃນຕອນຕົ້ນສໍາລັບການບໍລິສັດ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},ກະລຸນາຕັ້ງບັນຊີທີ່ຕ້ອງຈ່າຍໃນຕອນຕົ້ນສໍາລັບການບໍລິສັດ {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ການຕັ້ງຄ່າທົ່ວໂລກສໍາລັບຂະບວນການຜະລິດທັງຫມົດ. DocType: Accounts Settings,Accounts Frozen Upto,ບັນຊີ Frozen ເກີນ DocType: SMS Log,Sent On,ສົ່ງກ່ຽວກັບ @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,Accounts Payable apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,ໄດ້ແອບເປີ້ນເລືອກບໍ່ໄດ້ສໍາລັບການບໍ່ວ່າຈະເປັນ DocType: Pricing Rule,Valid Upto,ຖືກຕ້ອງບໍ່ເກີນ DocType: Training Event,Workshop,ກອງປະຊຸມ -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງລູກຄ້າຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງລູກຄ້າຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Parts ພຽງພໍທີ່ຈະກໍ່ສ້າງ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,ລາຍໄດ້ໂດຍກົງ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ບັນຊີ, ຖ້າຫາກວ່າເປັນກຸ່ມຕາມບັນຊີ" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,ກະລຸນາເລືອກລາຍວິຊາ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,ກະລຸນາເລືອກລາຍວິຊາ DocType: Timesheet Detail,Hrs,ຊົ່ວໂມງ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,ກະລຸນາເລືອກບໍລິສັດ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,ກະລຸນາເລືອກບໍລິສັດ DocType: Stock Entry Detail,Difference Account,ບັນຊີທີ່ແຕກຕ່າງກັນ DocType: Purchase Invoice,Supplier GSTIN,GSTIN Supplier apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,ສາມາດເຮັດໄດ້ບໍ່ແມ່ນວຽກງານຢ່າງໃກ້ຊິດເປັນວຽກງານຂຶ້ນຂອງຕົນ {0} ບໍ່ໄດ້ປິດ. @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,ກະລຸນາອະທິບາຍຊັ້ນສໍາລັບ Threshold 0% DocType: Sales Order,To Deliver,ການສົ່ງ DocType: Purchase Invoice Item,Item,ລາຍການ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serial ລາຍການທີ່ບໍ່ມີບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serial ລາຍການທີ່ບໍ່ມີບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ DocType: Journal Entry,Difference (Dr - Cr),ຄວາມແຕກຕ່າງກັນ (Dr - Cr) DocType: Account,Profit and Loss,ກໍາໄລແລະຂາດທຶນ apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,ການຄຸ້ມຄອງການ Subcontracting @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),ໄລຍະເວລາຮັບປ DocType: Installation Note Item,Installation Note Item,ການຕິດຕັ້ງຫມາຍເຫດລາຍການ DocType: Production Plan Item,Pending Qty,ຢູ່ລະຫວ່າງການຈໍານວນ DocType: Budget,Ignore,ບໍ່ສົນໃຈ -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} ບໍ່ເຮັດວຽກ +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} ບໍ່ເຮັດວຽກ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS ສົ່ງໄປຈໍານວນດັ່ງຕໍ່ໄປນີ້: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ຂະຫນາດການຕິດຕັ້ງການກວດສໍາລັບການພິມ DocType: Salary Slip,Salary Slip Timesheet,Timesheet ເງິນເດືອນ Slip @@ -687,8 +686,8 @@ DocType: Installation Note,IN-,IN- DocType: Production Order Operation,In minutes,ໃນນາທີ DocType: Issue,Resolution Date,ວັນທີ່ສະຫມັກການແກ້ໄຂ DocType: Student Batch Name,Batch Name,ຊື່ batch -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet ສ້າງ: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},ກະລຸນາທີ່ກໍານົດໄວ້ເງິນສົດໃນຕອນຕົ້ນຫຼືບັນຊີທະນາຄານໃນຮູບແບບການຊໍາລະເງິນ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet ສ້າງ: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},ກະລຸນາທີ່ກໍານົດໄວ້ເງິນສົດໃນຕອນຕົ້ນຫຼືບັນຊີທະນາຄານໃນຮູບແບບການຊໍາລະເງິນ {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ລົງທະບຽນ DocType: GST Settings,GST Settings,ການຕັ້ງຄ່າສີມູນຄ່າເພີ່ມ DocType: Selling Settings,Customer Naming By,ຊື່ລູກຄ້າໂດຍ @@ -708,7 +707,7 @@ DocType: Activity Cost,Projects User,ໂຄງການຜູ້ໃຊ້ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,ການບໍລິໂພກ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} ບໍ່ພົບເຫັນຢູ່ໃນຕາຕະລາງລາຍລະອຽດໃບແຈ້ງຫນີ້ DocType: Company,Round Off Cost Center,ຕະຫຼອດໄປສູນຕົ້ນທຶນ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Visit ບໍາລຸງຮັກສາ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Visit ບໍາລຸງຮັກສາ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ DocType: Item,Material Transfer,ອຸປະກອນການຖ່າຍໂອນ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ເປີດ (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},ປຊຊກິນເວລາຈະຕ້ອງຫຼັງຈາກ {0} @@ -717,7 +716,7 @@ DocType: Employee Loan,Total Interest Payable,ທີ່ຫນ້າສົນໃ DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ລູກຈ້າງພາສີອາກອນແລະຄ່າໃຊ້ຈ່າຍຄ່າບໍລິການ DocType: Production Order Operation,Actual Start Time,ເວລາທີ່ແທ້ຈິງ DocType: BOM Operation,Operation Time,ທີ່ໃຊ້ເວລາການດໍາເນີນງານ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,ສໍາເລັດຮູບ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,ສໍາເລັດຮູບ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,ຖານ DocType: Timesheet,Total Billed Hours,ທັງຫມົດຊົ່ວໂມງບິນ DocType: Journal Entry,Write Off Amount,ຂຽນ Off ຈໍານວນ @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),ມູນຄ່າໄມ (ຫຼ້າສ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,ການຕະຫຼາດ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Entry ການຈ່າຍເງິນແມ່ນສ້າງຮຽບຮ້ອຍແລ້ວ DocType: Purchase Receipt Item Supplied,Current Stock,Stock ປັດຈຸບັນ -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ໄດ້ຕິດພັນກັບການ Item {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ໄດ້ຕິດພັນກັບການ Item {2}" apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,ສະແດງຄວາມຜິດພາດພຽງເງິນເດືອນ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,ບັນຊີ {0} ໄດ້ຮັບການປ້ອນເວລາຫຼາຍ DocType: Account,Expenses Included In Valuation,ຄ່າໃຊ້ຈ່າຍລວມຢູ່ໃນການປະເມີນຄ່າ @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ຍານ DocType: Journal Entry,Credit Card Entry,Entry ບັດເຄດິດ apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,ບໍລິສັດແລະບັນຊີ apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,ສິນຄ້າທີ່ໄດ້ຮັບຈາກຜູ້ຜະລິດ. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,ໃນມູນຄ່າ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,ໃນມູນຄ່າ DocType: Lead,Campaign Name,ຊື່ການໂຄສະນາ DocType: Selling Settings,Close Opportunity After Days,ປິດໂອກາດຫຼັງຈາກວັນ ,Reserved,ລິຂະສິດ @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,ພະລັງງານ DocType: Opportunity,Opportunity From,ໂອກາດຈາກ apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,ຄໍາຖະແຫຼງທີ່ເງິນເດືອນ. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,ແຖວ {0}: {1} ຈໍານວນ Serial ຈໍາເປັນສໍາລັບລາຍການ {2}. ທ່ານໄດ້ສະຫນອງ {3}. DocType: BOM,Website Specifications,ຂໍ້ມູນຈໍາເພາະເວັບໄຊທ໌ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: ຈາກ {0} ຂອງປະເພດ {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: ປັດໄຈການແປງເປັນການບັງຄັບ DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ກົດລະບຽບລາຄາທີ່ຫຼາກຫຼາຍທີ່ມີຢູ່ກັບເງື່ອນໄຂດຽວກັນ, ກະລຸນາແກ້ໄຂບັນຫາຂໍ້ຂັດແຍ່ງໂດຍການມອບຫມາຍບູລິມະສິດ. ກົດລະບຽບລາຄາ: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,ບໍ່ສາມາດຍົກເລີກຫລືຍົກເລີກການ BOM ເປັນມັນແມ່ນການເຊື່ອມຕໍ່ກັບແອບເປີ້ນອື່ນໆ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,ບໍ່ສາມາດຍົກເລີກຫລືຍົກເລີກການ BOM ເປັນມັນແມ່ນການເຊື່ອມຕໍ່ກັບແອບເປີ້ນອື່ນໆ DocType: Opportunity,Maintenance,ບໍາລຸງຮັກສາ DocType: Item Attribute Value,Item Attribute Value,ລາຍການສະແດງທີ່ມູນຄ່າ apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,ຂະບວນການຂາຍ. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,ເຮັດໃຫ້ Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,ເຮັດໃຫ້ Timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -838,7 +838,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ການສ້າງຕັ້ງບັນຊີ Email apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,ກະລຸນາໃສ່ລາຍການທໍາອິດ DocType: Account,Liability,ຄວາມຮັບຜິດຊອບ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ທີ່ຖືກເກືອດຫ້າມຈໍານວນເງິນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກວ່າການຮຽກຮ້ອງຈໍານວນເງິນໃນແຖວ {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ທີ່ຖືກເກືອດຫ້າມຈໍານວນເງິນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກວ່າການຮຽກຮ້ອງຈໍານວນເງິນໃນແຖວ {0}. DocType: Company,Default Cost of Goods Sold Account,ມາດຕະຖານຄ່າໃຊ້ຈ່າຍຂອງບັນຊີສິນຄ້າຂາຍ apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,ບັນຊີລາຄາບໍ່ໄດ້ເລືອກ DocType: Employee,Family Background,ຄວາມເປັນມາຂອງຄອບຄົວ @@ -849,10 +849,10 @@ DocType: Company,Default Bank Account,ມາດຕະຖານບັນຊີທ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","ການກັ່ນຕອງໂດຍອີງໃສ່ພັກ, ເລືອກເອົາພັກປະເພດທໍາອິດ" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'ປັບປຸງ Stock' ບໍ່ສາມາດໄດ້ຮັບການກວດກາເພາະວ່າລາຍການຈະບໍ່ສົ່ງຜ່ານ {0} DocType: Vehicle,Acquisition Date,ຂອງທີ່ໄດ້ມາທີ່ສະຫມັກ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,ພວກເຮົາ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,ພວກເຮົາ DocType: Item,Items with higher weightage will be shown higher,ລາຍການທີ່ມີ weightage ສູງຂຶ້ນຈະໄດ້ຮັບການສະແດງໃຫ້ເຫັນສູງກວ່າ DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ທະນາຄານ Reconciliation ຂໍ້ມູນ -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,"ຕິດຕໍ່ກັນ, {0}: Asset {1} ຕ້ອງໄດ້ຮັບການສົ່ງ" +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,"ຕິດຕໍ່ກັນ, {0}: Asset {1} ຕ້ອງໄດ້ຮັບການສົ່ງ" apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ພະນັກງານທີ່ບໍ່ມີພົບເຫັນ DocType: Supplier Quotation,Stopped,ຢຸດເຊົາການ DocType: Item,If subcontracted to a vendor,ຖ້າຫາກວ່າເຫມົາຊ່ວງກັບຜູ້ຂາຍ @@ -869,7 +869,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,ຈໍານວນໃບ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ສູນຕົ້ນທຶນ {2} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} ບໍ່ສາມາດເປັນກຸ່ມ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ລາຍການຕິດຕໍ່ກັນ {idx}: {doctype} {docname} ບໍ່ມີຢູ່ໃນຂ້າງເທິງ '{doctype}' ຕາຕະລາງ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} ແມ່ນໄດ້ສໍາເລັດໄປແລ້ວຫລືຍົກເລີກ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} ແມ່ນໄດ້ສໍາເລັດໄປແລ້ວຫລືຍົກເລີກ apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ມີວຽກງານທີ່ DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ມື້ຂອງເດືອນທີ່ໃບເກັບເງິນອັດຕະໂນມັດຈະໄດ້ຮັບການຜະລິດເຊັ່ນ: 05, 28 ແລະອື່ນໆ" DocType: Asset,Opening Accumulated Depreciation,ເປີດຄ່າເສື່ອມລາຄາສະສົມ @@ -928,7 +928,7 @@ DocType: SMS Log,Requested Numbers,ຈໍານວນການຮ້ອງຂໍ DocType: Production Planning Tool,Only Obtain Raw Materials,ໄດ້ຮັບພຽງແຕ່ວັດຖຸດິບ apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,ການປະເມີນຜົນການປະຕິບັດ. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","ເຮັດໃຫ້ 'ການນໍາໃຊ້ສໍາລັບສິນຄ້າ, ເປັນການຄ້າໂຄງຮ່າງການເປີດໃຊ້ວຽກແລະຄວນຈະມີກົດລະບຽບພາສີຢ່າງຫນ້ອຍຫນຶ່ງສໍາລັບການຄ້າໂຄງຮ່າງການ" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entry ການຊໍາລະເງິນ {0} ແມ່ນການເຊື່ອມຕໍ່ກັບຄໍາສັ່ງ {1}, ເບິ່ງວ່າມັນຄວນຈະໄດ້ຮັບການດຶງເປັນລ່ວງຫນ້າໃນໃບເກັບເງິນນີ້." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entry ການຊໍາລະເງິນ {0} ແມ່ນການເຊື່ອມຕໍ່ກັບຄໍາສັ່ງ {1}, ເບິ່ງວ່າມັນຄວນຈະໄດ້ຮັບການດຶງເປັນລ່ວງຫນ້າໃນໃບເກັບເງິນນີ້." DocType: Sales Invoice Item,Stock Details,ລາຍລະອຽດ Stock apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,ມູນຄ່າໂຄງການ apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,ຈຸດຂອງການຂາຍ @@ -951,15 +951,15 @@ DocType: Naming Series,Update Series,ການປັບປຸງ Series DocType: Supplier Quotation,Is Subcontracted,ແມ່ນເຫມົາຊ່ວງ DocType: Item Attribute,Item Attribute Values,ຄ່າລາຍການຄຸນລັກສະນະ DocType: Examination Result,Examination Result,ຜົນການສອບເສັງ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,ຮັບຊື້ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,ຮັບຊື້ ,Received Items To Be Billed,ລາຍການທີ່ໄດ້ຮັບການໄດ້ຮັບການ billed -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ສົ່ງ Slips ເງິນເດືອນ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,ສົ່ງ Slips ເງິນເດືອນ apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,ອັດຕາແລກປ່ຽນສະກຸນເງິນຕົ້ນສະບັບ. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},ກະສານອ້າງອີງ DOCTYPE ຕ້ອງເປັນຫນຶ່ງໃນ {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ບໍ່ສາມາດຊອກຫາສະລັອດຕິງໃຊ້ເວລາໃນ {0} ວັນຕໍ່ໄປສໍາລັບການດໍາເນີນງານ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ບໍ່ສາມາດຊອກຫາສະລັອດຕິງໃຊ້ເວລາໃນ {0} ວັນຕໍ່ໄປສໍາລັບການດໍາເນີນງານ {1} DocType: Production Order,Plan material for sub-assemblies,ອຸປະກອນການວາງແຜນສໍາລັບອະນຸສະພາແຫ່ງ apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partners ການຂາຍແລະອານາເຂດ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} ຕ້ອງມີການເຄື່ອນໄຫວ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} ຕ້ອງມີການເຄື່ອນໄຫວ DocType: Journal Entry,Depreciation Entry,Entry ຄ່າເສື່ອມລາຄາ apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,ກະລຸນາເລືອກປະເພດເອກະສານທໍາອິດ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ຍົກເລີກການໄປຢ້ຽມຢາມວັດສະດຸ {0} ກ່ອນຍົກເລີກການນີ້ບໍາລຸງຮັກສາ Visit @@ -969,7 +969,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,ຈໍານວນທັງຫມົດ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publishing ອິນເຕີເນັດ DocType: Production Planning Tool,Production Orders,ສັ່ງຊື້ສິນຄ້າ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,ມູນຄ່າການດຸ່ນດ່ຽງ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,ມູນຄ່າການດຸ່ນດ່ຽງ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,ບັນຊີລາຄາຂາຍ apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,ເຜີຍແຜ່ການຊິງລາຍການ DocType: Bank Reconciliation,Account Currency,ສະກຸນເງິນບັນຊີ @@ -994,12 +994,12 @@ DocType: Employee,Exit Interview Details,ລາຍລະອຽດການທ່ DocType: Item,Is Purchase Item,ສັ່ງຊື້ສິນຄ້າ DocType: Asset,Purchase Invoice,ໃບເກັບເງິນຊື້ DocType: Stock Ledger Entry,Voucher Detail No,ຂໍ້ມູນຄູປອງ -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,ໃບເກັບເງິນໃນການຂາຍໃຫມ່ +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,ໃບເກັບເງິນໃນການຂາຍໃຫມ່ DocType: Stock Entry,Total Outgoing Value,ມູນຄ່າລາຍຈ່າຍທັງຫມົດ apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,ເປີດວັນທີ່ສະຫມັກແລະວັນທີຢ່າງໃກ້ຊິດຄວນຈະຢູ່ພາຍໃນດຽວກັນຂອງປີງົບປະມານ DocType: Lead,Request for Information,ການຮ້ອງຂໍສໍາລັບການຂໍ້ມູນຂ່າວສານ ,LeaderBoard,ກະດານ -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline ໃບແຈ້ງຫນີ້ +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline ໃບແຈ້ງຫນີ້ DocType: Payment Request,Paid,ການຊໍາລະເງິນ DocType: Program Fee,Program Fee,ຄ່າບໍລິການໂຄງການ DocType: Salary Slip,Total in words,ທັງຫມົດໃນຄໍາສັບຕ່າງໆ @@ -1007,7 +1007,7 @@ DocType: Material Request Item,Lead Time Date,Lead ວັນທີ່ເວລ DocType: Guardian,Guardian Name,ຊື່ຜູ້ປົກຄອງ DocType: Cheque Print Template,Has Print Format,ມີຮູບແບບພິມ DocType: Employee Loan,Sanctioned,ທີ່ຖືກເກືອດຫ້າມ -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,ເປັນການບັງຄັບ. ບາງທີບັນທຶກຕາແລກປ່ຽນເງິນບໍ່ໄດ້ສ້າງຂື້ນສໍາລັບການ +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,ເປັນການບັງຄັບ. ບາງທີບັນທຶກຕາແລກປ່ຽນເງິນບໍ່ໄດ້ສ້າງຂື້ນສໍາລັບການ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາລະບຸ Serial No ສໍາລັບລາຍການ {1}" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","ສໍາລັບລາຍການ 'Bundle ຜະລິດພັນ, ຄັງສິນຄ້າ, ບໍ່ມີ Serial ແລະ Batch ບໍ່ມີຈະໄດ້ຮັບການພິຈາລະນາຈາກ' Packing ຊີ 'ຕາຕະລາງ. ຖ້າຫາກວ່າ Warehouse ແລະ Batch ບໍ່ແມ່ນອັນດຽວກັນສໍາລັບລາຍການບັນຈຸທັງຫມົດສໍາລັບຄວາມຮັກ 'Bundle ຜະລິດພັນສິນຄ້າ, ຄຸນຄ່າເຫຼົ່ານັ້ນສາມາດໄດ້ຮັບເຂົ້າໄປໃນຕາຕະລາງລາຍການຕົ້ນຕໍ, ຄຸນຄ່າຈະໄດ້ຮັບການຄັດລອກໄປທີ່' Packing ຊີ 'ຕາຕະລາງ." DocType: Job Opening,Publish on website,ເຜີຍແຜ່ກ່ຽວກັບເວັບໄຊທ໌ @@ -1020,7 +1020,7 @@ DocType: Cheque Print Template,Date Settings,ການຕັ້ງຄ່າວ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ການປ່ຽນແປງ ,Company Name,ຊື່ບໍລິສັດ DocType: SMS Center,Total Message(s),ຂໍ້ຄວາມທັງຫມົດ (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,ເລືອກລາຍການສໍາລັບການຖ່າຍໂອນ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,ເລືອກລາຍການສໍາລັບການຖ່າຍໂອນ DocType: Purchase Invoice,Additional Discount Percentage,ເພີ່ມເຕີມຮ້ອຍສ່ວນລົດ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,ເບິ່ງບັນຊີລາຍຊື່ຂອງການທັງຫມົດການຊ່ວຍເຫຼືອວິດີໂອໄດ້ DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ເລືອກຫົວບັນຊີຂອງທະນາຄານບ່ອນທີ່ເຊັກອິນໄດ້ຝາກ. @@ -1035,7 +1035,7 @@ DocType: BOM,Raw Material Cost(Company Currency),ຕົ້ນທຶນວັດ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,ລາຍການທັງຫມົດໄດ້ຮັບການຍົກຍ້າຍສໍາລັບໃບສັ່ງຜະລິດນີ້. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ແຖວ # {0}: ອັດຕາບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາອັດຕາທີ່ໃຊ້ໃນ {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ແຖວ # {0}: ອັດຕາບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາອັດຕາທີ່ໃຊ້ໃນ {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Meter DocType: Workstation,Electricity Cost,ຄ່າໃຊ້ຈ່າຍໄຟຟ້າ DocType: HR Settings,Don't send Employee Birthday Reminders,ບໍ່ໄດ້ສົ່ງພະນັກງານວັນເດືອນປີເກີດເຕືອນ DocType: Item,Inspection Criteria,ເງື່ອນໄຂການກວດກາ @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,ໄດ້ຮັບການຄວາມກ້າວຫນ້າຂອງການຊໍາລະເງິນ DocType: Item,Automatically Create New Batch,ສ້າງ Batch ໃຫມ່ອັດຕະໂນມັດ DocType: Item,Automatically Create New Batch,ສ້າງ Batch ໃຫມ່ອັດຕະໂນມັດ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,ເຮັດໃຫ້ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,ເຮັດໃຫ້ DocType: Student Admission,Admission Start Date,ເປີດປະຕູຮັບວັນທີ່ DocType: Journal Entry,Total Amount in Words,ຈໍານວນທັງຫມົດໃນຄໍາສັບຕ່າງໆ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ມີຄວາມຜິດພາດ. ຫນຶ່ງໃນເຫດຜົນອາດຈະສາມາດຈະເປັນທີ່ທ່ານຍັງບໍ່ທັນໄດ້ບັນທຶກໄວ້ໃນແບບຟອມ. ກະລຸນາຕິດຕໍ່ຫາ support@erpnext.com ຖ້າຫາກວ່າບັນຫາຍັງຄົງ. @@ -1058,7 +1058,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,ໂຄງຮ່າງ apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ປະເພດຕ້ອງໄດ້ຮັບການຫນຶ່ງຂອງ {0} DocType: Lead,Next Contact Date,ຖັດໄປວັນທີ່ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ເປີດຈໍານວນ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,ກະລຸນາໃສ່ບັນຊີສໍາລັບການປ່ຽນແປງຈໍານວນເງິນ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,ກະລຸນາໃສ່ບັນຊີສໍາລັບການປ່ຽນແປງຈໍານວນເງິນ DocType: Student Batch Name,Student Batch Name,ຊື່ນັກ Batch DocType: Holiday List,Holiday List Name,ລາຍຊື່ຂອງວັນພັກ DocType: Repayment Schedule,Balance Loan Amount,ການດຸ່ນດ່ຽງຈໍານວນເງິນກູ້ @@ -1066,7 +1066,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ທາງເລືອກຫຼັກຊັບ DocType: Journal Entry Account,Expense Claim,ການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,ທ່ານກໍ່ຕ້ອງການທີ່ຈະຟື້ນຟູຊັບສິນຢຸດນີ້? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},ຈໍານວນ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},ຈໍານວນ {0} DocType: Leave Application,Leave Application,ການນໍາໃຊ້ອອກ apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,ອອກຈາກເຄື່ອງມືການຈັດສັນ DocType: Leave Block List,Leave Block List Dates,ອອກຈາກວັນ Block ຊີ @@ -1117,7 +1117,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,ຕໍ່ DocType: Item,Default Selling Cost Center,ມາດຕະຖານສູນຕົ້ນທຶນຂາຍ DocType: Sales Partner,Implementation Partner,Partner ການປະຕິບັດ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,ລະຫັດໄປສະນີ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,ລະຫັດໄປສະນີ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},ໃບສັ່ງຂາຍ {0} ເປັນ {1} DocType: Opportunity,Contact Info,ຂໍ້ມູນຕິດຕໍ່ apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,ເຮັດໃຫ້ການອອກສຽງ Stock @@ -1136,14 +1136,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,ຜູ້ເຂົ້າຮ່ວມ Freeze ວັນທີ່ DocType: School Settings,Attendance Freeze Date,ຜູ້ເຂົ້າຮ່ວມ Freeze ວັນທີ່ DocType: Opportunity,Your sales person who will contact the customer in future,ຄົນຂາຍຂອງທ່ານຜູ້ທີ່ຈະຕິດຕໍ່ຫາລູກຄ້າໃນອະນາຄົດ -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງຜູ້ສະຫນອງຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງຜູ້ສະຫນອງຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,ເບິ່ງສິນຄ້າທັງຫມົດ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead ຂັ້ນຕ່ໍາອາຍຸ (ວັນ) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead ຂັ້ນຕ່ໍາອາຍຸ (ວັນ) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,ແອບເປີ້ນທັງຫມົດ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,ແອບເປີ້ນທັງຫມົດ DocType: Company,Default Currency,ມາດຕະຖານສະກຸນເງິນ DocType: Expense Claim,From Employee,ຈາກພະນັກງານ -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ການເຕືອນໄພ: ລະບົບຈະບໍ່ກວດສອບ overbilling ນັບຕັ້ງແຕ່ຈໍານວນເງິນສໍາລັບລາຍການ {0} ໃນ {1} ເປັນສູນ +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ການເຕືອນໄພ: ລະບົບຈະບໍ່ກວດສອບ overbilling ນັບຕັ້ງແຕ່ຈໍານວນເງິນສໍາລັບລາຍການ {0} ໃນ {1} ເປັນສູນ DocType: Journal Entry,Make Difference Entry,ເຮັດໃຫ້ການເຂົ້າຄວາມແຕກຕ່າງ DocType: Upload Attendance,Attendance From Date,ຜູ້ເຂົ້າຮ່ວມຈາກວັນທີ່ DocType: Appraisal Template Goal,Key Performance Area,ພື້ນທີ່ການປະຕິບັດທີ່ສໍາຄັນ @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ຈໍານວນການຈົດທະບຽນບໍລິສັດສໍາລັບການກະສານອ້າງອີງຂອງທ່ານ. ຈໍານວນພາສີແລະອື່ນໆ DocType: Sales Partner,Distributor,ຈໍາຫນ່າຍ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ການຄ້າໂຄງຮ່າງກົດລະບຽບ Shipping -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,ສັ່ງຊື້ສິນຄ້າ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,ສັ່ງຊື້ສິນຄ້າ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',ກະລຸນາຕັ້ງ 'ສະຫມັກຕໍາສ່ວນລົດເພີ່ມເຕີມກ່ຽວກັບ' ,Ordered Items To Be Billed,ລາຍການຄໍາສັ່ງຈະ billed apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ຈາກລະດັບທີ່ຈະຫນ້ອຍມີກ່ວາເພື່ອ Range @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,ຫັກຄ່າໃຊ້ຈ່າຍ DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ປີເລີ່ມຕົ້ນ -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},ຫນ້າທໍາອິດ 2 ຕົວເລກຂອງ GSTIN ຄວນຈະມີຄໍາທີ່ມີຈໍານວນ State {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},ຫນ້າທໍາອິດ 2 ຕົວເລກຂອງ GSTIN ຄວນຈະມີຄໍາທີ່ມີຈໍານວນ State {0} DocType: Purchase Invoice,Start date of current invoice's period,ວັນທີເລີ່ມຕົ້ນຂອງໄລຍະເວລາໃບເກັບເງິນໃນປັດຈຸບັນ DocType: Salary Slip,Leave Without Pay,ອອກຈາກໂດຍບໍ່ມີການຈ່າຍ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Error ວາງແຜນຄວາມອາດສາມາດ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Error ວາງແຜນຄວາມອາດສາມາດ ,Trial Balance for Party,ດຸນການທົດລອງສໍາລັບການພັກ DocType: Lead,Consultant,ທີ່ປຶກສາ DocType: Salary Slip,Earnings,ລາຍຮັບຈາກການ @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,ການຕັ້ງຄ່າ pay DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ນີ້ຈະໄດ້ຮັບການຜນວກເຂົ້າກັບຂໍ້ມູນລະຫັດຂອງຕົວແປ. ສໍາລັບການຍົກຕົວຢ່າງ, ຖ້າຫາກວ່າຕົວຫຍໍ້ຂອງທ່ານແມ່ນ "SM", ແລະລະຫັດສິນຄ້າແມ່ນ "ເສື້ອທີເຊີດ", ລະຫັດສິນຄ້າຂອງ variant ຈະ "ເສື້ອທີເຊີດ, SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ຈ່າຍສຸດທິ (ໃນຄໍາສັບຕ່າງໆ) ຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດ Slip ເງິນເດືອນໄດ້. DocType: Purchase Invoice,Is Return,ແມ່ນກັບຄືນ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Return / ເດບິດຫມາຍເຫດ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Return / ເດບິດຫມາຍເຫດ DocType: Price List Country,Price List Country,ລາຄາປະເທດ DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} ພວກເຮົາອະນຸກົມທີ່ຖືກຕ້ອງສໍາລັບລາຍການ {1} @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,ຈ່າຍບາງສ່ວນ apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ຖານຂໍ້ມູນຜູ້ສະຫນອງ. DocType: Account,Balance Sheet,ງົບດຸນ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',ສູນເສຍຄ່າໃຊ້ຈ່າຍສໍາລັບການລາຍການທີ່ມີລະຫັດສິນຄ້າ ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ການຊໍາລະເງິນບໍ່ໄດ້ຖືກຕັ້ງ. ກະລຸນາກວດສອບ, ບໍ່ວ່າຈະເປັນບັນຊີໄດ້ຮັບການກໍານົດກ່ຽວກັບຮູບແບບການຊໍາລະເງິນຫຼືຂໍ້ມູນ POS." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ການຊໍາລະເງິນບໍ່ໄດ້ຖືກຕັ້ງ. ກະລຸນາກວດສອບ, ບໍ່ວ່າຈະເປັນບັນຊີໄດ້ຮັບການກໍານົດກ່ຽວກັບຮູບແບບການຊໍາລະເງິນຫຼືຂໍ້ມູນ POS." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,ຄົນຂາຍຂອງທ່ານຈະໄດ້ຮັບການເຕືອນໃນວັນນີ້ຈະຕິດຕໍ່ຫາລູກຄ້າ apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ລາຍການແມ່ນບໍ່ສາມາດເຂົ້າໄປໃນເວລາຫຼາຍ. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","ບັນຊີເພີ່ມເຕີມສາມາດເຮັດໄດ້ພາຍໃຕ້ການກຸ່ມ, ແຕ່ການອອກສຽງສາມາດຈະດໍາເນີນຕໍ່ບໍ່ແມ່ນ Groups" @@ -1231,7 +1231,7 @@ DocType: Employee Loan Application,Repayment Info,ຂໍ້ມູນການຊ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'ການອອກສຽງ' ບໍ່ສາມາດປ່ອຍຫວ່າງ apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},ຕິດຕໍ່ກັນຊ້ໍາກັນ {0} ກັບດຽວກັນ {1} ,Trial Balance,trial Balance -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,ປີງົບປະມານ {0} ບໍ່ໄດ້ພົບເຫັນ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,ປີງົບປະມານ {0} ບໍ່ໄດ້ພົບເຫັນ apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,ການສ້າງຕັ້ງພະນັກງານ DocType: Sales Order,SO-,ພົນລະ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,ກະລຸນາເລືອກຄໍານໍາຫນ້າທໍາອິດ @@ -1246,11 +1246,11 @@ DocType: Grading Scale,Intervals,ໄລຍະ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ທໍາອິດ apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","ເປັນກຸ່ມສິນຄ້າລາຄາທີ່ມີຊື່ດຽວກັນ, ກະລຸນາມີການປ່ຽນແປງຊື່ສິນຄ້າຫລືປ່ຽນຊື່ກຸ່ມລາຍການ" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ເລກນັກສຶກສາໂທລະສັບມືຖື -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ສ່ວນທີ່ເຫຼືອຂອງໂລກ +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,ສ່ວນທີ່ເຫຼືອຂອງໂລກ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ລາຍການ {0} ບໍ່ສາມາດມີ Batch ,Budget Variance Report,ງົບປະມານລາຍຕ່າງ DocType: Salary Slip,Gross Pay,ຈ່າຍລວມທັງຫມົດ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ຕິດຕໍ່ກັນ {0}: ປະເພດຂອງກິດຈະກໍາແມ່ນບັງຄັບ. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,ຕິດຕໍ່ກັນ {0}: ປະເພດຂອງກິດຈະກໍາແມ່ນບັງຄັບ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ເງິນປັນຜົນການຊໍາລະເງິນ apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Ledger ການບັນຊີ DocType: Stock Reconciliation,Difference Amount,ຈໍານວນທີ່ແຕກຕ່າງກັນ @@ -1273,18 +1273,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,ພະນັກງານອອກຈາກດຸນ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},ການດຸ່ນດ່ຽງບັນຊີ {0} ຕ້ອງສະເຫມີໄປຈະ {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},ອັດຕາມູນຄ່າທີ່ກໍານົດໄວ້ສໍາລັບລາຍການຕິດຕໍ່ກັນ {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ຍົກຕົວຢ່າງ: ປະລິນຍາໂທໃນວິທະຍາສາດຄອມພິວເຕີ +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,ຍົກຕົວຢ່າງ: ປະລິນຍາໂທໃນວິທະຍາສາດຄອມພິວເຕີ DocType: Purchase Invoice,Rejected Warehouse,ປະຕິເສດ Warehouse DocType: GL Entry,Against Voucher,ຕໍ່ Voucher DocType: Item,Default Buying Cost Center,ມາດຕະຖານ Center ຊື້ຕົ້ນທຶນ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ເພື່ອໃຫ້ໄດ້ຮັບທີ່ດີທີ່ສຸດຂອງ ERPNext, ພວກເຮົາແນະນໍາໃຫ້ທ່ານໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງແລະສັງເກດການຊ່ວຍເຫຼືອວິດີໂອເຫຼົ່ານີ້." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,ການ +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,ການ DocType: Supplier Quotation Item,Lead Time in days,ທີ່ໃຊ້ເວລາເປັນຜູ້ນໍາພາໃນວັນເວລາ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Accounts Payable Summary -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},ການຈ່າຍເງິນເດືອນຈາກ {0} ກັບ {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},ການຈ່າຍເງິນເດືອນຈາກ {0} ກັບ {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},ບໍ່ອະນຸຍາດໃຫ້ແກ້ໄຂບັນຊີ frozen {0} DocType: Journal Entry,Get Outstanding Invoices,ໄດ້ຮັບໃບແຈ້ງຫນີ້ທີ່ຍັງຄ້າງຄາ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,ໃບສັ່ງຂາຍ {0} ບໍ່ຖືກຕ້ອງ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,ໃບສັ່ງຂາຍ {0} ບໍ່ຖືກຕ້ອງ apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,ສັ່ງຊື້ຊ່ວຍໃຫ້ທ່ານວາງແຜນແລະປະຕິບັດຕາມເຖິງກ່ຽວກັບການຊື້ຂອງທ່ານ apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","ຂໍອະໄພ, ບໍລິສັດບໍ່ສາມາດລວມ" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1306,8 +1306,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,ຄ່າໃຊ້ຈ່າຍທາງອ້ອມ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ຕິດຕໍ່ກັນ {0}: ຈໍານວນເປັນການບັງຄັບ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,ການກະສິກໍາ -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync ຂໍ້ມູນຫລັກ -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານ +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync ຂໍ້ມູນຫລັກ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານ DocType: Mode of Payment,Mode of Payment,ຮູບແບບການຊໍາລະເງິນ apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,ເວັບໄຊທ໌ຮູບພາບຄວນຈະເປັນເອກະສານສາທາລະນະຫຼືທີ່ຢູ່ເວັບເວັບໄຊທ໌ DocType: Student Applicant,AP,AP @@ -1327,18 +1327,18 @@ DocType: Student Group Student,Group Roll Number,Group ຈໍານວນມ້ DocType: Student Group Student,Group Roll Number,Group ຈໍານວນມ້ວນ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, ພຽງແຕ່ລະເງິນກູ້ຢືມສາມາດໄດ້ຮັບການເຊື່ອມຕໍ່ເຂົ້າເດບິດອື່ນ" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,ຈໍານວນທັງຫມົດຂອງທັງຫມົດນ້ໍາວຽກງານຄວນຈະ 1. ກະລຸນາປັບປຸງນ້ໍາຂອງວຽກງານໂຄງການທັງຫມົດຕາມຄວາມເຫມາະສົມ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,ສົ່ງຫມາຍເຫດ {0} ບໍ່ໄດ້ສົ່ງ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,ສົ່ງຫມາຍເຫດ {0} ບໍ່ໄດ້ສົ່ງ apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,ລາຍການ {0} ຈະຕ້ອງເປັນອະນຸສັນຍາລາຍການ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ອຸປະກອນນະຄອນຫຼວງ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","ກົດລະບຽບການຕັ້ງລາຄາໄດ້ຖືກຄັດເລືອກທໍາອິດໂດຍອີງໃສ່ 'ສະຫມັກຕໍາກ່ຽວກັບ' ພາກສະຫນາມ, ທີ່ສາມາດຈະມີລາຍການ, ກຸ່ມສິນຄ້າຫຼືຍີ່ຫໍ້." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,ກະລຸນາຕັ້ງມູນລະຫັດທໍາອິດ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,ກະລຸນາຕັ້ງມູນລະຫັດທໍາອິດ DocType: Hub Settings,Seller Website,ຜູ້ຂາຍເວັບໄຊທ໌ DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,ອັດຕາສ່ວນການຈັດສັນທັງຫມົດສໍາລັບທີມງານການຂາຍຄວນຈະເປັນ 100 DocType: Appraisal Goal,Goal,ເປົ້າຫມາຍຂອງ DocType: Sales Invoice Item,Edit Description,ແກ້ໄຂລາຍລະອຽດ ,Team Updates,ການປັບປຸງທີມງານ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,ສໍາລັບຜູ້ຜະລິດ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,ສໍາລັບຜູ້ຜະລິດ DocType: Account,Setting Account Type helps in selecting this Account in transactions.,ການສ້າງຕັ້ງປະເພດບັນຊີຊ່ວຍໃນການຄັດເລືອກບັນຊີນີ້ໃນການຄ້າຂາຍ. DocType: Purchase Invoice,Grand Total (Company Currency),ລວມທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,ສ້າງຮູບແບບພິມ @@ -1352,12 +1352,12 @@ DocType: Item,Website Item Groups,ກຸ່ມສົນທະນາເວັບ DocType: Purchase Invoice,Total (Company Currency),ທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,ຈໍານວນ Serial {0} ເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງ DocType: Depreciation Schedule,Journal Entry,ວາລະສານການອອກສຽງ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} ລາຍການມີຄວາມຄືບຫນ້າ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} ລາຍການມີຄວາມຄືບຫນ້າ DocType: Workstation,Workstation Name,ຊື່ Workstation DocType: Grading Scale Interval,Grade Code,ລະຫັດ Grade DocType: POS Item Group,POS Item Group,ກຸ່ມສິນຄ້າ POS apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ອີເມວສໍາຄັນ: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1} DocType: Sales Partner,Target Distribution,ການແຜ່ກະຈາຍເປົ້າຫມາຍ DocType: Salary Slip,Bank Account No.,ເລກທີ່ບັນຊີທະນາຄານ DocType: Naming Series,This is the number of the last created transaction with this prefix,ນີ້ແມ່ນຈໍານວນຂອງການສ້າງຕັ້ງຂື້ນໃນທີ່ຜ່ານມາມີຄໍານໍາຫນ້ານີ້ @@ -1415,7 +1415,7 @@ DocType: Quotation,Shopping Cart,ໂຄງຮ່າງການໄປຊື້ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,avg ປະຈໍາວັນລາຍຈ່າຍ DocType: POS Profile,Campaign,ການໂຄສະນາ DocType: Supplier,Name and Type,ຊື່ແລະປະເພດ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',ສະຖານະການອະນຸມັດຕ້ອງໄດ້ຮັບການ 'ອະນຸມັດ' ຫລື 'ປະຕິເສດ' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',ສະຖານະການອະນຸມັດຕ້ອງໄດ້ຮັບການ 'ອະນຸມັດ' ຫລື 'ປະຕິເສດ' DocType: Purchase Invoice,Contact Person,ຕິດຕໍ່ບຸກຄົນ apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','ວັນທີຄາດວ່າເລີ່ມຕົ້ນ "ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ' ວັນທີຄາດວ່າສຸດທ້າຍ ' DocType: Course Scheduling Tool,Course End Date,ແນ່ນອນວັນທີ່ສິ້ນສຸດ @@ -1427,8 +1427,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,ບຸລິມະສິດ Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,ການປ່ຽນແປງສຸດທິໃນຊັບສິນຄົງທີ່ DocType: Leave Control Panel,Leave blank if considered for all designations,ໃຫ້ຫວ່າງໄວ້ຖ້າພິຈາລະນາສໍາລັບການອອກແບບທັງຫມົດ -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ຮັບຜິດຊອບຂອງປະເພດ 'ທີ່ແທ້ຈິງໃນການຕິດຕໍ່ກັນ {0} ບໍ່ສາມາດລວມຢູ່ໃນລາຄາສິນຄ້າ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},ສູງສຸດທີ່ເຄຍ: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ຮັບຜິດຊອບຂອງປະເພດ 'ທີ່ແທ້ຈິງໃນການຕິດຕໍ່ກັນ {0} ບໍ່ສາມາດລວມຢູ່ໃນລາຄາສິນຄ້າ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},ສູງສຸດທີ່ເຄຍ: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ຈາກ DATETIME DocType: Email Digest,For Company,ສໍາລັບບໍລິສັດ apps/erpnext/erpnext/config/support.py +17,Communication log.,ເຂົ້າສູ່ລະບົບການສື່ສານ. @@ -1469,7 +1469,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","profile ວຽ DocType: Journal Entry Account,Account Balance,ດຸນບັນຊີ apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ກົດລະບຽບອາກອນສໍາລັບທຸລະກໍາ. DocType: Rename Tool,Type of document to rename.,ປະເພດຂອງເອກະສານເພື່ອປ່ຽນຊື່. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,ພວກເຮົາຊື້ສິນຄ້ານີ້ +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,ພວກເຮົາຊື້ສິນຄ້ານີ້ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Customer ຈໍາເປັນຕ້ອງກັບບັນຊີລູກຫນີ້ {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ພາສີອາກອນທັງຫມົດແລະຄ່າບໍລິການ (ສະກຸນເງິນຂອງບໍລິສັດ) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,ສະແດງໃຫ້ເຫັນ P & ຍອດ L ປີງົບປະມານ unclosed ຂອງ @@ -1480,7 +1480,7 @@ DocType: Quality Inspection,Readings,ອ່ານ DocType: Stock Entry,Total Additional Costs,ທັງຫມົດຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Cost Scrap ການວັດສະດຸ (ບໍລິສັດສະກຸນເງິນ) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,ປະກອບຍ່ອຍ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,ປະກອບຍ່ອຍ DocType: Asset,Asset Name,ຊື່ຊັບສິນ DocType: Project,Task Weight,ວຽກງານນ້ໍາຫນັກ DocType: Shipping Rule Condition,To Value,ກັບມູນຄ່າ @@ -1509,7 +1509,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variants ລາຍກາ DocType: Company,Services,ການບໍລິການ DocType: HR Settings,Email Salary Slip to Employee,Email ເງິນເດືອນ Slip ກັບພະນັກງານ DocType: Cost Center,Parent Cost Center,ສູນຕົ້ນທຶນຂອງພໍ່ແມ່ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,ເລືອກຜູ້ຜະລິດທີ່ເປັນໄປໄດ້ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,ເລືອກຜູ້ຜະລິດທີ່ເປັນໄປໄດ້ DocType: Sales Invoice,Source,ແຫຼ່ງຂໍ້ມູນ apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,ສະແດງໃຫ້ເຫັນປິດ DocType: Leave Type,Is Leave Without Pay,ແມ່ນອອກຈາກໂດຍບໍ່ມີການຈ່າຍ @@ -1521,7 +1521,7 @@ DocType: POS Profile,Apply Discount,ສະຫມັກຕໍາລົດ DocType: GST HSN Code,GST HSN Code,GST Code HSN DocType: Employee External Work History,Total Experience,ຕໍາແຫນ່ງທີ່ທັງຫມົດ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ເປີດໂຄງການ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,ບັນຈຸ (s) ຍົກເລີກ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,ບັນຈຸ (s) ຍົກເລີກ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ກະແສເງິນສົດຈາກການລົງທຶນ DocType: Program Course,Program Course,ຫລັກສູດ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ຂົນສົ່ງສິນຄ້າແລະການສົ່ງຕໍ່ຄ່າບໍລິການ @@ -1562,9 +1562,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,ການລົງທະບຽນໂຄງການ DocType: Sales Invoice Item,Brand Name,ຊື່ຍີ່ຫໍ້ DocType: Purchase Receipt,Transporter Details,ລາຍລະອຽດການຂົນສົ່ງ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,ສາງມາດຕະຖານທີ່ຕ້ອງການສໍາລັບການເລືອກເອົາລາຍການ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Box -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,ຜູ້ຜະລິດທີ່ເປັນໄປໄດ້ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,ສາງມາດຕະຖານທີ່ຕ້ອງການສໍາລັບການເລືອກເອົາລາຍການ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Box +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,ຜູ້ຜະລິດທີ່ເປັນໄປໄດ້ DocType: Budget,Monthly Distribution,ການແຜ່ກະຈາຍປະຈໍາເດືອນ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ຮັບບັນຊີບໍ່ມີ. ກະລຸນາສ້າງບັນຊີຮັບ DocType: Production Plan Sales Order,Production Plan Sales Order,ການຜະລິດແຜນຂາຍສິນຄ້າ @@ -1597,7 +1597,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,ຮຽກຮ apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","ນັກສຶກສາແມ່ນຢູ່ໃນຫົວໃຈຂອງລະບົບການ, ເພີ່ມນັກສຶກສາຂອງທ່ານທັງຫມົດ" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},"ຕິດຕໍ່ກັນ, {0}: ວັນ Clearance {1} ບໍ່ສາມາດກ່ອນທີ່ວັນ Cheque {2}" DocType: Company,Default Holiday List,ມາດຕະຖານບັນຊີ Holiday -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ຕິດຕໍ່ກັນ {0}: ຈາກທີ່ໃຊ້ເວລາແລະການໃຊ້ເວລາຂອງ {1} ແມ່ນ overlapping ກັບ {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},ຕິດຕໍ່ກັນ {0}: ຈາກທີ່ໃຊ້ເວລາແລະການໃຊ້ເວລາຂອງ {1} ແມ່ນ overlapping ກັບ {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,ຫນີ້ສິນ Stock DocType: Purchase Invoice,Supplier Warehouse,Supplier Warehouse DocType: Opportunity,Contact Mobile No,ການຕິດຕໍ່ໂທລະສັບມືຖື @@ -1613,18 +1613,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},ອອກຈາກການປະເພດ {0} ບໍ່ສາມາດຈະຕໍ່ໄປອີກແລ້ວກ່ວາ {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,ພະຍາຍາມການວາງແຜນການດໍາເນີນງານສໍາລັບມື້ X ໃນການລ່ວງຫນ້າ. DocType: HR Settings,Stop Birthday Reminders,ຢຸດວັນເດືອນປີເກີດເຕືອນ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},ກະລຸນາທີ່ກໍານົດໄວ້ມາດຕະຖານ Payroll Account Payable ໃນບໍລິສັດ {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},ກະລຸນາທີ່ກໍານົດໄວ້ມາດຕະຖານ Payroll Account Payable ໃນບໍລິສັດ {0} DocType: SMS Center,Receiver List,ບັນຊີຮັບ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,ຄົ້ນຫາສິນຄ້າ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,ຄົ້ນຫາສິນຄ້າ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ຈໍານວນການບໍລິໂພກ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,ການປ່ຽນແປງສຸດທິໃນເງິນສົດ DocType: Assessment Plan,Grading Scale,ຂະຫນາດການຈັດລໍາດັບ apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ຫນ່ວຍບໍລິການຂອງການ {0} ໄດ້ຮັບເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງໃນການສົນທະນາປັດໄຈຕາຕະລາງ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,ສໍາເລັດແລ້ວ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,ສໍາເລັດແລ້ວ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock ໃນມື apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ຄໍາຂໍຊໍາລະຢູ່ແລ້ວ {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,ຄ່າໃຊ້ຈ່າຍຂອງລາຍການອອກ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},ປະລິມານຈະຕ້ອງບໍ່ຫຼາຍກ່ວາ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},ປະລິມານຈະຕ້ອງບໍ່ຫຼາຍກ່ວາ {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,ກ່ອນຫນ້າປີດ້ານການເງິນແມ່ນບໍ່ມີການປິດ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),ອາຍຸສູງສຸດ (ວັນ) DocType: Quotation Item,Quotation Item,ສະເຫນີລາຄາສິນຄ້າ @@ -1638,6 +1638,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,ເອກະສານກະສານອ້າງອີງ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ຖືກຍົກເລີກຫຼືຢຸດເຊົາການ DocType: Accounts Settings,Credit Controller,ຄວບຄຸມການປ່ອຍສິນເຊື່ອ +DocType: Sales Order,Final Delivery Date,ສຸດທ້າຍວັນທີ່ສົ່ງ DocType: Delivery Note,Vehicle Dispatch Date,ຍານພາຫະນະວັນຫນັງສືທາງການ DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ຊື້ຮັບ {0} ບໍ່ໄດ້ສົ່ງ @@ -1730,9 +1731,9 @@ DocType: Employee,Date Of Retirement,ວັນທີ່ສະຫມັກບໍ DocType: Upload Attendance,Get Template,ໄດ້ຮັບ Template DocType: Material Request,Transferred,ໂອນ DocType: Vehicle,Doors,ປະຕູ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Setup ERPNext ສໍາເລັດ! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Setup ERPNext ສໍາເລັດ! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Breakup ພາສີ +DocType: Purchase Invoice,Tax Breakup,Breakup ພາສີ DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ສູນຕົ້ນທຶນທີ່ຕ້ອງການສໍາລັບການ 'ກໍາໄຮຂາດທຶນບັນຊີ {2}. ກະລຸນາສ້າງຕັ້ງຂຶ້ນເປັນສູນຕົ້ນທຶນມາດຕະຖານສໍາລັບການບໍລິສັດ. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A ກຸ່ມລູກຄ້າທີ່ມີຢູ່ມີຊື່ດຽວກັນກະລຸນາມີການປ່ຽນແປງຊື່ລູກຄ້າຫຼືປ່ຽນຊື່ກຸ່ມລູກຄ້າ @@ -1745,14 +1746,14 @@ DocType: Announcement,Instructor,instructor DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ຖ້າຫາກວ່າລາຍການນີ້ມີ variants, ຫຼັງຈາກນັ້ນມັນກໍສາມາດບໍ່ໄດ້ຮັບການຄັດເລືອກໃນໃບສັ່ງຂາຍແລະອື່ນໆ" DocType: Lead,Next Contact By,ຕິດຕໍ່ຕໍ່ໄປໂດຍ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},ປະລິມານທີ່ກໍານົດໄວ້ສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},ປະລິມານທີ່ກໍານົດໄວ້ສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} ບໍ່ສາມາດໄດ້ຮັບການລຶບເປັນປະລິມານທີ່ມີຢູ່ສໍາລັບລາຍການ {1} DocType: Quotation,Order Type,ປະເພດຄໍາສັ່ງ DocType: Purchase Invoice,Notification Email Address,ແຈ້ງທີ່ຢູ່ອີເມວ ,Item-wise Sales Register,ລາຍການສະຫລາດ Sales ຫມັກສະມາຊິກ DocType: Asset,Gross Purchase Amount,ການຊື້ທັງຫມົດ DocType: Asset,Depreciation Method,ວິທີການຄ່າເສື່ອມລາຄາ -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ອອຟໄລ +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ອອຟໄລ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ເປັນພາສີນີ້ລວມຢູ່ໃນອັດຕາພື້ນຖານ? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,ເປົ້າຫມາຍທັງຫມົດ DocType: Job Applicant,Applicant for a Job,ສະຫມັກວຽກຄິກທີ່ນີ້ @@ -1774,7 +1775,7 @@ DocType: Employee,Leave Encashed?,ອອກຈາກ Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ໂອກາດຈາກພາກສະຫນາມເປັນການບັງຄັບ DocType: Email Digest,Annual Expenses,ຄ່າໃຊ້ຈ່າຍປະຈໍາປີ DocType: Item,Variants,variants -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,ເຮັດໃຫ້ການສັ່ງຊື້ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,ເຮັດໃຫ້ການສັ່ງຊື້ DocType: SMS Center,Send To,ສົ່ງເຖິງ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ຍັງບໍ່ທັນມີຄວາມສົມດູນອອກພຽງພໍສໍາລັບການອອກຈາກປະເພດ {0} DocType: Payment Reconciliation Payment,Allocated amount,ຈໍານວນເງິນທີ່ຈັດສັນ @@ -1782,7 +1783,7 @@ DocType: Sales Team,Contribution to Net Total,ການປະກອບສ່ວ DocType: Sales Invoice Item,Customer's Item Code,ຂອງລູກຄ້າລະຫັດສິນຄ້າ DocType: Stock Reconciliation,Stock Reconciliation,Stock Reconciliation DocType: Territory,Territory Name,ຊື່ອານາເຂດ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,ການເຮັດວຽກໃນຄວາມຄືບຫນ້າ Warehouse ກ່ອນການຍື່ນສະເຫນີການ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,ການເຮັດວຽກໃນຄວາມຄືບຫນ້າ Warehouse ກ່ອນການຍື່ນສະເຫນີການ apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,ສະຫມັກສໍາລັບການວຽກເຮັດງານທໍາໄດ້. DocType: Purchase Order Item,Warehouse and Reference,ຄັງສິນຄ້າແລະເອກສານອ້າງອິງ DocType: Supplier,Statutory info and other general information about your Supplier,ຂໍ້ມູນນິຕິບັນຍັດແລະຂໍ້ມູນທົ່ວໄປອື່ນໆກ່ຽວກັບຜູ້ຜະລິດຂອງທ່ານ @@ -1795,16 +1796,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,ການປະເມີນຜ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},ຊ້ໍາບໍ່ມີ Serial ເຂົ້າສໍາລັບລາຍການ {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,A ເງື່ອນໄຂສໍາລັບລະບຽບການຈັດສົ່ງສິນຄ້າ apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ກະລຸນາໃສ່ -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ບໍ່ສາມາດ overbill ສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1} ຫຼາຍກ່ວາ {2}. ການອະນຸຍາດໃຫ້ຫຼາຍກວ່າ, ໃບບິນ, ກະລຸນາເກັບໄວ້ໃນຊື້ Settings" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,ກະລຸນາທີ່ກໍານົດໄວ້ການກັ່ນຕອງໂດຍອີງໃສ່ລາຍການຫຼື Warehouse +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ບໍ່ສາມາດ overbill ສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1} ຫຼາຍກ່ວາ {2}. ການອະນຸຍາດໃຫ້ຫຼາຍກວ່າ, ໃບບິນ, ກະລຸນາເກັບໄວ້ໃນຊື້ Settings" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,ກະລຸນາທີ່ກໍານົດໄວ້ການກັ່ນຕອງໂດຍອີງໃສ່ລາຍການຫຼື Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ນ້ໍາສຸດທິຂອງຊຸດນີ້. (ການຄິດໄລ່ອັດຕະໂນມັດເປັນຜົນລວມຂອງນ້ໍາຫນັກສຸດທິຂອງລາຍການ) DocType: Sales Order,To Deliver and Bill,ການສົ່ງແລະບັນຊີລາຍການ DocType: Student Group,Instructors,instructors DocType: GL Entry,Credit Amount in Account Currency,ການປ່ອຍສິນເຊື່ອໃນສະກຸນເງິນບັນຊີ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} ຕ້ອງໄດ້ຮັບການສົ່ງ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} ຕ້ອງໄດ້ຮັບການສົ່ງ DocType: Authorization Control,Authorization Control,ການຄວບຄຸມການອະນຸຍາດ apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດ Warehouse ເປັນການບັງຄັບຕໍ່ຕ້ານສິນຄ້າປະຕິເສດ {1}" -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,ການຊໍາລະເງິນ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,ການຊໍາລະເງິນ apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} ບໍ່ໄດ້ເຊື່ອມໂຍງກັບບັນຊີໃດ, ກະລຸນາລະບຸບັນຊີໃນບັນທຶກສາງຫຼືກໍານົດບັນຊີສິນຄ້າຄົງຄັງໃນຕອນຕົ້ນໃນບໍລິສັດ {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,ການຄຸ້ມຄອງຄໍາສັ່ງຂອງທ່ານ DocType: Production Order Operation,Actual Time and Cost,ທີ່ໃຊ້ເວລາແລະຄ່າໃຊ້ຈ່າຍຕົວຈິງ @@ -1820,12 +1821,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,ລາ DocType: Quotation Item,Actual Qty,ຕົວຈິງຈໍານວນ DocType: Sales Invoice Item,References,ເອກະສານ DocType: Quality Inspection Reading,Reading 10,ອ່ານ 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","ລາຍຊື່ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານທີ່ທ່ານຈະຊື້ຫຼືຂາຍ. ເຮັດໃຫ້ແນ່ໃຈວ່າການກວດສອບການກຸ່ມສິນຄ້າ, ຫນ່ວຍງານຂອງມາດຕະການແລະຄຸນສົມບັດອື່ນໆໃນເວລາທີ່ທ່ານຈະເລີ່ມຕົ້ນ." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","ລາຍຊື່ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານທີ່ທ່ານຈະຊື້ຫຼືຂາຍ. ເຮັດໃຫ້ແນ່ໃຈວ່າການກວດສອບການກຸ່ມສິນຄ້າ, ຫນ່ວຍງານຂອງມາດຕະການແລະຄຸນສົມບັດອື່ນໆໃນເວລາທີ່ທ່ານຈະເລີ່ມຕົ້ນ." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,ທ່ານໄດ້ເຂົ້າໄປລາຍການລາຍການທີ່ຊ້ໍາ. ກະລຸນາແກ້ໄຂແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ສະມາຄົມ +DocType: Company,Sales Target,ເປົ້າຫມາຍການຂາຍ DocType: Asset Movement,Asset Movement,ການເຄື່ອນໄຫວຊັບສິນ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,ໂຄງຮ່າງການໃຫມ່ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,ໂຄງຮ່າງການໃຫມ່ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ລາຍການ {0} ບໍ່ແມ່ນລາຍການຕໍ່ເນື່ອງ DocType: SMS Center,Create Receiver List,ສ້າງບັນຊີຮັບ DocType: Vehicle,Wheels,ຂັບລົດ @@ -1867,13 +1869,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,ການຄຸ້ DocType: Supplier,Supplier of Goods or Services.,ຜູ້ສະຫນອງສິນຄ້າຫຼືການບໍລິການ. DocType: Budget,Fiscal Year,ປີງົບປະມານ DocType: Vehicle Log,Fuel Price,ລາຄານໍ້າມັນເຊື້ອໄຟ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງນໍ້າເບີຊຸດສໍາລັບຜູ້ເຂົ້າຮ່ວມໂດຍຜ່ານການຕິດຕັ້ງ> Numbering Series DocType: Budget,Budget,ງົບປະມານ apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,ລາຍການສິນຊັບຖາວອນຕ້ອງຈະເປັນລາຍການບໍ່ແມ່ນຫຼັກຊັບ. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ງົບປະມານບໍ່ສາມາດໄດ້ຮັບການມອບຫມາຍຕໍ່ຕ້ານ {0}, ຍ້ອນວ່າມັນບໍ່ແມ່ນເປັນບັນຊີລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍ" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ໄດ້ບັນລຸຜົນ DocType: Student Admission,Application Form Route,ຄໍາຮ້ອງສະຫມັກແບບຟອມການເສັ້ນທາງ apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,ອານາເຂດຂອງ / ລູກຄ້າ -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,ຕົວຢ່າງ: 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,ຕົວຢ່າງ: 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ອອກຈາກປະເພດ {0} ບໍ່ສາມາດຈັດຕັ້ງແຕ່ມັນໄດ້ຖືກອອກໂດຍບໍ່ມີການຈ່າຍເງິນ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ຕິດຕໍ່ກັນ {0}: ຈັດສັນຈໍານວນເງິນ {1} ຕ້ອງຫນ້ອຍກ່ວາຫຼືເທົ່າກັບໃບເກັບເງິນຈໍານວນທີ່ຍັງຄ້າງຄາ {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດໃບກໍາກັບສິນ Sales. @@ -1882,11 +1885,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,ລາຍການ {0} ບໍ່ແມ່ນການຕິດຕັ້ງສໍາລັບການ Serial Nos. ກວດສອບການຕົ້ນສະບັບລາຍການ DocType: Maintenance Visit,Maintenance Time,ທີ່ໃຊ້ເວລາບໍາລຸງຮັກສາ ,Amount to Deliver,ຈໍານວນການສົ່ງ -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,A ຜະລິດຕະພັນຫຼືການບໍລິການ +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,A ຜະລິດຕະພັນຫຼືການບໍລິການ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ວັນທີໄລຍະເລີ່ມຕົ້ນບໍ່ສາມາດຈະກ່ອນຫນ້ານັ້ນກ່ວາປີເລີ່ມວັນທີຂອງປີທາງວິຊາການທີ່ໃນໄລຍະການມີການເຊື່ອມຕໍ່ (ປີທາງວິຊາການ {}). ກະລຸນາແກ້ໄຂຂໍ້ມູນວັນແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ. DocType: Guardian,Guardian Interests,ຄວາມສົນໃຈຜູ້ປົກຄອງ DocType: Naming Series,Current Value,ມູນຄ່າປະຈຸບັນ -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,ປີງົບປະມານຫຼາຍມີສໍາລັບວັນທີ {0}. ກະລຸນາຕັ້ງບໍລິສັດໃນປີງົບປະມານ +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,ປີງົບປະມານຫຼາຍມີສໍາລັບວັນທີ {0}. ກະລຸນາຕັ້ງບໍລິສັດໃນປີງົບປະມານ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} ສ້າງ DocType: Delivery Note Item,Against Sales Order,ຕໍ່ຂາຍສິນຄ້າ ,Serial No Status,ບໍ່ມີ Serial ສະຖານະ @@ -1899,7 +1902,7 @@ DocType: Pricing Rule,Selling,ຂາຍ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},ຈໍານວນ {0} {1} ຫັກຕໍ່ {2} DocType: Employee,Salary Information,ຂໍ້ມູນເງິນເດືອນ DocType: Sales Person,Name and Employee ID,ຊື່ແລະລະຫັດພະນັກງານ -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,ເນື່ອງຈາກວັນທີບໍ່ສາມາດກ່ອນທີ່ໂພດວັນທີ່ +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,ເນື່ອງຈາກວັນທີບໍ່ສາມາດກ່ອນທີ່ໂພດວັນທີ່ DocType: Website Item Group,Website Item Group,ກຸ່ມສິນຄ້າເວັບໄຊທ໌ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,ຫນ້າທີ່ແລະພາສີອາກອນ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,ກະລຸນາໃສ່ວັນທີເອກະສານ @@ -1956,9 +1959,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},ກະລຸນາຕັ້ງວັນທີ່ຂອງການເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ {0} DocType: Task,Total Billing Amount (via Time Sheet),ຈໍານວນການເອີ້ນເກັບເງິນທັງຫມົດ (ໂດຍຜ່ານທີ່ໃຊ້ເວລາ Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ລາຍການລູກຄ້າຊ້ໍາ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ຕ້ອງມີພາລະບົດບາດ 'ຄ່າໃຊ້ຈ່າຍການອະນຸມັດ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,ຄູ່ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,ເລືອກ BOM ແລະຈໍານວນການຜະລິດ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ຕ້ອງມີພາລະບົດບາດ 'ຄ່າໃຊ້ຈ່າຍການອະນຸມັດ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,ຄູ່ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,ເລືອກ BOM ແລະຈໍານວນການຜະລິດ DocType: Asset,Depreciation Schedule,ຕາຕະລາງຄ່າເສື່ອມລາຄາ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ທີ່ຢູ່ Partner ຂາຍແລະຕິດຕໍ່ DocType: Bank Reconciliation Detail,Against Account,ຕໍ່ບັນຊີ @@ -1968,7 +1971,7 @@ DocType: Item,Has Batch No,ມີ Batch No apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},ການເອີ້ນເກັບເງິນປະຈໍາປີ: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ສິນຄ້າແລະບໍລິການພາສີ (GST ອິນເດຍ) DocType: Delivery Note,Excise Page Number,ອາກອນຊົມໃຊ້ຈໍານວນຫນ້າ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","ບໍລິສັດ, ຈາກວັນທີ່ສະຫມັກແລະວັນທີບັງຄັບ" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","ບໍລິສັດ, ຈາກວັນທີ່ສະຫມັກແລະວັນທີບັງຄັບ" DocType: Asset,Purchase Date,ວັນທີ່ຊື້ DocType: Employee,Personal Details,ຂໍ້ມູນສ່ວນຕົວ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},ກະລຸນາຕັ້ງຊັບ Center ຄ່າເສື່ອມລາຄາຕົ້ນທຶນໃນບໍລິສັດ {0} @@ -1977,9 +1980,9 @@ DocType: Task,Actual End Date (via Time Sheet),ຕົວຈິງວັນທີ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},ຈໍານວນ {0} {1} ກັບ {2} {3} ,Quotation Trends,ແນວໂນ້ມວົງຢືມ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ກຸ່ມສິນຄ້າບໍ່ໄດ້ກ່າວເຖິງໃນຕົ້ນສະບັບລາຍການສໍາລັບການ item {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີລູກຫນີ້ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີລູກຫນີ້ DocType: Shipping Rule Condition,Shipping Amount,ການຂົນສົ່ງຈໍານວນເງິນ -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,ຕື່ມການລູກຄ້າ +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,ຕື່ມການລູກຄ້າ apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ທີ່ຍັງຄ້າງຈໍານວນ DocType: Purchase Invoice Item,Conversion Factor,ປັດໄຈການປ່ຽນແປງ DocType: Purchase Order,Delivered,ສົ່ງ @@ -2002,7 +2005,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,ປະກອບມີກ DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","ຂອງລາຍວິຊາຂອງພໍ່ແມ່ (ອອກ blank, ຖ້າຫາກວ່ານີ້ບໍ່ແມ່ນສ່ວນຫນຶ່ງຂອງພໍ່ແມ່ຂອງລາຍວິຊາ)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","ຂອງລາຍວິຊາຂອງພໍ່ແມ່ (ອອກ blank, ຖ້າຫາກວ່ານີ້ບໍ່ແມ່ນສ່ວນຫນຶ່ງຂອງພໍ່ແມ່ຂອງລາຍວິຊາ)" DocType: Leave Control Panel,Leave blank if considered for all employee types,ໃຫ້ຫວ່າງໄວ້ຖ້າພິຈາລະນາສໍາລັບທຸກປະເພດຂອງພະນັກງານ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Customer> Group Customer> ອານາເຂດ DocType: Landed Cost Voucher,Distribute Charges Based On,ການແຈກຢາຍຄ່າບໍລິການຂຶ້ນຢູ່ກັບ apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,ການຕັ້ງຄ່າ HR @@ -2010,7 +2012,7 @@ DocType: Salary Slip,net pay info,ຂໍ້ມູນການຈ່າຍເງ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,ຄ່າໃຊ້ຈ່າຍການຮຽກຮ້ອງແມ່ນທີ່ຍັງຄ້າງການອະນຸມັດ. ພຽງແຕ່ອະນຸມັດຄ່າໃຊ້ຈ່າຍທີ່ສາມາດປັບປຸງສະຖານະພາບ. DocType: Email Digest,New Expenses,ຄ່າໃຊ້ຈ່າຍໃຫມ່ DocType: Purchase Invoice,Additional Discount Amount,ເພີ່ມເຕີມຈໍານວນສ່ວນລົດ -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ຕິດຕໍ່ກັນ, {0}: ຈໍານວນປະມານ 1 ປີ, ເປັນລາຍການເປັນສິນຊັບຖາວອນ. ກະລຸນາໃຊ້ຕິດຕໍ່ກັນທີ່ແຍກຕ່າງຫາກສໍາລັບການຈໍານວນຫຼາຍ." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ຕິດຕໍ່ກັນ, {0}: ຈໍານວນປະມານ 1 ປີ, ເປັນລາຍການເປັນສິນຊັບຖາວອນ. ກະລຸນາໃຊ້ຕິດຕໍ່ກັນທີ່ແຍກຕ່າງຫາກສໍາລັບການຈໍານວນຫຼາຍ." DocType: Leave Block List Allow,Leave Block List Allow,ອອກຈາກສະໄຫມອະນຸຍາດໃຫ້ apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,abbr ບໍ່ສາມາດມີຊ່ອງຫວ່າງຫຼືຊ່ອງ apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,ກຸ່ມທີ່ບໍ່ແມ່ນກຸ່ມ @@ -2018,7 +2020,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ກິລາ DocType: Loan Type,Loan Name,ຊື່ການກູ້ຢືມເງິນ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,ທັງຫມົດທີ່ເກີດຂຶ້ນຈິງ DocType: Student Siblings,Student Siblings,ອ້າຍເອື້ອຍນ້ອງນັກສຶກສາ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,ຫນ່ວຍບໍລິການ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,ຫນ່ວຍບໍລິການ apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,ກະລຸນາລະບຸບໍລິສັດ ,Customer Acquisition and Loyalty,ຂອງທີ່ໄດ້ມາຂອງລູກຄ້າແລະຄວາມຈົງຮັກພັກ DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse ບ່ອນທີ່ທ່ານກໍາລັງຮັກສາຫຼັກຊັບຂອງລາຍການຖືກປະຕິເສດ @@ -2037,12 +2039,12 @@ DocType: Workstation,Wages per hour,ຄ່າແຮງງານຕໍ່ຊົ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ຄວາມສົມດູນໃນ Batch {0} ຈະກາຍເປັນກະທົບທາງລົບ {1} ສໍາລັບລາຍການ {2} ທີ່ Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ປະຕິບັດຕາມການຮ້ອງຂໍການວັດສະດຸໄດ້ຮັບການຍົກຂຶ້ນມາອັດຕະໂນມັດອີງຕາມລະດັບ Re: ສັ່ງຊື້ສິນຄ້າຂອງ DocType: Email Digest,Pending Sales Orders,ລໍຖ້າຄໍາສັ່ງຂາຍ -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},ບັນຊີ {0} ບໍ່ຖືກຕ້ອງ. ບັນຊີສະກຸນເງິນຈະຕ້ອງ {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},ບັນຊີ {0} ບໍ່ຖືກຕ້ອງ. ບັນຊີສະກຸນເງິນຈະຕ້ອງ {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},ປັດໄຈທີ່ UOM ສົນທະນາແມ່ນຕ້ອງການໃນການຕິດຕໍ່ກັນ {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຂາຍ, ຂາຍໃບເກັບເງິນຫຼືການອະນຸທິນ" DocType: Salary Component,Deduction,ການຫັກ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ຕິດຕໍ່ກັນ {0}: ຈາກທີ່ໃຊ້ເວລາແລະຈະໃຊ້ເວລາເປັນການບັງຄັບ. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,ຕິດຕໍ່ກັນ {0}: ຈາກທີ່ໃຊ້ເວລາແລະຈະໃຊ້ເວລາເປັນການບັງຄັບ. DocType: Stock Reconciliation Item,Amount Difference,ຈໍານວນທີ່ແຕກຕ່າງກັນ apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},ລາຍການລາຄາເພີ່ມຂຶ້ນສໍາລັບ {0} ໃນລາຄາ {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ກະລຸນາໃສ່ລະຫັດພະນັກງານຂອງບຸກຄົນການຂາຍນີ້ @@ -2052,11 +2054,11 @@ DocType: Project,Gross Margin,ຂອບໃບລວມຍອດ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,ກະລຸນາໃສ່ການຜະລິດສິນຄ້າຄັ້ງທໍາອິດ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,ການຄິດໄລ່ຄວາມດຸ່ນດ່ຽງທະນາຄານ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ຜູ້ໃຊ້ຄົນພິການ -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,ວົງຢືມ +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,ວົງຢືມ DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,ຫັກຈໍານວນທັງຫມົດ ,Production Analytics,ການວິເຄາະການຜະລິດ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ຄ່າໃຊ້ຈ່າຍ Updated +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,ຄ່າໃຊ້ຈ່າຍ Updated DocType: Employee,Date of Birth,ວັນເດືອນປີເກີດ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,ລາຍການ {0} ໄດ້ຖືກສົ່ງຄືນແລ້ວ DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ປີງົບປະມານ ** ເປັນຕົວແທນເປັນປີການເງິນ. entries ບັນຊີທັງຫມົດແລະເຮັດທຸລະກໍາທີ່ສໍາຄັນອື່ນໆມີການຕິດຕາມຕໍ່ປີງົບປະມານ ** **. @@ -2102,18 +2104,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,ເລືອກບໍລິສັດ ... DocType: Leave Control Panel,Leave blank if considered for all departments,ໃຫ້ຫວ່າງໄວ້ຖ້າພິຈາລະນາສໍາລັບການພະແນກການທັງຫມົດ apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","ປະເພດຂອງການຈ້າງງານ (ຖາວອນ, ສັນຍາ, ແລະອື່ນໆພາຍໃນ)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} ເປັນການບັງຄັບສໍາລັບລາຍການ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} ເປັນການບັງຄັບສໍາລັບລາຍການ {1} DocType: Process Payroll,Fortnightly,ສອງອາທິດ DocType: Currency Exchange,From Currency,ຈາກສະກຸນເງິນ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ກະລຸນາເລືອກນວນການຈັດສັນ, ປະເພດໃບເກັບເງິນແລະຈໍານວນໃບເກັບເງິນໃນ atleast ຫນຶ່ງຕິດຕໍ່ກັນ" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,ຄ່າໃຊ້ຈ່າຍຂອງການສັ່ງຊື້ໃຫມ່ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},ຂາຍສິນຄ້າຕ້ອງການສໍາລັບລາຍການ {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},ຂາຍສິນຄ້າຕ້ອງການສໍາລັບລາຍການ {0} DocType: Purchase Invoice Item,Rate (Company Currency),ອັດຕາການ (ບໍລິສັດສະກຸນເງິນ) DocType: Student Guardian,Others,ຄົນອື່ນ DocType: Payment Entry,Unallocated Amount,ຈໍານວນເງິນບໍ່ໄດ້ປັນສ່ວນ apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,ບໍ່ສາມາດຊອກຫາສິນຄ້າ. ກະລຸນາເລືອກບາງມູນຄ່າອື່ນໆ {0}. DocType: POS Profile,Taxes and Charges,ພາສີອາກອນແລະຄ່າບໍລິການ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","A ຜະລິດຕະພັນຫຼືການບໍລິການທີ່ຊື້, ຂາຍຫຼືເກັບຮັກສາໄວ້ໃນຫຼັກຊັບ." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມສິນຄ້າ> ຍີ່ຫໍ້ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,ບໍ່ມີຂໍ້ມູນເພີ່ມເຕີມ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,ບໍ່ສາມາດເລືອກເອົາປະເພດຄ່າໃຊ້ຈ່າຍເປັນຈໍານວນເງິນຕິດຕໍ່ກັນກ່ອນຫນ້ານີ້ 'ຫລື' ໃນທີ່ຜ່ານມາຕິດຕໍ່ກັນທັງຫມົດສໍາລັບການຕິດຕໍ່ກັນຄັ້ງທໍາອິດ apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Child Item ບໍ່ຄວນຈະເປັນມັດຜະລິດຕະພັນ. ກະລຸນາເອົາລາຍ `{0}` ແລະຊ່ວຍປະຢັດ @@ -2141,7 +2144,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,ຈໍານວນການເອີ້ນເກັບເງິນທັງຫມົດ apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ມີຈະຕ້ອງເປັນມາດຕະຖານເຂົ້າບັນຊີອີເມວເປີດການໃຊ້ງານສໍາລັບການເຮັດວຽກ. ກະລຸນາຕິດຕັ້ງມາດຕະຖານບັນຊີອີເມວມາ (POP / IMAP) ແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Account Receivable -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ແມ່ນແລ້ວ {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ແມ່ນແລ້ວ {2}" DocType: Quotation Item,Stock Balance,ຍອດ Stock apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ໃບສັ່ງຂາຍການຊໍາລະເງິນ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2166,10 +2169,11 @@ DocType: C-Form,Received Date,ວັນທີ່ໄດ້ຮັບ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","ຖ້າຫາກວ່າທ່ານໄດ້ມີການສ້າງແມ່ແບບມາດຕະຖານໃນພາສີອາກອນການຂາຍແລະຄ່າບໍລິການແບບ, ເລືອກເອົາຫນຶ່ງແລະໃຫ້ຄລິກໃສ່ປຸ່ມຂ້າງລຸ່ມນີ້." DocType: BOM Scrap Item,Basic Amount (Company Currency),ຈໍານວນເງິນຂັ້ນພື້ນຖານ (ບໍລິສັດສະກຸນເງິນ) DocType: Student,Guardians,ຜູ້ປົກຄອງ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> ປະເພດຜະລິດ DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ລາຄາຈະບໍ່ໄດ້ຮັບການສະແດງໃຫ້ເຫັນວ່າລາຄາບໍ່ໄດ້ຕັ້ງ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ກະລຸນາລະບຸປະເທດສໍາລັບກົດລະບຽບດັ່ງກ່າວນີ້ຫຼືກວດເບິ່ງເຮືອໃນທົ່ວໂລກ DocType: Stock Entry,Total Incoming Value,ມູນຄ່າຂາເຂົ້າທັງຫມົດ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,ເດບິດການຈໍາເປັນຕ້ອງ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,ເດບິດການຈໍາເປັນຕ້ອງ apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ຊ່ວຍຮັກສາຕິດຕາມຂອງທີ່ໃຊ້ເວລາ, ຄ່າໃຊ້ຈ່າຍແລະການເອີ້ນເກັບເງິນສໍາລັບກິດຈະກໍາເຮັດໄດ້ໂດຍທີມງານຂອງທ່ານ" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ລາຄາຊື້ DocType: Offer Letter Term,Offer Term,ຄໍາສະເຫນີ @@ -2188,11 +2192,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ຄ DocType: Timesheet Detail,To Time,ການທີ່ໃຊ້ເວລາ DocType: Authorization Rule,Approving Role (above authorized value),ການອະນຸມັດພາລະບົດບາດ (ສູງກວ່າຄ່າອະນຸຍາດ) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີເຈົ້າຫນີ້ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion {0} ບໍ່ສາມາດພໍ່ແມ່ຫລືລູກຂອງ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM recursion {0} ບໍ່ສາມາດພໍ່ແມ່ຫລືລູກຂອງ {2} DocType: Production Order Operation,Completed Qty,ສໍາເລັດຈໍານວນ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, ພຽງແຕ່ບັນຊີເດບິດສາມາດເຊື່ອມໂຍງກັບເຂົ້າການປ່ອຍສິນເຊື່ອອີກ" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,ລາຄາ {0} ເປັນຄົນພິການ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},ຕິດຕໍ່ກັນ {0}: ສໍາເລັດຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ {1} ສໍາລັບການດໍາເນີນງານ {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},ຕິດຕໍ່ກັນ {0}: ສໍາເລັດຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ {1} ສໍາລັບການດໍາເນີນງານ {2} DocType: Manufacturing Settings,Allow Overtime,ອະນຸຍາດໃຫ້ເຮັດວຽກລ່ວງເວ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ລາຍການຕໍ່ເນື່ອງ {0} ບໍ່ສາມາດໄດ້ຮັບການປັບປຸງການນໍາໃຊ້ Stock ສ້າງຄວາມປອງດອງ, ກະລຸນາໃຊ້ Stock Entry" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","ລາຍການຕໍ່ເນື່ອງ {0} ບໍ່ສາມາດໄດ້ຮັບການປັບປຸງການນໍາໃຊ້ Stock ສ້າງຄວາມປອງດອງ, ກະລຸນາໃຊ້ Stock Entry" @@ -2211,10 +2215,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,ພາຍນອກ apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ຜູ້ຊົມໃຊ້ແລະການອະນຸຍາດ DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},ໃບສັ່ງຜະລິດຂຽນເມື່ອ: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},ໃບສັ່ງຜະລິດຂຽນເມື່ອ: {0} DocType: Branch,Branch,ສາຂາ DocType: Guardian,Mobile Number,ເບີໂທລະສັບ apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ການພິມແລະຍີ່ຫໍ້ +DocType: Company,Total Monthly Sales,Sales ລາຍເດືອນທັງຫມົດ DocType: Bin,Actual Quantity,ຈໍານວນຈິງ DocType: Shipping Rule,example: Next Day Shipping,ຍົກຕົວຢ່າງ: Shipping ວັນຖັດໄປ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} ບໍ່ໄດ້ພົບເຫັນ @@ -2245,7 +2250,7 @@ DocType: Payment Request,Make Sales Invoice,ເຮັດໃຫ້ຍອດຂາ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,ຊອບແວ apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ຖັດໄປວັນທີບໍ່ສາມາດຈະຢູ່ໃນໄລຍະຜ່ານມາ DocType: Company,For Reference Only.,ສໍາລັບການກະສານອ້າງອີງເທົ່ານັ້ນ. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,ເລືອກຊຸດ No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,ເລືອກຊຸດ No apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},ບໍ່ຖືກຕ້ອງ {0}: {1} DocType: Purchase Invoice,PINV-RET-,"PINV, RET-" DocType: Sales Invoice Advance,Advance Amount,ລ່ວງຫນ້າຈໍານວນເງິນ @@ -2258,7 +2263,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},ບໍ່ມີລາຍການທີ່ມີ Barcode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,ກໍລະນີສະບັບເລກທີບໍ່ສາມາດຈະເປັນ 0 DocType: Item,Show a slideshow at the top of the page,ສະແດງໃຫ້ເຫັນ slideshow ເປັນຢູ່ປາຍສຸດຂອງຫນ້າ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,ແອບເປີ້ນ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,ແອບເປີ້ນ apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ຮ້ານຄ້າ DocType: Serial No,Delivery Time,ເວລາຂົນສົ່ງ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,ຜູ້ສູງອາຍຸຈາກຈໍານວນກ່ຽວກັບ @@ -2272,16 +2277,16 @@ DocType: Rename Tool,Rename Tool,ປ່ຽນຊື່ເຄື່ອງມື apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,ການປັບປຸງຄ່າໃຊ້ຈ່າຍ DocType: Item Reorder,Item Reorder,ລາຍການຮຽງລໍາດັບໃຫມ່ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Slip ສະແດງໃຫ້ເຫັນເງິນເດືອນ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,ການຖ່າຍໂອນການວັດສະດຸ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,ການຖ່າຍໂອນການວັດສະດຸ DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ລະບຸການດໍາເນີນງານ, ຄ່າໃຊ້ຈ່າຍປະຕິບັດແລະໃຫ້ການດໍາເນີນງານເປັນເອກະລັກທີ່ບໍ່ມີການປະຕິບັດງານຂອງທ່ານ." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ເອກະສານນີ້ແມ່ນໃນໄລຍະຂອບເຂດຈໍາກັດໂດຍ {0} {1} ສໍາລັບ item {4}. ທ່ານກໍາລັງເຮັດໃຫ້ຄົນອື່ນ {3} ຕໍ່ຕ້ານດຽວກັນ {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,ກະລຸນາທີ່ກໍານົດໄວ້ໄດ້ເກີດຂຶ້ນຫລັງຈາກບັນທຶກ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,ບັນຊີຈໍານວນເລືອກການປ່ຽນແປງ +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,ກະລຸນາທີ່ກໍານົດໄວ້ໄດ້ເກີດຂຶ້ນຫລັງຈາກບັນທຶກ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,ບັນຊີຈໍານວນເລືອກການປ່ຽນແປງ DocType: Purchase Invoice,Price List Currency,ລາຄາສະກຸນເງິນ DocType: Naming Series,User must always select,ຜູ້ໃຊ້ຕ້ອງໄດ້ເລືອກ DocType: Stock Settings,Allow Negative Stock,ອະນຸຍາດໃຫ້ລົບ Stock DocType: Installation Note,Installation Note,ການຕິດຕັ້ງຫມາຍເຫດ -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,ເພີ່ມພາສີອາກອນ +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,ເພີ່ມພາສີອາກອນ DocType: Topic,Topic,ກະທູ້ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,ກະແສເງິນສົດຈາກການເງິນ DocType: Budget Account,Budget Account,ບັນຊີງົບປະມານ @@ -2295,7 +2300,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ກ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ແຫຼ່ງຂໍ້ມູນຂອງກອງທຶນ (ຫນີ້ສິນ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ປະລິມານໃນການຕິດຕໍ່ກັນ {0} ({1}) ຈະຕ້ອງດຽວກັນກັບປະລິມານການຜະລິດ {2} DocType: Appraisal,Employee,ພະນັກງານ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,ເລືອກຊຸດ +DocType: Company,Sales Monthly History,ປະຫວັດລາຍເດືອນຂາຍ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,ເລືອກຊຸດ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} ແມ່ນບິນໄດ້ຢ່າງເຕັມສ່ວນ DocType: Training Event,End Time,ທີ່ໃຊ້ເວລາສຸດທ້າຍ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ໂຄງສ້າງເງິນເດືອນ Active {0} ພົບພະນັກງານ {1} ສໍາລັບກໍານົດວັນທີດັ່ງກ່າວ @@ -2303,15 +2309,14 @@ DocType: Payment Entry,Payment Deductions or Loss,ນຫັກລົບການ apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,ເງື່ອນໄຂສັນຍາມາດຕະຖານສໍາລັບການຂາຍຫຼືຊື້. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Group ໂດຍ Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,ແຜນການຂາຍ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີມາດຕະຖານເງິນເດືອນ Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີມາດຕະຖານເງິນເດືອນ Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ຄວາມຕ້ອງການໃນ DocType: Rename Tool,File to Rename,ເອກະສານການປ່ຽນຊື່ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},ກະລຸນາເລືອກ BOM ສໍາລັບລາຍການໃນແຖວ {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ບັນຊີ {0} ບໍ່ກົງກັບກັບບໍລິສັດ {1} ໃນ Mode ຈາກບັນຊີ: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},ລະບຸ BOM {0} ບໍ່ມີສໍາລັບລາຍການ {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ຕາຕະລາງການບໍາລຸງຮັກສາ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ຕາຕະລາງການບໍາລຸງຮັກສາ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ DocType: Notification Control,Expense Claim Approved,ຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍອະນຸມັດ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງນໍ້າເບີຊຸດສໍາລັບຜູ້ເຂົ້າຮ່ວມໂດຍຜ່ານການຕິດຕັ້ງ> Numbering Series apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Slip ເງິນເດືອນຂອງພະນັກງານ {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບການໄລຍະເວລານີ້ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ຢາ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ຄ່າໃຊ້ຈ່າຍຂອງສິນຄ້າທີ່ຊື້ @@ -2328,7 +2333,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM ເລກສໍ DocType: Upload Attendance,Attendance To Date,ຜູ້ເຂົ້າຮ່ວມເຖິງວັນທີ່ DocType: Warranty Claim,Raised By,ຍົກຂຶ້ນມາໂດຍ DocType: Payment Gateway Account,Payment Account,ບັນຊີຊໍາລະເງິນ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,ກະລຸນາລະບຸບໍລິສັດເພື່ອດໍາເນີນການ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,ກະລຸນາລະບຸບໍລິສັດເພື່ອດໍາເນີນການ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,ການປ່ຽນແປງສຸດທິໃນບັນຊີລູກຫນີ້ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ການຊົດເຊີຍ Off DocType: Offer Letter,Accepted,ຮັບການຍອມຮັບ @@ -2338,12 +2343,12 @@ DocType: SG Creation Tool Course,Student Group Name,ຊື່ກຸ່ມນັ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ກະລຸນາເຮັດໃຫ້ແນ່ໃຈວ່າທ່ານຕ້ອງການທີ່ຈະລົບເຮັດທຸລະກໍາທັງຫມົດຂອງບໍລິສັດນີ້. ຂໍ້ມູນຕົ້ນສະບັບຂອງທ່ານຈະຍັງຄົງເປັນມັນເປັນ. ການດໍາເນີນການນີ້ບໍ່ສາມາດຍົກເລີກໄດ້. DocType: Room,Room Number,ຈໍານວນຫ້ອງ apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},ກະສານອ້າງອີງທີ່ບໍ່ຖືກຕ້ອງ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ quanitity ການວາງແຜນ ({2}) ໃນການຜະລິດການສັ່ງຊື້ {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ quanitity ການວາງແຜນ ({2}) ໃນການຜະລິດການສັ່ງຊື້ {3} DocType: Shipping Rule,Shipping Rule Label,Label Shipping ກົດລະບຽບ apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,ວັດຖຸດິບບໍ່ສາມາດມີຊ່ອງຫວ່າງ. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","ບໍ່ສາມາດປັບປຸງຫຼັກຊັບ, ໃບເກັບເງິນປະກອບດ້ວຍການຫຼຸດລົງລາຍການການຂົນສົ່ງ." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ໄວອະນຸທິນ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,ວັດຖຸດິບບໍ່ສາມາດມີຊ່ອງຫວ່າງ. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","ບໍ່ສາມາດປັບປຸງຫຼັກຊັບ, ໃບເກັບເງິນປະກອບດ້ວຍການຫຼຸດລົງລາຍການການຂົນສົ່ງ." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,ໄວອະນຸທິນ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,ທ່ານບໍ່ສາມາດມີການປ່ຽນແປງອັດຕາການຖ້າຫາກວ່າ BOM ທີ່ໄດ້ກ່າວມາ agianst ລາຍການໃດ DocType: Employee,Previous Work Experience,ຕໍາແຫນ່ງທີ່ເຄີຍເຮັດຜ່ານມາ DocType: Stock Entry,For Quantity,ສໍາລັບປະລິມານ @@ -2400,7 +2405,7 @@ DocType: SMS Log,No of Requested SMS,ບໍ່ມີຂອງ SMS ຂໍ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,ອອກຈາກໂດຍບໍ່ມີການຈ່າຍບໍ່ມີຄໍາວ່າດ້ວຍການອະນຸມັດການບັນທຶກການອອກຈາກຄໍາຮ້ອງສະຫມັກ DocType: Campaign,Campaign-.####,ຂະບວນການ -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ຂັ້ນຕອນຕໍ່ໄປ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,ກະລຸນາສະຫນອງໃຫ້ແກ່ລາຍການທີ່ລະບຸໄວ້ໃນລາຄາທີ່ເປັນໄປໄດ້ທີ່ດີທີ່ສຸດ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,ກະລຸນາສະຫນອງໃຫ້ແກ່ລາຍການທີ່ລະບຸໄວ້ໃນລາຄາທີ່ເປັນໄປໄດ້ທີ່ດີທີ່ສຸດ DocType: Selling Settings,Auto close Opportunity after 15 days,Auto ໃກ້ໂອກາດພາຍໃນ 15 ວັນ apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,ປີສຸດທ້າຍ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,quot /% Lead @@ -2438,7 +2443,7 @@ DocType: Homepage,Homepage,ຫນ້າທໍາອິດ DocType: Purchase Receipt Item,Recd Quantity,Recd ຈໍານວນ apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},ຄ່າບໍລິການບັນທຶກຂຽນເມື່ອຫລາຍ - {0} DocType: Asset Category Account,Asset Category Account,ບັນຊີຊັບສິນປະເພດ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},ບໍ່ສາມາດຜະລິດສິນຄ້າຫຼາຍ {0} ກ່ວາປະລິມານສັ່ງຂາຍ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},ບໍ່ສາມາດຜະລິດສິນຄ້າຫຼາຍ {0} ກ່ວາປະລິມານສັ່ງຂາຍ {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock Entry {0} ບໍ່ໄດ້ສົ່ງ DocType: Payment Reconciliation,Bank / Cash Account,ບັນຊີທະນາຄານ / ເງິນສົດ apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,ຖັດໄປໂດຍບໍ່ສາມາດເຊັ່ນດຽວກັນກັບທີ່ຢູ່ອີເມວ Lead @@ -2471,7 +2476,7 @@ DocType: Salary Structure,Total Earning,ກໍາໄຮທັງຫມົດ DocType: Purchase Receipt,Time at which materials were received,ເວລາທີ່ອຸປະກອນທີ່ໄດ້ຮັບ DocType: Stock Ledger Entry,Outgoing Rate,ອັດຕາລາຍຈ່າຍ apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ຕົ້ນສະບັບສາຂາອົງການຈັດຕັ້ງ. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ຫຼື +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ຫຼື DocType: Sales Order,Billing Status,ສະຖານະການເອີ້ນເກັບເງິນ apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ລາຍງານສະບັບທີ່ເປັນ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ຄ່າໃຊ້ຈ່າຍຜົນປະໂຫຍດ @@ -2479,7 +2484,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,"ຕິດຕໍ່ກັນ, {0}: Journal Entry {1} ບໍ່ມີບັນຊີ {2} ຫລືແລ້ວປຽບທຽບ voucher ອື່ນ" DocType: Buying Settings,Default Buying Price List,ມາດຕະຖານບັນຊີການຊື້ລາຄາ DocType: Process Payroll,Salary Slip Based on Timesheet,Slip ເງິນເດືອນຈາກ Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ພະນັກງານສໍາລັບເງື່ອນໄຂການຄັດເລືອກຂ້າງເທິງຫຼືຫຼຸດເງິນເດືອນບໍ່ສ້າງແລ້ວ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,ພະນັກງານສໍາລັບເງື່ອນໄຂການຄັດເລືອກຂ້າງເທິງຫຼືຫຼຸດເງິນເດືອນບໍ່ສ້າງແລ້ວ DocType: Notification Control,Sales Order Message,Message ຂາຍສິນຄ້າ apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ກໍານົດມູນຄ່າມາດຕະຖານຄືບໍລິສັດ, ສະກຸນເງິນ, ປັດຈຸບັນປີງົບປະມານ, ແລະອື່ນໆ" DocType: Payment Entry,Payment Type,ປະເພດການຊໍາລະເງິນ @@ -2504,7 +2509,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ເອກະສານໄດ້ຮັບຕ້ອງໄດ້ຮັບການສົ່ງ DocType: Purchase Invoice Item,Received Qty,ໄດ້ຮັບຈໍານວນ DocType: Stock Entry Detail,Serial No / Batch,ບໍ່ມີ Serial / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,ບໍ່ໄດ້ຈ່າຍແລະບໍ່ສົ່ງ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,ບໍ່ໄດ້ຈ່າຍແລະບໍ່ສົ່ງ DocType: Product Bundle,Parent Item,ສິນຄ້າຂອງພໍ່ແມ່ DocType: Account,Account Type,ປະເພດບັນຊີ DocType: Delivery Note,DN-RET-,"DN, RET-" @@ -2535,8 +2540,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,ນວນການຈັດສັນທັງຫມົດ apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ກໍານົດບັນຊີສິນຄ້າຄົງຄັງໃນຕອນຕົ້ນສໍາລັບການສິນຄ້າຄົງຄັງ perpetual DocType: Item Reorder,Material Request Type,ອຸປະກອນການຮ້ອງຂໍປະເພດ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},ຖືກຕ້ອງອະນຸເງິນເດືອນຈາກ {0} ກັບ {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},ຖືກຕ້ອງອະນຸເງິນເດືອນຈາກ {0} ກັບ {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: UOM ປັດໄຈການແປງເປັນການບັງຄັບ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,ສູນຕົ້ນທຶນ @@ -2554,7 +2559,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ອ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ຖ້າຫາກວ່າກົດລະບຽບລາຄາການຄັດເລືອກແມ່ນສໍາລັບລາຄາ, ມັນຈະຂຽນທັບລາຄາ. ລາຄາລາຄາກົດລະບຽບແມ່ນລາຄາສຸດທ້າຍ, ສະນັ້ນບໍ່ມີສ່ວນລົດເພີ່ມເຕີມຄວນຈະນໍາໃຊ້. ເພາະສະນັ້ນ, ໃນການຄ້າຂາຍເຊັ່ນ: Sales Order, ການສັ່ງຊື້ແລະອື່ນໆ, ມັນຈະໄດ້ຮັບການຈຶ່ງສວຍໂອກາດໃນພາກສະຫນາມອັດຕາ ', ແທນທີ່ຈະກ່ວາພາກສະຫນາມ' ລາຄາອັດຕາ." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ການຕິດຕາມຊີ້ນໍາໂດຍປະເພດອຸດສາຫະກໍາ. DocType: Item Supplier,Item Supplier,ຜູ້ຜະລິດລາຍການ -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,ກະລຸນາໃສ່ລະຫັດສິນຄ້າເພື່ອໃຫ້ໄດ້ຮັບ batch ທີ່ບໍ່ມີ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,ກະລຸນາໃສ່ລະຫັດສິນຄ້າເພື່ອໃຫ້ໄດ້ຮັບ batch ທີ່ບໍ່ມີ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},ກະລຸນາເລືອກຄ່າ {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ທີ່ຢູ່ທັງຫມົດ. DocType: Company,Stock Settings,ການຕັ້ງຄ່າ Stock @@ -2581,7 +2586,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ຈໍານວນຕ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},ບໍ່ມີຄວາມຜິດພາດພຽງເງິນເດືອນພົບໃນລະຫວ່າງ {0} ແລະ {1} ,Pending SO Items For Purchase Request,ທີ່ຍັງຄ້າງ SO ລາຍການສໍາລັບການຈອງຊື້ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,ຮັບສະຫມັກນັກສຶກສາ -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} ເປັນຄົນພິການ +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} ເປັນຄົນພິການ DocType: Supplier,Billing Currency,ສະກຸນເງິນ Billing DocType: Sales Invoice,SINV-RET-,"SINV, RET-" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,ຂະຫນາດໃຫຍ່ພິເສດ @@ -2611,7 +2616,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,ຄໍາຮ້ອງສະຫມັກສະຖານະ DocType: Fees,Fees,ຄ່າທໍານຽມ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ລະບຸອັດຕາແລກປ່ຽນການແປງສະກຸນເງິນຫນຶ່ງເຂົ້າໄປໃນອີກ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,ສະເຫນີລາຄາ {0} ຈະຖືກຍົກເລີກ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,ສະເຫນີລາຄາ {0} ຈະຖືກຍົກເລີກ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,ຈໍານວນເງິນທີ່ຍັງຄ້າງຄາທັງຫມົດ DocType: Sales Partner,Targets,ຄາດຫມາຍຕົ້ນຕໍ DocType: Price List,Price List Master,ລາຄາຕົ້ນສະບັບ @@ -2628,7 +2633,7 @@ DocType: POS Profile,Ignore Pricing Rule,ບໍ່ສົນໃຈກົດລະ DocType: Employee Education,Graduate,ຈົບການສຶກສາ DocType: Leave Block List,Block Days,Block ວັນ DocType: Journal Entry,Excise Entry,ອາກອນຊົມໃຊ້ Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ການເຕືອນໄພ: Sales Order {0} ມີຢູ່ແລ້ວຕໍ່ສັ່ງຊື້ຂອງລູກຄ້າ {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},ການເຕືອນໄພ: Sales Order {0} ມີຢູ່ແລ້ວຕໍ່ສັ່ງຊື້ຂອງລູກຄ້າ {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2655,7 +2660,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),ຖ ,Salary Register,ເງິນເດືອນຫມັກສະມາຊິກ DocType: Warehouse,Parent Warehouse,Warehouse ພໍ່ແມ່ DocType: C-Form Invoice Detail,Net Total,Total net -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Default BOM ບໍ່ພົບລາຍການ {0} ແລະໂຄງການ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Default BOM ບໍ່ພົບລາຍການ {0} ແລະໂຄງການ {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,ກໍານົດປະເພດການກູ້ຢືມເງິນຕ່າງໆ DocType: Bin,FCFS Rate,FCFS ອັດຕາ DocType: Payment Reconciliation Invoice,Outstanding Amount,ຈໍານວນເງິນທີ່ຍັງຄ້າງຄາ @@ -2692,7 +2697,7 @@ DocType: Salary Detail,Condition and Formula Help,ສະພາບແລະສູ apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,ການຄຸ້ມຄອງການເປັນໄມ້ຢືນຕົ້ນອານາເຂດຂອງ. DocType: Journal Entry Account,Sales Invoice,ໃບເກັບເງິນການຂາຍ DocType: Journal Entry Account,Party Balance,ດຸນພັກ -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,ກະລຸນາເລືອກສະຫມັກຕໍາ Discount On +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,ກະລຸນາເລືອກສະຫມັກຕໍາ Discount On DocType: Company,Default Receivable Account,ມາດຕະຖານ Account Receivable DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,ສ້າງ Entry ທະນາຄານສໍາລັບການເງິນເດືອນທັງຫມົດໄດ້ຈ່າຍສໍາລັບເງື່ອນໄຂການຄັດເລືອກຂ້າງເທິງ DocType: Stock Entry,Material Transfer for Manufacture,ອຸປະກອນການໂອນສໍາລັບການຜະລິດ @@ -2706,7 +2711,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,ທີ່ຢູ່ຂອງລູກຄ້າ DocType: Employee Loan,Loan Details,ລາຍລະອຽດການກູ້ຢືມເງິນ DocType: Company,Default Inventory Account,ບັນຊີມາດຕະຖານສິນຄ້າຄົງຄັງ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ຕິດຕໍ່ກັນ {0}: ສໍາເລັດຈໍານວນຕ້ອງໄດ້ຫຼາຍກ່ວາສູນ. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,ຕິດຕໍ່ກັນ {0}: ສໍາເລັດຈໍານວນຕ້ອງໄດ້ຫຼາຍກ່ວາສູນ. DocType: Purchase Invoice,Apply Additional Discount On,ສະຫມັກຕໍາສ່ວນລົດເພີ່ມເຕີມກ່ຽວກັບ DocType: Account,Root Type,ປະເພດຮາກ DocType: Item,FIFO,FIFO @@ -2723,7 +2728,7 @@ DocType: Purchase Invoice Item,Quality Inspection,ກວດສອບຄຸນະ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,ພິເສດຂະຫນາດນ້ອຍ DocType: Company,Standard Template,ແມ່ແບບມາດຕະຖານ DocType: Training Event,Theory,ທິດສະດີ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,ການເຕືອນໄພ: ວັດສະດຸຂໍຈໍານວນແມ່ນຫນ້ອຍກ່ວາສັ່ງຊື້ຂັ້ນຕ່ໍາຈໍານວນ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,ການເຕືອນໄພ: ວັດສະດຸຂໍຈໍານວນແມ່ນຫນ້ອຍກ່ວາສັ່ງຊື້ຂັ້ນຕ່ໍາຈໍານວນ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,ບັນຊີ {0} ແມ່ນ frozen DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ນິຕິບຸກຄົນ / ບໍລິສັດຍ່ອຍທີ່ມີໃນຕາຕະລາງທີ່ແຍກຕ່າງຫາກຂອງບັນຊີເປັນອົງການຈັດຕັ້ງ. DocType: Payment Request,Mute Email,mute Email @@ -2747,7 +2752,7 @@ DocType: Training Event,Scheduled,ກໍານົດ apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ຮ້ອງຂໍໃຫ້ມີສໍາລັບວົງຢືມ. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",ກະລຸນາເລືອກລາຍການທີ່ "ແມ່ນ Stock Item" ແມ່ນ "ບໍ່ມີ" ແລະ "ແມ່ນສິນຄ້າລາຄາ" ເປັນ "ແມ່ນ" ແລະບໍ່ມີມັດຜະລິດຕະພັນອື່ນໆ DocType: Student Log,Academic,ວິຊາການ -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ທັງຫມົດລ່ວງຫນ້າ ({0}) ຕໍ່ Order {1} ບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດ ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ທັງຫມົດລ່ວງຫນ້າ ({0}) ຕໍ່ Order {1} ບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດ ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ເລືອກການແຜ່ກະຈາຍລາຍເດືອນກັບ unevenly ແຈກຢາຍເປົ້າຫມາຍໃນທົ່ວເດືອນ. DocType: Purchase Invoice Item,Valuation Rate,ອັດຕາປະເມີນມູນຄ່າ DocType: Stock Reconciliation,SR/,SR / @@ -2813,6 +2818,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,ກະລຸນາໃສ່ຊື່ຂອງຂະບວນການຖ້າຫາກວ່າແຫລ່ງທີ່ມາຂອງຄໍາຖາມແມ່ນການໂຄສະນາ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,ຫນັງສືພິມຜູ້ຈັດພິມ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,ເລືອກປີງົບປະມານ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,ວັນທີຄາດວ່າສົ່ງຄວນຈະຕາມລະບຽບ Sales ວັນທີ່ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,ລະດັບລໍາດັບ DocType: Company,Chart Of Accounts Template,ຕາຕະລາງຂອງບັນຊີແມ່ແບບ DocType: Attendance,Attendance Date,ວັນທີ່ສະຫມັກຜູ້ເຂົ້າຮ່ວມ @@ -2844,7 +2850,7 @@ DocType: Pricing Rule,Discount Percentage,ເປີເຊັນສ່ວນລ DocType: Payment Reconciliation Invoice,Invoice Number,ຈໍານວນໃບເກັບເງິນ DocType: Shopping Cart Settings,Orders,ຄໍາສັ່ງ DocType: Employee Leave Approver,Leave Approver,ອອກຈາກອະນຸມັດ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,ກະລຸນາເລືອກ batch ເປັນ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,ກະລຸນາເລືອກ batch ເປັນ DocType: Assessment Group,Assessment Group Name,ຊື່ການປະເມີນຜົນ Group DocType: Manufacturing Settings,Material Transferred for Manufacture,ອຸປະກອນການໂອນສໍາລັບການຜະລິດ DocType: Expense Claim,"A user with ""Expense Approver"" role",ຜູ່ໃຊ້ທີ່ມີ "ຄ່າໃຊ້ຈ່າຍອະນຸມັດ" ພາລະບົດບາດ @@ -2881,7 +2887,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,ວັນສຸດທ້າຍຂອງເດືອນຖັດໄປ DocType: Support Settings,Auto close Issue after 7 days,Auto ໃກ້ Issue ພາຍໃນ 7 ມື້ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ອອກຈາກບໍ່ສາມາດໄດ້ຮັບການຈັດສັນກ່ອນ {0}, ເປັນການດຸ່ນດ່ຽງອອກໄດ້ແລ້ວປະຕິບັດ, ສົ່ງໃນການບັນທຶກການຈັດສັນອອກໃນອະນາຄົດ {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ຫມາຍເຫດ: ເນື່ອງຈາກ / ວັນທີ່ເອກະສານຫຼາຍກວ່າວັນການປ່ອຍສິນເຊື່ອຂອງລູກຄ້າອະນຸຍາດໃຫ້ໂດຍ {0} ວັນ (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ຫມາຍເຫດ: ເນື່ອງຈາກ / ວັນທີ່ເອກະສານຫຼາຍກວ່າວັນການປ່ອຍສິນເຊື່ອຂອງລູກຄ້າອະນຸຍາດໃຫ້ໂດຍ {0} ວັນ (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ສະຫມັກນັກສຶກສາ DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL ສໍາລັບຜູ້ຮັບບໍລິ DocType: Asset Category Account,Accumulated Depreciation Account,ບັນຊີຄ່າເສື່ອມລາຄາສະສົມ @@ -2892,7 +2898,7 @@ DocType: Item,Reorder level based on Warehouse,ລະດັບລໍາດັບ DocType: Activity Cost,Billing Rate,ອັດຕາການເອີ້ນເກັບເງິນ ,Qty to Deliver,ຈໍານວນການສົ່ງ ,Stock Analytics,ການວິເຄາະຫຼັກຊັບ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ການດໍາເນີນງານບໍ່ສາມາດໄດ້ຮັບການປະໄວ້ເປົ່າ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,ການດໍາເນີນງານບໍ່ສາມາດໄດ້ຮັບການປະໄວ້ເປົ່າ DocType: Maintenance Visit Purpose,Against Document Detail No,ຕໍ່ຂໍ້ມູນເອກະສານທີ່ບໍ່ມີ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,ປະເພດບຸກຄົນທີ່ບັງຄັບ DocType: Quality Inspection,Outgoing,ລາຍຈ່າຍ @@ -2935,15 +2941,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,ມີຈໍານວນຢູ່ໃນສາງ apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,ຈໍານວນເງິນເກັບ DocType: Asset,Double Declining Balance,ດຸນຫລຸດ Double -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,ປິດເພື່ອບໍ່ສາມາດໄດ້ຮັບການຍົກເລີກ. unclosed ເພື່ອຍົກເລີກການ. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,ປິດເພື່ອບໍ່ສາມາດໄດ້ຮັບການຍົກເລີກ. unclosed ເພື່ອຍົກເລີກການ. DocType: Student Guardian,Father,ພຣະບິດາ -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'ປັບປຸງ Stock' ບໍ່ສາມາດໄດ້ຮັບການກວດສອບສໍາລັບການຂາຍຊັບສົມບັດຄົງ +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'ປັບປຸງ Stock' ບໍ່ສາມາດໄດ້ຮັບການກວດສອບສໍາລັບການຂາຍຊັບສົມບັດຄົງ DocType: Bank Reconciliation,Bank Reconciliation,ທະນາຄານສ້າງຄວາມປອງດອງ DocType: Attendance,On Leave,ໃບ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ໄດ້ຮັບການປັບປຸງ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,ຂໍອຸປະກອນການ {0} ຈະຖືກຍົກເລີກຫຼືຢຸດເຊົາການ -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,ເພີ່ມການບັນທຶກຕົວຢ່າງຈໍານວນຫນ້ອຍ +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,ເພີ່ມການບັນທຶກຕົວຢ່າງຈໍານວນຫນ້ອຍ apps/erpnext/erpnext/config/hr.py +301,Leave Management,ອອກຈາກການຄຸ້ມຄອງ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Group ໂດຍບັນຊີ DocType: Sales Order,Fully Delivered,ສົ່ງຢ່າງເຕັມທີ່ @@ -2952,12 +2958,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ບັນຊີທີ່ແຕກຕ່າງກັນຈະຕ້ອງບັນຊີປະເພດຊັບສິນ / ຫນີ້ສິນ, ນັບຕັ້ງແຕ່ນີ້ Stock Reconciliation ເປັນ Entry ເປີດ" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},ຈ່າຍຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາເງິນກູ້ຈໍານວນ {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},ຊື້ຈໍານວນຄໍາສັ່ງທີ່ຕ້ອງການສໍາລັບລາຍການ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,ຜະລິດພັນທີ່ບໍ່ໄດ້ສ້າງ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,ຜະລິດພັນທີ່ບໍ່ໄດ້ສ້າງ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','ຈາກວັນທີ່ສະຫມັກ' ຈະຕ້ອງຫລັງຈາກທີ່ໄປວັນ ' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ບໍ່ສາມາດມີການປ່ຽນແປງສະຖານະພາບເປັນນັກສຶກສາ {0} ແມ່ນການເຊື່ອມຕໍ່ກັບຄໍາຮ້ອງສະຫມັກນັກສຶກສາ {1} DocType: Asset,Fully Depreciated,ຄ່າເສື່ອມລາຄາຢ່າງເຕັມສ່ວນ ,Stock Projected Qty,Stock ປະມານການຈໍານວນ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},ລູກຄ້າ {0} ບໍ່ໄດ້ຂຶ້ນກັບໂຄງການ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},ລູກຄ້າ {0} ບໍ່ໄດ້ຂຶ້ນກັບໂຄງການ {1} DocType: Employee Attendance Tool,Marked Attendance HTML,ເຄື່ອງຫມາຍຜູ້ເຂົ້າຮ່ວມ HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","ການຊື້ຂາຍແມ່ນການສະເຫນີ, ສະເຫນີລາຄາທີ່ທ່ານໄດ້ຖືກສົ່ງໄປໃຫ້ກັບລູກຄ້າຂອງທ່ານ" DocType: Sales Order,Customer's Purchase Order,ການສັ່ງຊື້ຂອງລູກຄ້າ @@ -2967,7 +2973,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,ກະລຸນາທີ່ກໍານົດໄວ້ຈໍານວນຂອງການອ່ອນຄ່າຈອງ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ມູນຄ່າຫຼືຈໍານວນ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາສໍາລັບການ: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,ນາທີ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,ນາທີ DocType: Purchase Invoice,Purchase Taxes and Charges,ຊື້ພາສີອາກອນແລະຄ່າບໍລິການ ,Qty to Receive,ຈໍານວນທີ່ຈະໄດ້ຮັບ DocType: Leave Block List,Leave Block List Allowed,ອອກຈາກສະໄຫມອະນຸຍາດໃຫ້ @@ -2981,7 +2987,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ທຸກປະເພດຜະລິດ DocType: Global Defaults,Disable In Words,ປິດການໃຊ້ງານໃນຄໍາສັບຕ່າງໆ apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,ລະຫັດສິນຄ້າເປັນການບັງຄັບເນື່ອງຈາກວ່າລາຍການບໍ່ໄດ້ນັບຈໍານວນອັດຕະໂນມັດ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},ສະເຫນີລາຄາ {0} ບໍ່ປະເພດ {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},ສະເຫນີລາຄາ {0} ບໍ່ປະເພດ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,ບໍາລຸງຮັກສາຕາຕະລາງລາຍການ DocType: Sales Order,% Delivered,% ສົ່ງ DocType: Production Order,PRO-,ຈັດງານ @@ -3004,7 +3010,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,ຜູ້ຂາຍ Email DocType: Project,Total Purchase Cost (via Purchase Invoice),ມູນຄ່າທັງຫມົດຊື້ (ຜ່ານຊື້ Invoice) DocType: Training Event,Start Time,ທີ່ໃຊ້ເວລາເລີ່ມຕົ້ນ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,ເລືອກປະລິມານ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,ເລືອກປະລິມານ DocType: Customs Tariff Number,Customs Tariff Number,ພາສີຈໍານວນພາສີ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ການອະນຸມັດບົດບາດບໍ່ສາມາດເຊັ່ນດຽວກັນກັບພາລະບົດບາດລະບຽບການກ່ຽວຂ້ອງກັບ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ຍົກເລີກການ Email ນີ້ Digest @@ -3028,7 +3034,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,ຂໍ້ມູນ PR DocType: Sales Order,Fully Billed,ບິນໄດ້ຢ່າງເຕັມສ່ວນ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,ເງິນສົດໃນມື -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},ຄັງສິນຄ້າຈັດສົ່ງສິນຄ້າຕ້ອງການສໍາລັບລາຍການຫຸ້ນ {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},ຄັງສິນຄ້າຈັດສົ່ງສິນຄ້າຕ້ອງການສໍາລັບລາຍການຫຸ້ນ {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ນ້ໍາລວມທັງຫມົດຂອງຊຸດການ. ປົກກະຕິແລ້ວນ້ໍາຫນັກສຸດທິ + ຫຸ້ມຫໍ່ນ້ໍາອຸປະກອນການ. (ສໍາລັບການພິມ) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,ໂຄງການ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ຜູ້ໃຊ້ທີ່ມີພາລະບົດບາດນີ້ໄດ້ຖືກອະນຸຍາດໃຫ້ສ້າງຕັ້ງບັນຊີ frozen ແລະສ້າງ / ປັບປຸງແກ້ໄຂການອອກສຽງການບັນຊີກັບບັນຊີ frozen @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Group Based On DocType: Journal Entry,Bill Date,ບັນຊີລາຍການວັນທີ່ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","ບໍລິການສິນຄ້າ, ປະເພດ, ຄວາມຖີ່ແລະປະລິມານຄ່າໃຊ້ຈ່າຍຖືກກໍານົດ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ເຖິງແມ່ນວ່າຖ້າຫາກວ່າບໍ່ມີກົດລະບຽບການຕັ້ງລາຄາດ້ວຍບູລິມະສິດທີ່ສູງທີ່ສຸດ, ຫຼັງຈາກນັ້ນປະຕິບັດຕາມບູລິມະສິດພາຍໃນໄດ້ຖືກນໍາໃຊ້:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},ເຮັດແນວໃດທ່ານຕ້ອງການທີ່ຈະຍື່ນສະເຫນີການທັງຫມົດ Slip ເງິນເດືອນຈາກ {0} ກັບ {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},ເຮັດແນວໃດທ່ານຕ້ອງການທີ່ຈະຍື່ນສະເຫນີການທັງຫມົດ Slip ເງິນເດືອນຈາກ {0} ກັບ {1} DocType: Cheque Print Template,Cheque Height,ກະແສລາຍວັນສູງ DocType: Supplier,Supplier Details,ລາຍລະອຽດສະຫນອງ DocType: Expense Claim,Approval Status,ສະຖານະການອະນຸມັດ @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,ນໍາໄປສ apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ບໍ່ມີຫຍັງຫຼາຍກວ່າທີ່ຈະສະແດງໃຫ້ເຫັນ. DocType: Lead,From Customer,ຈາກລູກຄ້າ apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ໂທຫາເຄືອຂ່າຍ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,ສໍາຫລັບຂະບວນ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,ສໍາຫລັບຂະບວນ DocType: Project,Total Costing Amount (via Time Logs),ຈໍານວນເງິນຕົ້ນທຶນ (ໂດຍຜ່ານທີ່ໃຊ້ເວລາບັນທຶກ) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ການສັ່ງຊື້ {0} ບໍ່ໄດ້ສົ່ງ @@ -3092,7 +3098,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,ກັບຄືນຕ DocType: Item,Warranty Period (in days),ໄລຍະເວລາຮັບປະກັນ (ໃນວັນເວລາ) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,ຄວາມສໍາພັນກັບ Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ເງິນສົດສຸດທິຈາກການດໍາເນີນວຽກ -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,ຕົວຢ່າງພາສີ +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,ຕົວຢ່າງພາສີ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,ຂໍ້ 4 DocType: Student Admission,Admission End Date,ເປີດປະຕູຮັບວັນທີ່ສິ້ນສຸດ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ອະນຸສັນຍາ @@ -3100,7 +3106,7 @@ DocType: Journal Entry Account,Journal Entry Account,ບັນຊີ Entry ວ apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,ກຸ່ມນັກສຶກສາ DocType: Shopping Cart Settings,Quotation Series,ວົງຢືມ Series apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ລາຍການລາຄາທີ່ມີຊື່ດຽວກັນ ({0}), ກະລຸນາມີການປ່ຽນແປງຊື່ກຸ່ມສິນຄ້າຫລືປ່ຽນຊື່ລາຍການ" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,ກະລຸນາເລືອກລູກຄ້າ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,ກະລຸນາເລືອກລູກຄ້າ DocType: C-Form,I,ຂ້າພະເຈົ້າ DocType: Company,Asset Depreciation Cost Center,Asset Center ຄ່າເສື່ອມລາຄາຄ່າໃຊ້ຈ່າຍ DocType: Sales Order Item,Sales Order Date,ວັນທີ່ສະຫມັກໃບສັ່ງຂາຍ @@ -3111,6 +3117,7 @@ DocType: Stock Settings,Limit Percent,ເປີເຊັນຂອບເຂດຈ ,Payment Period Based On Invoice Date,ໄລຍະເວລາການຊໍາລະເງິນໂດຍອີງໃສ່ວັນ Invoice apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},ອັດຕາແລກປ່ຽນທີ່ຂາດຫາຍໄປສະກຸນເງິນສໍາລັບ {0} DocType: Assessment Plan,Examiner,ການກວດສອບ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງການຕັ້ງຊື່ Series ໃນລາຄາ {0} ຜ່ານ Setup> Settings> ຕັ້ງຊື່ Series DocType: Student,Siblings,ອ້າຍເອື້ອຍນ້ອງ DocType: Journal Entry,Stock Entry,Entry Stock DocType: Payment Entry,Payment References,ເອກະສານການຊໍາລະເງິນ @@ -3135,7 +3142,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ບ່ອນທີ່ການດໍາເນີນງານການຜະລິດກໍາລັງດໍາເນີນ. DocType: Asset Movement,Source Warehouse,Warehouse Source DocType: Installation Note,Installation Date,ວັນທີ່ສະຫມັກການຕິດຕັ້ງ -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {2}" DocType: Employee,Confirmation Date,ວັນທີ່ສະຫມັກການຢັ້ງຢືນ DocType: C-Form,Total Invoiced Amount,ຈໍານວນອະນຸທັງຫມົດ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min ຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວານ້ໍາຈໍານວນ @@ -3210,7 +3217,7 @@ DocType: Company,Default Letter Head,ມາດຕະຖານຫົວຫນ້ DocType: Purchase Order,Get Items from Open Material Requests,ຮັບສິນຄ້າຈາກການຮ້ອງຂໍເປີດການວັດສະດຸ DocType: Item,Standard Selling Rate,ມາດຕະຖານອັດຕາການຂາຍ DocType: Account,Rate at which this tax is applied,ອັດຕາການທີ່ພາສີນີ້ແມ່ນໄດ້ນໍາໃຊ້ -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,ລໍາດັບຈໍານວນ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,ລໍາດັບຈໍານວນ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,ເປີດຮັບສະຫມັກໃນປະຈຸບັນ DocType: Company,Stock Adjustment Account,ບັນຊີການປັບ Stock apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,ຂຽນ Off @@ -3224,7 +3231,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,ຜູ້ຈັດຈໍາຫນ່າຍໃຫ້ກັບລູກຄ້າ apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (ແບບຟອມ # / Item / {0}) ເປັນ out of stock apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,ວັນຖັດໄປຈະຕ້ອງຫຼາຍກ່ວາປະກາດວັນທີ່ -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},ກໍາຫນົດ / Reference ບໍ່ສາມາດໄດ້ຮັບຫຼັງຈາກ {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},ກໍາຫນົດ / Reference ບໍ່ສາມາດໄດ້ຮັບຫຼັງຈາກ {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ນໍາເຂົ້າຂໍ້ມູນແລະສົ່ງອອກ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ບໍ່ພົບຂໍ້ມູນນັກສຶກສາ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ໃບເກັບເງິນວັນທີ່ປະກາດ @@ -3245,12 +3252,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ນີ້ແມ່ນອີງໃສ່ການເຂົ້າຮ່ວມຂອງນັກສຶກສານີ້ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,No ນັກສຶກສາໃນ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,ເພີ່ມລາຍການເພີ່ມເຕີມຫຼືເຕັມຮູບແບບເປີດ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',ກະລຸນາໃສ່ 'ວັນທີຄາດວ່າສົ່ງ' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ການຈັດສົ່ງ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ການຈັດສົ່ງ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ຈໍານວນເງິນທີ່ຊໍາລະເງິນ + ຂຽນ Off ຈໍານວນເງິນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ບໍ່ແມ່ນຈໍານວນ Batch ຖືກຕ້ອງສໍາລັບສິນຄ້າ {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},ຫມາຍເຫດ: ຍັງບໍ່ທັນມີຄວາມສົມດູນອອກພຽງພໍສໍາລັບການອອກຈາກປະເພດ {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN ບໍ່ຖືກຕ້ອງຫຼືກະລຸນາໃສ່ສະພາແຫ່ງຊາດສໍາລັບບຸກຄົນທົ່ວໄປ +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN ບໍ່ຖືກຕ້ອງຫຼືກະລຸນາໃສ່ສະພາແຫ່ງຊາດສໍາລັບບຸກຄົນທົ່ວໄປ DocType: Training Event,Seminar,ການສໍາມະນາ DocType: Program Enrollment Fee,Program Enrollment Fee,ຄ່າທໍານຽມການລົງທະບຽນໂຄງການ DocType: Item,Supplier Items,ການສະຫນອງ @@ -3268,7 +3274,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stock Ageing apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},ນັກສຶກສາ {0} ມີຕໍ່ສະຫມັກນັກສຶກສາ {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} {1} 'ແມ່ນຄົນພິການ +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} {1} 'ແມ່ນຄົນພິການ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ກໍານົດເປັນທຸກ DocType: Cheque Print Template,Scanned Cheque,ສະແກນກະແສລາຍວັນ DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,ສົ່ງອີເມວອັດຕະໂນມັດທີ່ຈະຕິດຕໍ່ພົວພັນກ່ຽວກັບການໂອນສົ່ງ. @@ -3315,7 +3321,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,ລາຄາອັດຕາແລກປ່ຽນບັນຊີ DocType: Purchase Invoice Item,Rate,ອັດຕາການ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ລິງທີ່ກ່ຽວຂ້ອງ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,ລິງທີ່ກ່ຽວຂ້ອງ DocType: Stock Entry,From BOM,ຈາກ BOM DocType: Assessment Code,Assessment Code,ລະຫັດການປະເມີນຜົນ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ພື້ນຖານ @@ -3328,20 +3334,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,ໂຄງສ້າງເງິນເດືອນ DocType: Account,Bank,ທະນາຄານ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ສາຍການບິນ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,ວັດສະດຸບັນຫາ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,ວັດສະດຸບັນຫາ DocType: Material Request Item,For Warehouse,ສໍາລັບການຄັງສິນຄ້າ DocType: Employee,Offer Date,ວັນທີ່ສະຫມັກສະເຫນີ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ການຊື້ຂາຍ -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,ທ່ານຢູ່ໃນຮູບແບບອອຟໄລ. ທ່ານຈະບໍ່ສາມາດທີ່ຈະໂຫລດຈົນກ່ວາທ່ານມີເຄືອຂ່າຍ. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,ທ່ານຢູ່ໃນຮູບແບບອອຟໄລ. ທ່ານຈະບໍ່ສາມາດທີ່ຈະໂຫລດຈົນກ່ວາທ່ານມີເຄືອຂ່າຍ. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ບໍ່ມີກຸ່ມນັກສຶກສາສ້າງຕັ້ງຂື້ນ. DocType: Purchase Invoice Item,Serial No,Serial No apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,ຈໍານວນເງິນຊໍາລະຄືນປະຈໍາເດືອນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນເງິນກູ້ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,ກະລຸນາໃສ່ລາຍລະອຽດ Maintaince ທໍາອິດ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,ແຖວ # {0}: ວັນທີຄາດວ່າສົ່ງບໍ່ສາມາດຈະກ່ອນທີ່ຈະສັ່ງຊື້ວັນທີ່ DocType: Purchase Invoice,Print Language,ພິມພາສາ DocType: Salary Slip,Total Working Hours,ທັງຫມົດຊົ່ວໂມງເຮັດວຽກ DocType: Stock Entry,Including items for sub assemblies,ລວມທັງລາຍການສໍາລັບການສະພາແຫ່ງຍ່ອຍ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,ມູນຄ່າໃສ່ຈະຕ້ອງໃນທາງບວກ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມສິນຄ້າ> ຍີ່ຫໍ້ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,ມູນຄ່າໃສ່ຈະຕ້ອງໃນທາງບວກ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ອານາເຂດທັງຫມົດ DocType: Purchase Invoice,Items,ລາຍການ apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ນັກສຶກສາແມ່ນໄດ້ລົງທະບຽນແລ້ວ. @@ -3364,7 +3370,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ມາດຕະຖານຫນ່ວຍງານຂອງມາດຕະການ Variant '{0}' ຈະຕ້ອງເຊັ່ນດຽວກັນກັບໃນແມ່ '{1}' DocType: Shipping Rule,Calculate Based On,ຄິດໄລ່ພື້ນຖານກ່ຽວກັບ DocType: Delivery Note Item,From Warehouse,ຈາກ Warehouse -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,ບໍ່ມີສິນຄ້າທີ່ມີບັນຊີລາຍການຂອງວັດສະດຸໃນການຜະລິດ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,ບໍ່ມີສິນຄ້າທີ່ມີບັນຊີລາຍການຂອງວັດສະດຸໃນການຜະລິດ DocType: Assessment Plan,Supervisor Name,ຊື່ Supervisor DocType: Program Enrollment Course,Program Enrollment Course,ຂອງລາຍວິຊາການເຂົ້າໂຮງຮຽນໂຄງການ DocType: Program Enrollment Course,Program Enrollment Course,ຂອງລາຍວິຊາການເຂົ້າໂຮງຮຽນໂຄງການ @@ -3380,23 +3386,23 @@ DocType: Training Event Employee,Attended,ເຂົ້າຮ່ວມ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'ມື້ນີ້ນັບຕັ້ງແຕ່ສັ່ງຫຼ້າສຸດຕ້ອງໄດ້ຫຼາຍກ່ວາຫຼືເທົ່າກັບສູນ DocType: Process Payroll,Payroll Frequency,Payroll Frequency DocType: Asset,Amended From,ສະບັບປັບປຸງຈາກ -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,ວັດຖຸດິບ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,ວັດຖຸດິບ DocType: Leave Application,Follow via Email,ປະຕິບັດຕາມໂດຍຜ່ານ Email apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,ພືດແລະເຄື່ອງຈັກ DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ຈໍານວນເງິນພາສີຫຼັງຈາກຈໍານວນສ່ວນລົດ DocType: Daily Work Summary Settings,Daily Work Summary Settings,ການຕັ້ງຄ່າເຮັດ Summary ປະຈໍາວັນ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},ສະກຸນເງິນຂອງບັນຊີລາຍການລາຄາ {0} ບໍ່ແມ່ນຄ້າຍຄືກັນກັບສະກຸນເງິນການຄັດເລືອກ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},ສະກຸນເງິນຂອງບັນຊີລາຍການລາຄາ {0} ບໍ່ແມ່ນຄ້າຍຄືກັນກັບສະກຸນເງິນການຄັດເລືອກ {1} DocType: Payment Entry,Internal Transfer,ພາຍໃນການຖ່າຍໂອນ apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,ບັນຊີຂອງລູກຢູ່ໃນບັນຊີນີ້. ທ່ານບໍ່ສາມາດລຶບບັນຊີນີ້. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ທັງຈໍານວນເປົ້າຫມາຍຫຼືຈໍານວນເປົ້າຫມາຍແມ່ນການບັງຄັບ apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},ບໍ່ມີມາດຕະຖານ BOM ຢູ່ສໍາລັບລາຍການ {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,ກະລຸນາເລືອກວັນທີ່ປະກາດຄັ້ງທໍາອິດ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,ກະລຸນາເລືອກວັນທີ່ປະກາດຄັ້ງທໍາອິດ apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,ເປີດວັນທີ່ຄວນເປັນກ່ອນທີ່ຈະປິດວັນທີ່ DocType: Leave Control Panel,Carry Forward,ປະຕິບັດໄປຂ້າງຫນ້າ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,ສູນຕົ້ນທຶນກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ DocType: Department,Days for which Holidays are blocked for this department.,ວັນທີ່ວັນພັກແມ່ນຖືກສະກັດສໍາລັບພະແນກນີ້. ,Produced,ການຜະລິດ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,ຂຽນເມື່ອ Slips ເງິນເດືອນ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,ຂຽນເມື່ອ Slips ເງິນເດືອນ DocType: Item,Item Code for Suppliers,ລະຫັດສິນຄ້າສໍາລັບການສະຫນອງ DocType: Issue,Raised By (Email),ຍົກຂຶ້ນມາໂດຍ (Email) DocType: Training Event,Trainer Name,ຊື່ Trainer @@ -3404,9 +3410,10 @@ DocType: Mode of Payment,General,ໂດຍທົ່ວໄປ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ການສື່ສານທີ່ຜ່ານມາ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ການສື່ສານທີ່ຜ່ານມາ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ບໍ່ສາມາດຫັກໃນເວລາທີ່ປະເພດແມ່ນສໍາລັບການ 'ປະເມີນມູນຄ່າ' ຫຼື 'ການປະເມີນຄ່າແລະທັງຫມົດ' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ລາຍຊື່ຫົວຫນ້າພາສີຂອງທ່ານ (ຕົວຢ່າງ: ພາສີ, ພາສີແລະອື່ນໆ; ພວກເຂົາເຈົ້າຄວນຈະມີຊື່ເປັນເອກະລັກ) ແລະອັດຕາມາດຕະຖານຂອງເຂົາເຈົ້າ. ນີ້ຈະສ້າງເປັນແມ່ແບບມາດຕະຖານ, ທີ່ທ່ານສາມາດແກ້ໄຂແລະເພີ່ມເຕີມຕໍ່ມາ." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ລາຍຊື່ຫົວຫນ້າພາສີຂອງທ່ານ (ຕົວຢ່າງ: ພາສີ, ພາສີແລະອື່ນໆ; ພວກເຂົາເຈົ້າຄວນຈະມີຊື່ເປັນເອກະລັກ) ແລະອັດຕາມາດຕະຖານຂອງເຂົາເຈົ້າ. ນີ້ຈະສ້າງເປັນແມ່ແບບມາດຕະຖານ, ທີ່ທ່ານສາມາດແກ້ໄຂແລະເພີ່ມເຕີມຕໍ່ມາ." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Nos ຕ້ອງການສໍາລັບລາຍການຕໍ່ເນື່ອງ {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ການຊໍາລະເງິນກົງກັບໃບແຈ້ງຫນີ້ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},ແຖວ # {0}: ກະລຸນາໃສ່ວັນທີ່ສົ່ງກັບລາຍ {1} DocType: Journal Entry,Bank Entry,ທະນາຄານເຂົ້າ DocType: Authorization Rule,Applicable To (Designation),ສາມາດນໍາໃຊ້ການ (ການອອກແບບ) ,Profitability Analysis,ການວິເຄາະຜົນກໍາໄລ @@ -3422,17 +3429,18 @@ DocType: Quality Inspection,Item Serial No,ລາຍການບໍ່ມີ Ser apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ສ້າງການບັນທຶກຂອງພະນັກວຽກ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,ປັດຈຸບັນທັງຫມົດ apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,ການບັນຊີ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,ຊົ່ວໂມງ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,ຊົ່ວໂມງ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ໃຫມ່ບໍ່ມີ Serial ບໍ່ສາມາດມີ Warehouse. Warehouse ຕ້ອງໄດ້ຮັບການກໍານົດໂດຍ Stock Entry ຫລືຮັບຊື້ DocType: Lead,Lead Type,ປະເພດນໍາ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ອະນຸມັດໃບໃນວັນທີ Block -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,ລາຍການທັງຫມົດເຫຼົ່ານີ້ໄດ້ຖືກອະນຸແລ້ວ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,ລາຍການທັງຫມົດເຫຼົ່ານີ້ໄດ້ຖືກອະນຸແລ້ວ +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,ລາຍເດືອນເປົ້າຫມາຍການຂາຍ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},ສາມາດໄດ້ຮັບການອະນຸມັດໂດຍ {0} DocType: Item,Default Material Request Type,ມາດຕະຖານການວັດສະດຸປະເພດຂໍ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,ບໍ່ຮູ້ຈັກ DocType: Shipping Rule,Shipping Rule Conditions,ເງື່ອນໄຂການຂົນສົ່ງ DocType: BOM Replace Tool,The new BOM after replacement,The BOM ໃຫມ່ຫຼັງຈາກທົດແທນ -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,ຈຸດຂອງການຂາຍ +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,ຈຸດຂອງການຂາຍ DocType: Payment Entry,Received Amount,ຈໍານວນເງິນທີ່ໄດ້ຮັບ DocType: GST Settings,GSTIN Email Sent On,GSTIN Email ສົ່ງໃນ DocType: Program Enrollment,Pick/Drop by Guardian,ເອົາ / Drop ໂດຍຜູ້ປົກຄອງ @@ -3449,8 +3457,8 @@ DocType: Batch,Source Document Name,ແຫຼ່ງຂໍ້ມູນຊື່ D DocType: Batch,Source Document Name,ແຫຼ່ງຂໍ້ມູນຊື່ Document DocType: Job Opening,Job Title,ຕໍາແຫນ່ງ apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ສ້າງຜູ້ໃຊ້ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,ກໍາ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,ປະລິມານການຜະລິດຕ້ອງໄດ້ຫຼາຍກ່ວາ 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,ກໍາ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,ປະລິມານການຜະລິດຕ້ອງໄດ້ຫຼາຍກ່ວາ 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,ໄປຢ້ຽມຢາມບົດລາຍງານສໍາລັບການໂທບໍາລຸງຮັກສາ. DocType: Stock Entry,Update Rate and Availability,ການປັບປຸງອັດຕາແລະຈໍາຫນ່າຍ DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ອັດຕາສ່ວນທີ່ທ່ານກໍາລັງອະນຸຍາດໃຫ້ໄດ້ຮັບຫຼືໃຫ້ຫຼາຍຕໍ່ກັບປະລິມານຂອງຄໍາສັ່ງ. ສໍາລັບການຍົກຕົວຢ່າງ: ຖ້າຫາກວ່າທ່ານມີຄໍາສັ່ງ 100 ຫົວຫນ່ວຍ. ແລະອະນຸຍາດຂອງທ່ານແມ່ນ 10% ຫຼັງຈາກນັ້ນທ່ານກໍາລັງອະນຸຍາດໃຫ້ໄດ້ຮັບ 110 ຫົວຫນ່ວຍ. @@ -3463,7 +3471,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,ກະລຸນາຍົກເລີກການຊື້ Invoice {0} ທໍາອິດ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","ທີ່ຢູ່ອີເມວຈະຕ້ອງເປັນເອກະລັກ, ລາຄາສໍາລັບ {0}" DocType: Serial No,AMC Expiry Date,AMC ຫມົດເຂດ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,ຮັບ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,ຮັບ ,Sales Register,ລົງທະບຽນການຂາຍ DocType: Daily Work Summary Settings Company,Send Emails At,ສົ່ງອີເມວໃນ DocType: Quotation,Quotation Lost Reason,ວົງຢືມລືມເຫດຜົນ @@ -3476,14 +3484,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,No ລູກ apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,ຖະແຫຼງການກະແສເງິນສົດ apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ຈໍານວນເງິນກູ້ບໍ່ເກີນຈໍານວນເງິນກູ້ສູງສຸດຂອງ {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ໃບອະນຸຍາດ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},ກະລຸນາເອົາໃບເກັບເງິນນີ້ {0} ຈາກ C ແບບຟອມ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},ກະລຸນາເອົາໃບເກັບເງິນນີ້ {0} ຈາກ C ແບບຟອມ {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,ກະລຸນາເລືອກປະຕິບັດຕໍ່ຖ້າຫາກວ່າທ່ານຍັງຕ້ອງການທີ່ຈະປະກອບມີຍອດເຫຼືອເດືອນກ່ອນປີງົບປະມານຂອງໃບປີງົບປະມານນີ້ DocType: GL Entry,Against Voucher Type,ຕໍ່ຕ້ານປະເພດ Voucher DocType: Item,Attributes,ຄຸນລັກສະນະ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,ກະລຸນາໃສ່ການຕັດບັນຊີ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,ຄັ້ງສຸດທ້າຍວັນ Order apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},ບັນຊີ {0} ບໍ່ໄດ້ເປັນບໍລິສັດ {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,ຈໍານວນ serial ໃນແຖວ {0} ບໍ່ກົງກັບກັບການຈັດສົ່ງຫມາຍເຫດ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,ຈໍານວນ serial ໃນແຖວ {0} ບໍ່ກົງກັບກັບການຈັດສົ່ງຫມາຍເຫດ DocType: Student,Guardian Details,ລາຍລະອຽດຜູ້ປົກຄອງ DocType: C-Form,C-Form,"C, ແບບຟອມການ" apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,ເຄື່ອງຫມາຍຜູ້ເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ຫຼາກຫຼາຍ @@ -3515,16 +3523,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,Sales DocType: Stock Entry Detail,Basic Amount,ຈໍານວນພື້ນຖານ DocType: Training Event,Exam,ການສອບເສັງ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Warehouse ຕ້ອງການສໍາລັບສິນຄ້າຫຼັກຊັບ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Warehouse ຕ້ອງການສໍາລັບສິນຄ້າຫຼັກຊັບ {0} DocType: Leave Allocation,Unused leaves,ໃບທີ່ບໍ່ໄດ້ໃຊ້ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,State Billing apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ການຖ່າຍໂອນ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ບໍ່ທີ່ກ່ຽວຂ້ອງກັບບັນຊີພັກ {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),ມາດດຶງຂໍ້ມູນລະເບີດ BOM (ລວມທັງອະນຸປະກອບ) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),ມາດດຶງຂໍ້ມູນລະເບີດ BOM (ລວມທັງອະນຸປະກອບ) DocType: Authorization Rule,Applicable To (Employee),ສາມາດນໍາໃຊ້ການ (ພະນັກງານ) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,ອັນເນື່ອງມາຈາກວັນທີ່ເປັນການບັງຄັບ apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,ເພີ່ມຂຶ້ນສໍາລັບຄຸນສົມບັດ {0} ບໍ່ສາມາດຈະເປັນ 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Customer> Group Customer> ອານາເຂດ DocType: Journal Entry,Pay To / Recd From,ຈ່າຍໄປ / Recd ຈາກ DocType: Naming Series,Setup Series,Series ຕິດຕັ້ງ DocType: Payment Reconciliation,To Invoice Date,ສົ່ງໃບເກັບເງິນວັນທີ່ @@ -3551,7 +3560,7 @@ DocType: Journal Entry,Write Off Based On,ຂຽນ Off ຖານກ່ຽວກ apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ເຮັດໃຫ້ຕະກົ່ວ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print ແລະເຄື່ອງຮັບໃຊ້ຫ້ອງ DocType: Stock Settings,Show Barcode Field,ສະແດງໃຫ້ເຫັນພາກສະຫນາມ Barcode -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,ສົ່ງອີເມວ Supplier +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,ສົ່ງອີເມວ Supplier apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ເງິນເດືອນດໍາເນີນການສໍາລັບການໄລຍະເວລາລະຫວ່າງ {0} ແລະ {1}, ອອກຈາກໄລຍະເວລາຄໍາຮ້ອງສະຫມັກບໍ່ສາມາດຈະຢູ່ລະຫວ່າງລະດັບວັນທີນີ້." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,ການບັນທຶກການຕິດຕັ້ງສໍາລັບການສະບັບເລກທີ Serial DocType: Guardian Interest,Guardian Interest,ຜູ້ປົກຄອງທີ່ຫນ້າສົນໃຈ @@ -3565,7 +3574,7 @@ DocType: Offer Letter,Awaiting Response,ລັງລໍຖ້າການຕອ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ຂ້າງເທິງ apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},ເຫດຜົນທີ່ບໍ່ຖືກຕ້ອງ {0} {1} DocType: Supplier,Mention if non-standard payable account,ກ່າວເຖິງຖ້າຫາກວ່າບໍ່ໄດ້ມາດຕະຖານບັນຊີທີ່ຕ້ອງຈ່າຍ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ລາຍການດຽວກັນໄດ້ຮັບເຂົ້າໄປຫຼາຍເທື່ອ. {} ບັນຊີລາຍຊື່ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},ລາຍການດຽວກັນໄດ້ຮັບເຂົ້າໄປຫຼາຍເທື່ອ. {} ບັນຊີລາຍຊື່ apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',ກະລຸນາເລືອກກຸ່ມການປະເມີນຜົນອື່ນທີ່ບໍ່ແມ່ນ 'ທັງຫມົດ Assessment Groups' DocType: Salary Slip,Earning & Deduction,ທີ່ໄດ້ຮັບແລະການຫັກ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ຖ້າຕ້ອງການ. ການຕັ້ງຄ່ານີ້ຈະໄດ້ຮັບການນໍາໃຊ້ການກັ່ນຕອງໃນການຄ້າຂາຍຕ່າງໆ. @@ -3584,7 +3593,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,ຄ່າໃຊ້ຈ່າຍຂອງສິນຊັບທະເລາະວິວາດ apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ສູນຕົ້ນທຶນເປັນການບັງຄັບສໍາລັບລາຍການ {2} DocType: Vehicle,Policy No,ນະໂຍບາຍທີ່ບໍ່ມີ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,ຮັບສິນຄ້າຈາກມັດດຽວກັນຜະລິດຕະພັນ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,ຮັບສິນຄ້າຈາກມັດດຽວກັນຜະລິດຕະພັນ DocType: Asset,Straight Line,Line ຊື່ DocType: Project User,Project User,User ໂຄງການ apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Split @@ -3599,6 +3608,7 @@ DocType: Bank Reconciliation,Payment Entries,ການອອກສຽງກາ DocType: Production Order,Scrap Warehouse,Scrap Warehouse DocType: Production Order,Check if material transfer entry is not required,ໃຫ້ກວດເບິ່ງວ່າ entry ໂອນວັດສະດຸແມ່ນບໍ່ຈໍາເປັນຕ້ອງ DocType: Production Order,Check if material transfer entry is not required,ໃຫ້ກວດເບິ່ງວ່າ entry ໂອນວັດສະດຸແມ່ນບໍ່ຈໍາເປັນຕ້ອງ +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງພະນັກງານແຜນການຕັ້ງຊື່ System ໃນຊັບພະຍາກອນມະນຸດ> Settings HR DocType: Program Enrollment Tool,Get Students From,ໄດ້ຮັບນັກສຶກສາຈາກ DocType: Hub Settings,Seller Country,ຜູ້ຂາຍປະເທດ apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,ເຜີຍແຜ່ລາຍການກ່ຽວກັບເວັບໄຊທ໌ @@ -3617,19 +3627,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,ລະບຸສະພາບການທີ່ຈະຄິດໄລ່ຈໍານວນການຂົນສົ່ງ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ພາລະບົດບາດອະນຸຍາດໃຫ້ກໍານົດບັນຊີ Frozen ແລະແກ້ໄຂການອອກສຽງ Frozen apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,ບໍ່ສາມາດແປງສູນຕົ້ນທຶນການບັນຊີຍ້ອນວ່າມັນມີຂໍ້ເດັກ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ມູນຄ່າການເປີດ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,ມູນຄ່າການເປີດ DocType: Salary Detail,Formula,ສູດ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial: apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,ຄະນະກໍາມະການຂາຍ DocType: Offer Letter Term,Value / Description,ມູນຄ່າ / ລາຍລະອຽດ -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ສາມາດໄດ້ຮັບການສົ່ງ, ມັນແມ່ນແລ້ວ {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ສາມາດໄດ້ຮັບການສົ່ງ, ມັນແມ່ນແລ້ວ {2}" DocType: Tax Rule,Billing Country,ປະເທດໃບບິນ DocType: Purchase Order Item,Expected Delivery Date,ວັນທີຄາດວ່າການຈັດສົ່ງ apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ບັດເດບິດແລະເຄຣດິດບໍ່ເທົ່າທຽມກັນສໍາລັບ {0} # {1}. ຄວາມແຕກຕ່າງກັນເປັນ {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,ຄ່າໃຊ້ຈ່າຍການບັນເທີງ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,ເຮັດໃຫ້ວັດສະດຸຂໍ apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ເປີດ Item {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ຂາຍ Invoice {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການສັ່ງຊື້ສິນຄ້າຂາຍນີ້ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ຂາຍ Invoice {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການສັ່ງຊື້ສິນຄ້າຂາຍນີ້ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ອາຍຸສູງສຸດ DocType: Sales Invoice Timesheet,Billing Amount,ຈໍານວນໃບບິນ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ປະລິມານທີ່ບໍ່ຖືກຕ້ອງລະບຸສໍາລັບ item {0}. ປະລິມານຕ້ອງຫຼາຍກ່ວາ 0. @@ -3652,7 +3662,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,ລາຍການລູກຄ້າໃຫມ່ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ຄ່າໃຊ້ຈ່າຍເດີນທາງ DocType: Maintenance Visit,Breakdown,ລາຍລະອຽດ -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ບັນຊີ: {0} ກັບສະກຸນເງິນ: {1} ບໍ່ສາມາດໄດ້ຮັບການຄັດເລືອກ +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,ບັນຊີ: {0} ກັບສະກຸນເງິນ: {1} ບໍ່ສາມາດໄດ້ຮັບການຄັດເລືອກ DocType: Bank Reconciliation Detail,Cheque Date,ວັນທີ່ສະຫມັກ Cheque apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ: {2} DocType: Program Enrollment Tool,Student Applicants,ສະຫມັກນັກສຶກສາ @@ -3672,11 +3682,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ກາ DocType: Material Request,Issued,ອອກ apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,ກິດຈະກໍານັກສຶກສາ DocType: Project,Total Billing Amount (via Time Logs),ຈໍານວນການເອີ້ນເກັບເງິນທັງຫມົດ (ໂດຍຜ່ານທີ່ໃຊ້ເວລາບັນທຶກ) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,ພວກເຮົາຂາຍສິນຄ້ານີ້ +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,ພວກເຮົາຂາຍສິນຄ້ານີ້ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id Supplier DocType: Payment Request,Payment Gateway Details,ການຊໍາລະເງິນລະອຽດ Gateway -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,ປະລິມານຕ້ອງຫຼາຍກ່ວາ 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,ຂໍ້ມູນຕົວຢ່າງ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,ປະລິມານຕ້ອງຫຼາຍກ່ວາ 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,ຂໍ້ມູນຕົວຢ່າງ DocType: Journal Entry,Cash Entry,Entry ເງິນສົດ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ຂໍ້ເດັກນ້ອຍສາມາດໄດ້ຮັບການສ້າງຕັ້ງພຽງແຕ່ພາຍໃຕ້ 'ຂອງກຸ່ມຂໍ້ປະເພດ DocType: Leave Application,Half Day Date,ເຄິ່ງຫນຶ່ງຂອງວັນທີວັນ @@ -3685,17 +3695,18 @@ DocType: Sales Partner,Contact Desc,ຕິດຕໍ່ Desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","ປະເພດຂອງໃບເຊັ່ນ: ບາດເຈັບແລະ, ການເຈັບປ່ວຍແລະອື່ນໆ" DocType: Email Digest,Send regular summary reports via Email.,ສົ່ງບົດລາຍງານສະຫຼຸບສັງລວມເປັນປົກກະຕິໂດຍຜ່ານ Email. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີມາດຕະຖານຢູ່ໃນປະເພດຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີມາດຕະຖານຢູ່ໃນປະເພດຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ {0} DocType: Assessment Result,Student Name,ນາມສະກຸນ DocType: Brand,Item Manager,ການບໍລິຫານ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll Payable DocType: Buying Settings,Default Supplier Type,ມາດຕະຖານປະເພດຜະລິດ DocType: Production Order,Total Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດການທັງຫມົດ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,ຫມາຍເຫດ: {0} ເຂົ້າໄປເວລາຫຼາຍ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,ຫມາຍເຫດ: {0} ເຂົ້າໄປເວລາຫຼາຍ apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ຕິດຕໍ່ພົວພັນທັງຫມົດ. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,ກໍານົດເປົ້າຫມາຍຂອງທ່ານ apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,ຊື່ຫຍໍ້ຂອງບໍລິສັດ apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ຜູ້ໃຊ້ {0} ບໍ່ມີ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,ອຸປະກອນການເປັນວັດຖຸດິບບໍ່ສາມາດເຊັ່ນດຽວກັນກັບສິນຄ້າຕົ້ນຕໍ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,ອຸປະກອນການເປັນວັດຖຸດິບບໍ່ສາມາດເຊັ່ນດຽວກັນກັບສິນຄ້າຕົ້ນຕໍ DocType: Item Attribute Value,Abbreviation,ຊື່ຫຍໍ້ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Entry ການຊໍາລະເງິນທີ່ມີຢູ່ແລ້ວ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,ບໍ່ authroized ນັບຕັ້ງແຕ່ {0} ເກີນຈໍາກັດ @@ -3713,7 +3724,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,ພາລະບົດ ,Territory Target Variance Item Group-Wise,"ອານາເຂດຂອງເປົ້າຫມາຍຕ່າງ Item Group, ສະຫລາດ" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ກຸ່ມສົນທະນາຂອງລູກຄ້າທັງຫມົດ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,ສະສົມລາຍເດືອນ -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ເປັນການບັງຄັບ. ບາງທີບັນທຶກຕາແລກປ່ຽນເງິນບໍ່ໄດ້ສ້າງຂື້ນສໍາລັບ {1} ກັບ {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ເປັນການບັງຄັບ. ບາງທີບັນທຶກຕາແລກປ່ຽນເງິນບໍ່ໄດ້ສ້າງຂື້ນສໍາລັບ {1} ກັບ {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ແມ່ແບບພາສີເປັນການບັງຄັບ. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ມີ DocType: Purchase Invoice Item,Price List Rate (Company Currency),ລາຄາອັດຕາ (ບໍລິສັດສະກຸນເງິນ) @@ -3724,7 +3735,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,ການຈັ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,ເລຂາທິການ DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","ຖ້າຫາກວ່າປິດການໃຊ້ງານ, ໃນຄໍາສັບຕ່າງໆ 'ພາກສະຫນາມຈະບໍ່ສັງເກດເຫັນໃນການໂອນເງີນ" DocType: Serial No,Distinct unit of an Item,ຫນ່ວຍບໍລິການທີ່ແຕກຕ່າງກັນຂອງລາຍການ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,ກະລຸນາຕັ້ງບໍລິສັດ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,ກະລຸນາຕັ້ງບໍລິສັດ DocType: Pricing Rule,Buying,ຊື້ DocType: HR Settings,Employee Records to be created by,ການບັນທຶກຂອງພະນັກງານຈະໄດ້ຮັບການສ້າງຕັ້ງຂື້ນໂດຍ DocType: POS Profile,Apply Discount On,ສະຫມັກຕໍາ Discount On @@ -3735,7 +3746,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ລາຍການຂໍ້ມູນພາສີສະຫລາດ apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ສະຖາບັນສະບັບຫຍໍ້ ,Item-wise Price List Rate,ລາຍການສະຫລາດອັດຕາລາຄາ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,ສະເຫນີລາຄາຜູ້ຜະລິດ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,ສະເຫນີລາຄາຜູ້ຜະລິດ DocType: Quotation,In Words will be visible once you save the Quotation.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດການຊື້ຂາຍ. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ປະລິມານ ({0}) ບໍ່ສາມາດຈະສ່ວນໃນຕິດຕໍ່ກັນ {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ປະລິມານ ({0}) ບໍ່ສາມາດຈະສ່ວນໃນຕິດຕໍ່ກັນ {1} @@ -3759,7 +3770,7 @@ Updated via 'Time Log'",ໃນນາທີ Updated ໂດຍຜ່ານກາ DocType: Customer,From Lead,ຈາກ Lead apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ຄໍາສັ່ງປ່ອຍອອກມາເມື່ອສໍາລັບການຜະລິດ. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ເລືອກປີງົບປະມານ ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS ຂໍ້ມູນທີ່ຕ້ອງການເພື່ອເຮັດໃຫ້ POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS ຂໍ້ມູນທີ່ຕ້ອງການເພື່ອເຮັດໃຫ້ POS Entry DocType: Program Enrollment Tool,Enroll Students,ລົງທະບຽນນັກສຶກສາ DocType: Hub Settings,Name Token,ຊື່ Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ຂາຍມາດຕະຖານ @@ -3777,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,ຄວາມແຕກຕ່ apps/erpnext/erpnext/config/learn.py +234,Human Resource,ຊັບພະຍາກອນມະນຸດ DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ສ້າງຄວາມປອງດອງການຊໍາລະເງິນ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ຊັບສິນອາກອນ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Production ສັ່ງຊື້ໄດ້ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Production ສັ່ງຊື້ໄດ້ {0} DocType: BOM Item,BOM No,BOM No DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ວາລະສານ Entry {0} ບໍ່ມີບັນຊີ {1} ຫລືແລ້ວປຽບທຽບບັດອື່ນໆ @@ -3791,7 +3802,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,ອັ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ທີ່ຍັງຄ້າງຄາ Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ກໍານົດເປົ້າຫມາຍສິນຄ້າກຸ່ມສະຫລາດນີ້ເປັນສ່ວນຕົວຂາຍ. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze ຫຸ້ນເກີນ [ວັນ] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,"ຕິດຕໍ່ກັນ, {0}: ຊັບສິນເປັນການບັງຄັບສໍາລັບຊັບສິນຄົງທີ່ຊື້ / ຂາຍ" +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,"ຕິດຕໍ່ກັນ, {0}: ຊັບສິນເປັນການບັງຄັບສໍາລັບຊັບສິນຄົງທີ່ຊື້ / ຂາຍ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","ຖ້າຫາກວ່າທັງສອງຫຼືຫຼາຍກວ່າກົດລະບຽບລາຄາຖືກພົບເຫັນຢູ່ຕາມເງື່ອນໄຂຂ້າງເທິງນີ້, ບູລິມະສິດໄດ້ຖືກນໍາໃຊ້. ບູລິມະສິດເປັນຈໍານວນລະຫວ່າງ 0 ເຖິງ 20 ໃນຂະນະທີ່ຄ່າເລີ່ມຕົ້ນຄືສູນ (ເປົ່າ). ຈໍານວນທີ່ສູງຂຶ້ນຫມາຍຄວາມວ່າມັນຈະໃຊ້ເວລາກ່ອນຖ້າຫາກວ່າມີກົດລະບຽບການຕັ້ງລາຄາດ້ວຍສະພາບດຽວກັນ." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ປີງົບປະມານ: {0} ບໍ່ໄດ້ຢູ່ DocType: Currency Exchange,To Currency,ການສະກຸນເງິນ @@ -3800,7 +3811,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,ປະເພດ apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ອັດຕາການສໍາລັບລາຍການຂາຍ {0} ແມ່ນຕ່ໍາກ່ວາຂອງຕົນ {1}. ອັດຕາການຂາຍຄວນຈະ atleast {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ອັດຕາການສໍາລັບລາຍການຂາຍ {0} ແມ່ນຕ່ໍາກ່ວາຂອງຕົນ {1}. ອັດຕາການຂາຍຄວນຈະ atleast {2} DocType: Item,Taxes,ພາສີອາກອນ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,ການຊໍາລະເງິນແລະບໍ່ໄດ້ສົ່ງ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,ການຊໍາລະເງິນແລະບໍ່ໄດ້ສົ່ງ DocType: Project,Default Cost Center,ສູນຕົ້ນທຶນມາດຕະຖານ DocType: Bank Guarantee,End Date,ວັນທີ່ສິ້ນສຸດ apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ທຸລະກໍາຫຼັກຊັບ @@ -3817,7 +3828,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,ເຮັດບໍລິສັດ Settings Summary ປະຈໍາວັນ apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,ລາຍການ {0} ລະເລີຍຕັ້ງແຕ່ມັນບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,ຍື່ນສະເຫນີການສັ່ງຜະລິດນີ້ສໍາລັບການປຸງແຕ່ງຕື່ມອີກ. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,ຍື່ນສະເຫນີການສັ່ງຜະລິດນີ້ສໍາລັບການປຸງແຕ່ງຕື່ມອີກ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ບໍ່ໃຊ້ກົດລະບຽບການຕັ້ງລາຄາໃນການສະເພາະໃດຫນຶ່ງ, ກົດລະບຽບການຕັ້ງລາຄາສາມາດນໍາໃຊ້ທັງຫມົດທີ່ຄວນຈະໄດ້ຮັບການພິການ." DocType: Assessment Group,Parent Assessment Group,ພໍ່ແມ່ກຸ່ມການປະເມີນຜົນ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ວຽກເຮັດງານທໍາ @@ -3825,10 +3836,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ວຽກເ DocType: Employee,Held On,ຈັດຂຶ້ນໃນວັນກ່ຽວກັບ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ສິນຄ້າການຜະລິດ ,Employee Information,ຂໍ້ມູນພະນັກງານ -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),ອັດຕາການ (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),ອັດຕາການ (%) DocType: Stock Entry Detail,Additional Cost,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ Voucher No, ຖ້າຫາກວ່າເປັນກຸ່ມຕາມ Voucher" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,ເຮັດໃຫ້ສະເຫນີລາຄາຜູ້ຜະລິດ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,ເຮັດໃຫ້ສະເຫນີລາຄາຜູ້ຜະລິດ DocType: Quality Inspection,Incoming,ເຂົ້າມາ DocType: BOM,Materials Required (Exploded),ອຸປະກອນທີ່ຕ້ອງການ (ລະເບີດ) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","ເພີ່ມຜູ້ຊົມໃຊ້ທີ່ອົງການຈັດຕັ້ງຂອງທ່ານ, ນອກຈາກຕົວທ່ານເອງ" @@ -3844,7 +3855,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ບັນຊີ: {0} ພຽງແຕ່ສາມາດໄດ້ຮັບການປັບປຸງໂດຍຜ່ານທຸລະກໍາຫຼັກຊັບ DocType: Student Group Creation Tool,Get Courses,ໄດ້ຮັບວິຊາ DocType: GL Entry,Party,ພັກ -DocType: Sales Order,Delivery Date,ວັນທີສົ່ງ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,ວັນທີສົ່ງ DocType: Opportunity,Opportunity Date,ວັນທີ່ສະຫມັກໂອກາດ DocType: Purchase Receipt,Return Against Purchase Receipt,ກັບຄືນຕໍ່ການຮັບຊື້ DocType: Request for Quotation Item,Request for Quotation Item,ການຮ້ອງຂໍສໍາລັບການສະເຫນີລາຄາສິນຄ້າ @@ -3858,7 +3869,7 @@ DocType: Task,Actual Time (in Hours),ທີ່ໃຊ້ເວລາຕົວຈ DocType: Employee,History In Company,ປະຫວັດສາດໃນບໍລິສັດ apps/erpnext/erpnext/config/learn.py +107,Newsletters,ຈົດຫມາຍຂ່າວ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,ລາຍການດຽວກັນໄດ້ຮັບເຂົ້າໄປຫຼາຍຄັ້ງ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,ລາຍການດຽວກັນໄດ້ຮັບເຂົ້າໄປຫຼາຍຄັ້ງ DocType: Department,Leave Block List,ອອກຈາກບັນຊີ Block DocType: Sales Invoice,Tax ID,ID ພາສີ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,ລາຍການ {0} ບໍ່ແມ່ນການຕິດຕັ້ງສໍາລັບການ Serial Nos. Column ຕ້ອງມີຊ່ອງຫວ່າງ @@ -3876,25 +3887,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ສີດໍາ DocType: BOM Explosion Item,BOM Explosion Item,BOM ລະເບີດ Item DocType: Account,Auditor,ຜູ້ສອບບັນຊີ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} ລາຍການຜະລິດ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} ລາຍການຜະລິດ DocType: Cheque Print Template,Distance from top edge,ໄລຍະຫ່າງຈາກຂອບດ້ານເທິງ apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,ລາຄາ {0} ເປັນຄົນພິການຫຼືບໍ່ມີ DocType: Purchase Invoice,Return,ການກັບຄືນມາ DocType: Production Order Operation,Production Order Operation,ການດໍາເນີນງານໃບສັ່ງຜະລິດ DocType: Pricing Rule,Disable,ປິດການທໍາງານ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນເພື່ອເຮັດໃຫ້ການຊໍາລະເງິນ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,ຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນເພື່ອເຮັດໃຫ້ການຊໍາລະເງິນ DocType: Project Task,Pending Review,ລໍຖ້າການທົບທວນຄືນ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ບໍ່ໄດ້ລົງທະບຽນໃນຊຸດໄດ້ {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",Asset {0} ບໍ່ສາມາດໄດ້ຮັບການທະເລາະວິວາດກັນແລ້ວ {1} DocType: Task,Total Expense Claim (via Expense Claim),ການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍທັງຫມົດ (ໂດຍຜ່ານຄ່າໃຊ້ຈ່າຍການຮຽກຮ້ອງ) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,ເຄື່ອງຫມາຍຂາດ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ຕິດຕໍ່ກັນ {0}: ສະກຸນເງິນຂອງ BOM: {1} ຄວນຈະເທົ່າກັບສະກຸນເງິນການຄັດເລືອກ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ຕິດຕໍ່ກັນ {0}: ສະກຸນເງິນຂອງ BOM: {1} ຄວນຈະເທົ່າກັບສະກຸນເງິນການຄັດເລືອກ {2} DocType: Journal Entry Account,Exchange Rate,ອັດຕາແລກປ່ຽນ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,ໃບສັ່ງຂາຍ {0} ບໍ່ໄດ້ສົ່ງ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,ໃບສັ່ງຂາຍ {0} ບໍ່ໄດ້ສົ່ງ DocType: Homepage,Tag Line,Line Tag DocType: Fee Component,Fee Component,ຄ່າບໍລິການສ່ວນປະກອບ apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ການຈັດການ Fleet -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,ເພີ່ມລາຍການລາຍການ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,ເພີ່ມລາຍການລາຍການ DocType: Cheque Print Template,Regular,ເປັນປົກກະຕິ apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage ທັງຫມົດຂອງທັງຫມົດເງື່ອນໄຂການປະເມີນຜົນຈະຕ້ອງ 100% DocType: BOM,Last Purchase Rate,ອັດຕາການຊື້ຫຼ້າສຸດ @@ -3915,12 +3926,12 @@ DocType: Employee,Reports to,ບົດລາຍງານການ DocType: SMS Settings,Enter url parameter for receiver nos,ກະລຸນາໃສ່ພາລາມິເຕີ url ສໍາລັບຮັບພວກເຮົາ DocType: Payment Entry,Paid Amount,ຈໍານວນເງິນຊໍາລະເງິນ DocType: Assessment Plan,Supervisor,Supervisor -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,ອອນໄລນ໌ +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ອອນໄລນ໌ ,Available Stock for Packing Items,ສິນຄ້າສໍາລັບການບັນຈຸ DocType: Item Variant,Item Variant,ລາຍການ Variant DocType: Assessment Result Tool,Assessment Result Tool,ເຄື່ອງມືການປະເມີນຜົນ DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,ຄໍາສັ່ງສົ່ງບໍ່ສາມາດລຶບ +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ຄໍາສັ່ງສົ່ງບໍ່ສາມາດລຶບ apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ການດຸ່ນດ່ຽງບັນຊີແລ້ວໃນເດບິດ, ທ່ານຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ກໍານົດ 'ສົມຕ້ອງໄດ້ຮັບ' ເປັນ 'Credit'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,ການບໍລິຫານຄຸນະພາບ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,ລາຍການ {0} ໄດ້ຖືກປິດ @@ -3952,7 +3963,7 @@ DocType: Item Group,Default Expense Account,ບັນຊີມາດຕະຖາ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ID Email ນັກສຶກສາ DocType: Employee,Notice (days),ຫນັງສືແຈ້ງການ (ວັນ) DocType: Tax Rule,Sales Tax Template,ແມ່ແບບພາສີການຂາຍ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ເລືອກລາຍການທີ່ຈະຊ່ວຍປະຢັດໃບເກັບເງິນ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,ເລືອກລາຍການທີ່ຈະຊ່ວຍປະຢັດໃບເກັບເງິນ DocType: Employee,Encashment Date,ວັນທີ່ສະຫມັກ Encashment DocType: Training Event,Internet,ອິນເຕີເນັດ DocType: Account,Stock Adjustment,ການປັບ Stock @@ -4001,10 +4012,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ຫນ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ພິເສດນ້ໍາອະນຸຍາດໃຫ້ສໍາລັບລາຍການ: {0} ເປັນ {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,ມູນຄ່າຊັບສິນສຸດທິເປັນ DocType: Account,Receivable,ຮັບ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"ຕິດຕໍ່ກັນ, {0}: ບໍ່ອະນຸຍາດໃຫ້ມີການປ່ຽນແປງຜູ້ຜະລິດເປັນການສັ່ງຊື້ຢູ່ແລ້ວ" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"ຕິດຕໍ່ກັນ, {0}: ບໍ່ອະນຸຍາດໃຫ້ມີການປ່ຽນແປງຜູ້ຜະລິດເປັນການສັ່ງຊື້ຢູ່ແລ້ວ" DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ພາລະບົດບາດທີ່ຖືກອະນຸຍາດໃຫ້ສົ່ງການທີ່ເກີນຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອທີ່ກໍານົດໄວ້. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,ເລືອກລາຍການການຜະລິດ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","ຕົ້ນສະບັບການຊິ້ງຂໍ້ມູນຂໍ້ມູນ, ມັນອາດຈະໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງ" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,ເລືອກລາຍການການຜະລິດ +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","ຕົ້ນສະບັບການຊິ້ງຂໍ້ມູນຂໍ້ມູນ, ມັນອາດຈະໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງ" DocType: Item,Material Issue,ສະບັບອຸປະກອນການ DocType: Hub Settings,Seller Description,ຜູ້ຂາຍລາຍລະອຽດ DocType: Employee Education,Qualification,ຄຸນສົມບັດ @@ -4025,11 +4036,10 @@ DocType: BOM,Rate Of Materials Based On,ອັດຕາຂອງວັດສະ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics ສະຫນັບສະຫນູນ apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,ຍົກເລີກທັງຫມົດ DocType: POS Profile,Terms and Conditions,ຂໍ້ກໍານົດແລະເງື່ອນໄຂ -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງພະນັກງານແຜນການຕັ້ງຊື່ System ໃນຊັບພະຍາກອນມະນຸດ> Settings HR apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},ຈົນເຖິງວັນທີ່ຄວນຈະຢູ່ໃນປີງົບປະມານ. ສົມມຸດວ່າການ Date = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ໃນທີ່ນີ້ທ່ານສາມາດຮັກສາລະດັບຄວາມສູງ, ນ້ໍາ, ອາການແພ້, ຄວາມກັງວົນດ້ານການປິ່ນປົວແລະອື່ນໆ" DocType: Leave Block List,Applies to Company,ໃຊ້ໄດ້ກັບບໍລິສັດ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,ບໍ່ສາມາດຍົກເລີກເພາະວ່າສົ່ງ Stock Entry {0} ມີຢູ່ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,ບໍ່ສາມາດຍົກເລີກເພາະວ່າສົ່ງ Stock Entry {0} ມີຢູ່ DocType: Employee Loan,Disbursement Date,ວັນທີ່ສະຫມັກນໍາເຂົ້າ DocType: Vehicle,Vehicle,ຍານພາຫະນະ DocType: Purchase Invoice,In Words,ໃນຄໍາສັບຕ່າງໆ @@ -4068,7 +4078,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,ການຕັ້ງ DocType: Assessment Result Detail,Assessment Result Detail,ການປະເມີນຜົນຂໍ້ມູນຜົນການຄົ້ນຫາ DocType: Employee Education,Employee Education,ການສຶກສາພະນັກງານ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ກຸ່ມລາຍການຊ້ໍາກັນພົບເຫັນຢູ່ໃນຕາຕະລາງກຸ່ມລາຍການ -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,ມັນຕ້ອງການເພື່ອດຶງຂໍ້ມູນລາຍລະອຽດສິນຄ້າ. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,ມັນຕ້ອງການເພື່ອດຶງຂໍ້ມູນລາຍລະອຽດສິນຄ້າ. DocType: Salary Slip,Net Pay,ຈ່າຍສຸດທິ DocType: Account,Account,ບັນຊີ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial No {0} ໄດ້ຮັບແລ້ວ @@ -4076,7 +4086,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,ຍານພາຫະນະເຂົ້າສູ່ລະບົບ DocType: Purchase Invoice,Recurring Id,Id Recurring DocType: Customer,Sales Team Details,ລາຍລະອຽດ Team Sales -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,ລຶບຢ່າງຖາວອນ? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,ລຶບຢ່າງຖາວອນ? DocType: Expense Claim,Total Claimed Amount,ຈໍານວນທັງຫມົດອ້າງວ່າ apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ກາລະໂອກາດທີ່ອາດມີສໍາລັບການຂາຍ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ບໍ່ຖືກຕ້ອງ {0} @@ -4088,7 +4098,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ຕິດຕັ້ງໂຮງຮຽນຂອງທ່ານໃນ ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),ຖານການປ່ຽນແປງຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,ບໍ່ມີການຈົດບັນຊີສໍາລັບການສາງດັ່ງຕໍ່ໄປນີ້ -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,ຊ່ວຍປະຢັດເອກະສານທໍາອິດ. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,ຊ່ວຍປະຢັດເອກະສານທໍາອິດ. DocType: Account,Chargeable,ຄ່າບໍລິການ DocType: Company,Change Abbreviation,ການປ່ຽນແປງສະບັບຫຍໍ້ DocType: Expense Claim Detail,Expense Date,ວັນທີ່ສະຫມັກຄ່າໃຊ້ຈ່າຍ @@ -4102,7 +4112,6 @@ DocType: BOM,Manufacturing User,ຜູ້ໃຊ້ການຜະລິດ DocType: Purchase Invoice,Raw Materials Supplied,ວັດຖຸດິບທີ່ຈໍາຫນ່າຍ DocType: Purchase Invoice,Recurring Print Format,ຮູບແບບພິມ Recurring DocType: C-Form,Series,Series -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,ວັນທີຄາດວ່າສົ່ງບໍ່ສາມາດກ່ອນທີ່ໃບສັ່ງຊື້ວັນທີ່ DocType: Appraisal,Appraisal Template,ແມ່ແບບການປະເມີນຜົນ DocType: Item Group,Item Classification,ການຈັດປະເພດສິນຄ້າ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ຜູ້ຈັດການພັດທະນາທຸລະກິດ @@ -4141,12 +4150,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ເລື apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,ການຝຶກອົບຮົມກິດຈະກໍາ / ຜົນການຄົ້ນຫາ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,ສະສົມຄ່າເສື່ອມລາຄາເປັນ DocType: Sales Invoice,C-Form Applicable,"C, ໃບສະຫມັກ" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},ການດໍາເນີນງານທີ່ໃຊ້ເວລາຕ້ອງໄດ້ຫຼາຍກ່ວາ 0 ສໍາລັບການດໍາເນີນງານ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},ການດໍາເນີນງານທີ່ໃຊ້ເວລາຕ້ອງໄດ້ຫຼາຍກ່ວາ 0 ສໍາລັບການດໍາເນີນງານ {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse ເປັນການບັງຄັບ DocType: Supplier,Address and Contacts,ທີ່ຢູ່ແລະຕິດຕໍ່ພົວພັນ DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ແປງຂໍ້ມູນ DocType: Program,Program Abbreviation,ຊື່ຫຍໍ້ໂຄງການ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາຕໍ່ຕ້ານແມ່ແບບລາຍການ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາຕໍ່ຕ້ານແມ່ແບບລາຍການ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ຄ່າບໍລິການມີການປັບປຸງໃນການຮັບຊື້ຕໍ່ແຕ່ລະລາຍການ DocType: Warranty Claim,Resolved By,ການແກ້ໄຂໂດຍ DocType: Bank Guarantee,Start Date,ວັນທີ່ເລີ່ມ @@ -4181,6 +4190,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,ການຝຶກອົບຮົມຜົນຕອບຮັບ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ສັ່ງຊື້ສິນຄ້າ {0} ຕ້ອງໄດ້ຮັບການສົ່ງ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},ກະລຸນາເລືອກເອົາວັນທີເລີ່ມຕົ້ນແລະການສິ້ນສຸດວັນທີ່ສໍາລັບລາຍການ {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,ກໍານົດເປົ້າຫມາຍການຂາຍທ່ານຕ້ອງການບັນລຸຜົນ. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},ຂອງລາຍວິຊາແມ່ນບັງຄັບໃນການຕິດຕໍ່ກັນ {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ວັນທີບໍ່ສາມາດຈະກ່ອນທີ່ຈະຈາກວັນທີ່ DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc @@ -4199,7 +4209,7 @@ DocType: Account,Income,ລາຍໄດ້ DocType: Industry Type,Industry Type,ປະເພດອຸດສາຫະກໍາ apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,ບາງສິ່ງບາງຢ່າງໄດ້ຜິດພາດ! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,ການເຕືອນໄພ: ອອກຈາກຄໍາຮ້ອງສະຫມັກປະກອບດ້ວຍຂໍ້ມູນວັນ block ດັ່ງຕໍ່ໄປນີ້ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,ຂາຍ Invoice {0} ໄດ້ຖືກສົ່ງແລ້ວ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,ຂາຍ Invoice {0} ໄດ້ຖືກສົ່ງແລ້ວ DocType: Assessment Result Detail,Score,ຄະແນນ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,ປີງົບປະມານ {0} ບໍ່ມີ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,ວັນທີ່ສະຫມັກສໍາເລັດ @@ -4229,7 +4239,7 @@ DocType: Naming Series,Help HTML,ການຊ່ວຍເຫຼືອ HTML DocType: Student Group Creation Tool,Student Group Creation Tool,ເຄື່ອງມືການສ້າງກຸ່ມນັກສຶກສາ DocType: Item,Variant Based On,Variant Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},weightage ທັງຫມົດໄດ້ຮັບມອບຫມາຍຄວນຈະເປັນ 100%. ມັນເປັນ {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,ຜູ້ສະຫນອງຂອງທ່ານ +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,ຜູ້ສະຫນອງຂອງທ່ານ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,ບໍ່ສາມາດກໍານົດເປັນການສູນເສຍທີ່ເປັນຄໍາສັ່ງຂາຍແມ່ນ. DocType: Request for Quotation Item,Supplier Part No,Supplier Part No apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ບໍ່ສາມາດຫັກໃນເວລາທີ່ປະເພດແມ່ນສໍາລັບການ 'ປະເມີນມູນຄ່າ' ຫຼື 'Vaulation ແລະລວມ @@ -4239,14 +4249,14 @@ DocType: Item,Has Serial No,ມີບໍ່ມີ Serial DocType: Employee,Date of Issue,ວັນທີຂອງການຈົດທະບຽນ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: ຈາກ {0} ສໍາລັບ {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ໂດຍອີງຕາມການຕັ້ງຄ່າຊື້ຖ້າຊື້ Reciept ຕ້ອງ == 'ໃຊ່', ຫຼັງຈາກນັ້ນສໍາລັບການສ້າງ Purchase ໃບເກັບເງິນ, ຜູ້ໃຊ້ຈໍາເປັນຕ້ອງໄດ້ສ້າງໃບຊື້ຄັ້ງທໍາອິດສໍາລັບລາຍການ {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},"ຕິດຕໍ່ກັນ, {0} ຕັ້ງຄ່າການຜະລິດສໍາລັບການ item {1}" -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ຕິດຕໍ່ກັນ {0}: ມູນຄ່າຊົ່ວໂມງຕ້ອງມີຄ່າຫລາຍກ່ວາສູນ. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},"ຕິດຕໍ່ກັນ, {0} ຕັ້ງຄ່າການຜະລິດສໍາລັບການ item {1}" +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,ຕິດຕໍ່ກັນ {0}: ມູນຄ່າຊົ່ວໂມງຕ້ອງມີຄ່າຫລາຍກ່ວາສູນ. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Image ເວັບໄຊທ໌ {0} ຕິດກັບ Item {1} ບໍ່ສາມາດໄດ້ຮັບການພົບເຫັນ DocType: Issue,Content Type,ປະເພດເນື້ອຫາ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,ຄອມພິວເຕີ DocType: Item,List this Item in multiple groups on the website.,ລາຍຊື່ສິນຄ້ານີ້ຢູ່ໃນກຸ່ມຫຼາກຫຼາຍກ່ຽວກັບເວັບໄຊທ໌. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,ກະລຸນາກວດສອບຕົວເລືອກສະກຸນເງິນ Multi ອະນຸຍາດໃຫ້ບັນຊີດ້ວຍສະກຸນເງິນອື່ນ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ສິນຄ້າ: {0} ບໍ່ມີຢູ່ໃນລະບົບ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,ສິນຄ້າ: {0} ບໍ່ມີຢູ່ໃນລະບົບ apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ຕັ້ງຄ່າ Frozen DocType: Payment Reconciliation,Get Unreconciled Entries,ໄດ້ຮັບ Unreconciled Entries DocType: Payment Reconciliation,From Invoice Date,ຈາກ Invoice ວັນທີ່ @@ -4272,7 +4282,7 @@ DocType: Stock Entry,Default Source Warehouse,Warehouse Source ມາດຕະ DocType: Item,Customer Code,ລະຫັດລູກຄ້າ apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},ເຕືອນວັນເດືອນປີເກີດສໍາລັບ {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ວັນນັບຕັ້ງແຕ່ສັ່ງຫຼ້າສຸດ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ DocType: Buying Settings,Naming Series,ການຕັ້ງຊື່ Series DocType: Leave Block List,Leave Block List Name,ອອກຈາກຊື່ Block ຊີ apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ວັນປະກັນໄພ Start ຄວນຈະມີຫນ້ອຍກ່ວາວັນການປະກັນໄພ End @@ -4289,7 +4299,7 @@ DocType: Vehicle Log,Odometer,ໄມ DocType: Sales Order Item,Ordered Qty,ຄໍາສັ່ງຈໍານວນ apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,ລາຍການ {0} ເປັນຄົນພິການ DocType: Stock Settings,Stock Frozen Upto,Stock Frozen ເກີນ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ບໍ່ໄດ້ປະກອບດ້ວຍລາຍການຫຼັກຊັບໃດຫນຶ່ງ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM ບໍ່ໄດ້ປະກອບດ້ວຍລາຍການຫຼັກຊັບໃດຫນຶ່ງ apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},ໄລຍະເວລາຈາກແລະໄລຍະເວລາມາຮອດປະຈຸບັງຄັບສໍາລັບທີ່ເກີດຂຶ້ນ {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,ກິດຈະກໍາໂຄງການ / ວຽກງານ. DocType: Vehicle Log,Refuelling Details,ລາຍລະອຽດເຊື້ອເພີງ @@ -4299,7 +4309,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,ບໍ່ພົບອັດຕາການຊື້ຫຼ້າສຸດ DocType: Purchase Invoice,Write Off Amount (Company Currency),ຂຽນ Off ຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ) DocType: Sales Invoice Timesheet,Billing Hours,ຊົ່ວໂມງໃນການເກັບເງິນ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM ມາດຕະຖານສໍາລັບການ {0} ບໍ່ໄດ້ພົບເຫັນ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM ມາດຕະຖານສໍາລັບການ {0} ບໍ່ໄດ້ພົບເຫັນ apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາທີ່ກໍານົດໄວ້ປະລິມານ reorder" apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ແຕະລາຍການຈະເພີ່ມໃຫ້ເຂົາເຈົ້າຢູ່ທີ່ນີ້ DocType: Fees,Program Enrollment,ໂຄງການລົງທະບຽນ @@ -4333,6 +4343,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Range Ageing 2 DocType: SG Creation Tool Course,Max Strength,ຄວາມສູງສຸດທີ່ເຄຍ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM ທົດແທນ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,ເລືອກລາຍການໂດຍອີງໃສ່ວັນທີ່ສົ່ງ ,Sales Analytics,ການວິເຄາະການຂາຍ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},ມີ {0} ,Prospects Engaged But Not Converted,ຄວາມສົດໃສດ້ານຫມັ້ນແຕ່ບໍ່ປ່ຽນໃຈເຫລື້ອມໃສ @@ -4381,7 +4392,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ສ່ວນລ apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet ສໍາລັບວຽກງານ. DocType: Purchase Invoice,Against Expense Account,ຕໍ່ບັນຊີຄ່າໃຊ້ຈ່າຍ DocType: Production Order,Production Order,ສັ່ງຊື້ສິນຄ້າ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,ການຕິດຕັ້ງຫມາຍເຫດ {0} ໄດ້ຖືກສົ່ງແລ້ວ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,ການຕິດຕັ້ງຫມາຍເຫດ {0} ໄດ້ຖືກສົ່ງແລ້ວ DocType: Bank Reconciliation,Get Payment Entries,ໄດ້ຮັບການອອກສຽງການຊໍາລະເງິນ DocType: Quotation Item,Against Docname,ຕໍ່ Docname DocType: SMS Center,All Employee (Active),ທັງຫມົດພະນັກງານ (Active) @@ -4390,7 +4401,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,ຕົ້ນທຶນວັດຖຸດິບ DocType: Item Reorder,Re-Order Level,Re: ຄໍາສັ່ງລະດັບ DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,ກະລຸນາໃສ່ລາຍການແລະການວາງແຜນຈໍານວນທີ່ທ່ານຕ້ອງການທີ່ຈະຍົກສູງບົດບາດສັ່ງຜະລິດຫຼືດາວໂຫຼດອຸປະກອນການເປັນວັດຖຸດິບສໍາລັບການວິເຄາະ. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,ຕາຕະລາງ Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,ຕາຕະລາງ Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ສ່ວນທີ່ໃຊ້ເວລາ DocType: Employee,Applicable Holiday List,ບັນຊີ Holiday ສາມາດນໍາໃຊ້ DocType: Employee,Cheque,ກະແສລາຍວັນ @@ -4448,11 +4459,11 @@ DocType: Bin,Reserved Qty for Production,ລິຂະສິດຈໍານວນ DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ອອກຈາກການກວດກາຖ້າຫາກວ່າທ່ານບໍ່ຕ້ອງການທີ່ຈະພິຈາລະນາໃນຂະນະທີ່ batch ເຮັດໃຫ້ກຸ່ມແນ່ນອນຕາມ. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ອອກຈາກການກວດກາຖ້າຫາກວ່າທ່ານບໍ່ຕ້ອງການທີ່ຈະພິຈາລະນາໃນຂະນະທີ່ batch ເຮັດໃຫ້ກຸ່ມແນ່ນອນຕາມ. DocType: Asset,Frequency of Depreciation (Months),ຄວາມຖີ່ຂອງການເສື່ອມລາຄາ (ເດືອນ) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,ການບັນຊີ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,ການບັນຊີ DocType: Landed Cost Item,Landed Cost Item,ລູກຈ້າງສິນຄ້າຕົ້ນທຶນ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,ສະແດງໃຫ້ເຫັນຄຸນຄ່າສູນ DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ປະລິມານຂອງສິນຄ້າໄດ້ຮັບຫຼັງຈາກການຜະລິດ / repacking ຈາກປະລິມານຂອງວັດຖຸດິບ -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,ການຕິດຕັ້ງເວັບໄຊທ໌ງ່າຍດາຍສໍາລັບອົງການຈັດຕັ້ງຂອງຂ້າພະເຈົ້າ +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,ການຕິດຕັ້ງເວັບໄຊທ໌ງ່າຍດາຍສໍາລັບອົງການຈັດຕັ້ງຂອງຂ້າພະເຈົ້າ DocType: Payment Reconciliation,Receivable / Payable Account,Receivable / Account Payable DocType: Delivery Note Item,Against Sales Order Item,ຕໍ່ສັ່ງຂາຍສິນຄ້າ apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},ກະລຸນາລະບຸຄຸນສົມບັດມູນຄ່າສໍາລັບເຫດຜົນ {0} @@ -4517,22 +4528,22 @@ DocType: Student,Nationality,ສັນຊາດ ,Items To Be Requested,ລາຍການທີ່ຈະໄດ້ຮັບການຮ້ອງຂໍ DocType: Purchase Order,Get Last Purchase Rate,ໄດ້ຮັບຫຼ້າສຸດອັດຕາການຊື້ DocType: Company,Company Info,ຂໍ້ມູນບໍລິສັດ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,ເລືອກຫລືເພີ່ມລູກຄ້າໃຫມ່ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,ສູນຕົ້ນທຶນທີ່ຈໍາເປັນຕ້ອງເຂົ້າເອີ້ນຮ້ອງຄ່າໃຊ້ຈ່າຍ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,ເລືອກຫລືເພີ່ມລູກຄ້າໃຫມ່ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,ສູນຕົ້ນທຶນທີ່ຈໍາເປັນຕ້ອງເຂົ້າເອີ້ນຮ້ອງຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ຄໍາຮ້ອງສະຫມັກຂອງກອງທຶນ (ຊັບສິນ) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ນີ້ແມ່ນອີງໃສ່ການເຂົ້າຮ່ວມຂອງພະນັກງານນີ້ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,ບັນຊີເດບິດ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,ບັນຊີເດບິດ DocType: Fiscal Year,Year Start Date,ປີເລີ່ມວັນທີ່ DocType: Attendance,Employee Name,ຊື່ພະນັກງານ DocType: Sales Invoice,Rounded Total (Company Currency),ກົມທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ບໍ່ສາມາດ covert ກັບ Group ເນື່ອງຈາກວ່າປະເພດບັນຊີໄດ້ຖືກຄັດເລືອກ. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} ໄດ້ຮັບການແກ້ໄຂ. ກະລຸນາໂຫຼດຫນ້າຈໍຄືນ. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} ໄດ້ຮັບການແກ້ໄຂ. ກະລຸນາໂຫຼດຫນ້າຈໍຄືນ. DocType: Leave Block List,Stop users from making Leave Applications on following days.,ຢຸດເຊົາການຜູ້ໃຊ້ຈາກການເຮັດໃຫ້ຄໍາຮ້ອງສະຫມັກອອກຈາກໃນມື້ດັ່ງຕໍ່ໄປນີ້. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ການຊື້ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,ສະເຫນີລາຄາຜູ້ຜະລິດ {0} ສ້າງ apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,ປີສຸດທ້າຍບໍ່ສາມາດກ່ອນທີ່ Start ປີ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ຜົນປະໂຫຍດພະນັກງານ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},ປະລິມານບັນຈຸຕ້ອງເທົ່າກັບປະລິມານສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},ປະລິມານບັນຈຸຕ້ອງເທົ່າກັບປະລິມານສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1} DocType: Production Order,Manufactured Qty,ຜະລິດຕະພັນຈໍານວນ DocType: Purchase Receipt Item,Accepted Quantity,ຈໍານວນທີ່ໄດ້ຮັບການ apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ມາດຕະຖານບັນຊີພັກຜ່ອນສໍາລັບພະນັກງານ {0} ຫລືບໍລິສັດ {1} @@ -4543,11 +4554,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ຕິດຕໍ່ກັນບໍ່ໄດ້ຊື້ {0}: ຈໍານວນເງິນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ Pending ຈໍານວນຕໍ່ຄ່າໃຊ້ຈ່າຍ {1} ການຮຽກຮ້ອງ. ທີ່ຍັງຄ້າງຈໍານວນເງິນເປັນ {2} DocType: Maintenance Schedule,Schedule,ກໍານົດເວລາ DocType: Account,Parent Account,ບັນຊີຂອງພໍ່ແມ່ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,ສາມາດໃຊ້ໄດ້ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,ສາມາດໃຊ້ໄດ້ DocType: Quality Inspection Reading,Reading 3,ອ່ານ 3 ,Hub,Hub DocType: GL Entry,Voucher Type,ປະເພດ Voucher -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,ລາຄາບໍ່ພົບຫຼືຄົນພິການ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,ລາຄາບໍ່ພົບຫຼືຄົນພິການ DocType: Employee Loan Application,Approved,ການອະນຸມັດ DocType: Pricing Rule,Price,ລາຄາ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',ພະນັກງານສະບາຍໃຈໃນ {0} ຕ້ອງໄດ້ຮັບການສ້າງຕັ້ງເປັນ 'ຊ້າຍ' @@ -4617,7 +4628,7 @@ DocType: SMS Settings,Static Parameters,ພາລາມິເຕີຄົງ DocType: Assessment Plan,Room,ຫ້ອງ DocType: Purchase Order,Advance Paid,ລ່ວງຫນ້າການຊໍາລະເງິນ DocType: Item,Item Tax,ພາສີລາຍ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,ອຸປະກອນການຜະລິດ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,ອຸປະກອນການຜະລິດ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,ອາກອນຊົມໃຊ້ໃບເກັບເງິນ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ປະກົດວ່າຫຼາຍກ່ວາຫນຶ່ງຄັ້ງ DocType: Expense Claim,Employees Email Id,Id ພະນັກງານ Email @@ -4657,7 +4668,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,ຮູບແບບ DocType: Production Order,Actual Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດຕົວຈິງ DocType: Payment Entry,Cheque/Reference No,ກະແສລາຍວັນ / Reference No -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> ປະເພດຜະລິດ apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ຮາກບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ. DocType: Item,Units of Measure,ຫົວຫນ່ວຍວັດແທກ DocType: Manufacturing Settings,Allow Production on Holidays,ອະນຸຍາດໃຫ້ຜະລິດໃນວັນຢຸດ @@ -4690,12 +4700,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Days ການປ່ອຍສິນເຊື່ອ apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,ເຮັດໃຫ້ກຸ່ມນັກສຶກສາ DocType: Leave Type,Is Carry Forward,ແມ່ນປະຕິບັດຕໍ່ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,ຮັບສິນຄ້າຈາກ BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,ຮັບສິນຄ້າຈາກ BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ນໍາໄປສູ່ການທີ່ໃຊ້ເວລາວັນ -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ຕິດຕໍ່ກັນ, {0}: ປະກາດວັນທີ່ຈະຕ້ອງເຊັ່ນດຽວກັນກັບວັນທີ່ຊື້ {1} ຂອງຊັບສິນ {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ຕິດຕໍ່ກັນ, {0}: ປະກາດວັນທີ່ຈະຕ້ອງເຊັ່ນດຽວກັນກັບວັນທີ່ຊື້ {1} ຂອງຊັບສິນ {2}" DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ກວດສອບນີ້ຖ້າຫາກວ່ານັກສຶກສາໄດ້ອາໄສຢູ່ໃນ Hostel ສະຖາບັນຂອງ. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,ກະລຸນາໃສ່ຄໍາສັ່ງຂາຍໃນຕາຕະລາງຂ້າງເທິງ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ບໍ່ Submitted ເງິນເດືອນ Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,ບໍ່ Submitted ເງິນເດືອນ Slips ,Stock Summary,Stock Summary apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,ໂອນຊັບສິນຈາກສາງກັບຄົນອື່ນ DocType: Vehicle,Petrol,ນ້ໍາມັນ diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv index c10086dcc34..e9a5510f32b 100644 --- a/erpnext/translations/lt.csv +++ b/erpnext/translations/lt.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,prekiautojas DocType: Employee,Rented,nuomojamos DocType: Purchase Order,PO-,po- DocType: POS Profile,Applicable for User,Taikoma Vartotojo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Sustabdyta Gamybos nurodymas negali būti atšauktas, atkišti ji pirmą kartą atšaukti" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Sustabdyta Gamybos nurodymas negali būti atšauktas, atkišti ji pirmą kartą atšaukti" DocType: Vehicle Service,Mileage,Rida apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Ar tikrai norite atsisakyti šios turtą? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Pasirinkti Default Tiekėjas @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Įvardintas apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),"Valiutų kursai turi būti toks pat, kaip {0} {1} ({2})" DocType: Sales Invoice,Customer Name,Klientas DocType: Vehicle,Natural Gas,Gamtinių dujų -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Banko sąskaita negali būti vadinamas {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Banko sąskaita negali būti vadinamas {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Vadovai (ar jų grupės), pagal kurį apskaitos įrašai yra pagaminti ir likučiai išlieka." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Neįvykdyti {0} negali būti mažesnė už nulį ({1}) DocType: Manufacturing Settings,Default 10 mins,Numatytasis 10 min @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Palikite Modelio pavadinimas apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Rodyti atvira apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Serija Atnaujinta sėkmingai apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Užsakymas -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural leidinys Įėjimo Pateikė +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural leidinys Įėjimo Pateikė DocType: Pricing Rule,Apply On,taikyti ant DocType: Item Price,Multiple Item prices.,Keli punktas kainos. ,Purchase Order Items To Be Received,Pirkimui užsakyti prekes bus gauta @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,mokėjimo sąskaitos re apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Rodyti Variantai DocType: Academic Term,Academic Term,akademinė terminas apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,medžiaga -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,kiekis +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,kiekis apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Sąskaitos lentelė gali būti tuščias. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Paskolos (įsipareigojimai) DocType: Employee Education,Year of Passing,Metus artimųjų @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Sveikatos apsauga apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Delsimas mokėjimo (dienomis) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Paslaugų išlaidų -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijos numeris: {0} jau yra nuorodos į pardavimo sąskaita-faktūra: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,faktūra +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijos numeris: {0} jau yra nuorodos į pardavimo sąskaita-faktūra: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,faktūra DocType: Maintenance Schedule Item,Periodicity,periodiškumas apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Finansiniai metai {0} reikalingas -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Numatomas pristatymo data yra būti prieš Pardavimų įsakymu data apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,apsauga DocType: Salary Component,Abbr,abbr DocType: Appraisal Goal,Score (0-5),Rezultatas (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Eilutės # {0}: DocType: Timesheet,Total Costing Amount,Iš viso Sąnaudų suma DocType: Delivery Note,Vehicle No,Automobilio Nėra -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Prašome pasirinkti Kainoraštis +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Prašome pasirinkti Kainoraštis apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Eilutės # {0}: mokėjimo dokumentas privalo baigti trasaction DocType: Production Order Operation,Work In Progress,Darbas vyksta apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Prašome pasirinkti datą @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} jokiu aktyviu finansinius metus. DocType: Packed Item,Parent Detail docname,Tėvų Išsamiau DOCNAME apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Nuoroda: {0}, Prekės kodas: {1} ir klientų: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kilogramas +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kilogramas DocType: Student Log,Log,Prisijungti apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Atidarymo dėl darbo. DocType: Item Attribute,Increment,prieaugis @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Vedęs apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Neleidžiama {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Gauk elementus iš -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},"Akcijų, negali būti atnaujintas prieš važtaraštyje {0}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},"Akcijų, negali būti atnaujintas prieš važtaraštyje {0}" apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Prekės {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nėra išvardytus punktus DocType: Payment Reconciliation,Reconcile,suderinti @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,pensi apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Kitas Nusidėvėjimas data negali būti prieš perkant data DocType: SMS Center,All Sales Person,Visi pardavimo asmuo DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mėnesio pasiskirstymas ** Jums padės platinti biudžeto / target visoje mėnesius, jei turite sezoniškumą savo verslą." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Nerasta daiktai +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Nerasta daiktai apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Darbo užmokesčio struktūrą Trūksta DocType: Lead,Person Name,"asmens vardas, pavardė" DocType: Sales Invoice Item,Sales Invoice Item,Pardavimų sąskaita faktūra punktas @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Ar Ilgalaikio turto" negali būti nepažymėta, kaip Turto įrašas egzistuoja nuo elemento" DocType: Vehicle Service,Brake Oil,stabdžių Nafta DocType: Tax Rule,Tax Type,mokesčių tipas -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,apmokestinamoji vertė +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,apmokestinamoji vertė apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Jūs nesate įgaliotas pridėti ar atnaujinti įrašus prieš {0} DocType: BOM,Item Image (if not slideshow),Prekė vaizdas (jei ne skaidrių) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Klientų egzistuoja to paties pavadinimo DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Valandą greičiu / 60) * Tikrasis veikimo laikas -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Pasirinkite BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Pasirinkite BOM DocType: SMS Log,SMS Log,SMS Prisijungti apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Išlaidos pristatyto objekto apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Atostogų į {0} yra ne tarp Nuo datos ir iki šiol @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Mokyklos DocType: School Settings,Validate Batch for Students in Student Group,Patvirtinti Serija studentams Studentų grupės apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ne atostogos rekordas darbuotojo rado {0} už {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Prašome įvesti įmonę pirmas -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Prašome pasirinkti Company pirmas +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Prašome pasirinkti Company pirmas DocType: Employee Education,Under Graduate,pagal diplomas apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Tikslinė Apie DocType: BOM,Total Cost,Iš viso išlaidų DocType: Journal Entry Account,Employee Loan,Darbuotojų Paskolos -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Veiklos žurnalas: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Prekė {0} neegzistuoja sistemoje arba pasibaigęs +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Veiklos žurnalas: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Prekė {0} neegzistuoja sistemoje arba pasibaigęs apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nekilnojamasis turtas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Sąskaitų ataskaita apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,vaistai @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,reikalavimo suma apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,rasti abonentu grupės lentelėje dublikatas klientų grupė apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tiekėjas Tipas / Tiekėjas DocType: Naming Series,Prefix,priešdėlis -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nustatymo seriją galite nustatyti {0} naudodami sąranką> Nustatymai> vardų serija -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,vartojimo +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,vartojimo DocType: Employee,B-,B DocType: Upload Attendance,Import Log,importas Prisijungti DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Ištraukite Material prašymu tipo Gamyba remiantis pirmiau minėtais kriterijais DocType: Training Result Employee,Grade,klasė DocType: Sales Invoice Item,Delivered By Supplier,Paskelbta tiekėjo DocType: SMS Center,All Contact,visi Susisiekite -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Gamybos Užsakyti jau sukurtas visų daiktų su BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Gamybos Užsakyti jau sukurtas visų daiktų su BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Metinis atlyginimas DocType: Daily Work Summary,Daily Work Summary,Dienos darbo santrauka DocType: Period Closing Voucher,Closing Fiscal Year,Uždarius finansinius metus -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} yra sušaldyti +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} yra sušaldyti apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Prašome pasirinkti veikiančią bendrovę kurti sąskaitų planą apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Akcijų išlaidos apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Pasirinkite Target sandėlis @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Priimamos + Atmesta Kiekis turi būti lygi Gauta kiekio punktui {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Tiekimo Žaliavos pirkimas -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Bent vienas režimas mokėjimo reikalingas POS sąskaitą. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Bent vienas režimas mokėjimo reikalingas POS sąskaitą. DocType: Products Settings,Show Products as a List,Rodyti produktus sąraše DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Atsisiųskite šabloną, užpildykite reikiamus duomenis ir pridėti naują failą. Visos datos ir darbuotojas kombinacija Pasirinkto laikotarpio ateis šabloną, su esamais lankomumo įrašų" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,"Prekė {0} nėra aktyvus, ar buvo pasiektas gyvenimo pabaigos" -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Pavyzdys: Elementarioji matematika -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Įtraukti mokestį iš eilės {0} prekės norma, mokesčiai eilučių {1}, taip pat turi būti įtraukti" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Pavyzdys: Elementarioji matematika +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Įtraukti mokestį iš eilės {0} prekės norma, mokesčiai eilučių {1}, taip pat turi būti įtraukti" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Nustatymai HR modulio DocType: SMS Center,SMS Center,SMS centro DocType: Sales Invoice,Change Amount,Pakeisti suma @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Montavimo data gali būti ne anksčiau pristatymo datos punkte {0} DocType: Pricing Rule,Discount on Price List Rate (%),Nuolaida Kainų sąrašas tarifas (%) DocType: Offer Letter,Select Terms and Conditions,Pasirinkite Terminai ir sąlygos -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,iš Vertė +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,iš Vertė DocType: Production Planning Tool,Sales Orders,pardavimų užsakymai DocType: Purchase Taxes and Charges,Valuation,įvertinimas ,Purchase Order Trends,Pirkimui užsakyti tendencijos @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Ar atidarymas įrašą DocType: Customer Group,Mention if non-standard receivable account applicable,"Nurodyk, jei nestandartinis gautinos sąskaitos taikoma" DocType: Course Schedule,Instructor Name,instruktorius Vardas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Sandėliavimo reikalingas prieš Pateikti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Sandėliavimo reikalingas prieš Pateikti apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,gautas DocType: Sales Partner,Reseller,perpardavinėjimo DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Jei pažymėta, apims ne atsargos medžiagoje prašymus." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Prieš Pardavimų sąskaitos punktas ,Production Orders in Progress,Gamybos užsakymai Progress apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Grynieji pinigų srautai iš finansavimo -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage "yra pilna, neišsaugojo" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage "yra pilna, neišsaugojo" DocType: Lead,Address & Contact,Adresas ir kontaktai DocType: Leave Allocation,Add unused leaves from previous allocations,Pridėti nepanaudotas lapus iš ankstesnių paskirstymų apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Kitas Pasikartojančios {0} bus sukurta {1} DocType: Sales Partner,Partner website,partnerio svetainė apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Pridėti Prekę -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kontaktinis vardas +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kontaktinis vardas DocType: Course Assessment Criteria,Course Assessment Criteria,Žinoma vertinimo kriterijai DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Sukuria darbo užmokestį už pirmiau minėtų kriterijų. DocType: POS Customer Group,POS Customer Group,POS Klientų grupė @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Eilutės {0}: Prašome patikrinti "yra iš anksto" prieš paskyra {1}, jei tai yra išankstinis įrašas." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Sandėlių {0} nepriklauso bendrovei {1} DocType: Email Digest,Profit & Loss,Pelnas ir nuostoliai -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,litrų +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,litrų DocType: Task,Total Costing Amount (via Time Sheet),Iš viso Sąnaudų suma (per Time lapas) DocType: Item Website Specification,Item Website Specification,Prekė svetainė Specifikacija apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Palikite Užblokuoti @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Pardavimų sąskaita faktūra nėra DocType: Material Request Item,Min Order Qty,Min Užsakomas kiekis DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Studentų grupė kūrimo įrankis kursai DocType: Lead,Do Not Contact,Nėra jokio tikslo susisiekti -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Žmonės, kurie mokyti savo organizaciją" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Žmonės, kurie mokyti savo organizaciją" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Unikalus ID sekimo visas pasikartojančias sąskaitas faktūras. Jis generuoja pateikti. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Programinės įrangos kūrėjas DocType: Item,Minimum Order Qty,Mažiausias užsakymo Kiekis @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Skelbia Hub DocType: Student Admission,Student Admission,Studentų Priėmimas ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Prekė {0} atšaukiamas -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,medžiaga Prašymas +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,medžiaga Prašymas DocType: Bank Reconciliation,Update Clearance Date,Atnaujinti Sąskaitų data DocType: Item,Purchase Details,pirkimo informacija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Prekė {0} nerastas "In žaliavos" stalo Užsakymo {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,laivyno direktorius apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Eilutė # {0}: {1} negali būti neigiamas už prekę {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Neteisingas slaptažodis DocType: Item,Variant Of,variantas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Užbaigtas Kiekis negali būti didesnis nei "Kiekis iki Gamyba" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Užbaigtas Kiekis negali būti didesnis nei "Kiekis iki Gamyba" DocType: Period Closing Voucher,Closing Account Head,Uždarymo sąskaita vadovas DocType: Employee,External Work History,Išorinis darbo istoriją apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Ciklinę nuorodą Klaida @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Atstumas nuo kairiojo kra apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} vienetai [{1}] (# forma / vnt / {1}) rasta [{2}] (# forma / sandėliavimo / {2}) DocType: Lead,Industry,Industrija DocType: Employee,Job Profile,darbo profilis +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Tai grindžiama sandoriais prieš šią bendrovę. Žiūrėkite žemiau pateiktą laiko juostą DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Praneškite elektroniniu paštu steigti automatinio Medžiaga Užsisakyti DocType: Journal Entry,Multi Currency,Daugiafunkciniai Valiuta DocType: Payment Reconciliation Invoice,Invoice Type,Sąskaitos faktūros tipas -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Važtaraštis +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Važtaraštis apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Įsteigti Mokesčiai apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kaina Parduota turto apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Mokėjimo Įrašas buvo pakeistas po to, kai ištraukė ją. Prašome traukti jį dar kartą." @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Prašome įvesti "Pakartokite Mėnesio diena" lauko reikšmę DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Norma, pagal kurią Klientas valiuta konvertuojama į kliento bazine valiuta" DocType: Course Scheduling Tool,Course Scheduling Tool,Žinoma planavimas įrankių -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Eilutės # {0}: Pirkimo sąskaita faktūra negali būti pareikštas esamo turto {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Eilutės # {0}: Pirkimo sąskaita faktūra negali būti pareikštas esamo turto {1} DocType: Item Tax,Tax Rate,Mokesčio tarifas apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} jau skirta darbuotojo {1} laikotarpiui {2} į {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Pasirinkite punktas +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Pasirinkite punktas apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Pirkimo sąskaita faktūra {0} jau pateiktas apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Eilutės # {0}: Serijos Nr turi būti toks pat, kaip {1} {2}" apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Konvertuoti į ne grupės @@ -447,7 +446,7 @@ DocType: Employee,Widowed,likusi našle DocType: Request for Quotation,Request for Quotation,Užklausimas DocType: Salary Slip Timesheet,Working Hours,Darbo valandos DocType: Naming Series,Change the starting / current sequence number of an existing series.,Pakeisti pradinį / trumpalaikiai eilės numerį esamo serijos. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Sukurti naują klientų +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Sukurti naują klientų apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jei ir toliau vyrauja daug kainodaros taisyklės, vartotojai, prašoma, kad prioritetas rankiniu būdu išspręsti konfliktą." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Sukurti Pirkimų užsakymus ,Purchase Register,pirkimo Registruotis @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Eksperto vardas DocType: Purchase Invoice Item,Quantity and Rate,Kiekis ir Balsuok DocType: Delivery Note,% Installed,% Įdiegta -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Kabinetai / Laboratorijos tt, kai paskaitos gali būti planuojama." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Kabinetai / Laboratorijos tt, kai paskaitos gali būti planuojama." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Prašome įvesti įmonės pavadinimą pirmoji DocType: Purchase Invoice,Supplier Name,tiekėjas Vardas apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Skaityti ERPNext vadovas @@ -490,7 +489,7 @@ DocType: Account,Old Parent,Senas Tėvų apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Privalomas laukas - akademiniai metai apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Privalomas laukas - akademiniai metai DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Tinkinti įvadinį tekstą, kad eina kaip tos paštu dalį. Kiekvienas sandoris turi atskirą įžanginį tekstą." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Prašome nustatyti numatytąją mokėtiną sąskaitos už bendrovės {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Prašome nustatyti numatytąją mokėtiną sąskaitos už bendrovės {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global nustatymai visus gamybos procesus. DocType: Accounts Settings,Accounts Frozen Upto,Sąskaitos Šaldyti upto DocType: SMS Log,Sent On,išsiųstas @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,MOKĖTINOS SUMOS apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Pasirinktos BOMs yra ne to paties objekto DocType: Pricing Rule,Valid Upto,galioja upto DocType: Training Event,Workshop,dirbtuvė -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Sąrašas keletą savo klientams. Jie gali būti organizacijos ar asmenys. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Sąrašas keletą savo klientams. Jie gali būti organizacijos ar asmenys. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Pakankamai Dalys sukurti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,tiesioginių pajamų apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Negali filtruoti pagal sąskaitą, jei sugrupuoti pagal sąskaitą" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Prašome pasirinkti kursai apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Prašome pasirinkti kursai DocType: Timesheet Detail,Hrs,h -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Prašome pasirinkti kompaniją +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Prašome pasirinkti kompaniją DocType: Stock Entry Detail,Difference Account,skirtumas paskyra DocType: Purchase Invoice,Supplier GSTIN,tiekėjas GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Ar nėra artimas užduotis, nes jos priklauso nuo užduoties {0} nėra uždarytas." @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Prašome apibrėžti kokybės už slenksčio 0% DocType: Sales Order,To Deliver,Pristatyti DocType: Purchase Invoice Item,Item,punktas -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serijos Nr punktas negali būti frakcija +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serijos Nr punktas negali būti frakcija DocType: Journal Entry,Difference (Dr - Cr),Skirtumas (dr - Cr) DocType: Account,Profit and Loss,Pelnas ir nuostoliai apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,valdymas Subranga @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),Garantinis laikotarpis (dienomis) DocType: Installation Note Item,Installation Note Item,Įrengimas Pastaba Prekė DocType: Production Plan Item,Pending Qty,Kol Kiekis DocType: Budget,Ignore,ignoruoti -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} is not active +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} is not active apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS siunčiami šiais numeriais: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Sąranka patikrinti matmenys spausdinti DocType: Salary Slip,Salary Slip Timesheet,Pajamos Kuponas Lapą @@ -687,8 +686,8 @@ DocType: Installation Note,IN-,VARŽYBOSE DocType: Production Order Operation,In minutes,per kelias minutes DocType: Issue,Resolution Date,geba data DocType: Student Batch Name,Batch Name,Serija Vardas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Lapą sukurta: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Prašome nustatyti numatytąją grynaisiais ar banko sąskaitą mokėjimo būdas {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Lapą sukurta: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Prašome nustatyti numatytąją grynaisiais ar banko sąskaitą mokėjimo būdas {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,įrašyti DocType: GST Settings,GST Settings,GST Nustatymai DocType: Selling Settings,Customer Naming By,Klientų įvardijimas Iki @@ -708,7 +707,7 @@ DocType: Activity Cost,Projects User,projektai Vartotojas apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Suvartojo apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} nerasta Sąskaitos informacijos lentelės DocType: Company,Round Off Cost Center,Suapvalinti sąnaudų centro -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Priežiūra Aplankykite {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Priežiūra Aplankykite {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų DocType: Item,Material Transfer,medžiagos pernešimas apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Atidarymas (dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Siunčiamos laiko žymos turi būti po {0} @@ -717,7 +716,7 @@ DocType: Employee Loan,Total Interest Payable,Iš viso palūkanų Mokėtina DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Įvežtinė kaina Mokesčiai ir rinkliavos DocType: Production Order Operation,Actual Start Time,Tikrasis Pradžios laikas DocType: BOM Operation,Operation Time,veikimo laikas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Baigti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Baigti apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Bazė DocType: Timesheet,Total Billed Hours,Iš viso Apmokestintos valandos DocType: Journal Entry,Write Off Amount,Nurašyti suma @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),Odometras Vertė (Paskutinis) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,prekyba apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Mokėjimo įrašas jau yra sukurta DocType: Purchase Receipt Item Supplied,Current Stock,Dabartinis sandėlyje -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},"Eilutės # {0}: Turto {1} nėra susijęs su straipsniais, {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},"Eilutės # {0}: Turto {1} nėra susijęs su straipsniais, {2}" apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Peržiūrėti darbo užmokestį apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Sąskaita {0} buvo įrašytas kelis kartus DocType: Account,Expenses Included In Valuation,"Sąnaudų, įtrauktų Vertinimo" @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aviacija DocType: Journal Entry,Credit Card Entry,Kreditinė kortelė įrašas apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Įmonė ir sąskaitos apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,"Prekių, gautų iš tiekėjų." -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,vertės +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,vertės DocType: Lead,Campaign Name,kampanijos pavadinimas DocType: Selling Settings,Close Opportunity After Days,Uždaryti progą dienų ,Reserved,rezervuotas @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,energija DocType: Opportunity,Opportunity From,galimybė Nuo apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mėnesinis darbo užmokestis pareiškimas. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Eilutė {0}: {1} {2} elementui reikalingi eilės numeriai. Jūs pateikė {3}. DocType: BOM,Website Specifications,Interneto svetainė duomenys apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Nuo {0} tipo {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Eilutės {0}: konversijos faktorius yra privalomas DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Keli Kaina Taisyklės egzistuoja tais pačiais kriterijais, prašome išspręsti konfliktą suteikti pirmenybę. Kaina Taisyklės: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Negalima išjungti arba atšaukti BOM kaip ji yra susijusi su kitais BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Negalima išjungti arba atšaukti BOM kaip ji yra susijusi su kitais BOMs DocType: Opportunity,Maintenance,priežiūra DocType: Item Attribute Value,Item Attribute Value,Prekė Pavadinimas Reikšmė apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Pardavimų kampanijas. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Padaryti žiniaraštis +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Padaryti žiniaraštis DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -838,7 +838,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Įsteigti pašto dėžutę apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Prašome įvesti Elementą pirmas DocType: Account,Liability,atsakomybė -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcijos suma negali būti didesnė nei ieškinio suma eilutėje {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcijos suma negali būti didesnė nei ieškinio suma eilutėje {0}. DocType: Company,Default Cost of Goods Sold Account,Numatytasis išlaidos parduotų prekių sąskaita apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Kainų sąrašas nepasirinkote DocType: Employee,Family Background,šeimos faktai @@ -849,10 +849,10 @@ DocType: Company,Default Bank Account,Numatytasis banko sąskaitos apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Filtruoti remiantis partijos, pasirinkite Šalis Įveskite pirmą" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},""Atnaujinti sandėlyje" negali būti patikrinta, nes daiktų nėra pristatomos per {0}" DocType: Vehicle,Acquisition Date,įsigijimo data -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,nos DocType: Item,Items with higher weightage will be shown higher,"Daiktai, turintys aukštąjį weightage bus rodomas didesnis" DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bankas Susitaikymas detalės -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Eilutės # {0}: Turto {1} turi būti pateiktas +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Eilutės # {0}: Turto {1} turi būti pateiktas apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nėra darbuotojas nerasta DocType: Supplier Quotation,Stopped,sustabdyta DocType: Item,If subcontracted to a vendor,Jei subrangos sutartį pardavėjas @@ -869,7 +869,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimalus sąskaitos fakt apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kaina centras {2} nepriklauso Company {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Sąskaitos {2} negali būti Grupė apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Prekė eilutė {IDX}: {DOCTYPE} {DOCNAME} neegzistuoja viršaus "{DOCTYPE}" stalo -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Lapą {0} jau baigė arba atšaukti +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Lapą {0} jau baigė arba atšaukti apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,nėra užduotys DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Mėnesio diena, kurią bus sukurta pvz 05, 28 ir tt automatinis sąskaitos faktūros" DocType: Asset,Opening Accumulated Depreciation,Atidarymo sukauptas nusidėvėjimas @@ -928,7 +928,7 @@ DocType: SMS Log,Requested Numbers,Pageidaujami numeriai DocType: Production Planning Tool,Only Obtain Raw Materials,Gauti tik žaliavų panaudojimas apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Veiklos vertinimas. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Įjungus "Naudokite krepšelį", kaip Krepšelis yra įjungtas ir ten turėtų būti bent viena Mokesčių taisyklė krepšelį" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Mokėjimo Įėjimo {0} yra susijęs su ordino {1}, patikrinti, ar jis turi būti traukiamas kaip anksto šioje sąskaitoje faktūroje." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Mokėjimo Įėjimo {0} yra susijęs su ordino {1}, patikrinti, ar jis turi būti traukiamas kaip anksto šioje sąskaitoje faktūroje." DocType: Sales Invoice Item,Stock Details,akcijų detalės apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,projekto vertė apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Pardavimo punktas @@ -951,15 +951,15 @@ DocType: Naming Series,Update Series,Atnaujinti serija DocType: Supplier Quotation,Is Subcontracted,subrangos sutartis DocType: Item Attribute,Item Attribute Values,Prekė atributų reikšmes DocType: Examination Result,Examination Result,tyrimo rezultatas -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,pirkimo kvito +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,pirkimo kvito ,Received Items To Be Billed,Gauti duomenys turi būti apmokestinama -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Pateikė Pajamos Apatinukai +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Pateikė Pajamos Apatinukai apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valiutos kursas meistras. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Nuoroda Dokumento tipo turi būti vienas iš {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Nepavyko rasti laiko tarpsnių per ateinančius {0} dienų darbui {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Nepavyko rasti laiko tarpsnių per ateinančius {0} dienų darbui {1} DocType: Production Order,Plan material for sub-assemblies,Planas medžiaga mazgams apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Pardavimų Partneriai ir teritorija -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} turi būti aktyvus +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} turi būti aktyvus DocType: Journal Entry,Depreciation Entry,Nusidėvėjimas įrašas apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Prašome pasirinkti dokumento tipą pirmas apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Atšaukti Medžiaga Apsilankymai {0} prieš atšaukiant šią Priežiūros vizitas @@ -969,7 +969,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Visas kiekis apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Interneto leidyba DocType: Production Planning Tool,Production Orders,gamybos užsakymus -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,balansinė vertė +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,balansinė vertė apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Pardavimų Kainų sąrašas apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publikuokite sinchronizuoti daiktų DocType: Bank Reconciliation,Account Currency,sąskaita Valiuta @@ -994,12 +994,12 @@ DocType: Employee,Exit Interview Details,Išeiti Interviu detalės DocType: Item,Is Purchase Item,Ar pirkimas Prekės DocType: Asset,Purchase Invoice,pirkimo sąskaita faktūra DocType: Stock Ledger Entry,Voucher Detail No,Bon Išsamiau Nėra -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nauja pardavimo sąskaita-faktūra +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nauja pardavimo sąskaita-faktūra DocType: Stock Entry,Total Outgoing Value,Iš viso Siuntimo kaina apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Atidarymo data ir galutinis terminas turėtų būti per patį finansiniams metams DocType: Lead,Request for Information,Paprašyti informacijos ,LeaderBoard,Lyderių -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sinchronizuoti Atsijungęs Sąskaitos +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sinchronizuoti Atsijungęs Sąskaitos DocType: Payment Request,Paid,Mokama DocType: Program Fee,Program Fee,programos mokestis DocType: Salary Slip,Total in words,Iš viso žodžiais @@ -1007,7 +1007,7 @@ DocType: Material Request Item,Lead Time Date,Švinas Laikas Data DocType: Guardian,Guardian Name,globėjas Vardas DocType: Cheque Print Template,Has Print Format,Ar spausdintos DocType: Employee Loan,Sanctioned,sankcijos -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,yra privaloma. Gal valiutų įrašas nėra sukurtas +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,yra privaloma. Gal valiutų įrašas nėra sukurtas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Eilutės # {0}: Prašome nurodyti Serijos Nr už prekę {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Dėl "produktas Bundle reikmenys, sandėlis, Serijos Nr paketais Nėra bus laikomas iš" apyrašas stalo ". Jei Sandėlio ir Serija Ne yra vienoda visoms pakavimo jokių daiktų "produktas Bundle" elemento, tos vertės gali būti įrašoma į pagrindinę punkto lentelėje, vertės bus nukopijuoti į "apyrašas stalo." DocType: Job Opening,Publish on website,Skelbti tinklapyje @@ -1020,7 +1020,7 @@ DocType: Cheque Print Template,Date Settings,data Nustatymai apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,variantiškumas ,Company Name,Įmonės pavadinimas DocType: SMS Center,Total Message(s),Bendras pranešimas (-ai) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Pasirinkite punktas perkelti +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Pasirinkite punktas perkelti DocType: Purchase Invoice,Additional Discount Percentage,Papildoma nuolaida procentais apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Peržiūrėkite visas pagalbos video sąrašą DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Pasirinkite sąskaita Banko vadovas kurioje patikrinimas buvo deponuoti. @@ -1035,7 +1035,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Žaliavų kaina (Įmonės valiu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Visos prekės jau buvo pervestos šios produkcijos įsakymu. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Eilutė # {0}: Įvertinti gali būti ne didesnis nei naudotu dydžiu {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Eilutė # {0}: Įvertinti gali būti ne didesnis nei naudotu dydžiu {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,matuoklis +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,matuoklis DocType: Workstation,Electricity Cost,elektros kaina DocType: HR Settings,Don't send Employee Birthday Reminders,Nesiųskite Darbuotojų Gimimo diena Priminimai DocType: Item,Inspection Criteria,tikrinimo kriterijai @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Gauti avansai Mokama DocType: Item,Automatically Create New Batch,Automatiškai Sukurti naują partiją DocType: Item,Automatically Create New Batch,Automatiškai Sukurti naują partiją -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,padaryti +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,padaryti DocType: Student Admission,Admission Start Date,Priėmimo pradžios data DocType: Journal Entry,Total Amount in Words,Iš viso suma žodžiais apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Įvyko klaida. Vienas tikėtina priežastis gali būti, kad jūs neišsaugojote formą. Prašome susisiekti su support@erpnext.com jei problema išlieka." @@ -1058,7 +1058,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mano krepšelis apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Pavedimo tipas turi būti vienas iš {0} DocType: Lead,Next Contact Date,Kitas Kontaktinė data apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,atidarymo Kiekis -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Prašome įvesti sąskaitą pokyčio sumą +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Prašome įvesti sąskaitą pokyčio sumą DocType: Student Batch Name,Student Batch Name,Studentų Serija Vardas DocType: Holiday List,Holiday List Name,Atostogų sąrašas Vardas DocType: Repayment Schedule,Balance Loan Amount,Balansas Paskolos suma @@ -1066,7 +1066,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Akcijų pasirinkimai DocType: Journal Entry Account,Expense Claim,Kompensuojamos Pretenzija apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Ar tikrai norite atstatyti šį metalo laužą turtą? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Kiekis dėl {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Kiekis dėl {0} DocType: Leave Application,Leave Application,atostogos taikymas apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Palikite Allocation įrankis DocType: Leave Block List,Leave Block List Dates,Palikite blokuojamų sąrašą Datos @@ -1117,7 +1117,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,prieš DocType: Item,Default Selling Cost Center,Numatytasis Parduodami Kaina centras DocType: Sales Partner,Implementation Partner,įgyvendinimas partneriu -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Pašto kodas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Pašto kodas apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Pardavimų užsakymų {0} yra {1} DocType: Opportunity,Contact Info,Kontaktinė informacija apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Padaryti atsargų papildymams @@ -1136,14 +1136,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,V DocType: School Settings,Attendance Freeze Date,Lankomumas nuo užšalimo data DocType: School Settings,Attendance Freeze Date,Lankomumas nuo užšalimo data DocType: Opportunity,Your sales person who will contact the customer in future,"Jūsų pardavimų asmuo, kuris kreipsis į kliento ateityje" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Sąrašas keletą savo tiekėjais. Jie gali būti organizacijos ar asmenys. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Sąrašas keletą savo tiekėjais. Jie gali būti organizacijos ar asmenys. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Peržiūrėti visus produktus apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalus Švinas Amžius (dienomis) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalus Švinas Amžius (dienomis) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Visi BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Visi BOMs DocType: Company,Default Currency,Pirminė kainoraščio valiuta DocType: Expense Claim,From Employee,iš darbuotojo -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Įspėjimas: sistema netikrins per didelių sąskaitų, nes suma už prekę {0} iš {1} yra lygus nuliui" +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Įspėjimas: sistema netikrins per didelių sąskaitų, nes suma už prekę {0} iš {1} yra lygus nuliui" DocType: Journal Entry,Make Difference Entry,Padaryti Skirtumas įrašą DocType: Upload Attendance,Attendance From Date,Lankomumas Nuo data DocType: Appraisal Template Goal,Key Performance Area,Pagrindiniai veiklos sritis @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Įmonės registracijos numeriai jūsų nuoroda. Mokesčių numeriai ir kt DocType: Sales Partner,Distributor,skirstytuvas DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Krepšelis Pristatymas taisyklė -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Gamybos Užsakyti {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Gamybos Užsakyti {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Prašome nustatyti "Taikyti papildomą nuolaidą On" ,Ordered Items To Be Billed,Užsakytas prekes Norėdami būti mokami apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Iš klasės turi būti mažesnis nei svyruoja @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,atskaitymai DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,pradžios metus -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Pirmieji 2 skaitmenys GSTIN turi sutapti su Valstybinio numerio {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Pirmieji 2 skaitmenys GSTIN turi sutapti su Valstybinio numerio {0} DocType: Purchase Invoice,Start date of current invoice's period,Pradžios data einamųjų sąskaitos faktūros laikotarpį DocType: Salary Slip,Leave Without Pay,Palikite be darbo užmokesčio -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Talpa planavimas Klaida +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Talpa planavimas Klaida ,Trial Balance for Party,Bandomoji likutis partijos DocType: Lead,Consultant,konsultantas DocType: Salary Slip,Earnings,Pajamos @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,mokėtojo Nustatymai DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Tai bus pridėtas prie elemento kodekso variante. Pavyzdžiui, jei jūsų santrumpa yra "S.", o prekės kodas yra T-shirt ", elementas kodas variantas bus" T-shirt-SM "" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Neto darbo užmokestis (žodžiais) bus matomas, kai jums sutaupyti darbo užmokestį." DocType: Purchase Invoice,Is Return,Ar Grįžti -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Prekių grąžinimas / debeto aviza +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Prekių grąžinimas / debeto aviza DocType: Price List Country,Price List Country,Kainų sąrašas Šalis DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} galioja eilės numeriai už prekę {1} @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,dalinai Išmokėta apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Tiekėjas duomenų bazę. DocType: Account,Balance Sheet,Balanso lapas apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Kainuos centras už prekę su Prekės kodas " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mokėjimo būdas yra neužpildė. Prašome patikrinti, ar sąskaita buvo nustatytas mokėjimų Mode arba POS profilis." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mokėjimo būdas yra neužpildė. Prašome patikrinti, ar sąskaita buvo nustatytas mokėjimų Mode arba POS profilis." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Jūsų pardavimų asmuo bus gauti priminimą šią dieną kreiptis į klientų apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Tas pats daiktas negali būti įrašytas kelis kartus. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Daugiau sąskaitos gali būti grupėse, tačiau įrašai gali būti pareikštas ne grupės" @@ -1231,7 +1231,7 @@ DocType: Employee Loan Application,Repayment Info,grąžinimas Informacija apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"Įrašai" negali būti tuščias apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Dubliuoti eilutė {0} su tuo pačiu {1} ,Trial Balance,bandomasis balansas -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Finansiniai metai {0} nerastas +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Finansiniai metai {0} nerastas apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Įsteigti Darbuotojai DocType: Sales Order,SO-,SO apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Prašome pasirinkti prefiksą pirmas @@ -1246,11 +1246,11 @@ DocType: Grading Scale,Intervals,intervalai apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Seniausi apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Prekę grupė egzistuoja to paties pavadinimo, prašom pakeisti elementą vardą ar pervardyti elementą grupę" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Studentų Mobilus Ne -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Likęs pasaulis +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Likęs pasaulis apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Naudodami {0} punktas negali turėti Serija ,Budget Variance Report,Biudžeto Dispersija ataskaita DocType: Salary Slip,Gross Pay,Pilna Mokėti -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Eilutės {0}: veiklos rūšis yra privalomas. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Eilutės {0}: veiklos rūšis yra privalomas. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendai apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,apskaitos Ledgeris DocType: Stock Reconciliation,Difference Amount,skirtumas suma @@ -1273,18 +1273,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Darbuotojų atostogos balansas apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Likutis sąskaitoje {0} visada turi būti {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},"Vertinimo tarifas, kurio reikia už prekę iš eilės {0}" -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Pavyzdys: magistro Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Pavyzdys: magistro Computer Science DocType: Purchase Invoice,Rejected Warehouse,atmesta sandėlis DocType: GL Entry,Against Voucher,prieš kupono DocType: Item,Default Buying Cost Center,Numatytasis Ieško kaina centras apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Norėdami gauti geriausią iš ERPNext, mes rekomenduojame, kad jūs šiek tiek laiko ir žiūrėti šiuos pagalbos video." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,į +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,į DocType: Supplier Quotation Item,Lead Time in days,Švinas Laikas dienų apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Mokėtinos sumos Santrauka -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Apmokėjimas algos nuo {0} ir {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Apmokėjimas algos nuo {0} ir {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Neregistruota redaguoti įšaldytą sąskaitą {0} DocType: Journal Entry,Get Outstanding Invoices,Gauk neapmokėtų sąskaitų faktūrų -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Pardavimų užsakymų {0} negalioja +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Pardavimų užsakymų {0} negalioja apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Pirkimo pavedimai padės jums planuoti ir sekti savo pirkimų apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Atsiprašome, įmonės negali būti sujungtos" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1306,8 +1306,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,netiesioginės išlaidos apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Eilutės {0}: Kiekis yra privalomi apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Žemdirbystė -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sinchronizavimo Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Savo produktus ar paslaugas +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sinchronizavimo Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Savo produktus ar paslaugas DocType: Mode of Payment,Mode of Payment,mokėjimo būdas apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Interneto svetainė Paveikslėlis turėtų būti valstybės failą ar svetainės URL DocType: Student Applicant,AP,A. @@ -1327,18 +1327,18 @@ DocType: Student Group Student,Group Roll Number,Grupė salė Taškų DocType: Student Group Student,Group Roll Number,Grupė salė Taškų apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",Dėl {0} tik kredito sąskaitos gali būti susijęs su kitos debeto įrašą apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Bendras visų užduočių svoriai turėtų būti 1. Prašome reguliuoti svareliai visų projekto užduotis atitinkamai -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Važtaraštis {0} nebus pateiktas +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Važtaraštis {0} nebus pateiktas apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Prekė {0} turi būti Prekė pagal subrangos sutartis apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,kapitalo įranga apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Kainodaros taisyklė pirmiausia atrenkami remiantis "Taikyti" srityje, kuris gali būti punktas, punktas Grupė ar prekės ženklą." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Pirmiausia nustatykite elemento kodą +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Pirmiausia nustatykite elemento kodą DocType: Hub Settings,Seller Website,Pardavėjo Interneto svetainė DocType: Item,ITEM-,item- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Iš viso skyrė procentas pardavimų vadybininkas turi būti 100 DocType: Appraisal Goal,Goal,Tikslas DocType: Sales Invoice Item,Edit Description,Redaguoti Aprašymas ,Team Updates,komanda Atnaujinimai -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,tiekėjas +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,tiekėjas DocType: Account,Setting Account Type helps in selecting this Account in transactions.,"Nustatymas sąskaitos rūšis, padedanti renkantis šį Narystė sandoriuose." DocType: Purchase Invoice,Grand Total (Company Currency),Bendra suma (Įmonės valiuta) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Sukurti Spausdinti formatas @@ -1352,12 +1352,12 @@ DocType: Item,Website Item Groups,Interneto svetainė punktas Grupės DocType: Purchase Invoice,Total (Company Currency),Iš viso (Įmonės valiuta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Serijos numeris {0} įvesta daugiau nei vieną kartą DocType: Depreciation Schedule,Journal Entry,žurnalo įrašą -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} elementų pažangą +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} elementų pažangą DocType: Workstation,Workstation Name,Kompiuterizuotos darbo vietos Vardas DocType: Grading Scale Interval,Grade Code,Įvertinimas kodas DocType: POS Item Group,POS Item Group,POS punktas grupė apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Siųskite Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} nepriklauso punkte {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} nepriklauso punkte {1} DocType: Sales Partner,Target Distribution,Tikslinė pasiskirstymas 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 @@ -1415,7 +1415,7 @@ DocType: Quotation,Shopping Cart,Prekių krepšelis apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Vid Dienos Siunčiami DocType: POS Profile,Campaign,Kampanija DocType: Supplier,Name and Type,Pavadinimas ir tipas -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Patvirtinimo būsena turi būti "Patvirtinta" arba "Atmesta" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Patvirtinimo būsena turi būti "Patvirtinta" arba "Atmesta" DocType: Purchase Invoice,Contact Person,kontaktinis asmuo apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"Tikėtinas pradžios data" gali būti ne didesnis nei "Expected Pabaigos data" DocType: Course Scheduling Tool,Course End Date,Žinoma Pabaigos data @@ -1427,8 +1427,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Pageidaujamas paštas apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Grynasis pokytis ilgalaikio turto DocType: Leave Control Panel,Leave blank if considered for all designations,"Palikite tuščią, jei laikomas visų pavadinimų" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mokesčio tipas "Tikrasis" iš eilės {0} negali būti įtraukti į klausimus lygis -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mokesčio tipas "Tikrasis" iš eilės {0} negali būti įtraukti į klausimus lygis +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,nuo datetime DocType: Email Digest,For Company,dėl Company apps/erpnext/erpnext/config/support.py +17,Communication log.,Ryšio žurnalas. @@ -1469,7 +1469,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Darbo profilis DocType: Journal Entry Account,Account Balance,Sąskaitos balansas apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Mokesčių taisyklė sandorius. DocType: Rename Tool,Type of document to rename.,Dokumento tipas pervadinti. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Perkame šį Elementą +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Perkame šį Elementą apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klientas privalo prieš gautinos sąskaitos {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Iš viso mokesčiai ir rinkliavos (Įmonės valiuta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Rodyti Atvirų fiskalinius metus anketa P & L likučius @@ -1480,7 +1480,7 @@ DocType: Quality Inspection,Readings,Skaitiniai DocType: Stock Entry,Total Additional Costs,Iš viso papildomų išlaidų DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Laužas Medžiaga Kaina (Įmonės valiuta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,sub Agregatai +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,sub Agregatai DocType: Asset,Asset Name,"turto pavadinimas," DocType: Project,Task Weight,užduotis Svoris DocType: Shipping Rule Condition,To Value,Vertinti @@ -1509,7 +1509,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Prekė Variantai DocType: Company,Services,Paslaugos DocType: HR Settings,Email Salary Slip to Employee,Siųsti darbo užmokestį į darbuotojų DocType: Cost Center,Parent Cost Center,Tėvų Kaina centras -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Pasirinkite Galima Tiekėjo +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Pasirinkite Galima Tiekėjo DocType: Sales Invoice,Source,šaltinis apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Rodyti uždarytas DocType: Leave Type,Is Leave Without Pay,Ar palikti be Pay @@ -1521,7 +1521,7 @@ DocType: POS Profile,Apply Discount,taikyti nuolaidą DocType: GST HSN Code,GST HSN Code,"Paaiškėjo, kad GST HSN kodas" DocType: Employee External Work History,Total Experience,Iš viso Patirtis apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Atviri projektai -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Pakavimo Kuponas (-ai) atšauktas +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Pakavimo Kuponas (-ai) atšauktas apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Pinigų srautai iš investicinės DocType: Program Course,Program Course,programos kursas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Krovinių ir ekspedijavimo Mokesčiai @@ -1562,9 +1562,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,programa mokinių DocType: Sales Invoice Item,Brand Name,Markės pavadinimas DocType: Purchase Receipt,Transporter Details,Transporter detalės -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Numatytasis sandėlis reikalingas pasirinktą elementą -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Dėžė -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,galimas Tiekėjas +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Numatytasis sandėlis reikalingas pasirinktą elementą +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Dėžė +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,galimas Tiekėjas DocType: Budget,Monthly Distribution,Mėnesio pasiskirstymas apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Imtuvas sąrašas tuščias. Prašome sukurti imtuvas sąrašas DocType: Production Plan Sales Order,Production Plan Sales Order,Gamybos planas pardavimų užsakymų @@ -1597,7 +1597,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Ieškiniai d apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studentai ne sistemos širdyje, pridėti visus savo mokinius" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Eilutės # {0} klirensas data {1} negali būti prieš čekis data {2} DocType: Company,Default Holiday List,Numatytasis poilsis sąrašas -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Akcijų Įsipareigojimai DocType: Purchase Invoice,Supplier Warehouse,tiekėjas tiekiantis sandėlis DocType: Opportunity,Contact Mobile No,Kontaktinė Mobilus Nėra @@ -1613,18 +1613,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Atostogos tipo {0} negali būti ilgesnis nei {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Pabandykite planuoja operacijas X dienų iš anksto. DocType: HR Settings,Stop Birthday Reminders,Sustabdyti Gimimo diena Priminimai -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Prašome Set Default Darbo užmokesčio MOKĖTINOS Narystė Bendrovėje {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Prašome Set Default Darbo užmokesčio MOKĖTINOS Narystė Bendrovėje {0} DocType: SMS Center,Receiver List,imtuvas sąrašas -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Paieška punktas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Paieška punktas apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,suvartoti suma apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Grynasis Pakeisti pinigais DocType: Assessment Plan,Grading Scale,vertinimo skalė apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Matavimo vienetas {0} buvo įrašytas daugiau nei vieną kartą konversijos koeficientas lentelėje -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,jau baigtas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,jau baigtas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Akcijų In Hand apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Mokėjimo prašymas jau yra {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kaina išduotą prekės -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Kiekis turi būti ne daugiau kaip {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Kiekis turi būti ne daugiau kaip {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Praėję finansiniai metai yra neuždarytas apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Amžius (dienomis) DocType: Quotation Item,Quotation Item,citata punktas @@ -1638,6 +1638,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Informacinis dokumentas apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} yra atšauktas arba sustabdytas DocType: Accounts Settings,Credit Controller,kredito valdiklis +DocType: Sales Order,Final Delivery Date,Galutinė pristatymo data DocType: Delivery Note,Vehicle Dispatch Date,Automobilio išsiuntimo data DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Pirkimo kvito {0} nebus pateiktas @@ -1730,9 +1731,9 @@ DocType: Employee,Date Of Retirement,Data nuo išėjimo į pensiją DocType: Upload Attendance,Get Template,Gauk šabloną DocType: Material Request,Transferred,Perduotas DocType: Vehicle,Doors,durys -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext sąranka baigta +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext sąranka baigta DocType: Course Assessment Criteria,Weightage,weightage -DocType: Sales Invoice,Tax Breakup,mokesčių Breakup +DocType: Purchase Invoice,Tax Breakup,mokesčių Breakup DocType: Packing Slip,PS-,PS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kaina centras yra reikalingas "Pelno ir nuostolio" sąskaitos {2}. Prašome įkurti numatytąją sąnaudų centro bendrovei. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Klientų grupė egzistuoja to paties pavadinimo prašome pakeisti kliento vardą arba pervardyti klientų grupei @@ -1745,14 +1746,14 @@ DocType: Announcement,Instructor,Instruktorius DocType: Employee,AB+,AB "+" DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jei ši prekė yra variantų, tada jis negali būti parenkamos pardavimo užsakymus ir tt" DocType: Lead,Next Contact By,Kitas Susisiekti -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},reikalingas punktas {0} iš eilės Kiekis {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},reikalingas punktas {0} iš eilės Kiekis {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sandėlių {0} negali būti išbrauktas, nes egzistuoja kiekis už prekę {1}" DocType: Quotation,Order Type,pavedimo tipas DocType: Purchase Invoice,Notification Email Address,Pranešimas Elektroninio pašto adresas ,Item-wise Sales Register,Prekė išmintingas Pardavimų Registruotis DocType: Asset,Gross Purchase Amount,Pilna Pirkimo suma DocType: Asset,Depreciation Method,nusidėvėjimo metodas -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Atsijungęs +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Atsijungęs DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ar šis mokestis įtrauktas į bazinę palūkanų normą? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Iš viso Tikslinė DocType: Job Applicant,Applicant for a Job,Pareiškėjas dėl darbo @@ -1774,7 +1775,7 @@ DocType: Employee,Leave Encashed?,Palikite Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Galimybė Nuo srityje yra privalomas DocType: Email Digest,Annual Expenses,metinės išlaidos DocType: Item,Variants,variantai -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Padaryti pirkinių užsakymą +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Padaryti pirkinių užsakymą DocType: SMS Center,Send To,siųsti apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nėra pakankamai atostogos balansas Palikti tipas {0} DocType: Payment Reconciliation Payment,Allocated amount,skirtos sumos @@ -1782,7 +1783,7 @@ DocType: Sales Team,Contribution to Net Total,Indėlis į grynuosius DocType: Sales Invoice Item,Customer's Item Code,Kliento punktas kodas DocType: Stock Reconciliation,Stock Reconciliation,akcijų suderinimas DocType: Territory,Territory Name,teritorija Vardas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Darbas-in-progress sandėlio reikalingas prieš Pateikti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Darbas-in-progress sandėlio reikalingas prieš Pateikti apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Kandidatui į darbą. DocType: Purchase Order Item,Warehouse and Reference,Sandėliavimo ir nuoroda DocType: Supplier,Statutory info and other general information about your Supplier,Teisės aktų informacijos ir kita bendra informacija apie jūsų tiekėjas @@ -1795,16 +1796,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,vertinimai apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Duplicate Serijos Nr įvestas punkte {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Sąlyga laivybos taisyklės apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Prašome įvesti -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Negali overbill už prekę {0} iš eilės {1} daugiau nei {2}. Leisti per lpi, prašome nustatyti Ieško Nustatymai" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Prašome nustatyti filtrą remiantis punktą arba sandėlyje +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Negali overbill už prekę {0} iš eilės {1} daugiau nei {2}. Leisti per lpi, prašome nustatyti Ieško Nustatymai" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Prašome nustatyti filtrą remiantis punktą arba sandėlyje DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Grynasis svoris šio paketo. (Skaičiuojama automatiškai suma neto masė daiktų) DocType: Sales Order,To Deliver and Bill,Pristatyti ir Bill DocType: Student Group,Instructors,instruktoriai DocType: GL Entry,Credit Amount in Account Currency,Kredito sumą sąskaitos valiuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} turi būti pateiktas +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} turi būti pateiktas DocType: Authorization Control,Authorization Control,autorizacija Valdymo apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Eilutės # {0}: Atmesta Sandėlis yra privalomas prieš atmetė punkte {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,mokėjimas +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,mokėjimas apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Sandėlių {0} nėra susijęs su bet kokios sąskaitos, nurodykite Sandėlį įrašo sąskaitą arba nustatyti numatytąją inventoriaus sąskaitą įmonę {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Tvarkykite savo užsakymus DocType: Production Order Operation,Actual Time and Cost,Tikrasis Laikas ir kaina @@ -1820,12 +1821,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Rinkiny DocType: Quotation Item,Actual Qty,Tikrasis Kiekis DocType: Sales Invoice Item,References,Nuorodos DocType: Quality Inspection Reading,Reading 10,Skaitymas 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sąrašas savo produktus ar paslaugas, kad jūs pirkti ar parduoti. Įsitikinkite, kad patikrinti elementą Group, matavimo vienetas ir kitus objektus, kai paleidžiate." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sąrašas savo produktus ar paslaugas, kad jūs pirkti ar parduoti. Įsitikinkite, kad patikrinti elementą Group, matavimo vienetas ir kitus objektus, kai paleidžiate." DocType: Hub Settings,Hub Node,Stebulės mazgas apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Jūs įvedėte pasikartojančius elementus. Prašome ištaisyti ir bandykite dar kartą. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Bendradarbis +DocType: Company,Sales Target,Pardavimo tikslai DocType: Asset Movement,Asset Movement,turto judėjimas -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,nauja krepšelį +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,nauja krepšelį apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Prekė {0} nėra išspausdintas punktas DocType: SMS Center,Create Receiver List,Sukurti imtuvas sąrašas DocType: Vehicle,Wheels,ratai @@ -1867,13 +1869,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,projektų valdymas DocType: Supplier,Supplier of Goods or Services.,Tiekėjas tiekiantis prekes ar paslaugas. DocType: Budget,Fiscal Year,Fiskaliniai metai DocType: Vehicle Log,Fuel Price,kuro Kaina +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeracijos serijas lankomumui per sąranką> numeravimo serija DocType: Budget,Budget,biudžetas apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Ilgalaikio turto turi būti ne akcijų punktas. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Biudžetas negali būti skiriamas prieš {0}, nes tai ne pajamos ar sąnaudos sąskaita" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,pasiektas DocType: Student Admission,Application Form Route,Prašymo forma Vartojimo būdas apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Teritorija / Klientų -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,pvz 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,pvz 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Palikite tipas {0} negali būti paskirstytos, nes ji yra palikti be darbo užmokesčio" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Eilutės {0}: Paskirti suma {1} turi būti mažesnis arba lygus sąskaitą skolos likutį {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Žodžiais bus matomas, kai įrašote pardavimo sąskaita-faktūra." @@ -1882,11 +1885,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Prekė {0} nėra setup Serijos Nr. Patikrinkite Elementą meistras DocType: Maintenance Visit,Maintenance Time,Priežiūros laikas ,Amount to Deliver,Suma pristatyti -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Produkto ar paslaugos +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Produkto ar paslaugos apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term pradžios data negali būti vėlesnė nei metų pradžioje data mokslo metams, kuris terminas yra susijęs (akademiniai metai {}). Ištaisykite datas ir bandykite dar kartą." DocType: Guardian,Guardian Interests,Guardian Pomėgiai DocType: Naming Series,Current Value,Dabartinė vertė -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Keli fiskalinius metus egzistuoja datos {0}. Prašome nustatyti bendrovės finansiniams metams +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Keli fiskalinius metus egzistuoja datos {0}. Prašome nustatyti bendrovės finansiniams metams apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} sukūrė DocType: Delivery Note Item,Against Sales Order,Prieš Pardavimų ordino ,Serial No Status,Serijos Nr Būsena @@ -1899,7 +1902,7 @@ DocType: Pricing Rule,Selling,pardavimas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Suma {0} {1} išskaičiuota nuo {2} DocType: Employee,Salary Information,Pajamos Informacija DocType: Sales Person,Name and Employee ID,Vardas ir darbuotojo ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Terminas negali būti prieš paskelbdami data +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Terminas negali būti prieš paskelbdami data DocType: Website Item Group,Website Item Group,Interneto svetainė punktas grupė apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Muitai ir mokesčiai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Prašome įvesti Atskaitos data @@ -1956,9 +1959,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Prašome nustatykite data Prisijungimas darbuotojo {0} DocType: Task,Total Billing Amount (via Time Sheet),Iš viso Atsiskaitymo suma (per Time lapas) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Pakartokite Klientų pajamos -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) turi vaidmenį "sąskaita patvirtinusio" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pora -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Pasirinkite BOM ir Kiekis dėl gamybos +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) turi vaidmenį "sąskaita patvirtinusio" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Pora +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Pasirinkite BOM ir Kiekis dėl gamybos DocType: Asset,Depreciation Schedule,Nusidėvėjimas Tvarkaraštis apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Pardavimų Partnerių Adresai ir kontaktai DocType: Bank Reconciliation Detail,Against Account,prieš sąskaita @@ -1968,7 +1971,7 @@ DocType: Item,Has Batch No,Turi Serijos Nr apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Metinė Atsiskaitymo: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Prekių ir paslaugų mokesčio (PVM Indija) DocType: Delivery Note,Excise Page Number,Akcizo puslapio numeris -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Įmonės, Nuo datos ir iki šiol yra privalomi" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Įmonės, Nuo datos ir iki šiol yra privalomi" DocType: Asset,Purchase Date,Pirkimo data DocType: Employee,Personal Details,Asmeninės detalės apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Prašome nustatyti "turto nusidėvėjimo sąnaudų centro" įmonėje {0} @@ -1977,9 +1980,9 @@ DocType: Task,Actual End Date (via Time Sheet),Tikrasis Pabaigos data (per Time apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Suma {0} {1} prieš {2} {3} ,Quotation Trends,Kainų tendencijos apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Prekė Grupė nepaminėta prekės šeimininkui už prekę {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debeto sąskaitą turi būti Gautinos sąskaitos +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debeto sąskaitą turi būti Gautinos sąskaitos DocType: Shipping Rule Condition,Shipping Amount,Pristatymas suma -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Pridėti klientams +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Pridėti klientams apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,kol suma DocType: Purchase Invoice Item,Conversion Factor,konversijos koeficientas DocType: Purchase Order,Delivered,Pristatyta @@ -2002,7 +2005,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Įtraukti susitaikė įr DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Tėvų kursai (palikti tuščią, jei tai ne dalis Pagrindinės žinoma)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Tėvų kursai (palikti tuščią, jei tai ne dalis Pagrindinės žinoma)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Palikite tuščią, jei laikomas visų darbuotojų tipų" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija DocType: Landed Cost Voucher,Distribute Charges Based On,Paskirstykite Mokesčiai remiantis apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,laiko apskaitos žiniaraščiai DocType: HR Settings,HR Settings,HR Nustatymai @@ -2010,7 +2012,7 @@ DocType: Salary Slip,net pay info,neto darbo užmokestis informacijos apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Kompensuojamos reikalavimas yra laukiama patvirtinimo. Tik sąskaita Tvirtintojas gali atnaujinti statusą. DocType: Email Digest,New Expenses,Nauja išlaidos DocType: Purchase Invoice,Additional Discount Amount,Papildoma Nuolaida suma -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Eilutės # {0}: Kiekis turi būti 1, kaip elementas yra ilgalaikio turto. Prašome naudoti atskirą eilutę daugkartiniam vnt." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Eilutės # {0}: Kiekis turi būti 1, kaip elementas yra ilgalaikio turto. Prašome naudoti atskirą eilutę daugkartiniam vnt." DocType: Leave Block List Allow,Leave Block List Allow,Palikite Blokuoti sąrašas Leisti apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr negali būti tuščias arba vietos apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grupė ne grupės @@ -2018,7 +2020,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,sporto DocType: Loan Type,Loan Name,paskolos Vardas apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Iš viso Tikrasis DocType: Student Siblings,Student Siblings,studentų seserys -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,vienetas +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,vienetas apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Prašome nurodyti Company ,Customer Acquisition and Loyalty,Klientų įsigijimas ir lojalumo DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Sandėlis, kuriame jūs išlaikyti atsargų atmestų daiktų" @@ -2037,12 +2039,12 @@ DocType: Workstation,Wages per hour,Darbo užmokestis per valandą apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Akcijų balansas Serija {0} taps neigiamas {1} už prekę {2} į sandėlį {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Šios medžiagos prašymai buvo iškeltas automatiškai pagal elemento naujo užsakymo lygio DocType: Email Digest,Pending Sales Orders,Kol pardavimo užsakymus -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Sąskaita {0} yra neteisinga. Sąskaitos valiuta turi būti {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Sąskaita {0} yra neteisinga. Sąskaitos valiuta turi būti {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Konversijos koeficientas yra reikalaujama iš eilės {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pardavimų užsakymų, pardavimo sąskaitoje-faktūroje ar žurnalo įrašą" DocType: Salary Component,Deduction,Atskaita -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Eilutės {0}: Nuo Laikas ir laiko yra privalomas. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Eilutės {0}: Nuo Laikas ir laiko yra privalomas. DocType: Stock Reconciliation Item,Amount Difference,suma skirtumas apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Prekė Kaina pridėta {0} kainoraštis {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Prašome įvesti darbuotojo ID Šio pardavimo asmuo @@ -2052,11 +2054,11 @@ DocType: Project,Gross Margin,bendroji marža apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Prašome įvesti Gamybos Elementą pirmas apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Apskaičiuota bankas pareiškimas balansas apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,neįgaliesiems vartotojas -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Pasiūlymas +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Pasiūlymas DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Iš viso išskaičiavimas ,Production Analytics,gamybos Analytics " -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,kaina Atnaujinta +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,kaina Atnaujinta DocType: Employee,Date of Birth,Gimimo data apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Prekė {0} jau grįžo DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Finansiniai metai ** reiškia finansinius metus. Visi apskaitos įrašai ir kiti pagrindiniai sandoriai yra stebimi nuo ** finansiniams metams **. @@ -2102,18 +2104,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Pasirinkite bendrovė ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Palikite tuščią, jei manoma, skirtų visiems departamentams" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipai darbo (nuolatinis, sutarčių, vidaus ir kt.)" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} yra privalomas punktas {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} yra privalomas punktas {1} DocType: Process Payroll,Fortnightly,kas dvi savaitės DocType: Currency Exchange,From Currency,nuo valiuta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prašome pasirinkti skirtos sumos, sąskaitos faktūros tipas ir sąskaitos numerį atleast vienoje eilėje" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Kaina New pirkimas -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Pardavimų užsakymų reikalingas punktas {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Pardavimų užsakymų reikalingas punktas {0} DocType: Purchase Invoice Item,Rate (Company Currency),Norma (Įmonės valiuta) DocType: Student Guardian,Others,kiti DocType: Payment Entry,Unallocated Amount,Nepaskirstytas kiekis apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Nerandate atitikimo elementą. Prašome pasirinkti kokią nors kitą vertę {0}. DocType: POS Profile,Taxes and Charges,Mokesčiai ir rinkliavos DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produktas arba paslauga, kuri yra perkama, parduodama arba laikomi sandėlyje." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Prekės kodas> Prekės grupė> Gamintojas apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Ne daugiau atnaujinimai apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Negalima pasirinkti įkrovimo tipas, kaip "Dėl ankstesnės eilės Suma" arba "Dėl ankstesnės eilės Total" už pirmoje eilutėje" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Vaikų punktas neturėtų būti Prekės paketas. Prašome pašalinti elementą `{0}` ir sutaupyti @@ -2141,7 +2144,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Iš viso Atsiskaitymo suma apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Turi būti numatytasis Priimamojo pašto dėžutę leido šį darbą. Prašome setup numatytąją Priimamojo pašto dėžutę (POP / IMAP) ir bandykite dar kartą. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,gautinos sąskaitos -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Eilutės # {0}: Turto {1} jau yra {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Eilutės # {0}: Turto {1} jau yra {2} DocType: Quotation Item,Stock Balance,akcijų balansas apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,"Pardavimų užsakymų, kad mokėjimo" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Vadovas @@ -2166,10 +2169,11 @@ DocType: C-Form,Received Date,gavo data DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Jei sukūrėte standartinį šabloną pardavimo mokesčius bei rinkliavas ruošiniu, pasirinkite vieną ir spauskite žemiau esantį mygtuką." DocType: BOM Scrap Item,Basic Amount (Company Currency),Pagrindinė suma (Įmonės valiuta) DocType: Student,Guardians,globėjai +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Kainos nebus rodomas, jei Kainų sąrašas nenustatytas" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Prašome nurodyti šalį šio Pristatymo taisyklės arba patikrinti pasaulio Pristatymas DocType: Stock Entry,Total Incoming Value,Iš viso Priimamojo Vertė -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debeto reikalingas +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debeto reikalingas apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Laiko apskaitos žiniaraščiai padėti sekti laiko, išlaidų ir sąskaitų už veiklose padaryti jūsų komanda" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Pirkimo Kainų sąrašas DocType: Offer Letter Term,Offer Term,Siūlau terminas @@ -2188,11 +2192,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Prek DocType: Timesheet Detail,To Time,laiko DocType: Authorization Rule,Approving Role (above authorized value),Patvirtinimo vaidmenį (virš įgalioto vertės) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kreditas sąskaitos turi būti mokėtinos sąskaitos -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursija: {0} negali būti tėvų ar vaikas {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekursija: {0} negali būti tėvų ar vaikas {2} DocType: Production Order Operation,Completed Qty,užbaigtas Kiekis apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Dėl {0}, tik debeto sąskaitos gali būti susijęs su kitos kredito įrašą" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Kainų sąrašas {0} yra išjungtas -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Eilutės {0}: baigė Kiekis gali būti ne daugiau kaip {1} darbui {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Eilutės {0}: baigė Kiekis gali būti ne daugiau kaip {1} darbui {2} DocType: Manufacturing Settings,Allow Overtime,Leiskite viršvalandžius apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serijinis {0} Prekė negali būti atnaujintas naudojant Inventorinis susitaikymo, prašome naudoti Inventorinis įrašą" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serijinis {0} Prekė negali būti atnaujintas naudojant Inventorinis susitaikymo, prašome naudoti Inventorinis įrašą" @@ -2211,10 +2215,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,išorinis apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Vartotojai ir leidimai DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Gamybos užsakymų Sukurta: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Gamybos užsakymų Sukurta: {0} DocType: Branch,Branch,filialas DocType: Guardian,Mobile Number,Mobilaus telefono numeris apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Spausdinimo ir paviljonai +DocType: Company,Total Monthly Sales,Bendras mėnesinis pardavimas DocType: Bin,Actual Quantity,Tikrasis Kiekis DocType: Shipping Rule,example: Next Day Shipping,Pavyzdys: Sekanti diena Pristatymas apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serijos Nr {0} nerastas @@ -2245,7 +2250,7 @@ DocType: Payment Request,Make Sales Invoice,Padaryti pardavimo sąskaita-faktūr apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Programinė įranga apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Kitas Kontaktinė data negali būti praeityje DocType: Company,For Reference Only.,Tik nuoroda. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Pasirinkite Serija Nėra +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Pasirinkite Serija Nėra apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Neteisingas {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,avanso suma @@ -2258,7 +2263,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nėra Prekė su Brūkšninis kodas {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Byla Nr negali būti 0 DocType: Item,Show a slideshow at the top of the page,Rodyti skaidrių peržiūrą į puslapio viršuje -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,parduotuvės DocType: Serial No,Delivery Time,Pristatymo laikas apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Senėjimo remiantis @@ -2272,16 +2277,16 @@ DocType: Rename Tool,Rename Tool,pervadinti įrankis apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Atnaujinti Kaina DocType: Item Reorder,Item Reorder,Prekė Pertvarkyti apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Rodyti Pajamos Kuponas -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,perduoti medžiagą +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,perduoti medžiagą DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Nurodykite operacijas, veiklos sąnaudas ir suteikti unikalią eksploatuoti ne savo operacijas." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Šis dokumentas yra virš ribos iki {0} {1} už prekę {4}. Darai dar {3} prieš patį {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Prašome nustatyti pasikartojančių po taupymo -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Pasirinkite Keisti suma sąskaita +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Prašome nustatyti pasikartojančių po taupymo +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Pasirinkite Keisti suma sąskaita DocType: Purchase Invoice,Price List Currency,Kainų sąrašas Valiuta DocType: Naming Series,User must always select,Vartotojas visada turi pasirinkti DocType: Stock Settings,Allow Negative Stock,Leiskite Neigiama Stock DocType: Installation Note,Installation Note,Įrengimas Pastaba -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Pridėti Mokesčiai +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Pridėti Mokesčiai DocType: Topic,Topic,tema apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Pinigų srautai iš finansavimo DocType: Budget Account,Budget Account,biudžeto sąskaita @@ -2295,7 +2300,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,atsek apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Lėšų šaltinis (įsipareigojimai) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Kiekis eilės {0} ({1}) turi būti toks pat, kaip gaminamo kiekio {2}" DocType: Appraisal,Employee,Darbuotojas -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Pasirinkite Serija +DocType: Company,Sales Monthly History,Pardavimų mėnesio istorija +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Pasirinkite Serija apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} yra pilnai mokami DocType: Training Event,End Time,pabaigos laikas apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktyvus darbo užmokesčio struktūrą {0} darbuotojo {1} rasta pateiktų datų @@ -2303,15 +2309,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Apmokėjimo Atskaitymai arba n apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standartinės sutarčių sąlygos pardavimo ar pirkimo. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grupė kuponą apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,pardavimų vamzdynų -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Prašome nustatyti numatytąją sąskaitą užmokesčių Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Prašome nustatyti numatytąją sąskaitą užmokesčių Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Reikalinga Apie DocType: Rename Tool,File to Rename,Failo pervadinti apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Prašome pasirinkti BOM už prekę eilutėje {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Sąskaita {0} nesutampa su kompanija {1} iš sąskaitos būdas: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Neapibūdintas BOM {0} neegzistuoja punkte {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Priežiūros planas {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Priežiūros planas {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų DocType: Notification Control,Expense Claim Approved,Kompensuojamos Pretenzija Patvirtinta -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatyti numeracijos serijas lankomumui per sąranką> numeravimo serija apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Pajamos Kuponas darbuotojo {0} jau sukurta per šį laikotarpį apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmacijos apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kaina įsigytų daiktų @@ -2328,7 +2333,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,"BOM Nr Dėl gatavo DocType: Upload Attendance,Attendance To Date,Dalyvavimas data DocType: Warranty Claim,Raised By,Užaugino DocType: Payment Gateway Account,Payment Account,Mokėjimo sąskaita -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Prašome nurodyti Bendrovei toliau +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Prašome nurodyti Bendrovei toliau apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Grynasis pokytis gautinos apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,kompensacinė Išjungtas DocType: Offer Letter,Accepted,priimtas @@ -2338,12 +2343,12 @@ DocType: SG Creation Tool Course,Student Group Name,Studentų Grupės pavadinima apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Prašome įsitikinkite, kad jūs tikrai norite ištrinti visus šios bendrovės sandorius. Jūsų pagrindiniai duomenys liks kaip ji yra. Šis veiksmas negali būti atšauktas." DocType: Room,Room Number,Kambario numeris apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Neteisingas nuoroda {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) negali būti didesnis nei planuota quanitity ({2}) Gamybos Užsakyti {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) negali būti didesnis nei planuota quanitity ({2}) Gamybos Užsakyti {3} DocType: Shipping Rule,Shipping Rule Label,Pristatymas taisyklė Etiketė apps/erpnext/erpnext/public/js/conf.js +28,User Forum,vartotojas Forumas -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Žaliavos negali būti tuščias. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Nepavyko atnaujinti atsargų, sąskaitos faktūros yra lašas laivybos elementą." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Greita leidinys įrašas +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Žaliavos negali būti tuščias. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Nepavyko atnaujinti atsargų, sąskaitos faktūros yra lašas laivybos elementą." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Greita leidinys įrašas apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Jūs negalite keisti greitį, jei BOM minėta agianst bet kurį elementą" DocType: Employee,Previous Work Experience,Ankstesnis Darbo patirtis DocType: Stock Entry,For Quantity,dėl Kiekis @@ -2400,7 +2405,7 @@ DocType: SMS Log,No of Requested SMS,Ne prašomosios SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Palikite be darbo užmokesčio nesutampa su patvirtintais prašymo suteikti atostogas įrašų DocType: Campaign,Campaign-.####,Kampanija-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Tolesni žingsniai -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Prašome pateikti nurodytus elementus ne į geriausias įmanomas normas +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Prašome pateikti nurodytus elementus ne į geriausias įmanomas normas DocType: Selling Settings,Auto close Opportunity after 15 days,Auto arti Galimybė po 15 dienų apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,pabaigos metai apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Švinas% @@ -2438,7 +2443,7 @@ DocType: Homepage,Homepage,Pagrindinis puslapis DocType: Purchase Receipt Item,Recd Quantity,Recd Kiekis apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Įrašai Sukurta - {0} DocType: Asset Category Account,Asset Category Account,Turto Kategorija paskyra -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Negali gaminti daugiau Elementą {0} nei pardavimų užsakymų kiekio {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Negali gaminti daugiau Elementą {0} nei pardavimų užsakymų kiekio {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,"Atsargų, {0} nebus pateiktas" DocType: Payment Reconciliation,Bank / Cash Account,Bankas / Pinigų paskyra apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,"Kitas Susisiekti negali būti toks pat, kaip pagrindiniam pašto adresas" @@ -2471,7 +2476,7 @@ DocType: Salary Structure,Total Earning,Iš viso Pelningiausi DocType: Purchase Receipt,Time at which materials were received,"Laikas, per kurį buvo gauta medžiagos" DocType: Stock Ledger Entry,Outgoing Rate,Siunčiami Balsuok apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizacija filialas meistras. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,arba +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,arba DocType: Sales Order,Billing Status,atsiskaitymo būsena apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Pranešti apie problemą apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Komunalinė sąnaudos @@ -2479,7 +2484,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Eilutės # {0}: leidinys Įėjimo {1} neturi paskyros {2} arba jau lyginami su kito kuponą DocType: Buying Settings,Default Buying Price List,Numatytasis Ieško Kainų sąrašas DocType: Process Payroll,Salary Slip Based on Timesheet,Pajamos Kuponas Remiantis darbo laiko apskaitos žiniaraštis -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nė vienas darbuotojas dėl pirmiau pasirinktus kriterijus arba alga slydimo jau sukurta +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Nė vienas darbuotojas dėl pirmiau pasirinktus kriterijus arba alga slydimo jau sukurta DocType: Notification Control,Sales Order Message,Pardavimų užsakymų pranešimas apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Numatytosios reikšmės, kaip kompanija, valiuta, einamuosius fiskalinius metus, ir tt" DocType: Payment Entry,Payment Type,Mokėjimo tipas @@ -2504,7 +2509,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Gavimas turi būti pateiktas dokumentas DocType: Purchase Invoice Item,Received Qty,gavo Kiekis DocType: Stock Entry Detail,Serial No / Batch,Serijos Nr / Serija -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Nesumokėjo ir nepateikė +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Nesumokėjo ir nepateikė DocType: Product Bundle,Parent Item,tėvų punktas DocType: Account,Account Type,Paskyros tipas DocType: Delivery Note,DN-RET-,DN-RET- @@ -2535,8 +2540,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Visos skirtos sumos apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Nustatykite numatytąjį inventoriaus sąskaitos už amžiną inventoriaus DocType: Item Reorder,Material Request Type,Medžiaga Prašymas tipas -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural leidinys Įėjimo atlyginimus iš {0} ir {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage "yra pilna, neišsaugojo" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural leidinys Įėjimo atlyginimus iš {0} ir {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage "yra pilna, neišsaugojo" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Eilutės {0}: UOM konversijos faktorius yra privalomas apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,teisėjas DocType: Budget,Cost Center,kaina centras @@ -2554,7 +2559,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Pajam apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jei pasirinkta kainodaros taisyklė yra numatyta "kaina", tai bus perrašyti Kainoraštis. Kainodaros taisyklė kaina yra galutinė kaina, todėl turėtų būti taikomas ne toliau nuolaida. Vadinasi, sandorių, pavyzdžiui, pardavimų užsakymų, pirkimo užsakymą ir tt, tai bus pasitinkami ir "norma" srityje, o ne "kainoraštį norma" srityje." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Įrašo Leads pramonės tipo. DocType: Item Supplier,Item Supplier,Prekė Tiekėjas -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Prašome įvesti Prekės kodas gauti partiją nėra +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Prašome įvesti Prekės kodas gauti partiją nėra apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Prašome pasirinkti vertę už {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Visi adresai. DocType: Company,Stock Settings,Akcijų Nustatymai @@ -2581,7 +2586,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Tikrasis Kiekis Po Sand apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ne darbo užmokestį rasti tarp {0} ir {1} ,Pending SO Items For Purchase Request,Kol SO daiktai įsigyti Užsisakyti apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,studentų Priėmimo -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} yra išjungtas +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} yra išjungtas DocType: Supplier,Billing Currency,atsiskaitymo Valiuta DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Labai didelis @@ -2611,7 +2616,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,paraiškos būseną DocType: Fees,Fees,Mokesčiai DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Nurodykite Valiutų kursai konvertuoti vieną valiutą į kitą -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Citata {0} atšaukiamas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Citata {0} atšaukiamas apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Iš viso neapmokėta suma DocType: Sales Partner,Targets,tikslai DocType: Price List,Price List Master,Kainų sąrašas magistras @@ -2628,7 +2633,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignoruoti kainodaros taisyklė DocType: Employee Education,Graduate,absolventas DocType: Leave Block List,Block Days,Blokuoti dienų DocType: Journal Entry,Excise Entry,akcizo įrašas -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Įspėjimas: pardavimų užsakymų {0} jau egzistuoja nuo Kliento Užsakymo {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Įspėjimas: pardavimų užsakymų {0} jau egzistuoja nuo Kliento Užsakymo {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2655,7 +2660,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Jeig ,Salary Register,Pajamos Registruotis DocType: Warehouse,Parent Warehouse,tėvų sandėlis DocType: C-Form Invoice Detail,Net Total,grynasis Iš viso -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Numatytąją BOM ne punktą rasti {0} ir projekto {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Numatytąją BOM ne punktą rasti {0} ir projekto {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Apibrėžti įvairių paskolų tipų DocType: Bin,FCFS Rate,FCFS Balsuok DocType: Payment Reconciliation Invoice,Outstanding Amount,nesumokėtos sumos @@ -2692,7 +2697,7 @@ DocType: Salary Detail,Condition and Formula Help,Būklė ir "Formula Pagal apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Tvarkyti Teritorija medį. DocType: Journal Entry Account,Sales Invoice,pardavimų sąskaita faktūra DocType: Journal Entry Account,Party Balance,šalis balansas -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Prašome pasirinkti Taikyti nuolaidą +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Prašome pasirinkti Taikyti nuolaidą DocType: Company,Default Receivable Account,Numatytasis Gautinos sąskaitos DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,"Sukurti Bank įrašas visos algos, mokamos už pirmiau pasirinktus kriterijus" DocType: Stock Entry,Material Transfer for Manufacture,Medžiagos pernešimas gamybai @@ -2706,7 +2711,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Klientų Adresas DocType: Employee Loan,Loan Details,paskolos detalės DocType: Company,Default Inventory Account,Numatytasis Inventorius paskyra -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Eilutės {0}: baigė Kiekis turi būti didesnė už nulį. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Eilutės {0}: baigė Kiekis turi būti didesnė už nulį. DocType: Purchase Invoice,Apply Additional Discount On,Būti taikomos papildomos nuolaida DocType: Account,Root Type,Šaknų tipas DocType: Item,FIFO,FIFO @@ -2723,7 +2728,7 @@ DocType: Purchase Invoice Item,Quality Inspection,kokybės inspekcija apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Papildomas Mažas DocType: Company,Standard Template,standartinį šabloną DocType: Training Event,Theory,teorija -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Įspėjimas: Medžiaga Prašoma Kiekis yra mažesnis nei minimalus užsakymas Kiekis +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Įspėjimas: Medžiaga Prašoma Kiekis yra mažesnis nei minimalus užsakymas Kiekis apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Sąskaita {0} yra sušaldyti DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juridinio asmens / Dukterinė įmonė su atskiru Chart sąskaitų, priklausančių organizacijos." DocType: Payment Request,Mute Email,Nutildyti paštas @@ -2747,7 +2752,7 @@ DocType: Training Event,Scheduled,planuojama apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Užklausimas. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Prašome pasirinkti Elementą kur "Ar riedmenys" yra "Ne" ir "Ar Pardavimų punktas" yra "Taip" ir nėra jokio kito Prekės Rinkinys DocType: Student Log,Academic,akademinis -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Iš viso avansas ({0}) prieš ordino {1} negali būti didesnis nei IŠ VISO ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Iš viso avansas ({0}) prieš ordino {1} negali būti didesnis nei IŠ VISO ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Pasirinkite Mėnesio pasiskirstymas į netolygiai paskirstyti tikslus visoje mėnesius. DocType: Purchase Invoice Item,Valuation Rate,Vertinimo Balsuok DocType: Stock Reconciliation,SR/,SR / @@ -2813,6 +2818,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Įveskite vardą kampanijos jei šaltinis tyrimo yra akcija apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,laikraščių leidėjai apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Pasirinkite finansiniai metai +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Laukiama pristatymo data turėtų būti pateikta po Pardavimų užsakymo data apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Pertvarkyti lygis DocType: Company,Chart Of Accounts Template,Sąskaitų planas Šablonas DocType: Attendance,Attendance Date,lankomumas data @@ -2844,7 +2850,7 @@ DocType: Pricing Rule,Discount Percentage,Nuolaida procentas DocType: Payment Reconciliation Invoice,Invoice Number,Sąskaitos numeris DocType: Shopping Cart Settings,Orders,Užsakymai DocType: Employee Leave Approver,Leave Approver,Palikite jį patvirtinusio -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Prašome pasirinkti partiją +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Prašome pasirinkti partiją DocType: Assessment Group,Assessment Group Name,Vertinimas Grupės pavadinimas DocType: Manufacturing Settings,Material Transferred for Manufacture,"Medžiagos, perduotos gamybai" DocType: Expense Claim,"A user with ""Expense Approver"" role",Vartotojas su "išlaidų Tvirtintojas" vaidmenį @@ -2881,7 +2887,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Paskutinė diena iki kito mėnesio DocType: Support Settings,Auto close Issue after 7 days,Auto arti išdavimas po 7 dienų apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Palikite negali būti skiriama iki {0}, kaip atostogos balansas jau perkėlimo persiunčiami būsimos atostogos paskirstymo įrašo {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Pastaba: Dėl / Nuoroda data viršija leidžiama klientų kredito dienas iki {0} dieną (-ai) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Pastaba: Dėl / Nuoroda data viršija leidžiama klientų kredito dienas iki {0} dieną (-ai) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Studentų Pareiškėjas DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,Originalus GAVĖJAS DocType: Asset Category Account,Accumulated Depreciation Account,Sukauptas nusidėvėjimas paskyra @@ -2892,7 +2898,7 @@ DocType: Item,Reorder level based on Warehouse,Pertvarkyti lygį remiantis Wareh DocType: Activity Cost,Billing Rate,atsiskaitymo Balsuok ,Qty to Deliver,Kiekis pristatyti ,Stock Analytics,Akcijų Analytics " -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operacijos negali būti paliktas tuščias +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operacijos negali būti paliktas tuščias DocType: Maintenance Visit Purpose,Against Document Detail No,Su dokumentų Išsamiau Nėra apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Šalis tipas yra privalomi DocType: Quality Inspection,Outgoing,išeinantis @@ -2935,15 +2941,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Turimas Kiekis į sandėlį apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,įvardintas suma DocType: Asset,Double Declining Balance,Dvivietis mažėjančio balanso -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Uždaras nurodymas negali būti atšauktas. Atskleisti atšaukti. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Uždaras nurodymas negali būti atšauktas. Atskleisti atšaukti. DocType: Student Guardian,Father,tėvas -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Atnaujinti sandėlyje" negali būti patikrinta dėl ilgalaikio turto pardavimo +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"Atnaujinti sandėlyje" negali būti patikrinta dėl ilgalaikio turto pardavimo DocType: Bank Reconciliation,Bank Reconciliation,bankas suderinimas DocType: Attendance,On Leave,atostogose apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Gaukite atnaujinimus apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Sąskaitos {2} nepriklauso Company {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Medžiaga Prašymas {0} atšauktas ar sustabdytas -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Pridėti keletą pavyzdžių įrašus +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Pridėti keletą pavyzdžių įrašus apps/erpnext/erpnext/config/hr.py +301,Leave Management,Palikite valdymas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupė sąskaitų DocType: Sales Order,Fully Delivered,pilnai Paskelbta @@ -2952,12 +2958,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Skirtumas paskyra turi būti turto / įsipareigojimų tipo sąskaita, nes tai sandėlyje Susitaikymas yra atidarymas įrašas" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Išmokėta suma negali būti didesnis nei paskolos suma {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},"Pirkimo užsakymo numerį, reikalingą punkto {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Gamybos Kad nebūtų sukurta +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Gamybos Kad nebūtų sukurta apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Nuo data" turi būti po "Iki datos" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nepavyksta pakeisti statusą kaip studentas {0} yra susijęs su studento taikymo {1} DocType: Asset,Fully Depreciated,visiškai nusidėvėjusi ,Stock Projected Qty,Akcijų Numatoma Kiekis -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Klientų {0} nepriklauso projekto {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Klientų {0} nepriklauso projekto {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Pažymėti Lankomumas HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citatos yra pasiūlymų, pasiūlymai turite atsiųsti savo klientams" DocType: Sales Order,Customer's Purchase Order,Kliento Užsakymo @@ -2967,7 +2973,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Prašome nustatyti Taškų nuvertinimai Užsakytas apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Vertė arba Kiekis apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions pavedimai negali būti padidinta: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minutė +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minutė DocType: Purchase Invoice,Purchase Taxes and Charges,Pirkimo mokesčius bei rinkliavas ,Qty to Receive,Kiekis Gavimo DocType: Leave Block List,Leave Block List Allowed,Palikite Blokuoti sąrašas Leido @@ -2981,7 +2987,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Visi Tiekėjo tipai DocType: Global Defaults,Disable In Words,Išjungti žodžiais apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Prekės kodas yra privalomas, nes prekės nėra automatiškai sunumeruoti" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Citata {0} nėra tipo {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Citata {0} nėra tipo {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Priežiūra Tvarkaraštis punktas DocType: Sales Order,% Delivered,% Pristatyta DocType: Production Order,PRO-,PRO- @@ -3004,7 +3010,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,pardavėjas paštas DocType: Project,Total Purchase Cost (via Purchase Invoice),Viso įsigijimo savikainą (per pirkimo sąskaitoje faktūroje) DocType: Training Event,Start Time,Pradžios laikas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Pasirinkite Kiekis +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Pasirinkite Kiekis DocType: Customs Tariff Number,Customs Tariff Number,Muitų tarifo numeris apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Patvirtinimo vaidmuo gali būti ne tas pats kaip vaidmens taisyklė yra taikoma apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Atsisakyti Šis el.pašto Digest @@ -3028,7 +3034,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR detalės DocType: Sales Order,Fully Billed,pilnai Įvardintas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Grynieji pinigai kasoje -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Pristatymas sandėlis reikalingas akcijų punkte {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Pristatymas sandėlis reikalingas akcijų punkte {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bendras svoris pakuotės. Paprastai neto masė + pakavimo medžiagos svorio. (Spausdinimo) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,programa DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Vartotojai, turintys šį vaidmenį yra leidžiama nustatyti įšaldytas sąskaitas ir sukurti / pakeisti apskaitos įrašus prieš įšaldytų sąskaitų" @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Grupė remiantis DocType: Journal Entry,Bill Date,Billas data apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Paslaugų Punktas, tipas, dažnis ir išlaidų suma yra privalomi" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Net jei yra keli kainodaros taisyklės, kurių didžiausias prioritetas, tada šie vidiniai prioritetai taikomi:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Ar tikrai norite pateikti visą darbo užmokestį iš {0} ir {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Ar tikrai norite pateikti visą darbo užmokestį iš {0} ir {1} DocType: Cheque Print Template,Cheque Height,Komunalinės Ūgis DocType: Supplier,Supplier Details,Tiekėjo informacija DocType: Expense Claim,Approval Status,patvirtinimo būsena @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Švinas su citavimo apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nieko daugiau parodyti. DocType: Lead,From Customer,nuo Klientui apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ragina -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,partijos +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,partijos DocType: Project,Total Costing Amount (via Time Logs),Iš viso Sąnaudų suma (per laiko Įrašai) DocType: Purchase Order Item Supplied,Stock UOM,akcijų UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Pirkimui užsakyti {0} nebus pateiktas @@ -3092,7 +3098,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Grįžti Against pirki DocType: Item,Warranty Period (in days),Garantinis laikotarpis (dienomis) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Ryšys su Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Grynieji pinigų srautai iš įprastinės veiklos -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,pvz PVM +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,pvz PVM apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,4 punktas DocType: Student Admission,Admission End Date,Priėmimo Pabaigos data apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subrangovai @@ -3100,7 +3106,7 @@ DocType: Journal Entry Account,Journal Entry Account,Leidinys sumokėjimas apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Studentų grupė DocType: Shopping Cart Settings,Quotation Series,citata serija apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Elementas egzistuoja to paties pavadinimo ({0}), prašome pakeisti elementą grupės pavadinimą ar pervardyti elementą" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Prašome pasirinkti klientui +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Prašome pasirinkti klientui DocType: C-Form,I,aš DocType: Company,Asset Depreciation Cost Center,Turto nusidėvėjimo išlaidos centras DocType: Sales Order Item,Sales Order Date,Pardavimų užsakymų data @@ -3111,6 +3117,7 @@ DocType: Stock Settings,Limit Percent,riba procentais ,Payment Period Based On Invoice Date,Mokėjimo periodas remiantis sąskaitos faktūros išrašymo data apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Trūksta Valiutų kursai už {0} DocType: Assessment Plan,Examiner,egzaminuotojas +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nustatymų seriją galite nustatyti {0} naudodami sąranką> Nustatymai> vardų serija DocType: Student,Siblings,broliai ir seserys DocType: Journal Entry,Stock Entry,"atsargų," DocType: Payment Entry,Payment References,Apmokėjimo Nuorodos @@ -3135,7 +3142,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Kur gamybos operacijos atliekamos. DocType: Asset Movement,Source Warehouse,šaltinis sandėlis DocType: Installation Note,Installation Date,Įrengimas data -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Eilutės # {0}: Turto {1} nepriklauso bendrovei {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Eilutės # {0}: Turto {1} nepriklauso bendrovei {2} DocType: Employee,Confirmation Date,Patvirtinimas data DocType: C-Form,Total Invoiced Amount,Iš viso Sąskaitoje suma apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Kiekis negali būti didesnis nei Max Kiekis @@ -3210,7 +3217,7 @@ DocType: Company,Default Letter Head,Numatytasis raštas vadovas DocType: Purchase Order,Get Items from Open Material Requests,Gauk daiktai iš atvirų Materialiųjų Prašymai DocType: Item,Standard Selling Rate,Standartinė pardavimo kursą DocType: Account,Rate at which this tax is applied,"Norma, kuri yra taikoma ši mokesčių" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Pertvarkyti Kiekis +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Pertvarkyti Kiekis apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Dabartinis darbas Angos DocType: Company,Stock Adjustment Account,Vertybinių popierių reguliavimas paskyra apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Nusirašinėti @@ -3224,7 +3231,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Tiekėjas pristato Klientui apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Forma / Prekės / {0}) yra sandelyje apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Kitas data turi būti didesnis nei Skelbimo data -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Dėl / Nuoroda data negali būti po {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Dėl / Nuoroda data negali būti po {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Duomenų importas ir eksportas apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Studentai Surasta apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Sąskaita Siunčiamos data @@ -3245,12 +3252,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,"Tai yra, remiantis šio mokinių lankomumą" apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Nėra Studentai apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Pridėti daugiau elementų arba atidaryti visą formą -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Prašome įvesti "numatyta pristatymo data" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Pristatymo Pastabos {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Pristatymo Pastabos {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Mokama suma + nurašyti suma negali būti didesnė nei IŠ VISO apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} yra neteisingas SERIJOS NUMERIS už prekę {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Pastaba: Nėra pakankamai atostogos balansas Palikti tipas {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Neteisingas GSTIN ar Įveskite NA neregistruotas +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Neteisingas GSTIN ar Įveskite NA neregistruotas DocType: Training Event,Seminar,seminaras DocType: Program Enrollment Fee,Program Enrollment Fee,Programos Dalyvio mokestis DocType: Item,Supplier Items,Tiekėjo daiktai @@ -3268,7 +3274,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,akcijų senėjimas apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Studentų {0} egzistuoja nuo studento pareiškėjo {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,darbo laiko apskaitos žiniaraštis -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} "{1}" yra išjungta +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} "{1}" yra išjungta apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Nustatyti kaip Open DocType: Cheque Print Template,Scanned Cheque,Nuskaityti čekis DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,"Siųsti automatinius laiškus Kontaktai, kaip pateikti sandorių." @@ -3315,7 +3321,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Kainų sąrašas Valiutų kursai DocType: Purchase Invoice Item,Rate,Kaina apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,internas -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,adresas pavadinimas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,adresas pavadinimas DocType: Stock Entry,From BOM,nuo BOM DocType: Assessment Code,Assessment Code,vertinimas kodas apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,pagrindinis @@ -3328,20 +3334,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Pajamos struktūra DocType: Account,Bank,bankas apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Aviakompanija -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,klausimas Medžiaga +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,klausimas Medžiaga DocType: Material Request Item,For Warehouse,Sandėliavimo DocType: Employee,Offer Date,Siūlau data apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,citatos -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Jūs esate neprisijungę. Jūs negalite įkelti, kol turite tinklą." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Jūs esate neprisijungę. Jūs negalite įkelti, kol turite tinklą." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Nėra Studentų grupės sukurta. DocType: Purchase Invoice Item,Serial No,Serijos Nr apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mėnesio grąžinimo suma negali būti didesnė nei paskolos suma apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Prašome įvesti maintaince Details pirmas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Eilutė # {0}: laukiama pristatymo data negali būti prieš Pirkimo užsakymo datą DocType: Purchase Invoice,Print Language,Spausdinti kalba DocType: Salary Slip,Total Working Hours,Iš viso darbo valandų DocType: Stock Entry,Including items for sub assemblies,Įskaitant daiktų sub asamblėjose -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Įveskite vertė turi būti teigiamas -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Prekės kodas> Prekės grupė> Gamintojas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Įveskite vertė turi būti teigiamas apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,visos teritorijos DocType: Purchase Invoice,Items,Daiktai apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Studentų jau mokosi. @@ -3364,7 +3370,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Numatytasis vienetas priemonė variantas "{0}" turi būti toks pat, kaip Šablonas "{1}"" DocType: Shipping Rule,Calculate Based On,Apskaičiuoti remiantis DocType: Delivery Note Item,From Warehouse,iš sandėlio -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,"Neturite prekių su Bill iš medžiagų, Gamyba" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,"Neturite prekių su Bill iš medžiagų, Gamyba" DocType: Assessment Plan,Supervisor Name,priežiūros Vardas DocType: Program Enrollment Course,Program Enrollment Course,Programos Priėmimas kursai DocType: Program Enrollment Course,Program Enrollment Course,Programos Priėmimas kursai @@ -3380,23 +3386,23 @@ DocType: Training Event Employee,Attended,dalyvavo apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"Dienos nuo paskutinė užsakymo" turi būti didesnis nei arba lygus nuliui DocType: Process Payroll,Payroll Frequency,Darbo užmokesčio Dažnio DocType: Asset,Amended From,Iš dalies pakeistas Nuo -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,žaliava +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,žaliava DocType: Leave Application,Follow via Email,Sekite elektroniniu paštu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Augalai ir išstumti DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,"Mokesčių suma, nuolaidos suma" DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dienos darbo santrauka Nustatymai -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valiuta kainoraštyje {0} nėra panašūs su pasirinkta valiuta {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valiuta kainoraštyje {0} nėra panašūs su pasirinkta valiuta {1} DocType: Payment Entry,Internal Transfer,vidaus perkėlimo apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Vaikų sąskaita egzistuoja šioje sąskaitoje. Jūs negalite trinti šią sąskaitą. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Bet tikslas Kiekis arba planuojama suma yra privalomi apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Nėra numatytąją BOM egzistuoja punkte {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Prašome pasirinkti Skelbimo data pirmas +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Prašome pasirinkti Skelbimo data pirmas apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Atidarymo data turėtų būti prieš uždarant data DocType: Leave Control Panel,Carry Forward,Tęsti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kaina centras su esamais sandoriai negali būti konvertuojamos į sąskaitų knygos DocType: Department,Days for which Holidays are blocked for this department.,"Dienų, kuriomis Šventės blokuojami šiame skyriuje." ,Produced,pagamintas -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Sukurta Pajamos Apatinukai +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Sukurta Pajamos Apatinukai DocType: Item,Item Code for Suppliers,Prekės kodas tiekėjams DocType: Issue,Raised By (Email),Iškeltas (el) DocType: Training Event,Trainer Name,treneris Vardas @@ -3404,9 +3410,10 @@ DocType: Mode of Payment,General,bendras apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Paskutinis Bendravimas apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Paskutinis Bendravimas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Negali atskaityti, kai kategorija skirta "Vertinimo" arba "vertinimo ir viso"" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sąrašas savo mokesčių vadovai (pvz PVM, muitinės ir tt, jie turėtų turėti unikalius vardus) ir jų standartiniai tarifai. Tai padės sukurti standartinį šabloną, kurį galite redaguoti ir pridėti daugiau vėliau." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sąrašas savo mokesčių vadovai (pvz PVM, muitinės ir tt, jie turėtų turėti unikalius vardus) ir jų standartiniai tarifai. Tai padės sukurti standartinį šabloną, kurį galite redaguoti ir pridėti daugiau vėliau." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Eilės Nr Reikalinga už Serijinis punkte {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Rungtynių Mokėjimai sąskaitų faktūrų +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Eilutė # {0}: įveskite pristatymo datą prieš {1} DocType: Journal Entry,Bank Entry,bankas įrašas DocType: Authorization Rule,Applicable To (Designation),Taikoma (paskyrimas) ,Profitability Analysis,pelningumo analizė @@ -3422,17 +3429,18 @@ DocType: Quality Inspection,Item Serial No,Prekė Serijos Nr apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Sukurti darbuotojų įrašus apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Iš viso dabartis apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,apskaitos ataskaitos -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,valanda +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,valanda apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nauja Serijos Nr negalite turime sandėlyje. Sandėlių turi nustatyti vertybinių popierių atvykimo arba pirkimo kvito DocType: Lead,Lead Type,Švinas tipas apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Jūs nesate įgaliotas tvirtinti lapus Block Datos -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Visi šie elementai jau buvo sąskaitoje +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Visi šie elementai jau buvo sąskaitoje +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Mėnesio pardavimo tikslai apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Gali būti patvirtintas {0} DocType: Item,Default Material Request Type,Numatytasis Medžiaga Prašymas tipas apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,nežinomas DocType: Shipping Rule,Shipping Rule Conditions,Pristatymas taisyklė sąlygos DocType: BOM Replace Tool,The new BOM after replacement,Naujas BOM po pakeitimo -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Pardavimo punktas +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Pardavimo punktas DocType: Payment Entry,Received Amount,gautos sumos DocType: GST Settings,GSTIN Email Sent On,GSTIN paštas Išsiųsta DocType: Program Enrollment,Pick/Drop by Guardian,Pasirinkite / Užsukite Guardian @@ -3449,8 +3457,8 @@ DocType: Batch,Source Document Name,Šaltinis Dokumento pavadinimas DocType: Batch,Source Document Name,Šaltinis Dokumento pavadinimas DocType: Job Opening,Job Title,Darbo pavadinimas apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Sukurti Vartotojai -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,gramas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,"Kiekis, Gamyba turi būti didesnis nei 0." +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,gramas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,"Kiekis, Gamyba turi būti didesnis nei 0." apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Aplankykite ataskaitą priežiūros skambučio. DocType: Stock Entry,Update Rate and Availability,Atnaujinti Įvertinti ir prieinamumas DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procentas jums leidžiama gauti arba pristatyti daugiau prieš užsakyto kiekio. Pavyzdžiui: Jei užsisakėte 100 vienetų. ir jūsų pašalpa yra 10%, tada jums yra leidžiama gauti 110 vienetų." @@ -3463,7 +3471,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Prašome anuliuoti sąskaitą-faktūrą {0} pirmas apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Pašto adresas turi būti unikalus, jau egzistuoja {0}" DocType: Serial No,AMC Expiry Date,AMC Galiojimo data -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,gavimas +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,gavimas ,Sales Register,pardavimų Registruotis DocType: Daily Work Summary Settings Company,Send Emails At,Siųsti laiškus Šiuo DocType: Quotation,Quotation Lost Reason,Citata Pamiršote Priežastis @@ -3476,14 +3484,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Nėra Klienta apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Pinigų srautų ataskaita apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Paskolos suma negali viršyti maksimalios paskolos sumos iš {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licencija -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Prašome pašalinti šioje sąskaitoje faktūroje {0} iš C formos {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Prašome pašalinti šioje sąskaitoje faktūroje {0} iš C formos {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prašome pasirinkti perkelti skirtumą, jei taip pat norite įtraukti praėjusius finansinius metus balanso palieka šią fiskalinių metų" DocType: GL Entry,Against Voucher Type,Prieš čekių tipas DocType: Item,Attributes,atributai apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Prašome įvesti nurašyti paskyrą apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Paskutinė užsakymo data apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Sąskaita {0} nėra siejamas su kompanijos {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Serijiniai numeriai {0} eilės nesutampa su Važtaraštis +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Serijiniai numeriai {0} eilės nesutampa su Važtaraštis DocType: Student,Guardian Details,"guardian" informacija DocType: C-Form,C-Form,C-Forma apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Pažymėti Dalyvavimas kelių darbuotojų @@ -3515,16 +3523,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ve DocType: Tax Rule,Sales,pardavimų DocType: Stock Entry Detail,Basic Amount,bazinis dydis DocType: Training Event,Exam,Egzaminas -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Sandėlių reikalingas akcijų punkte {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Sandėlių reikalingas akcijų punkte {0} DocType: Leave Allocation,Unused leaves,nepanaudoti lapai -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,kr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,kr DocType: Tax Rule,Billing State,atsiskaitymo valstybė apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,perkėlimas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nėra susijęs su asmens sąskaita {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Paduok sprogo BOM (įskaitant mazgus) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Paduok sprogo BOM (įskaitant mazgus) DocType: Authorization Rule,Applicable To (Employee),Taikoma (Darbuotojų) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Terminas yra privalomi apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Taškinis atributas {0} negali būti 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija DocType: Journal Entry,Pay To / Recd From,Apmokėti / Recd Nuo DocType: Naming Series,Setup Series,Sąranka serija DocType: Payment Reconciliation,To Invoice Date,Norėdami sąskaitos faktūros išrašymo data @@ -3551,7 +3560,7 @@ DocType: Journal Entry,Write Off Based On,Nurašyti remiantis apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Padaryti Švinas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Spausdinti Kanceliarinės DocType: Stock Settings,Show Barcode Field,Rodyti Brūkšninis kodas laukas -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Siųsti Tiekėjo laiškus +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Siųsti Tiekėjo laiškus apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Pajamos jau tvarkomi laikotarpį tarp {0} ir {1}, palikite taikymo laikotarpį negali būti tarp šios datos intervalą." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Įrengimas rekordas Serijos Nr DocType: Guardian Interest,Guardian Interest,globėjas Palūkanos @@ -3565,7 +3574,7 @@ DocType: Offer Letter,Awaiting Response,Laukiama atsakymo apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,virš apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Neteisingas atributas {0} {1} DocType: Supplier,Mention if non-standard payable account,"Paminėkite, jei nestandartinis mokama sąskaita" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Tas pats daiktas buvo įvesta kelis kartus. {Sąrašas} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Tas pats daiktas buvo įvesta kelis kartus. {Sąrašas} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Prašome pasirinkti kitą nei "visų vertinimo grupės" įvertinimo grupė DocType: Salary Slip,Earning & Deduction,Pelningiausi & išskaičiavimas apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Neprivaloma. Šis nustatymas bus naudojami filtruoti įvairiais sandoriais. @@ -3584,7 +3593,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Išlaidos metalo laužą turto apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kaina centras yra privalomas punktas {2} DocType: Vehicle,Policy No,politikos Nėra -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Gauti prekes iš prekė Bundle +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Gauti prekes iš prekė Bundle DocType: Asset,Straight Line,Tiesi linija DocType: Project User,Project User,Projektų Vartotojas apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,skilimas @@ -3599,6 +3608,7 @@ DocType: Bank Reconciliation,Payment Entries,Apmokėjimo įrašai DocType: Production Order,Scrap Warehouse,laužas sandėlis DocType: Production Order,Check if material transfer entry is not required,"Patikrinkite, ar medžiaga perdavimo įrašas nereikia" DocType: Production Order,Check if material transfer entry is not required,"Patikrinkite, ar medžiaga perdavimo įrašas nereikia" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Nustatykite darbuotojų pavadinimo sistemą žmogiškiesiems ištekliams> HR nustatymai DocType: Program Enrollment Tool,Get Students From,Gauk Studentai iš DocType: Hub Settings,Seller Country,Pardavėjo šalis apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Paskelbti daiktai tinklalapyje @@ -3617,19 +3627,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,Nurodykite sąlygas apskaičiuoti siuntimo sumą 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 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"Negali konvertuoti Cost centrą knygoje, nes ji turi vaikų mazgai" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,atidarymo kaina +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,atidarymo kaina DocType: Salary Detail,Formula,formulė apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serijinis # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisija dėl pardavimo DocType: Offer Letter Term,Value / Description,Vertė / Aprašymas -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Eilutės # {0}: Turto {1} negali būti pateikti, tai jau {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Eilutės # {0}: Turto {1} negali būti pateikti, tai jau {2}" DocType: Tax Rule,Billing Country,atsiskaitymo Šalis DocType: Purchase Order Item,Expected Delivery Date,Numatomas pristatymo datos apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debeto ir kredito nėra vienoda {0} # {1}. Skirtumas yra {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Reprezentacinės išlaidos apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Padaryti Material užklausa apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Atviras punktas {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Pardavimų sąskaita faktūra {0} turi būti atšauktas iki atšaukti šį pardavimo užsakymų +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Pardavimų sąskaita faktūra {0} turi būti atšauktas iki atšaukti šį pardavimo užsakymų apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,amžius DocType: Sales Invoice Timesheet,Billing Amount,atsiskaitymo suma apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,nurodyta už prekę Neteisingas kiekis {0}. Kiekis turėtų būti didesnis nei 0. @@ -3652,7 +3662,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Naujas klientas pajamos apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Kelionės išlaidos DocType: Maintenance Visit,Breakdown,Palaužti -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Sąskaita: {0} su valiutos: {1} negalima pasirinkti +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Sąskaita: {0} su valiutos: {1} negalima pasirinkti DocType: Bank Reconciliation Detail,Cheque Date,čekis data apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Sąskaita {0}: Tėvų sąskaitą {1} nepriklauso įmonės: {2} DocType: Program Enrollment Tool,Student Applicants,studentų Pareiškėjai @@ -3672,11 +3682,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planav DocType: Material Request,Issued,išduotas apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Studentų aktyvumas DocType: Project,Total Billing Amount (via Time Logs),Iš viso Atsiskaitymo suma (per laiko Įrašai) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Mes parduodame šį Elementą +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Mes parduodame šį Elementą apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,tiekėjas ID DocType: Payment Request,Payment Gateway Details,Mokėjimo šliuzai detalės -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Kiekis turėtų būti didesnis už 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,imties duomenų +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Kiekis turėtų būti didesnis už 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,imties duomenų DocType: Journal Entry,Cash Entry,Pinigai įrašas apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Vaiko mazgai gali būti kuriamos tik pagal "grupė" tipo mazgų DocType: Leave Application,Half Day Date,Pusė dienos data @@ -3685,17 +3695,18 @@ DocType: Sales Partner,Contact Desc,Kontaktinė Aprašymo apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tipas lapų kaip atsitiktinis, serga ir tt" DocType: Email Digest,Send regular summary reports via Email.,Siųsti reguliarius suvestines ataskaitas elektroniniu paštu. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Prašome nustatyti numatytąją sąskaitą išlaidų teiginio tipas {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Prašome nustatyti numatytąją sąskaitą išlaidų teiginio tipas {0} DocType: Assessment Result,Student Name,Studento vardas DocType: Brand,Item Manager,Prekė direktorius apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Darbo užmokesčio Mokėtina DocType: Buying Settings,Default Supplier Type,Numatytasis Tiekėjas tipas DocType: Production Order,Total Operating Cost,Iš viso eksploatavimo išlaidos -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Pastaba: Prekės {0} įvesta kelis kartus +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Pastaba: Prekės {0} įvesta kelis kartus apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Visi kontaktai. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Nustatykite tikslą apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Įmonės santrumpa apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Vartotojas {0} neegzistuoja -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Žaliava negali būti tas pats kaip pagrindinis elementas +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Žaliava negali būti tas pats kaip pagrindinis elementas DocType: Item Attribute Value,Abbreviation,santrumpa apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Mokėjimo įrašas jau yra apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ne authroized nuo {0} viršija ribas @@ -3713,7 +3724,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Vaidmuo leidžiama red ,Territory Target Variance Item Group-Wise,Teritorija Tikslinė Dispersija punktas grupė-Išminčius apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Visi klientų grupėms apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,sukauptas Mėnesio -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} yra privalomas. Gal Valiutų įrašas nėra sukurtas {1} ir {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} yra privalomas. Gal Valiutų įrašas nėra sukurtas {1} ir {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Mokesčių šablonas yra privalomi. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Sąskaita {0}: Tėvų sąskaitą {1} neegzistuoja DocType: Purchase Invoice Item,Price List Rate (Company Currency),Kainų sąrašas greitis (Įmonės valiuta) @@ -3724,7 +3735,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,procentas paskirs apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,sekretorius DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",Jei išjungti "žodžiais" srityje nebus matomas bet koks sandoris DocType: Serial No,Distinct unit of an Item,Skirtingai vienetas elementą -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Prašome nurodyti Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Prašome nurodyti Company DocType: Pricing Rule,Buying,pirkimas DocType: HR Settings,Employee Records to be created by,Darbuotojų Įrašai turi būti sukurtas DocType: POS Profile,Apply Discount On,Taikyti nuolaidą @@ -3735,7 +3746,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Prekė Išminčius Mokesčių detalės apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,institutas santrumpa ,Item-wise Price List Rate,Prekė išmintingas Kainų sąrašas Balsuok -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,tiekėjas Citata +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,tiekėjas Citata DocType: Quotation,In Words will be visible once you save the Quotation.,"Žodžiais bus matomas, kai jūs išgelbėti citatos." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kiekis ({0}) negali būti iš eilės frakcija {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kiekis ({0}) negali būti iš eilės frakcija {1} @@ -3759,7 +3770,7 @@ Updated via 'Time Log'",minutėmis Atnaujinta per "Time Prisijungti" DocType: Customer,From Lead,nuo švino apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Užsakymai išleido gamybai. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Pasirinkite fiskalinių metų ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,"POS profilis reikalaujama, kad POS įrašą" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,"POS profilis reikalaujama, kad POS įrašą" DocType: Program Enrollment Tool,Enroll Students,stoti Studentai DocType: Hub Settings,Name Token,vardas ženklas apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standartinė Parduodami @@ -3777,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Akcijų vertės skirtumas apps/erpnext/erpnext/config/learn.py +234,Human Resource,Žmogiškieji ištekliai DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Mokėjimo Susitaikymas Mokėjimo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,mokesčio turtas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Gamybos užsakymas buvo {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Gamybos užsakymas buvo {0} DocType: BOM Item,BOM No,BOM Nėra DocType: Instructor,INS/,IP / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Žurnalo įrašą {0} neturi paskyros {1} arba jau suderinta su kitų kuponą @@ -3791,7 +3802,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Įkelti apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,neįvykdyti Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Nustatyti tikslai punktas grupė-protingas šiam Pardavimų asmeniui. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Atsargos senesnis nei [diena] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Eilutės # {0}: turtas yra privalomas ilgalaikio turto pirkimas / pardavimas +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Eilutės # {0}: turtas yra privalomas ilgalaikio turto pirkimas / pardavimas apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jei du ar daugiau Kainodaros taisyklės yra rasta remiantis pirmiau minėtų sąlygų, pirmenybė taikoma. Prioritetas yra skaičius nuo 0 iki 20, o numatytoji reikšmė yra nulis (tuščias). Didesnis skaičius reiškia, kad jis bus viršesnės jei yra keli kainodaros taisyklės, kurių pačiomis sąlygomis." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiskalinė Metai: {0} neegzistuoja DocType: Currency Exchange,To Currency,valiutos @@ -3800,7 +3811,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tipai sąskaita r apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pardavimo normą punkto {0} yra mažesnis nei {1}. Pardavimo kursas turėtų būti atleast {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pardavimo normą punkto {0} yra mažesnis nei {1}. Pardavimo kursas turėtų būti atleast {2} DocType: Item,Taxes,Mokesčiai -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Mokama ir nepareiškė +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Mokama ir nepareiškė DocType: Project,Default Cost Center,Numatytasis Kaina centras DocType: Bank Guarantee,End Date,pabaigos data apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Akcijų sandoriai @@ -3817,7 +3828,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Dienos darbo santrauka Nustatymai Įmonės apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Prekė {0} ignoruojami, nes tai nėra sandėlyje punktas" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Pateikti šios produkcijos Rūšiuoti tolesniam perdirbimui. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Pateikti šios produkcijos Rūšiuoti tolesniam perdirbimui. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Norėdami netaikoma kainodaros taisyklė konkrečiu sandoriu, visos taikomos kainodaros taisyklės turi būti išjungta." DocType: Assessment Group,Parent Assessment Group,Tėvų vertinimas Grupė apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Darbas @@ -3825,10 +3836,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Darbas DocType: Employee,Held On,vyks apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Gamybos punktas ,Employee Information,Darbuotojų Informacija -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Tarifas (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Tarifas (%) DocType: Stock Entry Detail,Additional Cost,Papildoma Kaina apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Negali filtruoti pagal lakšto, jei grupuojamas kuponą" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Padaryti Tiekėjo Citata +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Padaryti Tiekėjo Citata DocType: Quality Inspection,Incoming,įeinantis DocType: BOM,Materials Required (Exploded),"Medžiagų, reikalingų (Išpjovinė)" apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Įtraukti vartotojus į savo organizaciją, išskyrus save" @@ -3844,7 +3855,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Sąskaita: {0} gali būti atnaujintas tik per vertybinių popierių sandorių DocType: Student Group Creation Tool,Get Courses,Gauk kursai DocType: GL Entry,Party,šalis -DocType: Sales Order,Delivery Date,Pristatymo data +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Pristatymo data DocType: Opportunity,Opportunity Date,galimybė data DocType: Purchase Receipt,Return Against Purchase Receipt,Grįžti Prieš pirkimo kvito DocType: Request for Quotation Item,Request for Quotation Item,Užklausimas punktas @@ -3858,7 +3869,7 @@ DocType: Task,Actual Time (in Hours),Tikrasis laikas (valandomis) DocType: Employee,History In Company,Istorija Company apps/erpnext/erpnext/config/learn.py +107,Newsletters,Naujienų prenumerata DocType: Stock Ledger Entry,Stock Ledger Entry,Akcijų Ledgeris įrašas -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Tas pats daiktas buvo įvesta kelis kartus +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Tas pats daiktas buvo įvesta kelis kartus DocType: Department,Leave Block List,Palikite Blokuoti sąrašas DocType: Sales Invoice,Tax ID,Mokesčių ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Prekė {0} nėra setup Serijos Nr. Skiltis turi būti tuščias @@ -3876,25 +3887,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,juodas DocType: BOM Explosion Item,BOM Explosion Item,BOM sprogimo punktas DocType: Account,Auditor,auditorius -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} daiktai gaminami +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} daiktai gaminami DocType: Cheque Print Template,Distance from top edge,Atstumas nuo viršutinio krašto apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Kainų sąrašas {0} yra išjungtas arba neegzistuoja DocType: Purchase Invoice,Return,sugrįžimas DocType: Production Order Operation,Production Order Operation,Gamybos Užsakyti Operacija DocType: Pricing Rule,Disable,išjungti -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,mokėjimo būdas turi atlikti mokėjimą +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,mokėjimo būdas turi atlikti mokėjimą DocType: Project Task,Pending Review,kol apžvalga apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nėra įtraukti į Serija {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Turto {0} negali būti sunaikintas, nes jis jau yra {1}" DocType: Task,Total Expense Claim (via Expense Claim),Bendras išlaidų pretenzija (per expense punktą) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Pažymėti Nėra -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Eilutės {0}: Valiuta BOM # {1} turi būti lygus pasirinkta valiuta {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Eilutės {0}: Valiuta BOM # {1} turi būti lygus pasirinkta valiuta {2} DocType: Journal Entry Account,Exchange Rate,Valiutos kursas -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Pardavimų užsakymų {0} nebus pateiktas +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Pardavimų užsakymų {0} nebus pateiktas DocType: Homepage,Tag Line,Gairė linija DocType: Fee Component,Fee Component,mokestis komponentas apps/erpnext/erpnext/config/hr.py +195,Fleet Management,laivyno valdymo -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Pridėti elementus iš +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Pridėti elementus iš DocType: Cheque Print Template,Regular,reguliarus apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Iš viso weightage visų vertinimo kriterijai turi būti 100% DocType: BOM,Last Purchase Rate,Paskutinis užsakymo kaina @@ -3915,12 +3926,12 @@ DocType: Employee,Reports to,Pranešti DocType: SMS Settings,Enter url parameter for receiver nos,Įveskite URL parametrą imtuvo Nr DocType: Payment Entry,Paid Amount,sumokėta suma DocType: Assessment Plan,Supervisor,vadovas -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Prisijunges +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Prisijunges ,Available Stock for Packing Items,Turimas sandėlyje pakuoti prekės DocType: Item Variant,Item Variant,Prekė variantas DocType: Assessment Result Tool,Assessment Result Tool,Vertinimo rezultatas įrankis DocType: BOM Scrap Item,BOM Scrap Item,BOM laužas punktas -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Pateikė užsakymai negali būti ištrintas +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Pateikė užsakymai negali būti ištrintas apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Sąskaitos likutis jau debeto, jums neleidžiama nustatyti "Balansas turi būti" kaip "Kreditas"" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,kokybės valdymas apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Prekė {0} buvo išjungta @@ -3952,7 +3963,7 @@ DocType: Item Group,Default Expense Account,Numatytasis išlaidų sąskaita apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Studentų E-mail ID DocType: Employee,Notice (days),Pranešimas (dienų) DocType: Tax Rule,Sales Tax Template,Pardavimo mokestis Šablono -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Pasirinkite elementus išsaugoti sąskaitą faktūrą +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Pasirinkite elementus išsaugoti sąskaitą faktūrą DocType: Employee,Encashment Date,išgryninimo data DocType: Training Event,Internet,internetas DocType: Account,Stock Adjustment,vertybinių popierių reguliavimas @@ -4001,10 +4012,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,išsiun apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maksimali nuolaida leidžiama punktu: {0} yra {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Grynoji turto vertė, nuo" DocType: Account,Receivable,gautinos -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Eilutės # {0}: Neleidžiama keisti tiekėjo Užsakymo jau egzistuoja +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Eilutės # {0}: Neleidžiama keisti tiekėjo Užsakymo jau egzistuoja DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Vaidmenį, kurį leidžiama pateikti sandorius, kurie viršija nustatytus kredito limitus." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Pasirinkite prekę Gamyba -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master Data sinchronizavimą, tai gali užtrukti šiek tiek laiko" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Pasirinkite prekę Gamyba +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master Data sinchronizavimą, tai gali užtrukti šiek tiek laiko" DocType: Item,Material Issue,medžiaga išdavimas DocType: Hub Settings,Seller Description,pardavėjas Aprašymas DocType: Employee Education,Qualification,kvalifikacija @@ -4025,11 +4036,10 @@ DocType: BOM,Rate Of Materials Based On,Norma medžiagų pagrindu apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,paramos Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Nuimkite visus DocType: POS Profile,Terms and Conditions,Terminai ir sąlygos -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Nustatykite darbuotojų pavadinimo sistemą žmogiškiesiems ištekliams> HR nustatymai apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Data turi būti per finansinius metus. Darant prielaidą, kad Norėdami data = {0}" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Čia galite išsaugoti ūgį, svorį, alergijos, medicinos problemas ir tt" DocType: Leave Block List,Applies to Company,Taikoma Company -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Negali atšaukti, nes pateiktas sandėlyje Įėjimo {0} egzistuoja" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Negali atšaukti, nes pateiktas sandėlyje Įėjimo {0} egzistuoja" DocType: Employee Loan,Disbursement Date,išmokėjimas data DocType: Vehicle,Vehicle,transporto priemonė DocType: Purchase Invoice,In Words,Žodžiais @@ -4068,7 +4078,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Bendrosios nuostatos DocType: Assessment Result Detail,Assessment Result Detail,Vertinimo rezultatas detalės DocType: Employee Education,Employee Education,Darbuotojų Švietimas apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Dubliuoti punktas grupė rastas daiktas grupės lentelėje -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,"Jis reikalingas, kad parsiųsti Išsamesnė informacija." +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,"Jis reikalingas, kad parsiųsti Išsamesnė informacija." DocType: Salary Slip,Net Pay,Grynasis darbo užmokestis DocType: Account,Account,sąskaita apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serijos Nr {0} jau gavo @@ -4076,7 +4086,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Automobilio Prisijungti DocType: Purchase Invoice,Recurring Id,pasikartojančios ID DocType: Customer,Sales Team Details,Sales Team detalės -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Ištrinti visam laikui? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Ištrinti visam laikui? DocType: Expense Claim,Total Claimed Amount,Iš viso ieškinių suma apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Galimas galimybės pardavinėti. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neteisingas {0} @@ -4088,7 +4098,7 @@ DocType: Warehouse,PIN,PIN kodas apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Nustatykite savo mokykla ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Bazinė Pakeisti Suma (Įmonės valiuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nieko apskaitos įrašai šiuos sandėlius -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Išsaugoti dokumentą pirmas. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Išsaugoti dokumentą pirmas. DocType: Account,Chargeable,Apmokestinimo DocType: Company,Change Abbreviation,Pakeisti santrumpa DocType: Expense Claim Detail,Expense Date,Kompensuojamos data @@ -4102,7 +4112,6 @@ DocType: BOM,Manufacturing User,gamyba Vartotojas DocType: Purchase Invoice,Raw Materials Supplied,Žaliavos Pateikiamas DocType: Purchase Invoice,Recurring Print Format,Pasikartojančios Spausdinti Formatas DocType: C-Form,Series,serija -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Numatomas pristatymo data negali būti prieš perkant įsakymu data DocType: Appraisal,Appraisal Template,vertinimas Šablono DocType: Item Group,Item Classification,Prekė klasifikavimas apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Verslo plėtros vadybininkas @@ -4141,12 +4150,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Pasirinkit apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Mokymo Renginiai / Rezultatai apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Sukauptas nusidėvėjimas nuo DocType: Sales Invoice,C-Form Applicable,"C-formos, taikomos" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Operacijos metu turi būti didesnis nei 0 darbui {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Operacijos metu turi būti didesnis nei 0 darbui {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Sandėlių yra privalomi DocType: Supplier,Address and Contacts,Adresas ir kontaktai DocType: UOM Conversion Detail,UOM Conversion Detail,UOM konversijos detalės DocType: Program,Program Abbreviation,programos santrumpa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Gamybos nurodymas negali būti iškeltas prieš Prekės Šablonas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Gamybos nurodymas negali būti iškeltas prieš Prekės Šablonas apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Mokesčiai yra atnaujinama pirkimo kvitą su kiekvieno elemento DocType: Warranty Claim,Resolved By,sprendžiami DocType: Bank Guarantee,Start Date,Pradžios data @@ -4181,6 +4190,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Mokymai Atsiliepimai apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Gamybos Užsakyti {0} turi būti pateiktas apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Prašome pasirinkti pradžios ir pabaigos data punkte {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Nustatykite pardavimo tikslą, kurį norėtumėte pasiekti." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},"Žinoma, yra privalomi eilės {0}" apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Iki šiol gali būti ne anksčiau iš dienos DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc dokumentų tipas @@ -4199,7 +4209,7 @@ DocType: Account,Income,Pajamos DocType: Industry Type,Industry Type,pramonė tipas apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Kažkas atsitiko! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Įspėjimas: Palikite paraiškoje yra šie blokas datos -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Pardavimų sąskaita faktūra {0} jau buvo pateikta +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Pardavimų sąskaita faktūra {0} jau buvo pateikta DocType: Assessment Result Detail,Score,rezultatas apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Finansiniai metai {0} neegzistuoja apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,užbaigimo data @@ -4229,7 +4239,7 @@ DocType: Naming Series,Help HTML,Pagalba HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Studentų grupė kūrimo įrankis DocType: Item,Variant Based On,Variantas remiantis apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Iš viso weightage priskirti turi būti 100%. Ji yra {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Jūsų tiekėjai +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Jūsų tiekėjai apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Negalima nustatyti kaip Pamiršote nes yra pagamintas pardavimų užsakymų. DocType: Request for Quotation Item,Supplier Part No,Tiekėjas partijos nr apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Negali atskaityti, kai kategorija skirta "Vertinimo" arba "Vaulation ir viso"" @@ -4239,14 +4249,14 @@ DocType: Item,Has Serial No,Turi Serijos Nr DocType: Employee,Date of Issue,Išleidimo data apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Nuo {0} už {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kaip už pirkimo parametrus, jei pirkimas Čekio Reikalinga == "Taip", tada sukurti sąskaitą-faktūrą, vartotojo pirmiausia reikia sukurti pirkimo kvitą už prekę {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Eilutės # {0}: Nustatykite Tiekėjas už prekę {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Eilutės {0}: valandos vertė turi būti didesnė už nulį. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Eilutės # {0}: Nustatykite Tiekėjas už prekę {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Eilutės {0}: valandos vertė turi būti didesnė už nulį. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Interneto svetainė Paveikslėlis {0} pridedamas prie punkto {1} negali būti rastas DocType: Issue,Content Type,turinio tipas apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Kompiuteris DocType: Item,List this Item in multiple groups on the website.,Sąrašas šį Elementą keliomis grupėmis svetainėje. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Prašome patikrinti Multi Valiuta galimybę leisti sąskaitas kita valiuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Punktas: {0} neegzistuoja sistemoje +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Punktas: {0} neegzistuoja sistemoje apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Jūs nesate įgaliotas nustatyti Frozen vertę DocType: Payment Reconciliation,Get Unreconciled Entries,Gauk Unreconciled įrašai DocType: Payment Reconciliation,From Invoice Date,Iš sąskaitos faktūros išrašymo data @@ -4272,7 +4282,7 @@ DocType: Stock Entry,Default Source Warehouse,Numatytasis Šaltinis sandėlis DocType: Item,Customer Code,Kliento kodas apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Gimimo diena priminimas {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dienas nuo paskutinė užsakymo -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debeto sąskaitą turi būti balansas sąskaitos +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debeto sąskaitą turi būti balansas sąskaitos DocType: Buying Settings,Naming Series,Pavadinimų serija DocType: Leave Block List,Leave Block List Name,Palikite blokuojamų sąrašą pavadinimas apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Draudimo pradžios data turėtų būti ne mažesnė nei draudimo pabaigos data @@ -4289,7 +4299,7 @@ DocType: Vehicle Log,Odometer,odometras DocType: Sales Order Item,Ordered Qty,Užsakytas Kiekis apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Prekė {0} yra išjungtas DocType: Stock Settings,Stock Frozen Upto,Akcijų Šaldyti upto -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nėra jokių akcijų elementą +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM nėra jokių akcijų elementą apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Laikotarpis nuo ir laikotarpis datų privalomų pasikartojančios {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projekto veikla / užduotis. DocType: Vehicle Log,Refuelling Details,Degalų detalės @@ -4299,7 +4309,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Paskutinis pirkinys norma nerastas DocType: Purchase Invoice,Write Off Amount (Company Currency),Nurašyti suma (Įmonės valiuta) DocType: Sales Invoice Timesheet,Billing Hours,Atsiskaitymo laikas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Numatytasis BOM už {0} nerastas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Numatytasis BOM už {0} nerastas apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Eilutės # {0}: Prašome nustatyti pertvarkyti kiekį apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Bakstelėkite elementus įtraukti juos čia DocType: Fees,Program Enrollment,programos Įrašas @@ -4333,6 +4343,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Senėjimas klasės 2 DocType: SG Creation Tool Course,Max Strength,Maksimali jėga apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM pakeisti +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Pasirinkite elementus pagal pristatymo datą ,Sales Analytics,pardavimų Analytics " apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Turimas {0} ,Prospects Engaged But Not Converted,Perspektyvos Užsiima Bet nevirsta @@ -4381,7 +4392,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise nuolaida apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Lapą užduotims. DocType: Purchase Invoice,Against Expense Account,Prieš neskaičiuojantiems DocType: Production Order,Production Order,Gamybos Užsakyti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Įrengimas Pastaba {0} jau buvo pateikta +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Įrengimas Pastaba {0} jau buvo pateikta DocType: Bank Reconciliation,Get Payment Entries,Gauk Apmokėjimas įrašai DocType: Quotation Item,Against Docname,prieš DOCNAME DocType: SMS Center,All Employee (Active),Viskas Darbuotojų (aktyvus) @@ -4390,7 +4401,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Žaliavų kaina DocType: Item Reorder,Re-Order Level,Re įsakymu lygis DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Įveskite elementus ir planuojamą vnt, už kuriuos norite padidinti gamybos užsakymus arba atsisiųsti žaliavas analizė." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Ganto diagramos +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Ganto diagramos apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Neakivaizdinės DocType: Employee,Applicable Holiday List,Taikoma Atostogų sąrašas DocType: Employee,Cheque,Tikrinti @@ -4448,11 +4459,11 @@ DocType: Bin,Reserved Qty for Production,Reserved Kiekis dėl gamybos DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Palikite nepažymėtą jei nenorite atsižvelgti į partiją, o todėl kursų pagrįstas grupes." DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Palikite nepažymėtą jei nenorite atsižvelgti į partiją, o todėl kursų pagrįstas grupes." DocType: Asset,Frequency of Depreciation (Months),Dažnio nusidėvėjimo (mėnesiais) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Kreditinė sąskaita +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Kreditinė sąskaita DocType: Landed Cost Item,Landed Cost Item,Nusileido Kaina punktas apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Rodyti nulines vertes DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Kiekis objekto gauti po gamybos / perpakavimas iš pateiktų žaliavų kiekius -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Sąranka paprastas svetainė mano organizacijoje +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Sąranka paprastas svetainė mano organizacijoje DocType: Payment Reconciliation,Receivable / Payable Account,Gautinos / mokėtinos sąskaitos DocType: Delivery Note Item,Against Sales Order Item,Prieš Pardavimų įsakymu punktas apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Prašome nurodyti Įgūdis požymio reikšmę {0} @@ -4517,22 +4528,22 @@ DocType: Student,Nationality,Tautybė ,Items To Be Requested,"Daiktai, kurių bus prašoma" DocType: Purchase Order,Get Last Purchase Rate,Gauk paskutinį pirkinį Balsuok DocType: Company,Company Info,Įmonės informacija -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Pasirinkite arba pridėti naujų klientų -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kaina centras privalo užsakyti sąnaudomis pretenziją +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Pasirinkite arba pridėti naujų klientų +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Kaina centras privalo užsakyti sąnaudomis pretenziją apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Taikymas lėšos (turtas) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,"Tai yra, remiantis šio darbuotojo dalyvavimo" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,debeto sąskaita +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,debeto sąskaita DocType: Fiscal Year,Year Start Date,Metų pradžios data DocType: Attendance,Employee Name,Darbuotojo vardas DocType: Sales Invoice,Rounded Total (Company Currency),Suapvalinti Iš viso (Įmonės valiuta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Negalima paslėptas į grupę, nes sąskaitos tipas yra pasirinktas." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} buvo pakeistas. Prašome atnaujinti. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} buvo pakeistas. Prašome atnaujinti. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop vartotojus nuo priėmimo prašymų įstoti į šių dienų. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,pirkimo suma apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Tiekėjas Citata {0} sukūrė apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Pabaiga metai bus ne anksčiau pradžios metus apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Išmokos darbuotojams -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Supakuotas kiekis turi vienodas kiekis už prekę {0} iš eilės {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Supakuotas kiekis turi vienodas kiekis už prekę {0} iš eilės {1} DocType: Production Order,Manufactured Qty,pagaminta Kiekis DocType: Purchase Receipt Item,Accepted Quantity,Priimamos Kiekis apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Prašome nustatyti numatytąjį Atostogų sąrašas Darbuotojo {0} arba Įmonės {1} @@ -4543,11 +4554,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Eilutės Nėra {0}: suma negali būti didesnė nei Kol Suma prieš expense punktą {1}. Kol suma yra {2} DocType: Maintenance Schedule,Schedule,grafikas DocType: Account,Parent Account,tėvų paskyra -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,pasiekiamas +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,pasiekiamas DocType: Quality Inspection Reading,Reading 3,Skaitymas 3 ,Hub,įvorė DocType: GL Entry,Voucher Type,Bon tipas -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Kainų sąrašas nerastas arba išjungtas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Kainų sąrašas nerastas arba išjungtas DocType: Employee Loan Application,Approved,patvirtinta DocType: Pricing Rule,Price,kaina apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Darbuotojų atleidžiamas nuo {0} turi būti nustatyti kaip "Left" @@ -4617,7 +4628,7 @@ DocType: SMS Settings,Static Parameters,statiniai parametrai DocType: Assessment Plan,Room,Kambarys DocType: Purchase Order,Advance Paid,sumokėto avanso DocType: Item,Item Tax,Prekė Mokesčių -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,"Medžiaga, iš Tiekėjui" +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,"Medžiaga, iš Tiekėjui" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,akcizo Sąskaita apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% atrodo daugiau nei vieną kartą DocType: Expense Claim,Employees Email Id,Darbuotojai elektroninio pašto numeris @@ -4657,7 +4668,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Modelis DocType: Production Order,Actual Operating Cost,Tikrasis eksploatavimo išlaidos DocType: Payment Entry,Cheque/Reference No,Čekis / Nuorodos Nr -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Šaknų negali būti redaguojami. DocType: Item,Units of Measure,Matavimo vienetai DocType: Manufacturing Settings,Allow Production on Holidays,Leiskite gamyba Šventės @@ -4690,12 +4700,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,kredito dienų apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Padaryti Studentų Serija DocType: Leave Type,Is Carry Forward,Ar perkelti -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Gauti prekes iš BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Gauti prekes iš BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Švinas Laikas dienas -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Eilutės # {0}: Siunčiamos data turi būti tokia pati kaip pirkimo datos {1} Turto {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Eilutės # {0}: Siunčiamos data turi būti tokia pati kaip pirkimo datos {1} Turto {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Pažymėkite, jei tas studentas gyvena institute bendrabutyje." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Prašome įvesti pardavimų užsakymų pirmiau pateiktoje lentelėje -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nepateikusių Pajamos Apatinukai +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Nepateikusių Pajamos Apatinukai ,Stock Summary,akcijų santrauka apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Perduoti turtą iš vieno sandėlio į kitą DocType: Vehicle,Petrol,benzinas diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv index d951ddad286..373254e9b8b 100644 --- a/erpnext/translations/lv.csv +++ b/erpnext/translations/lv.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Tirgotājs DocType: Employee,Rented,Īrēts DocType: Purchase Order,PO-,po- DocType: POS Profile,Applicable for User,Piemērojams Lietotājs -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Pārtraucis ražošanu rīkojums nevar tikt atcelts, Unstop to vispirms, lai atceltu" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Pārtraucis ražošanu rīkojums nevar tikt atcelts, Unstop to vispirms, lai atceltu" DocType: Vehicle Service,Mileage,Nobraukums apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Vai jūs tiešām vēlaties atteikties šo aktīvu? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Select Default piegādātājs @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Jāmaksā apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Valūtas kurss ir tāds pats kā {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Klienta vārds DocType: Vehicle,Natural Gas,Dabasgāze -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankas konts nevar tikt nosaukts par {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Bankas konts nevar tikt nosaukts par {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Vadītāji (vai grupas), pret kuru grāmatvedības ieraksti tiek veikti, un atlikumi tiek uzturēti." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Iekavēti {0} nevar būt mazāka par nulli ({1}) DocType: Manufacturing Settings,Default 10 mins,Pēc noklusējuma 10 min @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Atstājiet veida nosaukums apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Rādīt open apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Series Atjaunots Veiksmīgi apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,izrakstīšanās -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Ievietots +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Ievietots DocType: Pricing Rule,Apply On,Piesakies On DocType: Item Price,Multiple Item prices.,Vairāki Izstrādājumu cenas. ,Purchase Order Items To Be Received,"Pirkuma pasūtījuma posteņi, kas saņemami" @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Mode maksājumu konta apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Rādīt Variants DocType: Academic Term,Academic Term,Akadēmiskā Term apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,materiāls -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Daudzums +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Daudzums apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Konti tabula nevar būt tukšs. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Kredītiem (pasīvi) DocType: Employee Education,Year of Passing,Gads Passing @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Veselības aprūpe apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Maksājuma kavējums (dienas) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Servisa izdevumu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Sērijas numurs: {0} jau ir atsauce pārdošanas rēķina: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Pavadzīme +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Sērijas numurs: {0} jau ir atsauce pārdošanas rēķina: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Pavadzīme DocType: Maintenance Schedule Item,Periodicity,Periodiskums apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskālā gads {0} ir vajadzīga -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Paredzamais piegādes datums ir jābūt pirms pārdošanas pasūtījuma datuma apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Aizstāvēšana DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),Rezultāts (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Kopā Izmaksu summa DocType: Delivery Note,Vehicle No,Transportlīdzekļu Nr -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Lūdzu, izvēlieties cenrādi" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,"Lūdzu, izvēlieties cenrādi" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,"Row # {0}: Maksājuma dokuments ir nepieciešams, lai pabeigtu trasaction" DocType: Production Order Operation,Work In Progress,Work In Progress apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Lūdzu, izvēlieties datumu" @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} nekādā aktīvajā fiskālajā gadā. DocType: Packed Item,Parent Detail docname,Parent Detail docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Reference: {0}, Produkta kods: {1} un Klients: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Atvēršana uz darbu. DocType: Item Attribute,Increment,Pieaugums @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Precējies apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Aizliegts {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Dabūtu preces no -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Preces nevar atjaunināt pret piegāde piezīme {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Preces nevar atjaunināt pret piegāde piezīme {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkta {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nav minētie posteņi DocType: Payment Reconciliation,Reconcile,Saskaņot @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Pensi apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Nākamais nolietojums datums nevar būt pirms iegādes datuma DocType: SMS Center,All Sales Person,Visi Sales Person DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mēneša Distribution ** palīdz izplatīt Budžeta / Target pāri mēnešiem, ja jums ir sezonalitātes jūsu biznesu." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Nav atrastas preces +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Nav atrastas preces apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Algu struktūra Trūkst DocType: Lead,Person Name,Persona Name DocType: Sales Invoice Item,Sales Invoice Item,PPR produkts @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Vai pamatlīdzeklis" nevar būt nekontrolēti, jo Asset ieraksts pastāv pret posteņa" DocType: Vehicle Service,Brake Oil,bremžu eļļa DocType: Tax Rule,Tax Type,Nodokļu Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Ar nodokli apliekamā summa +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Ar nodokli apliekamā summa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Jums nav atļauts pievienot vai atjaunināt ierakstus pirms {0} DocType: BOM,Item Image (if not slideshow),Postenis attēls (ja ne slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Klientu pastāv ar tādu pašu nosaukumu DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Stundas likme / 60) * Faktiskais darba laiks -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Select BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Select BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Izmaksas piegādāto preču apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Svētki uz {0} nav starp No Datums un līdz šim @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,skolas DocType: School Settings,Validate Batch for Students in Student Group,Apstiprināt partiju studentiem Studentu grupas apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nav atvaļinājums ieraksts down darbiniekam {0} uz {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ievadiet uzņēmuma pirmais -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Lūdzu, izvēlieties Company pirmais" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Lūdzu, izvēlieties Company pirmais" DocType: Employee Education,Under Graduate,Zem absolvents apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Mērķa On DocType: BOM,Total Cost,Kopējās izmaksas DocType: Journal Entry Account,Employee Loan,Darbinieku Loan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivitāte Log: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Postenis {0} nepastāv sistēmā vai ir beidzies +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Aktivitāte Log: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Postenis {0} nepastāv sistēmā vai ir beidzies apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Paziņojums par konta apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Pharmaceuticals @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Prasības summa apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Dublikāts klientu grupa atrodama cutomer grupas tabulas apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Piegādātājs Type / piegādātājs DocType: Naming Series,Prefix,Priedēklis -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet Nosaukumu sēriju {0}, izmantojot iestatīšanu> Iestatījumi> Nosaukumu sērija" -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Patērējamās +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Patērējamās DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Import Log DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,"Pull Materiālu pieprasījuma tipa ražošana, pamatojoties uz iepriekš minētajiem kritērijiem," DocType: Training Result Employee,Grade,pakāpe DocType: Sales Invoice Item,Delivered By Supplier,Pasludināts piegādātāja DocType: SMS Center,All Contact,Visi Contact -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Ražošanas rīkojums jau radīta visiem posteņiem ar BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Ražošanas rīkojums jau radīta visiem posteņiem ar BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Gada alga DocType: Daily Work Summary,Daily Work Summary,Ikdienas darbs kopsavilkums DocType: Period Closing Voucher,Closing Fiscal Year,Noslēguma fiskālajā gadā -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} ir iesaldēts +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} ir iesaldēts apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Lūdzu, izvēlieties esošo uzņēmumu radīšanai kontu plānu" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Akciju Izdevumi apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Atlasīt Target noliktava @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Pieņemts + Noraidīts Daudz ir jābūt vienādam ar Saņemts daudzumu postenī {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Piegādes izejvielas iegādei -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Vismaz viens maksājuma veids ir nepieciešams POS rēķinu. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Vismaz viens maksājuma veids ir nepieciešams POS rēķinu. DocType: Products Settings,Show Products as a List,Rādīt produktus kā sarakstu DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Lejupielādēt veidni, aizpildīt atbilstošus datus un pievienot modificētu failu. Visi datumi un darbinieku saspēles izvēlēto periodu nāks veidnē, ar esošajiem apmeklējuma reģistru" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Postenis {0} nav aktīvs vai ir sasniegts nolietoto -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Piemērs: Basic Mathematics -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Lai iekļautu nodokli rindā {0} vienības likmes, nodokļi rindās {1} ir jāiekļauj arī" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Piemērs: Basic Mathematics +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Lai iekļautu nodokli rindā {0} vienības likmes, nodokļi rindās {1} ir jāiekļauj arī" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Iestatījumi HR moduļa DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,Mainīt Summa @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Uzstādīšana datums nevar būt pirms piegādes datuma postenī {0} DocType: Pricing Rule,Discount on Price List Rate (%),Atlaide Cenrādis Rate (%) DocType: Offer Letter,Select Terms and Conditions,Izvēlieties Noteikumi un nosacījumi -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,out Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,out Value DocType: Production Planning Tool,Sales Orders,Pārdošanas pasūtījumu DocType: Purchase Taxes and Charges,Valuation,Vērtējums ,Purchase Order Trends,Pirkuma pasūtījuma tendences @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Vai atvēršana Entry DocType: Customer Group,Mention if non-standard receivable account applicable,Pieminēt ja nestandarta saņemama konts piemērojams DocType: Course Schedule,Instructor Name,instruktors Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,"Par noliktava ir nepieciešams, pirms iesniegt" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,"Par noliktava ir nepieciešams, pirms iesniegt" apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Saņemta DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Ja ieslēgts, ietvers nav pieejama preces materiāla pieprasījumiem." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Pret pārdošanas rēķinu posteni ,Production Orders in Progress,Pasūtījums Progress apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Neto naudas no finansēšanas -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage ir pilna, nebija glābt" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage ir pilna, nebija glābt" DocType: Lead,Address & Contact,Adrese un kontaktinformācija DocType: Leave Allocation,Add unused leaves from previous allocations,Pievienot neizmantotās lapas no iepriekšējiem piešķīrumiem apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Nākamais Atkārtojas {0} tiks izveidota {1} DocType: Sales Partner,Partner website,Partner mājas lapa apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Pievienot objektu -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Contact Name +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Contact Name DocType: Course Assessment Criteria,Course Assessment Criteria,Protams novērtēšanas kritēriji DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Izveido atalgojumu par iepriekš minētajiem kritērijiem. DocType: POS Customer Group,POS Customer Group,POS Klientu Group @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rinda {0}: Lūdzu, pārbaudiet ""Vai Advance"" pret kontā {1}, ja tas ir iepriekš ieraksts." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Noliktava {0} nepieder uzņēmumam {1} DocType: Email Digest,Profit & Loss,Peļņas un zaudējumu -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litrs +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litrs DocType: Task,Total Costing Amount (via Time Sheet),Kopā Izmaksu summa (via laiks lapas) DocType: Item Website Specification,Item Website Specification,Postenis Website Specifikācija apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Atstājiet Bloķēts @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,PPR Nr DocType: Material Request Item,Min Order Qty,Min Order Daudz DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Studentu grupa Creation Tool Course DocType: Lead,Do Not Contact,Nesazināties -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Cilvēki, kuri māca jūsu organizācijā" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Cilvēki, kuri māca jūsu organizācijā" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,"Unikāls id, lai izsekotu visas periodiskās rēķinus. Tas ir radīts apstiprināšanas." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer DocType: Item,Minimum Order Qty,Minimālais Order Daudz @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Publicē Hub DocType: Student Admission,Student Admission,Studentu uzņemšana ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Postenis {0} ir atcelts -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Materiāls Pieprasījums +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Materiāls Pieprasījums DocType: Bank Reconciliation,Update Clearance Date,Update Klīrenss Datums DocType: Item,Purchase Details,Pirkuma Details apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},{0} Prece nav atrasts "Izejvielu Kopā" tabulā Pirkuma pasūtījums {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,flotes vadītājs apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Rinda # {0}: {1} nevar būt negatīvs postenim {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Nepareiza Parole DocType: Item,Variant Of,Variants -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Pabeigts Daudz nevar būt lielāks par ""Daudz, lai ražotu""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Pabeigts Daudz nevar būt lielāks par ""Daudz, lai ražotu""" DocType: Period Closing Voucher,Closing Account Head,Noslēguma konta vadītājs DocType: Employee,External Work History,Ārējā Work Vēsture apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Apļveida Reference kļūda @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Attālums no kreisās mal apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} vienības [{1}] (# veidlapa / preci / {1}) atrasts [{2}] (# veidlapa / Noliktava / {2}) DocType: Lead,Industry,Rūpniecība DocType: Employee,Job Profile,Darba Profile +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Tas ir balstīts uz darījumiem ar šo uzņēmumu. Sīkāku informāciju skatiet tālāk redzamajā laika skalā DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Paziņot pa e-pastu uz izveidojot automātisku Material pieprasījuma DocType: Journal Entry,Multi Currency,Multi Valūtas DocType: Payment Reconciliation Invoice,Invoice Type,Rēķins Type -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Piegāde Note +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Piegāde Note apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Iestatīšana Nodokļi apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Izmaksas Sold aktīva apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Maksājums Entry ir modificēts pēc velk to. Lūdzu, velciet to vēlreiz." @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Ievadiet ""Atkārtot mēneša diena"" lauka vērtību" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Ātrums, kādā Klients Valūtu pārvērsts klienta bāzes valūtā" DocType: Course Scheduling Tool,Course Scheduling Tool,Protams plānošanas rīks -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Pirkuma rēķins nevar būt pret esošā aktīva {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Pirkuma rēķins nevar būt pret esošā aktīva {1} DocType: Item Tax,Tax Rate,Nodokļa likme apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} jau piešķirtais Darbinieku {1} par periodu {2} līdz {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Select postenis +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Select postenis apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Pirkuma rēķins {0} jau ir iesniegts apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Partijas Nr jābūt tāda pati kā {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Pārvērst ne-Group @@ -447,7 +446,7 @@ DocType: Employee,Widowed,Atraitnis DocType: Request for Quotation,Request for Quotation,Pieprasījums piedāvājumam DocType: Salary Slip Timesheet,Working Hours,Darba laiks 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. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Izveidot jaunu Klientu +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Izveidot jaunu Klientu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ja vairāki Cenu Noteikumi turpina dominēt, lietotāji tiek aicināti noteikt prioritāti manuāli atrisināt konfliktu." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Izveidot pirkuma pasūtījumu ,Purchase Register,Pirkuma Reģistrēties @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,eksaminētājs Name DocType: Purchase Invoice Item,Quantity and Rate,Daudzums un Rate DocType: Delivery Note,% Installed,% Uzstādīts -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Klases / Laboratories etc kur lekcijas var tikt plānots. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Klases / Laboratories etc kur lekcijas var tikt plānots. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Ievadiet uzņēmuma nosaukumu pirmais DocType: Purchase Invoice,Supplier Name,Piegādātājs Name apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lasīt ERPNext rokasgrāmatu @@ -490,7 +489,7 @@ DocType: Account,Old Parent,Old Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Obligāts lauks - akadēmiskais gads apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Obligāts lauks - akadēmiskais gads DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Pielāgot ievada tekstu, kas iet kā daļu no šīs e-pastu. Katrs darījums ir atsevišķa ievada tekstu." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Lūdzu iestatīt noklusēto maksājams konts uzņēmumam {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Lūdzu iestatīt noklusēto maksājams konts uzņēmumam {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globālie uzstādījumi visām ražošanas procesiem. DocType: Accounts Settings,Accounts Frozen Upto,Konti Frozen Līdz pat DocType: SMS Log,Sent On,Nosūtīts @@ -529,7 +528,7 @@ DocType: Journal Entry,Accounts Payable,Kreditoru apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Izvēlētie BOMs nav par to pašu posteni DocType: Pricing Rule,Valid Upto,Derīgs Līdz pat DocType: Training Event,Workshop,darbnīca -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Uzskaitīt daži no saviem klientiem. Tie varētu būt organizācijas vai privātpersonas. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Uzskaitīt daži no saviem klientiem. Tie varētu būt organizācijas vai privātpersonas. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Pietiekami Parts Build apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direct Ienākumi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nevar filtrēt, pamatojoties uz kontu, ja grupēti pēc kontu" @@ -537,7 +536,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Lūdzu, izvēlieties kurss" apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Lūdzu, izvēlieties kurss" DocType: Timesheet Detail,Hrs,h -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Lūdzu, izvēlieties Uzņēmums" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Lūdzu, izvēlieties Uzņēmums" DocType: Stock Entry Detail,Difference Account,Atšķirība konts DocType: Purchase Invoice,Supplier GSTIN,Piegādātājs GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Nevar aizvērt uzdevums, jo tās atkarīgas uzdevums {0} nav slēgta." @@ -554,7 +553,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Lūdzu noteikt atzīmi par sliekšņa 0% DocType: Sales Order,To Deliver,Piegādāt DocType: Purchase Invoice Item,Item,Prece -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Sērijas neviens punkts nevar būt daļa +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Sērijas neviens punkts nevar būt daļa DocType: Journal Entry,Difference (Dr - Cr),Starpība (Dr - Cr) DocType: Account,Profit and Loss,Peļņa un zaudējumi apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Managing Apakšuzņēmēji @@ -580,7 +579,7 @@ DocType: Serial No,Warranty Period (Days),Garantijas periods (dienas) DocType: Installation Note Item,Installation Note Item,Uzstādīšana Note postenis DocType: Production Plan Item,Pending Qty,Kamēr Daudz DocType: Budget,Ignore,Ignorēt -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} nav aktīvs +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} nav aktīvs apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS nosūtīts šādiem numuriem: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Setup pārbaudīt izmēri drukāšanai DocType: Salary Slip,Salary Slip Timesheet,Alga Slip laika kontrolsaraksts @@ -686,8 +685,8 @@ DocType: Installation Note,IN-,IN DocType: Production Order Operation,In minutes,Minūtēs DocType: Issue,Resolution Date,Izšķirtspēja Datums DocType: Student Batch Name,Batch Name,partijas nosaukums -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Kontrolsaraksts izveidots: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Lūdzu iestatītu standarta kases vai bankas kontu maksājuma veidu {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Kontrolsaraksts izveidots: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Lūdzu iestatītu standarta kases vai bankas kontu maksājuma veidu {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,uzņemt DocType: GST Settings,GST Settings,GST iestatījumi DocType: Selling Settings,Customer Naming By,Klientu nosaukšana Līdz @@ -707,7 +706,7 @@ DocType: Activity Cost,Projects User,Projekti User apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Patērētā apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} nav atrasta Rēķina informācija tabulā DocType: Company,Round Off Cost Center,Noapaļot izmaksu centru -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Uzturēšana Visit {0} ir atcelts pirms anulējot šo klientu pasūtījumu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Uzturēšana Visit {0} ir atcelts pirms anulējot šo klientu pasūtījumu DocType: Item,Material Transfer,Materiāls Transfer apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Atvere (DR) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Norīkošanu timestamp jābūt pēc {0} @@ -716,7 +715,7 @@ DocType: Employee Loan,Total Interest Payable,Kopā maksājamie procenti DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Izkrauti Izmaksu nodokļi un maksājumi DocType: Production Order Operation,Actual Start Time,Faktiskais Sākuma laiks DocType: BOM Operation,Operation Time,Darbība laiks -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,apdare +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,apdare apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,bāze DocType: Timesheet,Total Billed Hours,Kopā Apmaksājamie Stundas DocType: Journal Entry,Write Off Amount,Uzrakstiet Off summa @@ -742,7 +741,7 @@ DocType: Vehicle,Odometer Value (Last),Odometra vērtību (Pēdējā) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Mārketings apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Maksājums ieraksts ir jau radīta DocType: Purchase Receipt Item Supplied,Current Stock,Pašreizējā Stock -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} nav saistīts ar posteni {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} nav saistīts ar posteni {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Preview Alga Slip apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konts {0} ir ievadīts vairākas reizes DocType: Account,Expenses Included In Valuation,Izdevumi iekļauts vērtēšanā @@ -767,7 +766,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Kredītkarte Entry apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Kompānija un konti apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,"Preces, kas saņemti no piegādātājiem." -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,vērtība +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,vērtība DocType: Lead,Campaign Name,Kampaņas nosaukums DocType: Selling Settings,Close Opportunity After Days,Aizvērt Iespēja pēc dienas ,Reserved,Rezervēts @@ -792,17 +791,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Enerģija DocType: Opportunity,Opportunity From,Iespēja no apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mēnešalga paziņojumu. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rinda {0}: {1} {2} vienumam ir vajadzīgi sērijas numuri. Jūs esat iesniedzis {3}. DocType: BOM,Website Specifications,Website specifikācijas apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: No {0} tipa {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rinda {0}: pārveidošanas koeficients ir obligāta DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Vairāki Cena Noteikumi pastāv ar tiem pašiem kritērijiem, lūdzu atrisināt konfliktus, piešķirot prioritāti. Cena Noteikumi: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nevar atslēgt vai anulēt BOM, jo tas ir saistīts ar citām BOMs" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nevar atslēgt vai anulēt BOM, jo tas ir saistīts ar citām BOMs" DocType: Opportunity,Maintenance,Uzturēšana DocType: Item Attribute Value,Item Attribute Value,Postenis īpašības vērtība apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Pārdošanas kampaņas. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,veikt laika kontrolsaraksts +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,veikt laika kontrolsaraksts DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -836,7 +836,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Iestatīšana e-pasta konts apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ievadiet Prece pirmais DocType: Account,Liability,Atbildība -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sodīt Summa nevar būt lielāka par prasības summas rindā {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sodīt Summa nevar būt lielāka par prasības summas rindā {0}. DocType: Company,Default Cost of Goods Sold Account,Default pārdotās produkcijas ražošanas izmaksas konta apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Cenrādis nav izvēlēts DocType: Employee,Family Background,Ģimene Background @@ -847,10 +847,10 @@ DocType: Company,Default Bank Account,Default bankas kontu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Lai filtrētu pamatojoties uz partijas, izvēlieties Party Type pirmais" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},""Update Stock", nevar pārbaudīt, jo preces netiek piegādātas ar {0}" DocType: Vehicle,Acquisition Date,iegādes datums -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Preces ar augstāku weightage tiks parādīts augstāk DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banku samierināšanās Detail -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} jāiesniedz +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} jāiesniedz apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Darbinieks nav atrasts DocType: Supplier Quotation,Stopped,Apturēts DocType: Item,If subcontracted to a vendor,Ja apakšlīgumu nodot pārdevējs @@ -867,7 +867,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimālā Rēķina summa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} nepieder Uzņēmumu {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: kontu {2} nevar būt grupa apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Prece Row {idx}: {DOCTYPE} {DOCNAME} neeksistē iepriekš '{DOCTYPE}' tabula -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Kontrolsaraksts {0} jau ir pabeigts vai atcelts +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Kontrolsaraksts {0} jau ir pabeigts vai atcelts apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nav uzdevumi DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Mēneša diena, kurā auto rēķins tiks radīts, piemēram 05, 28 utt" DocType: Asset,Opening Accumulated Depreciation,Atklāšanas Uzkrātais nolietojums @@ -926,7 +926,7 @@ DocType: SMS Log,Requested Numbers,Pieprasītie Numbers DocType: Production Planning Tool,Only Obtain Raw Materials,Iegūt tikai izejvielas apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Izpildes novērtējuma. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Iespējojot "izmantošana Grozs", kā Grozs ir iespējota, un ir jābūt vismaz vienam Tax nolikums Grozs" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Maksājumu Entry {0} ir saistīta pret ordeņa {1}, pārbaudiet, vai tā būtu velk kā iepriekš šajā rēķinā." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Maksājumu Entry {0} ir saistīta pret ordeņa {1}, pārbaudiet, vai tā būtu velk kā iepriekš šajā rēķinā." DocType: Sales Invoice Item,Stock Details,Stock Details apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projekts Value apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Tirdzniecības vieta @@ -949,15 +949,15 @@ DocType: Naming Series,Update Series,Update Series DocType: Supplier Quotation,Is Subcontracted,Tiek slēgti apakšuzņēmuma līgumi DocType: Item Attribute,Item Attribute Values,Postenis Prasme Vērtības DocType: Examination Result,Examination Result,eksāmens rezultāts -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Pirkuma čeka +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Pirkuma čeka ,Received Items To Be Billed,Saņemtie posteņi ir Jāmaksā -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Ievietots algas lapas +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Ievietots algas lapas apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valūtas maiņas kurss meistars. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Atsauce Doctype jābūt vienam no {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Nevar atrast laika nišu nākamajos {0} dienas ekspluatācijai {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Nevar atrast laika nišu nākamajos {0} dienas ekspluatācijai {1} DocType: Production Order,Plan material for sub-assemblies,Plāns materiāls mezgliem apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Pārdošanas Partneri un teritorija -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} jābūt aktīvam +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} jābūt aktīvam DocType: Journal Entry,Depreciation Entry,nolietojums Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Lūdzu, izvēlieties dokumenta veidu pirmais" apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Atcelt Materiāls Vizītes {0} pirms lauzt šo apkopes vizīte @@ -967,7 +967,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Kopējā summa apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Interneta Publishing DocType: Production Planning Tool,Production Orders,Ražošanas Pasūtījumi -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Bilance Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Bilance Value apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Pārdošanas Cenrādis apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publicēt sinhronizēt priekšmetus DocType: Bank Reconciliation,Account Currency,Konta valūta @@ -992,12 +992,12 @@ DocType: Employee,Exit Interview Details,Iziet Intervija Details DocType: Item,Is Purchase Item,Vai iegāde postenis DocType: Asset,Purchase Invoice,Pirkuma rēķins DocType: Stock Ledger Entry,Voucher Detail No,Kuponu Detail Nr -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Jaunu pārdošanas rēķinu +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Jaunu pārdošanas rēķinu DocType: Stock Entry,Total Outgoing Value,Kopā Izejošais vērtība apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Atvēršanas datums un aizvēršanas datums ir jāatrodas vienā fiskālā gada DocType: Lead,Request for Information,Lūgums sniegt informāciju ,LeaderBoard,Līderu saraksts -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline rēķini +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline rēķini DocType: Payment Request,Paid,Samaksāts DocType: Program Fee,Program Fee,Program Fee DocType: Salary Slip,Total in words,Kopā ar vārdiem @@ -1005,7 +1005,7 @@ DocType: Material Request Item,Lead Time Date,Izpildes laiks Datums DocType: Guardian,Guardian Name,Guardian Name DocType: Cheque Print Template,Has Print Format,Ir Drukas formāts DocType: Employee Loan,Sanctioned,sodīts -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,ir obligāta. Varbūt Valūtas ieraksts nav izveidots +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,ir obligāta. Varbūt Valūtas ieraksts nav izveidots apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Lūdzu, norādiet Sērijas Nr postenī {1}" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Par "produkts saišķis" vienību, noliktavu, Serial Nr un partijas Nr tiks uzskatīta no "iepakojumu sarakstu" tabulā. Ja Noliktavu un partijas Nr ir vienādas visiem iepakojuma vienības par jebkuru "produkts saišķis" posteni, šīs vērtības var ievadīt galvenajā postenis tabulas vērtības tiks kopēts "iepakojumu sarakstu galda." DocType: Job Opening,Publish on website,Publicēt mājas lapā @@ -1018,7 +1018,7 @@ DocType: Cheque Print Template,Date Settings,Datums iestatījumi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Pretruna ,Company Name,Uzņēmuma nosaukums DocType: SMS Center,Total Message(s),Kopējais ziņojumu (-i) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Izvēlieties Prece pārneses +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Izvēlieties Prece pārneses DocType: Purchase Invoice,Additional Discount Percentage,Papildu Atlaide procentuālā apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Skatīt sarakstu ar visu palīdzību video DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Izvēlieties kontu vadītājs banku, kurā tika deponēts pārbaude." @@ -1033,7 +1033,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Izejvielu izmaksas (Company val apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,"Visi posteņi jau ir pārskaitīta, lai šim Ražošanas ordeni." apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Rinda # {0}: Rate nevar būt lielāks par kursu, kas izmantots {1} {2}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Rinda # {0}: Rate nevar būt lielāks par kursu, kas izmantots {1} {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,metrs +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,metrs DocType: Workstation,Electricity Cost,Elektroenerģijas izmaksas DocType: HR Settings,Don't send Employee Birthday Reminders,Nesūtiet darbinieku dzimšanas dienu atgādinājumus DocType: Item,Inspection Criteria,Pārbaudes kritēriji @@ -1048,7 +1048,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Get Avansa Paid DocType: Item,Automatically Create New Batch,Automātiski Izveidot jaunu partiju DocType: Item,Automatically Create New Batch,Automātiski Izveidot jaunu partiju -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Izveidot +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Izveidot DocType: Student Admission,Admission Start Date,Uzņemšana sākuma datums DocType: Journal Entry,Total Amount in Words,Kopā summa vārdiem apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Tur bija kļūda. Viens iespējamais iemesls varētu būt, ka jūs neesat saglabājis formu. Lūdzu, sazinieties ar support@erpnext.com ja problēma joprojām pastāv." @@ -1056,7 +1056,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Grozs apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Rīkojums Type jābūt vienam no {0} DocType: Lead,Next Contact Date,Nākamais Contact Datums apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Atklāšanas Daudzums -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Ievadiet Kontu pārmaiņu summa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Ievadiet Kontu pārmaiņu summa DocType: Student Batch Name,Student Batch Name,Student Partijas nosaukums DocType: Holiday List,Holiday List Name,Brīvdienu saraksta Nosaukums DocType: Repayment Schedule,Balance Loan Amount,Balance Kredīta summa @@ -1064,7 +1064,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Akciju opcijas DocType: Journal Entry Account,Expense Claim,Izdevumu Pretenzija apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Vai jūs tiešām vēlaties atjaunot šo metāllūžņos aktīvu? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Daudz par {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Daudz par {0} DocType: Leave Application,Leave Application,Atvaļinājuma pieteikums apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Atstājiet Allocation rīks DocType: Leave Block List,Leave Block List Dates,Atstājiet Block List Datumi @@ -1115,7 +1115,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Pret DocType: Item,Default Selling Cost Center,Default pārdošana Izmaksu centrs DocType: Sales Partner,Implementation Partner,Īstenošana Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Pasta indekss +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Pasta indekss apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} {1} DocType: Opportunity,Contact Info,Kontaktinformācija apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Making Krājumu @@ -1134,14 +1134,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,V DocType: School Settings,Attendance Freeze Date,Apmeklējums Freeze Datums DocType: School Settings,Attendance Freeze Date,Apmeklējums Freeze Datums DocType: Opportunity,Your sales person who will contact the customer in future,"Jūsu pārdošanas persona, kas sazinās ar klientu nākotnē" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Uzskaitīt daži no jūsu piegādātājiem. Tie varētu būt organizācijas vai privātpersonas. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Uzskaitīt daži no jūsu piegādātājiem. Tie varētu būt organizācijas vai privātpersonas. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Skatīt visus produktus apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimālā Lead Vecums (dienas) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimālā Lead Vecums (dienas) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Visas BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Visas BOMs DocType: Company,Default Currency,Noklusējuma Valūtas DocType: Expense Claim,From Employee,No darbinieka -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Brīdinājums: Sistēma nepārbaudīs pārāk augstu maksu, jo summu par posteni {0} ir {1} ir nulle" +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Brīdinājums: Sistēma nepārbaudīs pārāk augstu maksu, jo summu par posteni {0} ir {1} ir nulle" DocType: Journal Entry,Make Difference Entry,Padarīt atšķirība Entry DocType: Upload Attendance,Attendance From Date,Apmeklējumu No Datums DocType: Appraisal Template Goal,Key Performance Area,Key Performance Platība @@ -1158,7 +1158,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Uzņēmuma reģistrācijas numuri jūsu atsauci. Nodokļu numurus uc DocType: Sales Partner,Distributor,Izplatītājs DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Grozs Piegāde noteikums -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Ražošanas Order {0} ir atcelts pirms anulējot šo klientu pasūtījumu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Ražošanas Order {0} ir atcelts pirms anulējot šo klientu pasūtījumu apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Lūdzu noteikt "piemērot papildu Atlaide On" ,Ordered Items To Be Billed,Pasūtītās posteņi ir Jāmaksā apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,No Range ir jābūt mazāk nekā svārstās @@ -1167,10 +1167,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Atskaitījumi DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start gads -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Pirmie 2 cipari GSTIN vajadzētu saskaņot ar valsts numuru {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Pirmie 2 cipari GSTIN vajadzētu saskaņot ar valsts numuru {0} DocType: Purchase Invoice,Start date of current invoice's period,Sākuma datums kārtējā rēķinā s perioda DocType: Salary Slip,Leave Without Pay,Bezalgas atvaļinājums -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Capacity Planning kļūda +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Capacity Planning kļūda ,Trial Balance for Party,Trial Balance uz pusi DocType: Lead,Consultant,Konsultants DocType: Salary Slip,Earnings,Peļņa @@ -1186,7 +1186,7 @@ DocType: Cheque Print Template,Payer Settings,maksātājs iestatījumi DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Tas tiks pievienots Vienības kodeksa variantu. Piemēram, ja jūsu saīsinājums ir ""SM"", un pozīcijas kods ir ""T-krekls"", postenis kods variants būs ""T-krekls-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Neto Pay (vārdiem), būs redzams pēc tam, kad esat saglabāt algas aprēķinu." DocType: Purchase Invoice,Is Return,Vai Return -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Atgriešana / debeta Note +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Atgriešana / debeta Note DocType: Price List Country,Price List Country,Cenrādis Valsts DocType: Item,UOMs,Mērvienības apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} derīgas sērijas nos postenim {1} @@ -1199,7 +1199,7 @@ DocType: Employee Loan,Partially Disbursed,Daļēji Izmaksātā apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Piegādātājs datu bāze. DocType: Account,Balance Sheet,Bilance apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',"Izmaksās Center postenī ar Preces kods """ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksājums Mode nav konfigurēta. Lūdzu, pārbaudiet, vai konts ir iestatīts uz maksājumu Mode vai POS profils." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksājums Mode nav konfigurēta. Lūdzu, pārbaudiet, vai konts ir iestatīts uz maksājumu Mode vai POS profils." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Jūsu pārdošanas persona saņems atgādinājumu par šo datumu, lai sazināties ar klientu" apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Pašu posteni nevar ievadīt vairākas reizes. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Turpmākas kontus var veikt saskaņā grupās, bet ierakstus var izdarīt pret nepilsoņu grupām" @@ -1229,7 +1229,7 @@ DocType: Employee Loan Application,Repayment Info,atmaksas info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Ieraksti"" nevar būt tukšs" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Dublikāts rinda {0} ar pašu {1} ,Trial Balance,Trial Balance -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Fiskālā gads {0} nav atrasts +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Fiskālā gads {0} nav atrasts apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Iestatīšana Darbinieki DocType: Sales Order,SO-,TĀTAD- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Lūdzu, izvēlieties kodu pirmais" @@ -1244,11 +1244,11 @@ DocType: Grading Scale,Intervals,intervāli apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Senākās apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Prece Group pastāv ar tādu pašu nosaukumu, lūdzu mainīt rindas nosaukumu vai pārdēvēt objektu grupu" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Pārējā pasaule +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Pārējā pasaule apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,{0} postenis nevar būt partijas ,Budget Variance Report,Budžets Variance ziņojums DocType: Salary Slip,Gross Pay,Bruto Pay -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rinda {0}: darbības veids ir obligāta. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Rinda {0}: darbības veids ir obligāta. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Izmaksātajām dividendēm apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Grāmatvedības Ledger DocType: Stock Reconciliation,Difference Amount,Starpība Summa @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Darbinieku Leave Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Atlikums kontā {0} vienmēr jābūt {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Vērtēšana Rate nepieciešama postenī rindā {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Piemērs: Masters in Datorzinātnes +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Piemērs: Masters in Datorzinātnes DocType: Purchase Invoice,Rejected Warehouse,Noraidīts Noliktava DocType: GL Entry,Against Voucher,Pret kuponu DocType: Item,Default Buying Cost Center,Default Pirkšana Izmaksu centrs apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Lai iegūtu labāko no ERPNext, mēs iesakām veikt kādu laiku, un skatīties šos palīdzības video." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,līdz +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,līdz DocType: Supplier Quotation Item,Lead Time in days,Izpildes laiks dienās apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Kreditoru kopsavilkums -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Izmaksa algas no {0} līdz {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Izmaksa algas no {0} līdz {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Nav atļauts rediģēt iesaldētā kontā {0} DocType: Journal Entry,Get Outstanding Invoices,Saņemt neapmaksātus rēķinus -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Pasūtījumu {0} nav derīga +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Pasūtījumu {0} nav derīga apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Pirkuma pasūtījumu palīdzēt jums plānot un sekot līdzi saviem pirkumiem apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Atvainojiet, uzņēmumi nevar tikt apvienots" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Netiešie izdevumi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Rinda {0}: Daudz ir obligāta apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Lauksaimniecība -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Jūsu Produkti vai Pakalpojumi +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Jūsu Produkti vai Pakalpojumi DocType: Mode of Payment,Mode of Payment,Maksājuma veidu apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Website Image vajadzētu būt publiski failu vai tīmekļa URL DocType: Student Applicant,AP,AP @@ -1325,18 +1325,18 @@ DocType: Student Group Student,Group Roll Number,Grupas Roll skaits DocType: Student Group Student,Group Roll Number,Grupas Roll skaits apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Par {0}, tikai kredīta kontus var saistīt pret citu debeta ierakstu" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Kopējais visu uzdevumu atsvari būtu 1. Lūdzu regulēt svaru visām projekta uzdevumus atbilstoši -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Piegāde piezīme {0} nav iesniegta +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Piegāde piezīme {0} nav iesniegta apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Postenis {0} jābūt Apakšuzņēmēju postenis apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitāla Ekipējums apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cenu noteikums vispirms izvēlas, pamatojoties uz ""Apply On 'jomā, kas var būt punkts, punkts Koncerns vai Brand." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,"Lūdzu, vispirms iestatiet preces kodu" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,"Lūdzu, vispirms iestatiet preces kodu" DocType: Hub Settings,Seller Website,Pārdevējs Website DocType: Item,ITEM-,PRIEKŠMETS- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Kopējais piešķirtais procentuālu pārdošanas komanda būtu 100 DocType: Appraisal Goal,Goal,Mērķis DocType: Sales Invoice Item,Edit Description,Edit Apraksts ,Team Updates,Team Updates -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Piegādātājam +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Piegādātājam DocType: Account,Setting Account Type helps in selecting this Account in transactions.,"Iestatīšana konta veidu palīdz, izvēloties šo kontu darījumos." DocType: Purchase Invoice,Grand Total (Company Currency),Pavisam kopā (Company valūta) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Izveidot Drukas formāts @@ -1350,12 +1350,12 @@ DocType: Item,Website Item Groups,Mājas lapa punkts Grupas DocType: Purchase Invoice,Total (Company Currency),Kopā (Uzņēmējdarbības valūta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Sērijas numurs {0} ieraksta vairāk nekā vienu reizi DocType: Depreciation Schedule,Journal Entry,Journal Entry -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} preces progress +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} preces progress DocType: Workstation,Workstation Name,Darba vietas nosaukums DocType: Grading Scale Interval,Grade Code,grade Code DocType: POS Item Group,POS Item Group,POS Prece Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-pasts Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} nepieder posteni {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} nepieder posteni {1} DocType: Sales Partner,Target Distribution,Mērķa Distribution 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 @@ -1413,7 +1413,7 @@ DocType: Quotation,Shopping Cart,Grozs apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daily Izejošais DocType: POS Profile,Campaign,Kampaņa DocType: Supplier,Name and Type,Nosaukums un veids -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Apstiprinājums statuss ir ""Apstiprināts"" vai ""noraidīts""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Apstiprinājums statuss ir ""Apstiprināts"" vai ""noraidīts""" DocType: Purchase Invoice,Contact Person,Kontaktpersona apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Sagaidāmais Sākuma datums"" nevar būt lielāka par ""Sagaidāmais beigu datums""" DocType: Course Scheduling Tool,Course End Date,"Protams, beigu datums" @@ -1425,8 +1425,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,vēlamais Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Neto izmaiņas pamatlīdzekļa DocType: Leave Control Panel,Leave blank if considered for all designations,"Atstāt tukšu, ja to uzskata par visiem apzīmējumiem" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Lādiņš tips ""Faktiskais"" rindā {0} nevar iekļaut postenī Rate" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Lādiņš tips ""Faktiskais"" rindā {0} nevar iekļaut postenī Rate" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,No DATETIME DocType: Email Digest,For Company,Par Company apps/erpnext/erpnext/config/support.py +17,Communication log.,Sakaru žurnāls. @@ -1467,7 +1467,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Darba profils, DocType: Journal Entry Account,Account Balance,Konta atlikuma apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Nodokļu noteikums par darījumiem. DocType: Rename Tool,Type of document to rename.,Dokumenta veids pārdēvēt. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Mēs pirkām šo Preci +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Mēs pirkām šo Preci apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klientam ir pienākums pret pasūtītāju konta {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Kopā nodokļi un maksājumi (Company valūtā) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Rādīt Atvērto fiskālajā gadā ir P & L atlikumus @@ -1478,7 +1478,7 @@ DocType: Quality Inspection,Readings,Rādījumus DocType: Stock Entry,Total Additional Costs,Kopējās papildu izmaksas DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Lūžņi materiālu izmaksas (Company valūta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Kompleksi +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub Kompleksi DocType: Asset,Asset Name,Asset Name DocType: Project,Task Weight,uzdevums Svars DocType: Shipping Rule Condition,To Value,Vērtēt @@ -1507,7 +1507,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Postenis Variants DocType: Company,Services,Pakalpojumi DocType: HR Settings,Email Salary Slip to Employee,Email Alga Slip darbiniekam DocType: Cost Center,Parent Cost Center,Parent Izmaksu centrs -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Izvēlieties Iespējamais Piegādātāja +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Izvēlieties Iespējamais Piegādātāja DocType: Sales Invoice,Source,Avots apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Rādīt slēgts DocType: Leave Type,Is Leave Without Pay,Vai atstāt bez Pay @@ -1519,7 +1519,7 @@ DocType: POS Profile,Apply Discount,Piesakies Atlaide DocType: GST HSN Code,GST HSN Code,GST HSN kodekss DocType: Employee External Work History,Total Experience,Kopā pieredze apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Atvērt projekti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Packing Slip (s) atcelts +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Packing Slip (s) atcelts apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Naudas plūsma no ieguldījumu DocType: Program Course,Program Course,Program Course apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Kravu un Ekspedīcijas maksājumi @@ -1560,9 +1560,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,programma iestājas DocType: Sales Invoice Item,Brand Name,Brand Name DocType: Purchase Receipt,Transporter Details,Transporter Details -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Default noliktava ir nepieciešama atsevišķiem posteni -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Kaste -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,iespējams piegādātājs +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Default noliktava ir nepieciešama atsevišķiem posteni +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Kaste +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,iespējams piegādātājs DocType: Budget,Monthly Distribution,Mēneša Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Uztvērējs saraksts ir tukšs. Lūdzu, izveidojiet Uztvērēja saraksts" DocType: Production Plan Sales Order,Production Plan Sales Order,Ražošanas plāns Sales Order @@ -1595,7 +1595,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Prasības att apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studenti tiek centrā sistēmas, pievienot visus savus skolēnus" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Clearance datums {1} nevar būt pirms Čeku datums {2} DocType: Company,Default Holiday List,Default brīvdienu sarakstu -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Akciju Saistības DocType: Purchase Invoice,Supplier Warehouse,Piegādātājs Noliktava DocType: Opportunity,Contact Mobile No,Kontaktinformācija Mobilais Nr @@ -1611,18 +1611,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Atvaļinājums tipa {0} nevar būt ilgāks par {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Mēģiniet plānojot operācijas X dienas iepriekš. DocType: HR Settings,Stop Birthday Reminders,Stop Birthday atgādinājumi -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Lūdzu noteikt Noklusējuma Algas Kreditoru kontu Uzņēmumu {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Lūdzu noteikt Noklusējuma Algas Kreditoru kontu Uzņēmumu {0} DocType: SMS Center,Receiver List,Uztvērējs Latviešu -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Meklēt punkts +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Meklēt punkts apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Patērētā summa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Neto izmaiņas naudas DocType: Assessment Plan,Grading Scale,Šķirošana Scale apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mērvienība {0} ir ievadīts vairāk nekā vienu reizi Conversion Factor tabulā -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,jau pabeigts +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,jau pabeigts apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock In Hand apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Maksājuma pieprasījums jau eksistē {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Izmaksas Izdoti preces -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Daudzums nedrīkst būt lielāks par {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Daudzums nedrīkst būt lielāks par {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Iepriekšējais finanšu gads nav slēgts apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Vecums (dienas) DocType: Quotation Item,Quotation Item,Piedāvājuma rinda @@ -1636,6 +1636,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,atsauces dokuments apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} tiek atcelts vai pārtraukta DocType: Accounts Settings,Credit Controller,Kredīts Controller +DocType: Sales Order,Final Delivery Date,Nobeiguma piegādes datums DocType: Delivery Note,Vehicle Dispatch Date,Transportlīdzekļu Nosūtīšanas datums DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Pirkuma saņemšana {0} nav iesniegta @@ -1728,9 +1729,9 @@ DocType: Employee,Date Of Retirement,Brīža līdz pensionēšanās DocType: Upload Attendance,Get Template,Saņemt Template DocType: Material Request,Transferred,Pārskaitīts DocType: Vehicle,Doors,durvis -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Nodokļu sabrukuma +DocType: Purchase Invoice,Tax Breakup,Nodokļu sabrukuma DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Izmaksu centrs ir nepieciešams peļņas un zaudējumu "konta {2}. Lūdzu izveidot noklusējuma izmaksu centru uzņēmumam. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Klientu grupa pastāv ar tādu pašu nosaukumu, lūdzu mainīt Klienta nosaukumu vai pārdēvēt klientu grupai" @@ -1743,14 +1744,14 @@ DocType: Announcement,Instructor,instruktors DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ja šis postenis ir varianti, tad tas nevar izvēlēties pārdošanas pasūtījumiem uc" DocType: Lead,Next Contact By,Nākamais Kontakti Pēc -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},"Daudzumu, kas vajadzīgs postenī {0} rindā {1}" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},"Daudzumu, kas vajadzīgs postenī {0} rindā {1}" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Noliktava {0} nevar izdzēst, jo pastāv postenī daudzums {1}" DocType: Quotation,Order Type,Order Type DocType: Purchase Invoice,Notification Email Address,Paziņošana e-pasta adrese ,Item-wise Sales Register,Postenis gudrs Sales Reģistrēties DocType: Asset,Gross Purchase Amount,Gross Pirkuma summa DocType: Asset,Depreciation Method,nolietojums metode -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Bezsaistē +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Bezsaistē DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Vai šis nodoklis iekļauts pamatlikmes? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Kopā Mērķa DocType: Job Applicant,Applicant for a Job,Pretendents uz darbu @@ -1772,7 +1773,7 @@ DocType: Employee,Leave Encashed?,Atvaļinājums inkasēta? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Iespēja No jomā ir obligāta DocType: Email Digest,Annual Expenses,gada izdevumi DocType: Item,Variants,Varianti -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Izveidot pirkuma pasūtījumu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Izveidot pirkuma pasūtījumu DocType: SMS Center,Send To,Sūtīt apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nav pietiekami daudz atvaļinājums bilance Atstāt tipa {0} DocType: Payment Reconciliation Payment,Allocated amount,Piešķirtā summa @@ -1780,7 +1781,7 @@ DocType: Sales Team,Contribution to Net Total,Ieguldījums kopējiem neto DocType: Sales Invoice Item,Customer's Item Code,Klienta Produkta kods DocType: Stock Reconciliation,Stock Reconciliation,Stock Izlīgums DocType: Territory,Territory Name,Teritorija Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,"Work-in-Progress Warehouse ir nepieciešams, pirms iesniegt" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,"Work-in-Progress Warehouse ir nepieciešams, pirms iesniegt" apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Pretendents uz darbu. DocType: Purchase Order Item,Warehouse and Reference,Noliktavas un atsauce DocType: Supplier,Statutory info and other general information about your Supplier,Normatīvais info un citu vispārīgu informāciju par savu piegādātāju @@ -1793,16 +1794,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,vērtējumi apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Dublēt Sērijas Nr stājās postenī {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Nosacījums Shipping Reglamenta apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ievadiet -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nevar overbill par postenī {0} rindā {1} vairāk nekā {2}. Lai ļautu pār-rēķinu, lūdzu, noteikti Pērkot Settings" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Lūdzu iestatīt filtru pamatojoties postenī vai noliktavā +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nevar overbill par postenī {0} rindā {1} vairāk nekā {2}. Lai ļautu pār-rēķinu, lūdzu, noteikti Pērkot Settings" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Lūdzu iestatīt filtru pamatojoties postenī vai noliktavā DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),"Neto svars šīs paketes. (Aprēķināts automātiski, kā summa neto svara vienību)" DocType: Sales Order,To Deliver and Bill,Rīkoties un Bill DocType: Student Group,Instructors,instruktori DocType: GL Entry,Credit Amount in Account Currency,Kredīta summa konta valūtā -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} jāiesniedz +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} jāiesniedz DocType: Authorization Control,Authorization Control,Autorizācija Control apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Noraidīts Warehouse ir obligāta pret noraidīts postenī {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Maksājums +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Maksājums apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Noliktava {0} nav saistīta ar jebkuru kontu, lūdzu, norādiet kontu šajā noliktavas ierakstā vai iestatīt noklusējuma inventāra kontu uzņēmumā {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Pārvaldīt savus pasūtījumus DocType: Production Order Operation,Actual Time and Cost,Faktiskais laiks un izmaksas @@ -1818,12 +1819,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Paka po DocType: Quotation Item,Actual Qty,Faktiskais Daudz DocType: Sales Invoice Item,References,Atsauces DocType: Quality Inspection Reading,Reading 10,Reading 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Uzskaitiet produktus vai pakalpojumus kas Jūs pērkat vai pārdodat. Pārliecinieties, ka izvēlējāties Preces Grupu, Mērvienību un citas īpašības, kad sākat." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Uzskaitiet produktus vai pakalpojumus kas Jūs pērkat vai pārdodat. Pārliecinieties, ka izvēlējāties Preces Grupu, Mērvienību un citas īpašības, kad sākat." DocType: Hub Settings,Hub Node,Hub Mezgls apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Esat ievadījis dublikātus preces. Lūdzu, labot un mēģiniet vēlreiz." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Līdzstrādnieks +DocType: Company,Sales Target,Pārdošanas mērķis DocType: Asset Movement,Asset Movement,Asset kustība -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Jauns grozs +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Jauns grozs apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Postenis {0} nav sērijveida punkts DocType: SMS Center,Create Receiver List,Izveidot Uztvērēja sarakstu DocType: Vehicle,Wheels,Riteņi @@ -1865,13 +1867,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Managing Projects DocType: Supplier,Supplier of Goods or Services.,Preču piegādātājam vai pakalpojumu. DocType: Budget,Fiscal Year,Fiskālā gads DocType: Vehicle Log,Fuel Price,degvielas cena +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, uzstādiet apmeklētāju numerācijas sēriju, izmantojot iestatīšanas> numerācijas sēriju" DocType: Budget,Budget,Budžets apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Ilgtermiņa ieguldījumu postenim jābūt ne-akciju posteni. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budžets nevar iedalīt pret {0}, jo tas nav ienākumu vai izdevumu kontu" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Izpildīts DocType: Student Admission,Application Form Route,Pieteikums forma apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Teritorija / Klientu -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,"piemēram, 5" +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,"piemēram, 5" apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Atstājiet Type {0} nevar tikt piešķirts, jo tas ir atstāt bez samaksas" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Rinda {0}: piešķirtā summa {1} jābūt mazākam par vai vienāds ar rēķinu nenomaksāto summu {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Vārdos būs redzams pēc tam, kad būsiet saglabājis PPR." @@ -1880,11 +1883,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Postenis {0} nav setup Serial Nr. Pārbaudiet Vienības kapteinis DocType: Maintenance Visit,Maintenance Time,Apkopes laiks ,Amount to Deliver,Summa rīkoties -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Produkts vai pakalpojums +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Produkts vai pakalpojums apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Sākuma datums nevar būt pirms Year Sākuma datums mācību gada, uz kuru termiņš ir saistīts (akadēmiskais gads {}). Lūdzu izlabojiet datumus un mēģiniet vēlreiz." DocType: Guardian,Guardian Interests,Guardian intereses DocType: Naming Series,Current Value,Pašreizējā vērtība -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Vairāki fiskālie gadi pastāv dienas {0}. Lūdzu noteikt uzņēmuma finanšu gads +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Vairāki fiskālie gadi pastāv dienas {0}. Lūdzu noteikt uzņēmuma finanšu gads apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} izveidots DocType: Delivery Note Item,Against Sales Order,Pret pārdošanas rīkojumu ,Serial No Status,Sērijas Nr statuss @@ -1897,7 +1900,7 @@ DocType: Pricing Rule,Selling,Pārdošana apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Summa {0} {1} atskaitīt pret {2} DocType: Employee,Salary Information,Alga informācija DocType: Sales Person,Name and Employee ID,Darbinieka Vārds un ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Due Date nevar būt pirms nosūtīšanas datums +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Due Date nevar būt pirms nosūtīšanas datums DocType: Website Item Group,Website Item Group,Mājas lapa Prece Group apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Nodevas un nodokļi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Ievadiet Atsauces datums @@ -1954,9 +1957,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Lūdzu datumu nosaka Pievienojoties par darbiniekam {0} DocType: Task,Total Billing Amount (via Time Sheet),Kopā Norēķinu Summa (via laiks lapas) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Atkārtot Klientu Ieņēmumu -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) ir jābūt lomu rēķina apstiprinātāja """ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pāris -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Izvēlieties BOM un Daudzums nobarojamām +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) ir jābūt lomu rēķina apstiprinātāja """ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Pāris +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Izvēlieties BOM un Daudzums nobarojamām DocType: Asset,Depreciation Schedule,nolietojums grafiks apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Pārdošanas Partner adreses un kontakti DocType: Bank Reconciliation Detail,Against Account,Pret kontu @@ -1966,7 +1969,7 @@ DocType: Item,Has Batch No,Partijas Nr apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Gada Norēķinu: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Preču un pakalpojumu nodokli (PVN Indija) DocType: Delivery Note,Excise Page Number,Akcīzes Page Number -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, no Datums un līdz šim ir obligāta" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Company, no Datums un līdz šim ir obligāta" DocType: Asset,Purchase Date,Pirkuma datums DocType: Employee,Personal Details,Personīgie Details apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Lūdzu noteikt "nolietojuma izmaksas centrs" uzņēmumā {0} @@ -1975,9 +1978,9 @@ DocType: Task,Actual End Date (via Time Sheet),Faktiskā Beigu datums (via laiks apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Summa {0} {1} pret {2} {3} ,Quotation Trends,Piedāvājumu tendences apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Postenis Group vienības kapteinis nav minēts par posteni {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debets Lai kontā jābūt pasūtītāju konta +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debets Lai kontā jābūt pasūtītāju konta DocType: Shipping Rule Condition,Shipping Amount,Piegāde Summa -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Pievienot Klienti +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Pievienot Klienti apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kamēr Summa DocType: Purchase Invoice Item,Conversion Factor,Conversion Factor DocType: Purchase Order,Delivered,Pasludināts @@ -2000,7 +2003,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Iekļaut jāsaskaņo Ier DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Mātes kursi (atstājiet tukšu, ja tas nav daļa no mātes kursa)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Mātes kursi (atstājiet tukšu, ja tas nav daļa no mātes kursa)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Atstājiet tukšu, ja uzskatīja visus darbinieku tipiem" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pasūtītājs> Klientu grupa> Teritorija DocType: Landed Cost Voucher,Distribute Charges Based On,Izplatīt Maksa Based On apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,HR iestatījumi @@ -2008,7 +2010,7 @@ DocType: Salary Slip,net pay info,Neto darba samaksa info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Izdevumu Prasība tiek gaidīts apstiprinājums. Tikai Izdevumu apstiprinātājs var atjaunināt statusu. DocType: Email Digest,New Expenses,Jauni izdevumi DocType: Purchase Invoice,Additional Discount Amount,Papildus Atlaides summa -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Daudz jābūt 1, jo prece ir pamatlīdzeklis. Lūdzu, izmantojiet atsevišķu rindu daudzkārtējai qty." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Daudz jābūt 1, jo prece ir pamatlīdzeklis. Lūdzu, izmantojiet atsevišķu rindu daudzkārtējai qty." DocType: Leave Block List Allow,Leave Block List Allow,Atstājiet Block Latviešu Atļaut apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr nevar būt tukšs vai telpa apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Group Non-Group @@ -2016,7 +2018,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sporta DocType: Loan Type,Loan Name,aizdevums Name apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Kopā Faktiskais DocType: Student Siblings,Student Siblings,studentu Brāļi un māsas -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Vienība +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Vienība apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Lūdzu, norādiet Company" ,Customer Acquisition and Loyalty,Klientu iegāde un lojalitātes DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Noliktava, kur jums ir saglabāt krājumu noraidīto posteņiem" @@ -2035,12 +2037,12 @@ DocType: Workstation,Wages per hour,Algas stundā apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Krājumu atlikumu partijā {0} kļūs negatīvs {1} postenī {2} pie Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,"Šāds materiāls Pieprasījumi tika automātiski izvirzīts, balstoties uz posteni atjaunotne pasūtījuma līmenī" DocType: Email Digest,Pending Sales Orders,Kamēr klientu pasūtījumu -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konts {0} ir nederīgs. Konta valūta ir {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Konts {0} ir nederīgs. Konta valūta ir {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM pārrēķināšanas koeficients ir nepieciešams rindā {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no pārdošanas rīkojumu, pārdošanas rēķinu vai Journal Entry" DocType: Salary Component,Deduction,Atskaitīšana -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rinda {0}: laiku un uz laiku ir obligāta. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Rinda {0}: laiku un uz laiku ir obligāta. DocType: Stock Reconciliation Item,Amount Difference,summa Starpība apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Prece Cena pievienots {0} Cenrādī {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ievadiet Darbinieku Id šīs pārdošanas persona @@ -2050,11 +2052,11 @@ DocType: Project,Gross Margin,Bruto peļņa apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Ievadiet Ražošanas Prece pirmais apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Aprēķinātais Bankas pārskats bilance apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,invalīdiem lietotāju -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Piedāvājums +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Piedāvājums DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Kopā atskaitīšana ,Production Analytics,ražošanas Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Izmaksas Atjaunots +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Izmaksas Atjaunots DocType: Employee,Date of Birth,Dzimšanas datums apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Postenis {0} jau ir atgriezies DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Saimnieciskais gads ** pārstāv finanšu gads. Visus grāmatvedības ierakstus un citi lielākie darījumi kāpurķēžu pret ** fiskālā gada **. @@ -2100,18 +2102,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Izvēlieties Company ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Atstāt tukšu, ja to uzskata par visu departamentu" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Nodarbinātības veidi (pastāvīgs, līgums, intern uc)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} ir obligāta postenī {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} ir obligāta postenī {1} DocType: Process Payroll,Fortnightly,divnedēļu DocType: Currency Exchange,From Currency,No Valūta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Izmaksas jauno pirkumu -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Pasūtījumu nepieciešams postenī {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Pasūtījumu nepieciešams postenī {0} DocType: Purchase Invoice Item,Rate (Company Currency),Rate (Company valūta) DocType: Student Guardian,Others,Pārējie DocType: Payment Entry,Unallocated Amount,nepiešķirto Summa apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,"Nevar atrast atbilstošas objektu. Lūdzu, izvēlieties kādu citu vērtību {0}." DocType: POS Profile,Taxes and Charges,Nodokļi un maksājumi DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkts vai pakalpojums, kas tiek pirkti, pārdot vai turēt noliktavā." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Vienības kods> Vienības grupa> Zīmols apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Ne vairāk atjauninājumi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nav iespējams izvēlēties maksas veidu, kā ""Par iepriekšējo rindu summas"" vai ""Par iepriekšējā rindā Total"" par pirmās rindas" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Bērnu Prece nedrīkst būt Product Bundle. Lūdzu, noņemiet objektu `{0}` un saglabāt" @@ -2139,7 +2142,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Kopā Norēķinu summa apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Ir jābūt noklusējuma ienākošo e-pasta kontu ļāva, lai tas darbotos. Lūdzu setup noklusējuma ienākošā e-pasta kontu (POP / IMAP) un mēģiniet vēlreiz." apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Debitoru konts -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} jau {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} jau {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Sales Order to Apmaksa apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2164,10 +2167,11 @@ DocType: C-Form,Received Date,Saņēma Datums DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ja esat izveidojis standarta veidni Pārdošanas nodokļi un nodevas veidni, izvēlieties vienu, un noklikšķiniet uz pogas zemāk." DocType: BOM Scrap Item,Basic Amount (Company Currency),Pamatsumma (Company valūta) DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Piegādātājs> Piegādātāja tips DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Cenas netiks parādīts, ja Cenrādis nav noteikts" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Lūdzu, norādiet valsti šim Shipping noteikuma vai pārbaudīt Worldwide Shipping" DocType: Stock Entry,Total Incoming Value,Kopā Ienākošais vērtība -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debets ir nepieciešama +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debets ir nepieciešama apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets palīdz sekot līdzi laika, izmaksu un rēķinu par aktivitātēm, ko veic savu komandu" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Pirkuma Cenrādis DocType: Offer Letter Term,Offer Term,Piedāvājums Term @@ -2186,11 +2190,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Produ DocType: Timesheet Detail,To Time,Uz laiku DocType: Authorization Rule,Approving Role (above authorized value),Apstiprinot loma (virs atļautā vērtība) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredīts kontā jābūt Kreditoru konts -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursijas: {0} nevar būt vecāks vai bērns {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekursijas: {0} nevar būt vecāks vai bērns {2} DocType: Production Order Operation,Completed Qty,Pabeigts Daudz apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Par {0}, tikai debeta kontus var saistīt pret citu kredīta ierakstu" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Cenrādis {0} ir invalīds -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rinda {0}: Pabeigts Daudz nevar būt vairāk kā {1} ekspluatācijai {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rinda {0}: Pabeigts Daudz nevar būt vairāk kā {1} ekspluatācijai {2} DocType: Manufacturing Settings,Allow Overtime,Atļaut Virsstundas apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serializēta Prece {0} nevar atjaunināt, izmantojot Fondu samierināšanās, lūdzu, izmantojiet Fondu Entry" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serializēta Prece {0} nevar atjaunināt, izmantojot Fondu samierināšanās, lūdzu, izmantojiet Fondu Entry" @@ -2209,10 +2213,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Ārējs apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Lietotāji un atļaujas DocType: Vehicle Log,VLOG.,Vlogi. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Ražošanas Pasūtījumi Izveidoja: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Ražošanas Pasūtījumi Izveidoja: {0} DocType: Branch,Branch,Filiāle DocType: Guardian,Mobile Number,Mobilā telefona numurs apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Drukāšana un zīmols +DocType: Company,Total Monthly Sales,Kopējie mēneša pārdošanas apjomi DocType: Bin,Actual Quantity,Faktiskais daudzums DocType: Shipping Rule,example: Next Day Shipping,Piemērs: Nākošā diena Piegāde apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Sērijas Nr {0} nav atrasts @@ -2243,7 +2248,7 @@ DocType: Payment Request,Make Sales Invoice,Izveidot PPR apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,programmatūra apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Nākamais Kontaktinformācija datums nedrīkst būt pagātnē DocType: Company,For Reference Only.,Tikai atsaucei. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Izvēlieties Partijas Nr +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Izvēlieties Partijas Nr apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Nederīga {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Advance Summa @@ -2256,7 +2261,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Pozīcijas ar svītrkodu {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Case No. nevar būt 0 DocType: Item,Show a slideshow at the top of the page,Parādiet slaidrādi augšpusē lapas -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,BOMs apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Veikali DocType: Serial No,Delivery Time,Piegādes laiks apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Novecošanās Based On @@ -2270,16 +2275,16 @@ DocType: Rename Tool,Rename Tool,Pārdēvēt rīks apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Atjaunināt izmaksas DocType: Item Reorder,Item Reorder,Postenis Pārkārtot apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Rādīt Alga Slip -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transfer Materiāls +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transfer Materiāls DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Norādiet operācijas, ekspluatācijas izmaksas un sniegt unikālu ekspluatācijā ne jūsu darbībām." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Šis dokuments ir pāri robežai ar {0} {1} par posteni {4}. Jūs padarīt vēl {3} pret pats {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Lūdzu noteikt atkārtojas pēc glābšanas -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Izvēlieties Mainīt summu konts +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Lūdzu noteikt atkārtojas pēc glābšanas +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Izvēlieties Mainīt summu konts DocType: Purchase Invoice,Price List Currency,Cenrādis Currency DocType: Naming Series,User must always select,Lietotājam ir vienmēr izvēlēties DocType: Stock Settings,Allow Negative Stock,Atļaut negatīvs Stock DocType: Installation Note,Installation Note,Uzstādīšana Note -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Pievienot Nodokļi +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Pievienot Nodokļi DocType: Topic,Topic,Temats apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Naudas plūsma no finansēšanas DocType: Budget Account,Budget Account,budžeta kontā @@ -2293,7 +2298,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,izsek apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Līdzekļu avots (Pasīvi) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Daudzums rindā {0} ({1}) jābūt tādai pašai kā saražotā apjoma {2} DocType: Appraisal,Employee,Darbinieks -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Izvēlieties Partijas +DocType: Company,Sales Monthly History,Pārdošanas mēneša vēsture +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Izvēlieties Partijas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0}{1} ir pilnībā jāmaksā DocType: Training Event,End Time,Beigu laiks apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Active Alga Struktūra {0} down darbiniekam {1} par attiecīgo datumu @@ -2301,15 +2307,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Maksājumu Atskaitījumi vai z apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standarta līguma noteikumi par pārdošanu vai pirkšanu. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grupa ar kuponu apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Sales Pipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Lūdzu iestatīt noklusēto kontu Algu komponentes {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Lūdzu iestatīt noklusēto kontu Algu komponentes {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Nepieciešamais On DocType: Rename Tool,File to Rename,Failu pārdēvēt apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Lūdzu, izvēlieties BOM par posteni rindā {0}" apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konta {0} nesakrīt ar uzņēmumu {1} no konta režīms: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Noteiktais BOM {0} nepastāv postenī {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Uzturēšana Kalendārs {0} ir atcelts pirms anulējot šo klientu pasūtījumu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Uzturēšana Kalendārs {0} ir atcelts pirms anulējot šo klientu pasūtījumu DocType: Notification Control,Expense Claim Approved,Izdevumu Pretenzija Apstiprināts -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu, uzstādiet apmeklētāju numerācijas sēriju, izmantojot iestatīšanas> numerācijas sēriju" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Alga Slip darbinieka {0} jau izveidotas šajā periodā apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceitisks apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Izmaksas iegādātās preces @@ -2326,7 +2331,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Nē par gatavo DocType: Upload Attendance,Attendance To Date,Apmeklējumu Lai datums DocType: Warranty Claim,Raised By,Paaugstināts Līdz DocType: Payment Gateway Account,Payment Account,Maksājumu konts -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Lūdzu, norādiet Company, lai turpinātu" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Lūdzu, norādiet Company, lai turpinātu" apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Neto izmaiņas debitoru apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompensējošs Off DocType: Offer Letter,Accepted,Pieņemts @@ -2336,12 +2341,12 @@ DocType: SG Creation Tool Course,Student Group Name,Student Grupas nosaukums apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Lūdzu, pārliecinieties, ka jūs tiešām vēlaties dzēst visus darījumus šajā uzņēmumā. Jūsu meistars dati paliks kā tas ir. Šo darbību nevar atsaukt." DocType: Room,Room Number,Istabas numurs apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Nederīga atsauce {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}), nevar būt lielāks par plānoto daudzumu ({2}) ražošanas pasūtījumā {3}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}), nevar būt lielāks par plānoto daudzumu ({2}) ražošanas pasūtījumā {3}" DocType: Shipping Rule,Shipping Rule Label,Piegāde noteikums Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,lietotāju forums -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Izejvielas nevar būt tukšs. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Nevarēja atjaunināt sastāvu, rēķins ir piliens kuģniecības objektu." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Journal Entry +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Izejvielas nevar būt tukšs. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Nevarēja atjaunināt sastāvu, rēķins ir piliens kuģniecības objektu." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Quick Journal Entry apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Jūs nevarat mainīt likmi, ja BOM minēja agianst jebkuru posteni" DocType: Employee,Previous Work Experience,Iepriekšējā darba pieredze DocType: Stock Entry,For Quantity,Par Daudzums @@ -2398,7 +2403,7 @@ DocType: SMS Log,No of Requested SMS,Neviens pieprasījuma SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Atstāt bez samaksas nesakrīt ar apstiprināto atvaļinājums ierakstus DocType: Campaign,Campaign-.####,Kampaņa -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Nākamie soļi -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Lūdzu sniegt norādītos objektus pēc iespējas zemas cenas +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Lūdzu sniegt norādītos objektus pēc iespējas zemas cenas DocType: Selling Settings,Auto close Opportunity after 15 days,Auto tuvu Opportunity pēc 15 dienām apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,beigu gads apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2436,7 +2441,7 @@ DocType: Homepage,Homepage,Mājaslapa DocType: Purchase Receipt Item,Recd Quantity,Recd daudzums apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Maksa Records Izveidoja - {0} DocType: Asset Category Account,Asset Category Account,Asset kategorija konts -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Nevar ražot vairāk Vienību {0} nekā Pasūtījumu daudzums {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Nevar ražot vairāk Vienību {0} nekā Pasūtījumu daudzums {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock Entry {0} nav iesniegts DocType: Payment Reconciliation,Bank / Cash Account,Bankas / Naudas konts apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Nākamais Kontaktinformācija Ar nevar būt tāda pati kā vadošais e-pasta adrese @@ -2469,7 +2474,7 @@ DocType: Salary Structure,Total Earning,Kopā krāšana DocType: Purchase Receipt,Time at which materials were received,"Laiks, kurā materiāli tika saņemti" DocType: Stock Ledger Entry,Outgoing Rate,Izejošais Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizācija filiāle meistars. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,vai +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,vai DocType: Sales Order,Billing Status,Norēķinu statuss apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Ziņojiet par problēmu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility Izdevumi @@ -2477,7 +2482,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nav konta {2} vai jau saskaņota pret citu talonu DocType: Buying Settings,Default Buying Price List,Default Pirkšana Cenrādis DocType: Process Payroll,Salary Slip Based on Timesheet,Alga Slip Pamatojoties uz laika kontrolsaraksts -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Neviens darbinieks par iepriekš izvēlētajiem kritērijiem vai algu paslīdēt jau izveidots +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Neviens darbinieks par iepriekš izvēlētajiem kritērijiem vai algu paslīdēt jau izveidots DocType: Notification Control,Sales Order Message,Sales Order Message apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Iestatītu noklusētās vērtības, piemēram, Company, valūtas, kārtējā fiskālajā gadā, uc" DocType: Payment Entry,Payment Type,Maksājuma veids @@ -2502,7 +2507,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kvīts dokuments ir jāiesniedz DocType: Purchase Invoice Item,Received Qty,Saņēma Daudz DocType: Stock Entry Detail,Serial No / Batch,Sērijas Nr / Partijas -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,"Nav samaksāta, un nav sniegusi" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,"Nav samaksāta, un nav sniegusi" DocType: Product Bundle,Parent Item,Parent postenis DocType: Account,Account Type,Konta tips DocType: Delivery Note,DN-RET-,DN-RET- @@ -2533,8 +2538,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Kopējā piešķirtā summa apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Iestatīt noklusējuma inventāra veido pastāvīgās uzskaites DocType: Item Reorder,Material Request Type,Materiāls Pieprasījuma veids -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry algām no {0} līdz {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage ir pilna, nav ietaupīt" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry algām no {0} līdz {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage ir pilna, nav ietaupīt" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor ir obligāta apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Izmaksas Center @@ -2552,7 +2557,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Ienā apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ja izvēlētais Cenu noteikums ir paredzēts ""cena"", tas pārrakstīs cenrādi. Cenu noteikums cena ir galīgā cena, tāpēc vairs atlaide jāpiemēro. Tādējādi, darījumos, piemēram, pārdošanas rīkojumu, pirkuma pasūtījuma utt, tas tiks atnesa 'ātrums' laukā, nevis ""Cenu saraksts likmes"" laukā." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track noved līdz Rūpniecības Type. DocType: Item Supplier,Item Supplier,Postenis piegādātājs -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Ievadiet posteņu kodu, lai iegūtu partiju nē" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Ievadiet posteņu kodu, lai iegūtu partiju nē" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},"Lūdzu, izvēlieties vērtību {0} quotation_to {1}" apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Visas adreses. DocType: Company,Stock Settings,Akciju iestatījumi @@ -2579,7 +2584,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Faktiskais Daudz Pēc D apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nav alga slip atrasts starp {0} un {1} ,Pending SO Items For Purchase Request,Kamēr SO šeit: pirkuma pieprasījumu apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,studentu Uzņemšana -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} ir izslēgts +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} ir izslēgts DocType: Supplier,Billing Currency,Norēķinu valūta DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Īpaši liels @@ -2609,7 +2614,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Application Status DocType: Fees,Fees,maksas DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Norādiet Valūtas kurss pārveidot vienu valūtu citā -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Piedāvājums {0} ir atcelts +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Piedāvājums {0} ir atcelts apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Kopējā nesaņemtā summa DocType: Sales Partner,Targets,Mērķi DocType: Price List,Price List Master,Cenrādis Master @@ -2626,7 +2631,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorēt cenu veidošanas likumu DocType: Employee Education,Graduate,Absolvents DocType: Leave Block List,Block Days,Bloķēt dienas DocType: Journal Entry,Excise Entry,Akcīzes Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Brīdinājums: Sales Order {0} jau eksistē pret Klienta Pirkuma pasūtījums {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Brīdinājums: Sales Order {0} jau eksistē pret Klienta Pirkuma pasūtījums {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2653,7 +2658,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),"Ja ,Salary Register,alga Reģistrēties DocType: Warehouse,Parent Warehouse,Parent Noliktava DocType: C-Form Invoice Detail,Net Total,Net Kopā -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Default BOM nav atrasts postenī {0} un Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Default BOM nav atrasts postenī {0} un Project {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Definēt dažādus aizdevumu veidus DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Izcila Summa @@ -2690,7 +2695,7 @@ DocType: Salary Detail,Condition and Formula Help,Stāvoklis un Formula Palīdz apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Pārvaldīt Territory Tree. DocType: Journal Entry Account,Sales Invoice,PPR (Pārdošanas Pavadzīme) DocType: Journal Entry Account,Party Balance,Party Balance -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Lūdzu, izvēlieties Piesakies atlaide" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Lūdzu, izvēlieties Piesakies atlaide" DocType: Company,Default Receivable Account,Default pasūtītāju konta DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Izveidot Bank ierakstu par kopējo algu maksā par iepriekš izvēlētajiem kritērijiem DocType: Stock Entry,Material Transfer for Manufacture,Materiāls pārsūtīšana Ražošana @@ -2704,7 +2709,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Klientu adrese DocType: Employee Loan,Loan Details,aizdevums Details DocType: Company,Default Inventory Account,Noklusējuma Inventāra konts -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rinda {0}: Pabeigts Daudz jābūt lielākai par nulli. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Rinda {0}: Pabeigts Daudz jābūt lielākai par nulli. DocType: Purchase Invoice,Apply Additional Discount On,Piesakies Papildu atlaide DocType: Account,Root Type,Root Type DocType: Item,FIFO,FIFO @@ -2721,7 +2726,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Kvalitātes pārbaudes apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,Standard Template DocType: Training Event,Theory,teorija -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Brīdinājums: Materiāls Pieprasītā Daudz ir mazāks nekā minimālais pasūtījums Daudz +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Brīdinājums: Materiāls Pieprasītā Daudz ir mazāks nekā minimālais pasūtījums Daudz apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Konts {0} ir sasalusi DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juridiskā persona / meitas uzņēmums ar atsevišķu kontu plānu, kas pieder Organizācijai." DocType: Payment Request,Mute Email,Mute Email @@ -2745,7 +2750,7 @@ DocType: Training Event,Scheduled,Plānotais apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Pieprasīt Piedāvājumu. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Lūdzu, izvēlieties elements, "Vai Stock Vienība" ir "nē" un "Vai Pārdošanas punkts" ir "jā", un nav cita Product Bundle" DocType: Student Log,Academic,akadēmisks -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kopā avanss ({0}) pret rīkojuma {1} nevar būt lielāks par kopsummā ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kopā avanss ({0}) pret rīkojuma {1} nevar būt lielāks par kopsummā ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Izvēlieties Mēneša Distribution nevienmērīgi izplatīt mērķus visā mēnešiem. DocType: Purchase Invoice Item,Valuation Rate,Vērtēšanas Rate DocType: Stock Reconciliation,SR/,SR / @@ -2811,6 +2816,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Ievadiet nosaukumu, kampaņas, ja avots izmeklēšanas ir kampaņa" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Laikrakstu izdevēji apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Izvēlieties saimnieciskais gads +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Paredzētais piegādes datums jānosūta pēc pārdošanas pasūtījuma datuma apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Pārkārtot Level DocType: Company,Chart Of Accounts Template,Kontu plāns Template DocType: Attendance,Attendance Date,Apmeklējumu Datums @@ -2842,7 +2848,7 @@ DocType: Pricing Rule,Discount Percentage,Atlaide procentuālā DocType: Payment Reconciliation Invoice,Invoice Number,Rēķina numurs DocType: Shopping Cart Settings,Orders,Pasūtījumi DocType: Employee Leave Approver,Leave Approver,Atstājiet apstiprinātāja -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,"Lūdzu, izvēlieties partiju" +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,"Lūdzu, izvēlieties partiju" DocType: Assessment Group,Assessment Group Name,Novērtējums Grupas nosaukums DocType: Manufacturing Settings,Material Transferred for Manufacture,"Materiāls pārvietoti, lai ražošana" DocType: Expense Claim,"A user with ""Expense Approver"" role","Lietotājs ar ""Izdevumu apstiprinātājs"" lomu" @@ -2879,7 +2885,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Pēdējā diena nākamajā mēnesī DocType: Support Settings,Auto close Issue after 7 days,Auto tuvu Issue pēc 7 dienām apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Atvaļinājumu nevar tikt piešķirts pirms {0}, jo atvaļinājumu bilance jau ir rokas nosūtīja nākotnē atvaļinājumu piešķiršanas ierakstu {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Piezīme: Due / Reference Date pārsniedz ļāva klientu kredītu dienām ar {0} dienā (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Piezīme: Due / Reference Date pārsniedz ļāva klientu kredītu dienām ar {0} dienā (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Pretendents DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Uzkrātais nolietojums konts @@ -2890,7 +2896,7 @@ DocType: Item,Reorder level based on Warehouse,Pārkārtot līmenis balstās uz DocType: Activity Cost,Billing Rate,Norēķinu Rate ,Qty to Deliver,Daudz rīkoties ,Stock Analytics,Akciju Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Darbības nevar atstāt tukšu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Darbības nevar atstāt tukšu DocType: Maintenance Visit Purpose,Against Document Detail No,Pret Dokumentu Detail Nr apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Puse Type ir obligāts DocType: Quality Inspection,Outgoing,Izejošs @@ -2933,15 +2939,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Pieejams Daudz at Warehouse apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Jāmaksā Summa DocType: Asset,Double Declining Balance,Paātrināto norakstīšanas -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,"Slēgta rīkojumu nevar atcelt. Atvērt, lai atceltu." +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,"Slēgta rīkojumu nevar atcelt. Atvērt, lai atceltu." DocType: Student Guardian,Father,tēvs -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Update Stock" nevar pārbaudīta pamatlīdzekļu pārdošana +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"Update Stock" nevar pārbaudīta pamatlīdzekļu pārdošana DocType: Bank Reconciliation,Bank Reconciliation,Banku samierināšanās DocType: Attendance,On Leave,Atvaļinājumā apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Saņemt atjauninājumus apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} nepieder Uzņēmumu {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materiāls Pieprasījums {0} ir atcelts vai pārtraukta -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Pievienot dažus parauga ierakstus +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Pievienot dažus parauga ierakstus apps/erpnext/erpnext/config/hr.py +301,Leave Management,Atstājiet Management apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupa ar kontu DocType: Sales Order,Fully Delivered,Pilnībā Pasludināts @@ -2950,12 +2956,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Starpība Konts jābūt aktīva / saistību veidu konts, jo šis fonds Salīdzināšana ir atklāšana Entry" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Izmaksātā summa nedrīkst būt lielāka par aizdevuma summu {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},"Pasūtījuma skaitu, kas nepieciešams postenī {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Produkcija Pasūtījums nav izveidots +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Produkcija Pasūtījums nav izveidots apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""No Datuma 'jābūt pēc"" Uz Datumu'" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nevar mainīt statusu kā studentam {0} ir saistīta ar studentu pieteikumu {1} DocType: Asset,Fully Depreciated,pilnībā amortizēta ,Stock Projected Qty,Stock Plānotais Daudzums -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Klientu {0} nepieder projekta {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Klientu {0} nepieder projekta {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Ievērojama Apmeklējumu HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citāti ir priekšlikumi, cenas jums ir nosūtīti uz jūsu klientiem" DocType: Sales Order,Customer's Purchase Order,Klienta Pasūtījuma @@ -2965,7 +2971,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Lūdzu noteikts skaits nolietojuma Rezervēts apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Vērtība vai Daudz apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Iestudējumi Rīkojumi nevar izvirzīts par: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minūte +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minūte DocType: Purchase Invoice,Purchase Taxes and Charges,Pirkuma nodokļiem un maksājumiem ,Qty to Receive,Daudz saņems DocType: Leave Block List,Leave Block List Allowed,Atstājiet Block Latviešu Atļauts @@ -2979,7 +2985,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Visi Piegādātājs veidi DocType: Global Defaults,Disable In Words,Atslēgt vārdos apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Postenis Kodekss ir obligāts, jo vienība nav automātiski numurētas" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Piedāvājums {0} nav tips {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Piedāvājums {0} nav tips {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Uzturēšana grafiks postenis DocType: Sales Order,% Delivered,% Piegādāts DocType: Production Order,PRO-,PRO- @@ -3002,7 +3008,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Pārdevējs Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Total Cost iegāde (via pirkuma rēķina) DocType: Training Event,Start Time,Sākuma laiks -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Izvēlieties Daudzums +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Izvēlieties Daudzums DocType: Customs Tariff Number,Customs Tariff Number,Muitas tarifa numurs apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Apstiprinot loma nevar būt tāds pats kā loma noteikums ir piemērojams apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Atteikties no šo e-pastu Digest @@ -3026,7 +3032,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Pilnībā Jāmaksā apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Cash In Hand -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Piegāde noliktava nepieciešama akciju posteni {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Piegāde noliktava nepieciešama akciju posteni {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto iepakojuma svars. Parasti neto svars + iepakojuma materiālu svara. (Drukāšanai) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,programma DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Lietotāji ar šo lomu ir atļauts noteikt iesaldētos kontus, un izveidot / mainīt grāmatvedības ierakstus pret iesaldētos kontus" @@ -3036,7 +3042,7 @@ DocType: Student Group,Group Based On,"Grupu, kuras pamatā" DocType: Journal Entry,Bill Date,Bill Datums apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Servisa punkts, Type, biežumu un izdevumu summa ir nepieciešami" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Pat tad, ja ir vairāki cenu noteikšanas noteikumus ar augstāko prioritāti, tiek piemēroti tad šādi iekšējie prioritātes:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Vai jūs tiešām vēlaties iesniegt visus Algas pazustu no {0} līdz {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Vai jūs tiešām vēlaties iesniegt visus Algas pazustu no {0} līdz {1} DocType: Cheque Print Template,Cheque Height,Čeku augstums DocType: Supplier,Supplier Details,Piegādātājs Details DocType: Expense Claim,Approval Status,Apstiprinājums statuss @@ -3058,7 +3064,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Potenciālais klient apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,"Nekas vairāk, lai parādītu." DocType: Lead,From Customer,No Klienta apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Zvani -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,partijām +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,partijām DocType: Project,Total Costing Amount (via Time Logs),Kopā Izmaksu summa (via Time Baļķi) DocType: Purchase Order Item Supplied,Stock UOM,Krājumu Mērvienība apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Pasūtījuma {0} nav iesniegta @@ -3090,7 +3096,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Atgriezties Pret pirku DocType: Item,Warranty Period (in days),Garantijas periods (dienās) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Saistība ar Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Neto naudas no operāciju -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,"piemēram, PVN" +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,"piemēram, PVN" apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Prece 4 DocType: Student Admission,Admission End Date,Uzņemšana beigu datums apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Apakšlīguma @@ -3098,7 +3104,7 @@ DocType: Journal Entry Account,Journal Entry Account,Journal Entry konts apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Studentu grupa DocType: Shopping Cart Settings,Quotation Series,Piedāvājuma sērija apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Priekšmets pastāv ar tādu pašu nosaukumu ({0}), lūdzu, nomainiet priekšmets grupas nosaukumu vai pārdēvēt objektu" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,"Lūdzu, izvēlieties klientu" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,"Lūdzu, izvēlieties klientu" DocType: C-Form,I,es DocType: Company,Asset Depreciation Cost Center,Aktīvu amortizācijas izmaksas Center DocType: Sales Order Item,Sales Order Date,Sales Order Date @@ -3109,6 +3115,7 @@ DocType: Stock Settings,Limit Percent,Limit Percent ,Payment Period Based On Invoice Date,"Samaksa periodā, pamatojoties uz rēķina datuma" apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Trūkst Valūtu kursi par {0} DocType: Assessment Plan,Examiner,eksaminētājs +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu, iestatiet Nosaukumu sēriju {0}, izmantojot iestatīšanu> Iestatījumi> Nosaukumu sērija" DocType: Student,Siblings,Brāļi un māsas DocType: Journal Entry,Stock Entry,Stock Entry DocType: Payment Entry,Payment References,maksājumu Atsauces @@ -3133,7 +3140,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Gadījumos, kad ražošanas darbības tiek veiktas." DocType: Asset Movement,Source Warehouse,Source Noliktava DocType: Installation Note,Installation Date,Uzstādīšana Datums -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} nepieder uzņēmumam {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} nepieder uzņēmumam {2} DocType: Employee,Confirmation Date,Apstiprinājums Datums DocType: C-Form,Total Invoiced Amount,Kopā Rēķinā summa apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Daudz nevar būt lielāks par Max Daudz @@ -3208,7 +3215,7 @@ DocType: Company,Default Letter Head,Default Letter vadītājs DocType: Purchase Order,Get Items from Open Material Requests,Dabūtu preces no Atvērts Materiālzinātnes Pieprasījumi DocType: Item,Standard Selling Rate,Standard pārdošanas kurss DocType: Account,Rate at which this tax is applied,"Ātrums, kādā tiek piemērots šis nodoklis" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Pārkārtot Daudz +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Pārkārtot Daudz apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Pašreizējās vakanču DocType: Company,Stock Adjustment Account,Stock konta korekcijas apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Uzrakstiet Off @@ -3222,7 +3229,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Piegādātājs piegādā Klientam apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / postenis / {0}) ir no krājumiem apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Nākamais datums nedrīkst būt lielāks par norīkošanu Datums -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Due / Atsauce Date nevar būt pēc {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Due / Atsauce Date nevar būt pēc {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Datu importēšana un eksportēšana apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nav studenti Atrasts apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Rēķina Posting Date @@ -3243,12 +3250,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Tas ir balstīts uz piedalīšanos šajā Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Nav Skolēni apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Pievienotu citus objektus vai Atvērt pilnu formu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Ievadiet ""piegādes paredzētais datums""" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Piegāde Notes {0} ir atcelts pirms anulējot šo klientu pasūtījumu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Piegāde Notes {0} ir atcelts pirms anulējot šo klientu pasūtījumu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Samaksāta summa + norakstīt summa nedrīkst būt lielāka par Grand Kopā apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nav derīgs Partijas skaits postenī {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Piezīme: Nav pietiekami daudz atvaļinājums bilance Atstāt tipa {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Nederīga GSTIN vai Enter NA par Nereģistrēts +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Nederīga GSTIN vai Enter NA par Nereģistrēts DocType: Training Event,Seminar,seminārs DocType: Program Enrollment Fee,Program Enrollment Fee,Program iestāšanās maksa DocType: Item,Supplier Items,Piegādātājs preces @@ -3266,7 +3272,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stock Novecošana apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} nepastāv pret studenta pieteikuma {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Laika uzskaites tabula -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' ir neaktīvs +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' ir neaktīvs apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Uzstādīt kā Atvērt DocType: Cheque Print Template,Scanned Cheque,Skanētie Čeku DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Nosūtīt automātisko e-pastus kontaktiem Iesniedzot darījumiem. @@ -3313,7 +3319,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Cenrādis Valūtas kurss DocType: Purchase Invoice Item,Rate,Likme apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Interns -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Adrese nosaukums +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Adrese nosaukums DocType: Stock Entry,From BOM,No BOM DocType: Assessment Code,Assessment Code,novērtējums Code apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Pamata @@ -3326,20 +3332,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Algu struktūra DocType: Account,Bank,Banka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Aviokompānija -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Jautājums Materiāls +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Jautājums Materiāls DocType: Material Request Item,For Warehouse,Noliktavai DocType: Employee,Offer Date,Piedāvājuma Datums apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citāti -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Jūs esat bezsaistes režīmā. Jūs nevarēsiet, lai pārlādētu, kamēr jums ir tīkls." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Jūs esat bezsaistes režīmā. Jūs nevarēsiet, lai pārlādētu, kamēr jums ir tīkls." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Nav Studentu grupas izveidots. DocType: Purchase Invoice Item,Serial No,Sērijas Nr apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Ikmēneša atmaksa summa nedrīkst būt lielāka par aizdevuma summu apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Ievadiet Maintaince Details pirmais +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rinda # {0}: sagaidāmais piegādes datums nevar būt pirms pirkuma pasūtījuma datuma DocType: Purchase Invoice,Print Language,print valoda DocType: Salary Slip,Total Working Hours,Kopējais darba laiks DocType: Stock Entry,Including items for sub assemblies,Ieskaitot posteņiem apakš komplektiem -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Ievadiet vērtība ir pozitīva -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Vienības kods> Vienības grupa> Zīmols +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Ievadiet vērtība ir pozitīva apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Visas teritorijas DocType: Purchase Invoice,Items,Preces apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Students jau ir uzņemti. @@ -3361,7 +3367,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default mērvienība Variant '{0}' jābūt tāds pats kā Template '{1}' DocType: Shipping Rule,Calculate Based On,"Aprēķināt, pamatojoties uz" DocType: Delivery Note Item,From Warehouse,No Noliktavas -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Nav Preces ar Bill materiālu ražošana +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Nav Preces ar Bill materiālu ražošana DocType: Assessment Plan,Supervisor Name,uzraudzītājs Name DocType: Program Enrollment Course,Program Enrollment Course,Programmas Uzņemšana kurss DocType: Program Enrollment Course,Program Enrollment Course,Programmas Uzņemšana kurss @@ -3377,23 +3383,23 @@ DocType: Training Event Employee,Attended,piedalījās apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dienas kopš pēdējā pasūtījuma"" nedrīkst būt lielāks par vai vienāds ar nulli" DocType: Process Payroll,Payroll Frequency,Algas Frequency DocType: Asset,Amended From,Grozīts No -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Izejviela +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Izejviela DocType: Leave Application,Follow via Email,Sekot pa e-pastu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Augi un mehānika DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Nodokļu summa pēc Atlaide Summa DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ikdienas darba kopsavilkums Settings -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valūta cenrādi {0} nav līdzīgs ar izvēlēto valūtu {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valūta cenrādi {0} nav līdzīgs ar izvēlēto valūtu {1} DocType: Payment Entry,Internal Transfer,iekšējā Transfer apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Bērnu konts pastāv šim kontam. Jūs nevarat dzēst šo kontu. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Nu mērķa Daudzums vai paredzētais apjoms ir obligāta apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Nē noklusējuma BOM pastāv postenī {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Lūdzu, izvēlieties Publicēšanas datums pirmais" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Lūdzu, izvēlieties Publicēšanas datums pirmais" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Atvēršanas datums būtu pirms slēgšanas datums DocType: Leave Control Panel,Carry Forward,Virzīt uz priekšu apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,"Izmaksas Center ar esošajiem darījumiem, nevar pārvērst par virsgrāmatā" DocType: Department,Days for which Holidays are blocked for this department.,Dienas kuriem Brīvdienas ir bloķēta šajā departamentā. ,Produced,Saražotā -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Izveidotie algas lapas +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Izveidotie algas lapas DocType: Item,Item Code for Suppliers,Prece kodekss Piegādātājiem DocType: Issue,Raised By (Email),Raised Ar (e-pasts) DocType: Training Event,Trainer Name,treneris Name @@ -3401,9 +3407,10 @@ DocType: Mode of Payment,General,Vispārīgs apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Pēdējais paziņojums apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Pēdējais paziņojums apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nevar atskaitīt, ja kategorija ir ""vērtēšanas"" vai ""Novērtēšanas un Total""" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sarakstu jūsu nodokļu galvas (piemēram, PVN, muitas uc; viņiem ir unikālas nosaukumi) un to standarta likmes. Tas radīs standarta veidni, kuru varat rediģēt un pievienot vēl vēlāk." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sarakstu jūsu nodokļu galvas (piemēram, PVN, muitas uc; viņiem ir unikālas nosaukumi) un to standarta likmes. Tas radīs standarta veidni, kuru varat rediģēt un pievienot vēl vēlāk." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Sērijas Nos Nepieciešamais par sērijveida postenī {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Maksājumi ar rēķini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Rinda # {0}: ievadiet piegādes datumu pret vienumu {1} DocType: Journal Entry,Bank Entry,Banka Entry DocType: Authorization Rule,Applicable To (Designation),Piemērojamais Lai (Apzīmējums) ,Profitability Analysis,rentabilitāte analīze @@ -3419,17 +3426,18 @@ DocType: Quality Inspection,Item Serial No,Postenis Sērijas Nr apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Izveidot Darbinieku Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Kopā Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,grāmatvedības pārskati -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Stunda +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Stunda apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"Jaunais Sērijas Nē, nevar būt noliktava. Noliktavu jānosaka ar Fondu ieceļošanas vai pirkuma čeka" DocType: Lead,Lead Type,Potenciālā klienta Veids (Type) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Jums nav atļauts apstiprināt lapas par Grantu datumi -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Visi šie posteņi jau rēķinā +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Visi šie posteņi jau rēķinā +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Ikmēneša pārdošanas mērķis apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Var apstiprināt ar {0} DocType: Item,Default Material Request Type,Default Materiāls Pieprasījuma veids apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,nezināms DocType: Shipping Rule,Shipping Rule Conditions,Piegāde pants Nosacījumi DocType: BOM Replace Tool,The new BOM after replacement,Jaunais BOM pēc nomaiņas -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Point of Sale DocType: Payment Entry,Received Amount,Saņemtā summa DocType: GST Settings,GSTIN Email Sent On,GSTIN nosūtīts e-pasts On DocType: Program Enrollment,Pick/Drop by Guardian,Pick / nokristies Guardian @@ -3446,8 +3454,8 @@ DocType: Batch,Source Document Name,Avota Dokumenta nosaukums DocType: Batch,Source Document Name,Avota Dokumenta nosaukums DocType: Job Opening,Job Title,Amats apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Izveidot lietotāju -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,grams -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,"Daudzums, ražošana jābūt lielākam par 0." +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,grams +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,"Daudzums, ražošana jābūt lielākam par 0." apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Apmeklējiet pārskatu uzturēšanas zvanu. DocType: Stock Entry,Update Rate and Availability,Atjaunināšanas ātrumu un pieejamība DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procents jums ir atļauts saņemt vai piegādāt vairāk pret pasūtīto daudzumu. Piemēram: Ja esi pasūtījis 100 vienības. un jūsu pabalsts ir, tad jums ir atļauts saņemt 110 vienības 10%." @@ -3460,7 +3468,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Lūdzu atcelt pirkuma rēķina {0} pirmais apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-pasta adrese ir unikāls, jau pastāv {0}" DocType: Serial No,AMC Expiry Date,AMC Derīguma termiņš -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,kvīts +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,kvīts ,Sales Register,Sales Reģistrēties DocType: Daily Work Summary Settings Company,Send Emails At,Sūtīt e-pastus DocType: Quotation,Quotation Lost Reason,Piedāvājuma Zaudējuma Iemesls @@ -3473,14 +3481,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,"No klientiem apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Naudas plūsmas pārskats apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredīta summa nedrīkst pārsniegt maksimālo summu {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licence -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},"Lūdzu, noņemiet šo rēķinu {0} no C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},"Lūdzu, noņemiet šo rēķinu {0} no C-Form {1}" DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Lūdzu, izvēlieties Carry priekšu, ja jūs arī vēlaties iekļaut iepriekšējā finanšu gadā bilance atstāj šajā fiskālajā gadā" DocType: GL Entry,Against Voucher Type,Pret kupona Tips DocType: Item,Attributes,Atribūti apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Ievadiet norakstīt kontu apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Pēdējā pasūtījuma datums apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konts {0} nav pieder uzņēmumam {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Sērijas numurus kārtas {0} nesakrīt ar piegādes piezīme +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Sērijas numurus kārtas {0} nesakrīt ar piegādes piezīme DocType: Student,Guardian Details,Guardian Details DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark apmeklēšana vairākiem darbiniekiem @@ -3512,16 +3520,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Da DocType: Tax Rule,Sales,Pārdevums DocType: Stock Entry Detail,Basic Amount,Pamatsumma DocType: Training Event,Exam,eksāmens -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Noliktava nepieciešama krājumu postenī {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Noliktava nepieciešama krājumu postenī {0} DocType: Leave Allocation,Unused leaves,Neizmantotās lapas -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Norēķinu Valsts apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Nodošana apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nav saistīta ar partijas kontā {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Atnest eksplodēja BOM (ieskaitot mezglus) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Atnest eksplodēja BOM (ieskaitot mezglus) DocType: Authorization Rule,Applicable To (Employee),Piemērojamais Lai (Darbinieku) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date ir obligāts apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Pieaugums par atribūtu {0} nevar būt 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pasūtītājs> Klientu grupa> Teritorija DocType: Journal Entry,Pay To / Recd From,Pay / Recd No DocType: Naming Series,Setup Series,Dokumentu numuru Iestatījumi DocType: Payment Reconciliation,To Invoice Date,Lai rēķina datuma @@ -3548,7 +3557,7 @@ DocType: Journal Entry,Write Off Based On,Uzrakstiet Off Based On apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,padarīt Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Drukas un Kancelejas DocType: Stock Settings,Show Barcode Field,Rādīt Svītrkoda Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Nosūtīt Piegādātāja e-pastu +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Nosūtīt Piegādātāja e-pastu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Alga jau sagatavotas laika posmā no {0} un {1}, atstājiet piemērošanas periods nevar būt starp šo datumu diapazonā." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Uzstādīšana rekords Serial Nr DocType: Guardian Interest,Guardian Interest,Guardian Procentu @@ -3562,7 +3571,7 @@ DocType: Offer Letter,Awaiting Response,Gaida atbildi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Iepriekš apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Nederīga atribūts {0} {1} DocType: Supplier,Mention if non-standard payable account,Pieminēt ja nestandarta jāmaksā konts -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Same postenis ir ievadīts vairākas reizes. {Saraksts} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Same postenis ir ievadīts vairākas reizes. {Saraksts} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',"Lūdzu, izvēlieties novērtējuma grupu, kas nav "All novērtēšanas grupas"" DocType: Salary Slip,Earning & Deduction,Nopelnot & atskaitīšana apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"Pēc izvēles. Šis iestatījums tiks izmantota, lai filtrētu dažādos darījumos." @@ -3581,7 +3590,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Izmaksas metāllūžņos aktīva apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0}{1}: Izmaksu centrs ir obligāta postenī {2} DocType: Vehicle,Policy No,politikas Nr -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Dabūtu preces no produkta Bundle +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Dabūtu preces no produkta Bundle DocType: Asset,Straight Line,Taisne DocType: Project User,Project User,projekta User apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,sadalīt @@ -3596,6 +3605,7 @@ DocType: Bank Reconciliation,Payment Entries,maksājumu Ieraksti DocType: Production Order,Scrap Warehouse,lūžņi Noliktava DocType: Production Order,Check if material transfer entry is not required,"Pārbaudiet, vai materiāls nodošana ieraksts nav vajadzīgs" DocType: Production Order,Check if material transfer entry is not required,"Pārbaudiet, vai materiāls nodošana ieraksts nav vajadzīgs" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, uzstādiet darbinieku nosaukumu sistēmu cilvēkresursu vadībā> Personāla iestatījumi" DocType: Program Enrollment Tool,Get Students From,Iegūt studentus no DocType: Hub Settings,Seller Country,Pārdevējs Country apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publicēt punkti Website @@ -3614,19 +3624,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,"Norādiet apstākļus, lai aprēķinātu kuģniecības summu" 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 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,atklāšanas Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,atklāšanas Value DocType: Salary Detail,Formula,Formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Sērijas # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisijas apjoms DocType: Offer Letter Term,Value / Description,Vērtība / Apraksts -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nevar iesniegt, tas jau {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nevar iesniegt, tas jau {2}" DocType: Tax Rule,Billing Country,Norēķinu Country DocType: Purchase Order Item,Expected Delivery Date,Gaidīts Piegāde Datums apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debeta un kredīta nav vienāds {0} # {1}. Atšķirība ir {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Izklaides izdevumi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Padarīt Material pieprasījums apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Atvērt Preci {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Pārdošanas rēķins {0} ir atcelts pirms anulējot šo klientu pasūtījumu +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Pārdošanas rēķins {0} ir atcelts pirms anulējot šo klientu pasūtījumu apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Vecums DocType: Sales Invoice Timesheet,Billing Amount,Norēķinu summa apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Noteikts posteni Invalid daudzums {0}. Daudzums ir lielāks par 0. @@ -3649,7 +3659,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Jaunais klientu Ieņēmumu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Ceļa izdevumi DocType: Maintenance Visit,Breakdown,Avārija -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konts: {0} ar valūtu: {1} nevar atlasīt +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Konts: {0} ar valūtu: {1} nevar atlasīt DocType: Bank Reconciliation Detail,Cheque Date,Čeku Datums apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konts {0}: Mātes vērā {1} nepieder uzņēmumam: {2} DocType: Program Enrollment Tool,Student Applicants,studentu Pretendentiem @@ -3669,11 +3679,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Plāno DocType: Material Request,Issued,Izdots apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Studentu aktivitāte DocType: Project,Total Billing Amount (via Time Logs),Kopā Norēķinu Summa (via Time Baļķi) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Mēs pārdodam šo Preci +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Mēs pārdodam šo Preci apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Piegādātājs Id DocType: Payment Request,Payment Gateway Details,Maksājumu Gateway Details -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Daudzums ir jābūt lielākam par 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Sample Data +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Daudzums ir jābūt lielākam par 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Sample Data DocType: Journal Entry,Cash Entry,Naudas Entry apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Bērnu mezgli var izveidot tikai ar "grupa" tipa mezgliem DocType: Leave Application,Half Day Date,Half Day Date @@ -3682,17 +3692,18 @@ DocType: Sales Partner,Contact Desc,Contact Desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Veids lapām, piemēram, gadījuma, slimības uc" DocType: Email Digest,Send regular summary reports via Email.,Regulāri jānosūta kopsavilkuma ziņojumu pa e-pastu. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Lūdzu iestatīt noklusēto kontu Izdevumu prasījuma veida {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Lūdzu iestatīt noklusēto kontu Izdevumu prasījuma veida {0} DocType: Assessment Result,Student Name,Studenta vārds DocType: Brand,Item Manager,Prece vadītājs apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Algas Kreditoru DocType: Buying Settings,Default Supplier Type,Default Piegādātājs Type DocType: Production Order,Total Operating Cost,Kopā ekspluatācijas izmaksas -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Piezīme: postenis {0} ieraksta vairākas reizes +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Piezīme: postenis {0} ieraksta vairākas reizes apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Visi Kontakti. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Iestatiet savu mērķi apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Uzņēmuma saīsinājums apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Lietotāja {0} nepastāv -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Izejvielas nevar būt tāds pats kā galveno posteni +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Izejvielas nevar būt tāds pats kā galveno posteni DocType: Item Attribute Value,Abbreviation,Saīsinājums apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Maksājumu Entry jau eksistē apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ne authroized kopš {0} pārsniedz ierobežojumus @@ -3710,7 +3721,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Loma Atļauts rediģē ,Territory Target Variance Item Group-Wise,Teritorija Mērķa Variance Prece Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Visas klientu grupas apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,uzkrātais Mēneša -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ir obligāta. Varbūt Valūtas ieraksts nav izveidots {1} uz {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ir obligāta. Varbūt Valūtas ieraksts nav izveidots {1} uz {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Nodokļu veidne ir obligāta. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konts {0}: Mātes vērā {1} neeksistē DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cenrādis Rate (Company valūta) @@ -3721,7 +3732,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Procentuālais sa apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretārs DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ja atslēgt, "ar vārdiem" laukā nebūs redzams jebkurā darījumā" DocType: Serial No,Distinct unit of an Item,Atsevišķu vienību posteņa -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Lūdzu noteikt Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Lūdzu noteikt Company DocType: Pricing Rule,Buying,Iepirkumi DocType: HR Settings,Employee Records to be created by,"Darbinieku Records, kas rada" DocType: POS Profile,Apply Discount On,Piesakies atlaide @@ -3732,7 +3743,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Postenis Wise Nodokļu Detail apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute saīsinājums ,Item-wise Price List Rate,Postenis gudrs Cenrādis Rate -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Piegādātāja Piedāvājums +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Piegādātāja Piedāvājums DocType: Quotation,In Words will be visible once you save the Quotation.,"Vārdos būs redzami, kad saglabājat citāts." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Daudzums ({0}) nevar būt daļa rindā {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Daudzums ({0}) nevar būt daļa rindā {1} @@ -3756,7 +3767,7 @@ Updated via 'Time Log'","minūtēs Atjaunināts izmantojot 'Time Ieiet """ DocType: Customer,From Lead,No Lead apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Pasūtījumi izlaists ražošanai. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Izvēlieties fiskālajā gadā ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profile jāveic POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profile jāveic POS Entry DocType: Program Enrollment Tool,Enroll Students,uzņemt studentus DocType: Hub Settings,Name Token,Nosaukums Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard pārdošana @@ -3774,7 +3785,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Preces vērtība Starpība apps/erpnext/erpnext/config/learn.py +234,Human Resource,Cilvēkresursi DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Maksājumu Samierināšanās Maksājumu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Nodokļu Aktīvi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Ražošanas rīkojums ir {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Ražošanas rīkojums ir {0} DocType: BOM Item,BOM No,BOM Nr DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} nav konta {1} vai jau saskaņota pret citu talonu @@ -3788,7 +3799,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Augšup apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Izcila Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Noteikt mērķus Prece Group-gudrs šai Sales Person. DocType: Stock Settings,Freeze Stocks Older Than [Days],Iesaldēt Krājumi Vecāki par [dienas] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset ir obligāta Pamatlīdzekļu pirkšana / pārdošana +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset ir obligāta Pamatlīdzekļu pirkšana / pārdošana apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ja divi vai vairāki Cenu novērtēšanas noteikumi ir balstīti uz iepriekš minētajiem nosacījumiem, prioritāte tiek piemērota. Prioritāte ir skaitlis no 0 lìdz 20, kamēr noklusējuma vērtība ir nulle (tukšs). Lielāks skaitlis nozīmē, ka tas ir prioritāte, ja ir vairāki cenu veidošanas noteikumi, ar tādiem pašiem nosacījumiem." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiskālā Gads: {0} neeksistē DocType: Currency Exchange,To Currency,Līdz Valūta @@ -3797,7 +3808,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Veidi Izdevumu pr apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pārdošanas likmi postenī {0} ir zemāks nekā tā {1}. Pārdošanas kursa vajadzētu būt atleast {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pārdošanas likmi postenī {0} ir zemāks nekā tā {1}. Pārdošanas kursa vajadzētu būt atleast {2} DocType: Item,Taxes,Nodokļi -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Maksas un nav sniegusi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Maksas un nav sniegusi DocType: Project,Default Cost Center,Default Izmaksu centrs DocType: Bank Guarantee,End Date,Beigu datums apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,akciju Darījumi @@ -3814,7 +3825,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Ikdienas darbs kopsavilkums Settings Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"{0} priekšmets ignorēt, jo tas nav akciju postenis" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Iesniedz šo ražošanas kārtību tālākai apstrādei. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Iesniedz šo ražošanas kārtību tālākai apstrādei. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Nepiemērot cenošanas Reglamenta konkrētā darījumā, visi piemērojamie Cenu noteikumi būtu izslēgta." DocType: Assessment Group,Parent Assessment Group,Parent novērtējums Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Darbs @@ -3822,10 +3833,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Darbs DocType: Employee,Held On,Notika apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Ražošanas postenis ,Employee Information,Darbinieku informācija -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Likme (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Likme (%) DocType: Stock Entry Detail,Additional Cost,Papildu izmaksas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nevar filtrēt balstīta uz kupona, ja grupēti pēc kuponu" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Izveidot Piegādātāja piedāvājumu +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Izveidot Piegādātāja piedāvājumu DocType: Quality Inspection,Incoming,Ienākošs DocType: BOM,Materials Required (Exploded),Nepieciešamie materiāli (eksplodēja) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Pievienot lietotājus jūsu organizācijā, izņemot sevi" @@ -3841,7 +3852,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konts: {0} var grozīt tikai ar akciju darījumiem DocType: Student Group Creation Tool,Get Courses,Iegūt Kursi DocType: GL Entry,Party,Partija -DocType: Sales Order,Delivery Date,Piegāde Datums +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Piegāde Datums DocType: Opportunity,Opportunity Date,Iespējas Datums DocType: Purchase Receipt,Return Against Purchase Receipt,Atgriezties Pret pirkuma čeka DocType: Request for Quotation Item,Request for Quotation Item,Pieprasīt Piedāvājuma ITEM @@ -3855,7 +3866,7 @@ DocType: Task,Actual Time (in Hours),Faktiskais laiks (stundās) DocType: Employee,History In Company,Vēsture Company apps/erpnext/erpnext/config/learn.py +107,Newsletters,Biļeteni DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Same postenis ir ievadīts vairākas reizes +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Same postenis ir ievadīts vairākas reizes DocType: Department,Leave Block List,Atstājiet Block saraksts DocType: Sales Invoice,Tax ID,Nodokļu ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Postenis {0} nav setup Serial Nr. Kolonnas jābūt tukšs @@ -3873,25 +3884,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Melns DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion postenis DocType: Account,Auditor,Revidents -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} preces ražotas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} preces ražotas DocType: Cheque Print Template,Distance from top edge,Attālums no augšējās malas apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cenrādis {0} ir invalīds vai neeksistē DocType: Purchase Invoice,Return,Atgriešanās DocType: Production Order Operation,Production Order Operation,Ražošanas Order Operation DocType: Pricing Rule,Disable,Atslēgt -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,"maksāšanas režīmā ir nepieciešams, lai veiktu maksājumu" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,"maksāšanas režīmā ir nepieciešams, lai veiktu maksājumu" DocType: Project Task,Pending Review,Kamēr apskats apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nav uzņemts Batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nevar tikt izmesta, jo tas jau ir {1}" DocType: Task,Total Expense Claim (via Expense Claim),Kopējo izdevumu Pretenzijas (via Izdevumu Claim) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Nekonstatē -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rinda {0}: valūta BOM # {1} jābūt vienādam ar izvēlētās valūtas {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rinda {0}: valūta BOM # {1} jābūt vienādam ar izvēlētās valūtas {2} DocType: Journal Entry Account,Exchange Rate,Valūtas kurss -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Pasūtījumu {0} nav iesniegta +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Pasūtījumu {0} nav iesniegta DocType: Homepage,Tag Line,Tag Line DocType: Fee Component,Fee Component,maksa Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet Management -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Pievienot preces no +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Pievienot preces no DocType: Cheque Print Template,Regular,regulārs apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Kopējais weightage no visiem vērtēšanas kritērijiem ir jābūt 100% DocType: BOM,Last Purchase Rate,"Pēdējā pirkuma ""Rate""" @@ -3912,12 +3923,12 @@ DocType: Employee,Reports to,Ziņojumi DocType: SMS Settings,Enter url parameter for receiver nos,Ievadiet url parametrs uztvērēja nos DocType: Payment Entry,Paid Amount,Samaksāta summa DocType: Assessment Plan,Supervisor,uzraugs -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online ,Available Stock for Packing Items,Pieejams Stock uz iepakojuma vienības DocType: Item Variant,Item Variant,Postenis Variant DocType: Assessment Result Tool,Assessment Result Tool,Novērtējums rezultāts Tool DocType: BOM Scrap Item,BOM Scrap Item,BOM Metāllūžņu punkts -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Iesniegtie pasūtījumus nevar izdzēst +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Iesniegtie pasūtījumus nevar izdzēst apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konta atlikums jau debets, jums nav atļauts noteikt ""Balance Must Be"", jo ""Kredīts""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kvalitātes vadība apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Prece {0} ir atspējota @@ -3949,7 +3960,7 @@ DocType: Item Group,Default Expense Account,Default Izdevumu konts apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID DocType: Employee,Notice (days),Paziņojums (dienas) DocType: Tax Rule,Sales Tax Template,Sales Tax Template -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,"Izvēlētos objektus, lai saglabātu rēķinu" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,"Izvēlētos objektus, lai saglabātu rēķinu" DocType: Employee,Encashment Date,Inkasācija Datums DocType: Training Event,Internet,internets DocType: Account,Stock Adjustment,Stock korekcija @@ -3998,10 +4009,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Nosūt apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max atlaide atļauta posteni: {0}{1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Neto aktīvu vērtības, kā uz" DocType: Account,Receivable,Saņemams -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Row # {0}: Nav atļauts mainīt piegādātāju, jo jau pastāv Pasūtījuma" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Row # {0}: Nav atļauts mainīt piegādātāju, jo jau pastāv Pasūtījuma" DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Loma, kas ir atļauts iesniegt darījumus, kas pārsniedz noteiktos kredīta limitus." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Izvēlieties preces Rūpniecība -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master datu sinhronizācija, tas var aizņemt kādu laiku" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Izvēlieties preces Rūpniecība +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master datu sinhronizācija, tas var aizņemt kādu laiku" DocType: Item,Material Issue,Materiāls Issue DocType: Hub Settings,Seller Description,Pārdevējs Apraksts DocType: Employee Education,Qualification,Kvalifikācija @@ -4022,11 +4033,10 @@ DocType: BOM,Rate Of Materials Based On,Novērtējiet materiālu specifikācijas apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Atbalsta Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Noņemiet visas DocType: POS Profile,Terms and Conditions,Noteikumi un nosacījumi -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Lūdzu, uzstādiet darbinieku nosaukumu sistēmu cilvēkresursu vadībā> Personāla iestatījumi" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Līdz šim būtu jāatrodas attiecīgajā taksācijas gadā. Pieņemot, ka līdz šim datumam = {0}" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Šeit jūs varat saglabāt augstumu, svaru, alerģijas, medicīnas problēmas utt" DocType: Leave Block List,Applies to Company,Attiecas uz Company -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Nevar atcelt, jo iesniegts Stock Entry {0} eksistē" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Nevar atcelt, jo iesniegts Stock Entry {0} eksistē" DocType: Employee Loan,Disbursement Date,izmaksu datums DocType: Vehicle,Vehicle,transporta līdzeklis DocType: Purchase Invoice,In Words,In Words @@ -4065,7 +4075,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globālie iestatījumi DocType: Assessment Result Detail,Assessment Result Detail,Novērtējums rezultāts Detail DocType: Employee Education,Employee Education,Darbinieku izglītība apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Dublikāts postenis grupa atrodama postenī grupas tabulas -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,"Tas ir vajadzīgs, lai atnest Papildus informācija." +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,"Tas ir vajadzīgs, lai atnest Papildus informācija." DocType: Salary Slip,Net Pay,Net Pay DocType: Account,Account,Konts apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Sērijas Nr {0} jau ir saņēmis @@ -4073,7 +4083,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,servisa DocType: Purchase Invoice,Recurring Id,Atkārtojas Id DocType: Customer,Sales Team Details,Sales Team Details -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Izdzēst neatgriezeniski? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Izdzēst neatgriezeniski? DocType: Expense Claim,Total Claimed Amount,Kopējais pieprasītā summa apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciālie iespējas pārdot. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Nederīga {0} @@ -4085,7 +4095,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup jūsu skola ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base Change Summa (Company valūta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nav grāmatvedības ieraksti par šādām noliktavām -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Saglabājiet dokumentu pirmās. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Saglabājiet dokumentu pirmās. DocType: Account,Chargeable,Iekasējams DocType: Company,Change Abbreviation,Mainīt saīsinājums DocType: Expense Claim Detail,Expense Date,Izdevumu Datums @@ -4099,7 +4109,6 @@ DocType: BOM,Manufacturing User,Manufacturing User DocType: Purchase Invoice,Raw Materials Supplied,Izejvielas Kopā DocType: Purchase Invoice,Recurring Print Format,Atkārtojas Print Format DocType: C-Form,Series,Dokumenta numurs -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,"Paredzams, Piegāde datums nevar būt pirms pirkuma pasūtījuma Datums" DocType: Appraisal,Appraisal Template,Izvērtēšana Template DocType: Item Group,Item Classification,Postenis klasifikācija apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Biznesa attīstības vadītājs @@ -4138,12 +4147,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Izvēlēti apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Mācību pasākumu / Rezultāti apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Uzkrātais nolietojums kā uz DocType: Sales Invoice,C-Form Applicable,C-Form Piemērojamais -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Darbība Time jābūt lielākam par 0 ekspluatācijai {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Darbība Time jābūt lielākam par 0 ekspluatācijai {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Noliktava ir obligāta DocType: Supplier,Address and Contacts,Adrese un kontakti DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail DocType: Program,Program Abbreviation,Program saīsinājums -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Ražošanas rīkojums nevar tikt izvirzīts pret Vienības Template +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Ražošanas rīkojums nevar tikt izvirzīts pret Vienības Template apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Izmaksas tiek atjauninātas pirkuma čeka pret katru posteni DocType: Warranty Claim,Resolved By,Atrisināts Līdz DocType: Bank Guarantee,Start Date,Sākuma datums @@ -4178,6 +4187,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,apmācības Atsauksmes apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Ražošanas Order {0} jāiesniedz apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Lūdzu, izvēlieties sākuma datumu un beigu datums postenim {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Iestatiet pārdošanas mērķi, kuru vēlaties sasniegt." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurss ir obligāta kārtas {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Līdz šim nevar būt agrāk no dienas DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4196,7 +4206,7 @@ DocType: Account,Income,Ienākums DocType: Industry Type,Industry Type,Industry Type apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Kaut kas nogāja greizi! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Brīdinājums: Atvaļinājuma pieteikums ietver sekojošus bloķētus datumus -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,PPR {0} jau ir iesniegts +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,PPR {0} jau ir iesniegts DocType: Assessment Result Detail,Score,Score apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Fiskālā gads {0} neeksistē apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Pabeigšana Datums @@ -4226,7 +4236,7 @@ DocType: Naming Series,Help HTML,Palīdzība HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Studentu grupa Creation Tool DocType: Item,Variant Based On,"Variants, kura pamatā" apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Kopā weightage piešķirts vajadzētu būt 100%. Tas ir {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Jūsu Piegādātāji +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Jūsu Piegādātāji apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Nevar iestatīt kā Lost kā tiek veikts Sales Order. DocType: Request for Quotation Item,Supplier Part No,Piegādātājs daļas nr apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nevar atskaitīt, ja kategorija ir "vērtēšanas" vai "Vaulation un Total"" @@ -4236,14 +4246,14 @@ DocType: Item,Has Serial No,Ir Sērijas nr DocType: Employee,Date of Issue,Izdošanas datums apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: No {0} uz {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kā vienu Pirkšana iestatījumu, ja pirkuma čeka Nepieciešams == "JĀ", tad, lai izveidotu pirkuma rēķinu, lietotājam ir nepieciešams, lai izveidotu pirkuma kvīts vispirms posteni {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Set Piegādātājs posteni {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rinda {0}: Stundas vērtībai ir jābūt lielākai par nulli. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Set Piegādātājs posteni {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Rinda {0}: Stundas vērtībai ir jābūt lielākai par nulli. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Website Image {0} pievienots posteni {1} nevar atrast DocType: Issue,Content Type,Content Type apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Dators DocType: Item,List this Item in multiple groups on the website.,Uzskaitīt šo Prece vairākās grupās par mājas lapā. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Lūdzu, pārbaudiet multi valūtu iespēju ļaut konti citā valūtā" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Prece: {0} neeksistē sistēmā +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Prece: {0} neeksistē sistēmā apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Jums nav atļauts uzstādīt Frozen vērtību DocType: Payment Reconciliation,Get Unreconciled Entries,Saņemt Unreconciled Ieraksti DocType: Payment Reconciliation,From Invoice Date,No rēķina datuma @@ -4269,7 +4279,7 @@ DocType: Stock Entry,Default Source Warehouse,Default Source Noliktava DocType: Item,Customer Code,Klienta kods apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Dzimšanas dienu atgādinājums par {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dienas Kopš pēdējā pasūtījuma -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debets kontā jābūt bilance konts +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debets kontā jābūt bilance konts DocType: Buying Settings,Naming Series,Nosaucot Series DocType: Leave Block List,Leave Block List Name,Atstājiet Block Saraksta nosaukums apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Apdrošināšanas Sākuma datums jābūt mazākam nekā apdrošināšana Beigu datums @@ -4286,7 +4296,7 @@ DocType: Vehicle Log,Odometer,odometra DocType: Sales Order Item,Ordered Qty,Pasūtīts daudzums apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Postenis {0} ir invalīds DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Līdz pat -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nesatur krājuma priekšmetu +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM nesatur krājuma priekšmetu apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},"Laika posmā no un periodu, lai datumiem obligātajām atkārtotu {0}" apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projekta aktivitāte / uzdevums. DocType: Vehicle Log,Refuelling Details,Degvielas uzpildes Details @@ -4296,7 +4306,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Pēdējā pirkuma likmes nav atrasts DocType: Purchase Invoice,Write Off Amount (Company Currency),Norakstīt summu (Company valūta) DocType: Sales Invoice Timesheet,Billing Hours,Norēķinu Stundas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Default BOM par {0} nav atrasts +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Default BOM par {0} nav atrasts apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Row # {0}: Lūdzu noteikt pasūtīšanas daudzumu apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Pieskarieties objektus, lai pievienotu tos šeit" DocType: Fees,Program Enrollment,Program Uzņemšanas @@ -4330,6 +4340,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Novecošana Range 2 DocType: SG Creation Tool Course,Max Strength,Max Stiprums apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM aizstāj +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,"Atlasiet vienumus, pamatojoties uz piegādes datumu" ,Sales Analytics,Pārdošanas Analīze apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Pieejams {0} ,Prospects Engaged But Not Converted,Prospects Nodarbojas bet nav konvertēts @@ -4378,7 +4389,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Atlaide apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Kontrolsaraksts uzdevumiem. DocType: Purchase Invoice,Against Expense Account,Pret Izdevumu kontu DocType: Production Order,Production Order,Ražošanas rīkojums -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Jau ir iesniegta uzstādīšana Note {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Jau ir iesniegta uzstādīšana Note {0} DocType: Bank Reconciliation,Get Payment Entries,Iegūt Maksājumu Ieraksti DocType: Quotation Item,Against Docname,Pret Docname DocType: SMS Center,All Employee (Active),Visi Employee (Active) @@ -4387,7 +4398,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Izejvielas izmaksas DocType: Item Reorder,Re-Order Level,Re-Order līmenis DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Ievadiet preces un plānoto qty par kuru vēlaties paaugstināt ražošanas pasūtījumus vai lejupielādēt izejvielas analīzei. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Ganta diagramma +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Ganta diagramma apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Nepilna laika DocType: Employee,Applicable Holiday List,Piemērojams brīvdienu sarakstu DocType: Employee,Cheque,Čeks @@ -4445,11 +4456,11 @@ DocType: Bin,Reserved Qty for Production,Rezervēts Daudzums uz ražošanas DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Atstājiet neieslēgtu ja nevēlaties izskatīt partiju, vienlaikus, protams, balstās grupas." DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Atstājiet neieslēgtu ja nevēlaties izskatīt partiju, vienlaikus, protams, balstās grupas." DocType: Asset,Frequency of Depreciation (Months),Biežums nolietojums (mēneši) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Kredīta konts +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Kredīta konts DocType: Landed Cost Item,Landed Cost Item,Izkrauti izmaksu pozīcijas apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Parādīt nulles vērtības DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Daudzums posteņa iegūta pēc ražošanas / pārpakošana no dotajiem izejvielu daudzumu -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Uzstādīt vienkāršu mājas lapu manai organizācijai +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Uzstādīt vienkāršu mājas lapu manai organizācijai DocType: Payment Reconciliation,Receivable / Payable Account,Debitoru / kreditoru konts DocType: Delivery Note Item,Against Sales Order Item,Pret Sales Order posteni apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Lūdzu, norādiet īpašības Value atribūtam {0}" @@ -4514,22 +4525,22 @@ DocType: Student,Nationality,pilsonība ,Items To Be Requested,"Preces, kas jāpieprasa" DocType: Purchase Order,Get Last Purchase Rate,Saņemt pēdējā pirkšanas likme DocType: Company,Company Info,Uzņēmuma informācija -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Izvēlieties vai pievienot jaunu klientu -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Izmaksu centrs ir nepieciešams rezervēt izdevumu prasību +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Izvēlieties vai pievienot jaunu klientu +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Izmaksu centrs ir nepieciešams rezervēt izdevumu prasību apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Līdzekļu (aktīvu) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Tas ir balstīts uz piedalīšanos šī darbinieka -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Debeta kontu +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Debeta kontu DocType: Fiscal Year,Year Start Date,Gadu sākuma datums DocType: Attendance,Employee Name,Darbinieku Name DocType: Sales Invoice,Rounded Total (Company Currency),Noapaļota Kopā (Company valūta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Nevar slēptu to grupai, jo ir izvēlēta Account Type." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0}{1} ir mainīta. Lūdzu atsvaidzināt. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0}{1} ir mainīta. Lūdzu atsvaidzināt. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Pietura lietotājiem veikt Leave Pieteikumi uz nākamajās dienās. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,pirkuma summa apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Piegādātājs Piedāvājums {0} izveidots apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Beigu gads nevar būt pirms Start gads apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Darbinieku pabalsti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Pildīta daudzums ir jābūt vienādai daudzums postenim {0} rindā {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Pildīta daudzums ir jābūt vienādai daudzums postenim {0} rindā {1} DocType: Production Order,Manufactured Qty,Ražoti Daudz DocType: Purchase Receipt Item,Accepted Quantity,Pieņemts daudzums apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Lūdzu iestatīt noklusējuma brīvdienu sarakstu par darbinieka {0} vai Company {1} @@ -4540,11 +4551,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Nr {0}: Summa nevar būt lielāks par rezervēta summa pret Izdevumu pretenzijā {1}. Līdz Summa ir {2} DocType: Maintenance Schedule,Schedule,Grafiks DocType: Account,Parent Account,Mātes vērā -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Pieejams +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Pieejams DocType: Quality Inspection Reading,Reading 3,Lasīšana 3 ,Hub,Rumba DocType: GL Entry,Voucher Type,Kuponu Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cenrādis nav atrasts vai invalīds +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Cenrādis nav atrasts vai invalīds DocType: Employee Loan Application,Approved,Apstiprināts DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Darbinieku atvieglots par {0} ir jānosaka kā ""Kreisais""" @@ -4614,7 +4625,7 @@ DocType: SMS Settings,Static Parameters,Statiskie Parametri DocType: Assessment Plan,Room,istaba DocType: Purchase Order,Advance Paid,Izmaksāto avansu DocType: Item,Item Tax,Postenis Nodokļu -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiāls piegādātājam +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiāls piegādātājam apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Akcīzes Invoice apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% parādās vairāk nekā vienu reizi DocType: Expense Claim,Employees Email Id,Darbinieki e-pasta ID @@ -4654,7 +4665,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,modelis DocType: Production Order,Actual Operating Cost,Faktiskā ekspluatācijas izmaksas DocType: Payment Entry,Cheque/Reference No,Čeks / Reference Nr -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Piegādātājs> Piegādātāja tips apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Saknes nevar rediģēt. DocType: Item,Units of Measure,Mērvienību DocType: Manufacturing Settings,Allow Production on Holidays,Atļaut Production brīvdienās @@ -4687,12 +4697,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Kredīta dienas apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Padarīt Student Sērija DocType: Leave Type,Is Carry Forward,Vai Carry Forward -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Dabūtu preces no BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Dabūtu preces no BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Izpildes laiks dienas -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: norīkošana datums jābūt tāds pats kā iegādes datums {1} no aktīva {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: norīkošana datums jābūt tāds pats kā iegādes datums {1} no aktīva {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Atzīmējiet šo, ja students dzīvo pie institūta Hostel." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Ievadiet klientu pasūtījumu tabulā iepriekš -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nav iesniegti algas lapas +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Nav iesniegti algas lapas ,Stock Summary,Stock kopsavilkums apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Nodot aktīvus no vienas noliktavas uz otru DocType: Vehicle,Petrol,benzīns diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv index 868cae69d76..f6befa89bdb 100644 --- a/erpnext/translations/mk.csv +++ b/erpnext/translations/mk.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Дилер DocType: Employee,Rented,Изнајмени DocType: Purchase Order,PO-,поли- DocType: POS Profile,Applicable for User,Применливи за пристап -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Престана производството со цел да не може да биде укинат, отпушвам тоа прво да го откажете" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Престана производството со цел да не може да биде укинат, отпушвам тоа прво да го откажете" DocType: Vehicle Service,Mileage,километражата apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Дали навистина сакате да ја укине оваа предност? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Одберете Default Добавувачот @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Опишан apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Девизниот курс мора да биде иста како {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Име на Клиент DocType: Vehicle,Natural Gas,Природен гас -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Банкарска сметка не може да се именува како {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Банкарска сметка не може да се именува како {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Глави (или групи), против кои се направени на сметководствените ставки и рамнотежи се одржува." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Најдобро за {0} не може да биде помала од нула ({1}) DocType: Manufacturing Settings,Default 10 mins,Стандардно 10 минути @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Остави видот на името apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Show open apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Серија успешно ажурирани apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Плаќање -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural весник Влегување Поднесени +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural весник Влегување Поднесени DocType: Pricing Rule,Apply On,Apply On DocType: Item Price,Multiple Item prices.,Повеќекратни цени точка. ,Purchase Order Items To Be Received,"Нарачката елементи, за да бидат примени" @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Начин на пла apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Прикажи Варијанти DocType: Academic Term,Academic Term,академски мандат apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,материјал -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Кол +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Кол apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Табела со сметки не може да биде празно. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Кредити (Пасива) DocType: Employee Education,Year of Passing,Година на полагање @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Здравствена заштита apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Задоцнување на плаќањето (во денови) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Расходи на услуги -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериски број: {0} веќе е наведено во Продај фактура: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Фактура +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериски број: {0} веќе е наведено во Продај фактура: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Фактура DocType: Maintenance Schedule Item,Periodicity,Поените apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} е потребен -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Се очекува испорака датум е да се биде пред Продај Побарувања Датум apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Одбрана DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),Резултат (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ред # {0}: DocType: Timesheet,Total Costing Amount,Вкупно Чини Износ DocType: Delivery Note,Vehicle No,Возило Не -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Ве молиме изберете Ценовник +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Ве молиме изберете Ценовник apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Ред # {0}: документ на плаќање е потребно да се заврши trasaction DocType: Production Order Operation,Work In Progress,Работа во прогрес apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Ве молиме одберете датум @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} не во било кој активно фискална година. DocType: Packed Item,Parent Detail docname,Родител Детална docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Суд: {0}, Точка Код: {1} и од купувачи: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Кг +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Кг DocType: Student Log,Log,Пријавете се apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Отворање на работа. DocType: Item Attribute,Increment,Прираст @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Брак apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Не се дозволени за {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Се предмети од -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Акции не може да се ажурира против Испратница {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Акции не може да се ажурира против Испратница {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Производ {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Нема ставки наведени DocType: Payment Reconciliation,Reconcile,Помират @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Пе apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Следна Амортизација датум не може да биде пред Дата на продажба DocType: SMS Center,All Sales Person,Сите продажбата на лице DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** ** Месечен Дистрибуција помага да се дистрибуираат на буџетот / Целна низ месеци, ако има сезоната во вашиот бизнис." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Не се пронајдени производи +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Не се пронајдени производи apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Плата Структура исчезнати DocType: Lead,Person Name,Име лице DocType: Sales Invoice Item,Sales Invoice Item,Продажна Фактура Артикал @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Дали е фиксни средства"" не може да е немаркирано , како што постои евиденција на средствата во однос на ставките" DocType: Vehicle Service,Brake Oil,кочница нафта DocType: Tax Rule,Tax Type,Тип на данок -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,оданочливиот износ +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,оданочливиот износ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Немате дозвола за да додадете или да ги ажурирате записи пред {0} DocType: BOM,Item Image (if not slideshow),Точка слика (доколку не слајдшоу) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Постои клиентите со исто име DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Час Оцени / 60) * Крај на време операција -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,изберете Бум +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,изберете Бум DocType: SMS Log,SMS Log,SMS Влез apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Цената на испорачани материјали apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Празникот на {0} не е меѓу Од датум и до денес @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,училишта DocType: School Settings,Validate Batch for Students in Student Group,Потврдете Batch за студентите во студентските група apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Не остава рекорд најде за вработените {0} {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ве молиме внесете компанија прв -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Ве молиме изберете ја првата компанија +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Ве молиме изберете ја првата компанија DocType: Employee Education,Under Graduate,Под Додипломски apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,На цел DocType: BOM,Total Cost,Вкупно Трошоци DocType: Journal Entry Account,Employee Loan,вработен кредит -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Влез активност: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Точка {0} не постои во системот или е истечен +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Влез активност: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Точка {0} не постои во системот или е истечен apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Недвижнини apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Состојба на сметката apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Лекови @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Износ барање apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Дупликат група на потрошувачи пронајден во табелата на cutomer група apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Добавувачот Вид / Добавувачот DocType: Naming Series,Prefix,Префикс -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Те молам постави име на серии за {0} преку Setup> Settings> Series за именување -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Потрошни +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Потрошни DocType: Employee,B-,Б- DocType: Upload Attendance,Import Log,Увоз Влез DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Повлечете материјал Барање од типот Производство врз основа на горенаведените критериуми DocType: Training Result Employee,Grade,одделение DocType: Sales Invoice Item,Delivered By Supplier,Дадено од страна на Добавувачот DocType: SMS Center,All Contact,Сите Контакт -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Производството со цел веќе создадена за сите предмети со Бум +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Производството со цел веќе создадена за сите предмети со Бум apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Годишна плата DocType: Daily Work Summary,Daily Work Summary,Секојдневната работа Резиме DocType: Period Closing Voucher,Closing Fiscal Year,Затворање на фискалната година -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} е замрзнат +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} е замрзнат apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Ве молиме одберете постоечка компанија за создавање сметковниот apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Акции Трошоци apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Одберете Целна Магацински @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прифатени + Отфрлени Количина мора да биде еднаков Доби количество за Точка {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Снабдување на суровини за набавка -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Потребна е барем еден начин за плаќање на POS фактура. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Потребна е барем еден начин за плаќање на POS фактура. DocType: Products Settings,Show Products as a List,Прикажи производи во облик на листа DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Преземете ја Шаблон, пополнете соодветни податоци и да го прикачите по промената на податотеката. Сите датуми и вработен комбинација на избраниот период ќе дојде во дефиниција, со постоечките записи посетеност" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Ставка {0} е неактивна или е истечен рокот -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Пример: Основни математика -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да го вклучите данок во ред {0} на стапката точка, даноци во редови {1} исто така, мора да бидат вклучени" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Пример: Основни математика +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да го вклучите данок во ред {0} на стапката точка, даноци во редови {1} исто така, мора да бидат вклучени" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Прилагодувања за Модул со хумани ресурси DocType: SMS Center,SMS Center,SMS центарот DocType: Sales Invoice,Change Amount,промени Износ @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Датум на инсталација не може да биде пред датумот на испорака за Точка {0} DocType: Pricing Rule,Discount on Price List Rate (%),Попуст на Ценовник стапка (%) DocType: Offer Letter,Select Terms and Conditions,Изберете Услови и правила -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Од вредност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Од вредност DocType: Production Planning Tool,Sales Orders,Продај Нарачка DocType: Purchase Taxes and Charges,Valuation,Вреднување ,Purchase Order Trends,Нарачка трендови @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Се отвора Влегување DocType: Customer Group,Mention if non-standard receivable account applicable,Да се наведе ако нестандардни побарувања сметка за важечките DocType: Course Schedule,Instructor Name,инструктор Име -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,За Магацински се бара пред Поднесете +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,За Магацински се бара пред Поднесете apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Добиени на DocType: Sales Partner,Reseller,Препродавач DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Ако е избрано, ќе ги вклучува не-акции ставки во материјалот барања." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Во однос на ставка од Продажна фактура ,Production Orders in Progress,Производство налози во прогрес apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Нето паричен тек од финансирањето -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage е полна, не штедеше" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage е полна, не штедеше" DocType: Lead,Address & Contact,Адреса и контакт DocType: Leave Allocation,Add unused leaves from previous allocations,Додади неискористени листови од претходните алокации apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Следна Повторувачки {0} ќе се креира {1} DocType: Sales Partner,Partner website,веб-страница партнер apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Додај ставка -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Име за Контакт +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Име за Контакт DocType: Course Assessment Criteria,Course Assessment Criteria,Критериуми за оценување на курсот DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Создава плата се лизга за горенаведените критериуми. DocType: POS Customer Group,POS Customer Group,POS клиентите група @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Ред {0}: Ве молиме проверете "Дали напредување против сметка {1} Ако ова е однапред влез. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Магацински {0} не му припаѓа на компанијата {1} DocType: Email Digest,Profit & Loss,Добивка и загуба -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,литарски +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,литарски DocType: Task,Total Costing Amount (via Time Sheet),Вкупно Износ на трошоци (преку време лист) DocType: Item Website Specification,Item Website Specification,Точка на вебсајт Спецификација apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Остави блокирани @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Продажна Фактура Бр. DocType: Material Request Item,Min Order Qty,Минимална Подреди Количина DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Група на студенти инструмент за создавање на курсот DocType: Lead,Do Not Contact,Не го допирајте -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Луѓето кои учат во вашата организација +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Луѓето кои учат во вашата организација DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,На уникатен проект за следење на сите периодични фактури. Тоа е генерирана за поднесете. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Развивач на софтвер DocType: Item,Minimum Order Qty,Минимална Подреди Количина @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Објави во Hub DocType: Student Admission,Student Admission,за прием на студентите ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Точка {0} е откажана -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Материјал Барање +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Материјал Барање DocType: Bank Reconciliation,Update Clearance Date,Ажурирање Чистење Датум DocType: Item,Purchase Details,Купување Детали за apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Точка {0} не се најде во "суровини испорачува" маса во нарачката {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Ред # {0}: {1} не може да биде негативен за ставката {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Погрешна лозинка DocType: Item,Variant Of,Варијанта на -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Завршено Количина не може да биде поголем од "Количина на производство" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Завршено Количина не може да биде поголем од "Количина на производство" DocType: Period Closing Voucher,Closing Account Head,Завршната сметка на главата DocType: Employee,External Work History,Надворешни Историја работа apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Кружни Суд Грешка @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Одалеченост о apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} единици на [{1}] (# Образец / ставка / {1}) се најде во [{2}] (# Образец / складиште / {2}) DocType: Lead,Industry,Индустрија DocType: Employee,Job Profile,Профил работа +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Ова се базира на трансакции против оваа компанија. Погледнете временска рамка подолу за детали DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Да го извести преку е-пошта на создавање на автоматски материјал Барање DocType: Journal Entry,Multi Currency,Мулти Валута DocType: Payment Reconciliation Invoice,Invoice Type,Тип на фактура -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Потврда за испорака +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Потврда за испорака apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Поставување Даноци apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Трошоци на продадени средства apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Плаќање Влегување е изменета откако ќе го влечат. Ве молиме да се повлече повторно. @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Ве молиме внесете "Повторување на Денот на месец областа вредност DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Стапка по која клиентите Валута се претвора во основната валута купувачи DocType: Course Scheduling Tool,Course Scheduling Tool,Курс Планирање алатката -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: Набавка фактура не може да се направи против постоечко средство {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: Набавка фактура не може да се направи против постоечко средство {1} DocType: Item Tax,Tax Rate,Даночна стапка apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} веќе наменети за вработените {1} за период {2} до {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Одберете ја изборната ставка +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Одберете ја изборната ставка apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Купување на фактура {0} е веќе поднесен apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Ред # {0}: Серија Не мора да биде иста како {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Претворат во не-групата @@ -447,7 +446,7 @@ DocType: Employee,Widowed,Вдовци DocType: Request for Quotation,Request for Quotation,Барање за прибирање НА ПОНУДИ DocType: Salary Slip Timesheet,Working Hours,Работно време DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промените почетниот / тековниот број на секвенца на постоечки серија. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Креирај нов клиент +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Креирај нов клиент apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако има повеќе Правила Цените и понатаму преовладуваат, корисниците се бара да поставите приоритет рачно за решавање на конфликтот." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Создаде купување на налози ,Purchase Register,Купување Регистрирај се @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Име испитувачот DocType: Purchase Invoice Item,Quantity and Rate,Количина и брзина DocType: Delivery Note,% Installed,% Инсталирана -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Училници / лаборатории итн, каде што можат да бидат закажани предавања." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Училници / лаборатории итн, каде што можат да бидат закажани предавања." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Ве молиме внесете го името на компанијата прв DocType: Purchase Invoice,Supplier Name,Добавувачот Име apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Прочитајте го упатството ERPNext @@ -490,7 +489,7 @@ DocType: Account,Old Parent,Стариот Родител apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Задолжително поле - академска година apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Задолжително поле - академска година DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Персонализација на воведниот текст што оди како дел од е-мејл. Секоја трансакција има посебна воведен текст. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Поставете стандардно треба да се плати сметка за компанијата {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Поставете стандардно треба да се плати сметка за компанијата {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобалните поставувања за сите производствени процеси. DocType: Accounts Settings,Accounts Frozen Upto,Сметки замрзнати до DocType: SMS Log,Sent On,Испрати на @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,Сметки се плаќаат apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Избраните BOMs не се за истата ставка DocType: Pricing Rule,Valid Upto,Важи до DocType: Training Event,Workshop,Работилница -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Листа на неколку од вашите клиенти. Тие можат да бидат организации или поединци. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Листа на неколку од вашите клиенти. Тие можат да бидат организации или поединци. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Доволно делови да се изгради apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Директните приходи apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Не може да се филтрираат врз основа на сметка, ако групирани по сметка" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Ве молиме изберете курсот apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Ве молиме изберете курсот DocType: Timesheet Detail,Hrs,часот -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Ве молиме изберете ја компанијата +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Ве молиме изберете ја компанијата DocType: Stock Entry Detail,Difference Account,Разликата профил DocType: Purchase Invoice,Supplier GSTIN,добавувачот GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Не може да се затвори задача како свој зависни задача {0} не е затворена. @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Ве молиме да се дефинира одделение за Праг 0% DocType: Sales Order,To Deliver,За да овозможи DocType: Purchase Invoice Item,Item,Точка -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Сериски број ставка не може да биде дел +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Сериски број ставка не може да биде дел DocType: Journal Entry,Difference (Dr - Cr),Разлика (Д-р - Cr) DocType: Account,Profit and Loss,Добивка и загуба apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Управување Склучување @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),Гарантниот период (д DocType: Installation Note Item,Installation Note Item,Инсталација Забелешка Точка DocType: Production Plan Item,Pending Qty,Во очекување на Количина DocType: Budget,Ignore,Игнорирај -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} не е активен +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} не е активен apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},СМС испратен до следните броеви: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,проверка подесување димензии за печатење DocType: Salary Slip,Salary Slip Timesheet,Плата фиш timesheet @@ -687,8 +686,8 @@ DocType: Installation Note,IN-,во- DocType: Production Order Operation,In minutes,Во минути DocType: Issue,Resolution Date,Резолуцијата Датум DocType: Student Batch Name,Batch Name,Име на серијата -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet е основан: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Ве молиме да поставите основен готовина или Банкарска сметка во начинот на плаќање {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet е основан: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Ве молиме да поставите основен готовина или Банкарска сметка во начинот на плаќање {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,запишат DocType: GST Settings,GST Settings,GST Settings DocType: Selling Settings,Customer Naming By,Именувањето на клиентите со @@ -708,7 +707,7 @@ DocType: Activity Cost,Projects User,Кориснички Проекти apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Консумира apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} не се најде во Фактура Детали маса DocType: Company,Round Off Cost Center,Заокружување на цена центар -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Одржување Посетете {0} мора да биде укинат пред да го раскине овој Продај Побарувања +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Одржување Посетете {0} мора да биде укинат пред да го раскине овој Продај Побарувања DocType: Item,Material Transfer,Материјал трансфер apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Отворање (д-р) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Праќање пораки во временската ознака мора да биде по {0} @@ -717,7 +716,7 @@ DocType: Employee Loan,Total Interest Payable,Вкупно камати DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Слета Цена даноци и такси DocType: Production Order Operation,Actual Start Time,Старт на проектот Време DocType: BOM Operation,Operation Time,Операција Време -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Заврши +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Заврши apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,база DocType: Timesheet,Total Billed Hours,Вкупно Опишан часа DocType: Journal Entry,Write Off Amount,Отпише Износ @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),Километража вредност ( apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Маркетинг apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Плаќање Влегување веќе е создадена DocType: Purchase Receipt Item Supplied,Current Stock,Тековни берза -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Ред # {0}: {1} средства не се поврзани со Точка {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Ред # {0}: {1} средства не се поврзани со Точка {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Преглед Плата фиш apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Сметка {0} е внесен повеќе пати DocType: Account,Expenses Included In Valuation,Трошоци Вклучени Во Вреднување @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Возду DocType: Journal Entry,Credit Card Entry,Кредитна картичка за влез apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Компанија и сметки apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Примената стока од добавувачите. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,во вредност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,во вредност DocType: Lead,Campaign Name,Име на кампања DocType: Selling Settings,Close Opportunity After Days,Затвори можност по денови ,Reserved,Задржани @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Енергија DocType: Opportunity,Opportunity From,Можност од apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Месечен извештај плата. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ред {0}: {1} Сериски броеви потребни за точка {2}. Вие сте доставиле {3}. DocType: BOM,Website Specifications,Веб-страница Спецификации apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Од {0} од типот на {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор на конверзија е задолжително DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Повеќе Правила Цена постои со истите критериуми, ве молиме да го реши конфликтот со давање приоритет. Правила Цена: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да го деактивирате или да го откажете Бум како што е поврзано со други BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да го деактивирате или да го откажете Бум како што е поврзано со други BOMs DocType: Opportunity,Maintenance,Одржување DocType: Item Attribute Value,Item Attribute Value,Точка вредноста на атрибутот apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Продажбата на кампањи. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Направете timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Направете timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -838,7 +838,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Поставување на e-mail сметка apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ве молиме внесете стварта прв DocType: Account,Liability,Одговорност -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да биде поголема од Тврдат Износ во ред {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да биде поголема од Тврдат Износ во ред {0}. DocType: Company,Default Cost of Goods Sold Account,Стандардно трошоците на продадени производи профил apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ценовник не е избрано DocType: Employee,Family Background,Семејно потекло @@ -849,10 +849,10 @@ DocType: Company,Default Bank Account,Стандардно банкарска с apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","За филтрирање врз основа на партија, изберете партија Тип прв" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Ажурирај складиште 'не може да се провери, бидејќи ставките не се доставуваат преку {0}" DocType: Vehicle,Acquisition Date,Датум на стекнување -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Бр +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Бр DocType: Item,Items with higher weightage will be shown higher,Предмети со поголема weightage ќе бидат прикажани повисоки DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Банка помирување Детална -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,{0} ред #: средства мора да бидат поднесени {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,{0} ред #: средства мора да бидат поднесени {1} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Не се пронајдени вработен DocType: Supplier Quotation,Stopped,Запрен DocType: Item,If subcontracted to a vendor,Ако иницираат да продавач @@ -869,7 +869,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Минималниот и apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Цена Центар {2} не припаѓа на компанијата {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Сметка {2} не може да биде група apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Точка ред IDX {}: {DOCTYPE} {docname} не постои во над "{DOCTYPE}" маса -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} е веќе завршен проект или откажани +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} е веќе завршен проект или откажани apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Не задачи DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","На ден од месецот на кој авто фактура ќе биде генериранa на пример 05, 28 итн" DocType: Asset,Opening Accumulated Depreciation,Отворање Акумулирана амортизација @@ -928,7 +928,7 @@ DocType: SMS Log,Requested Numbers,Бара броеви DocType: Production Planning Tool,Only Obtain Raw Materials,Добивање само суровини apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Оценка. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Овозможувањето на "Користи за Корпа", како што Кошничка е овозможено и треба да има најмалку еден данок Правилникот за Кошничка" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Плаќање Влегување {0} е поврзана против редот на {1}, проверете дали тоа треба да се повлече како напредок во оваа фактура." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Плаќање Влегување {0} е поврзана против редот на {1}, проверете дали тоа треба да се повлече како напредок во оваа фактура." DocType: Sales Invoice Item,Stock Details,Детали за акцијата apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Проектот вредност apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-Продажба @@ -951,15 +951,15 @@ DocType: Naming Series,Update Series,Ажурирање Серија DocType: Supplier Quotation,Is Subcontracted,Се дава под договор DocType: Item Attribute,Item Attribute Values,Точка атрибут вредности DocType: Examination Result,Examination Result,испитување резултат -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Купување Потврда +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Купување Потврда ,Received Items To Be Billed,Примените предмети да бидат фактурирани -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Поднесени исплатните листи +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Поднесени исплатните листи apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Валута на девизниот курс господар. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Суд DOCTYPE мора да биде еден од {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Не можам да најдам временски слот во следните {0} денови за работа {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Не можам да најдам временски слот во следните {0} денови за работа {1} DocType: Production Order,Plan material for sub-assemblies,План материјал за потсклопови apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Продај Партнери и територија -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} мора да биде активен +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} мора да биде активен DocType: Journal Entry,Depreciation Entry,амортизација за влез apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Изберете го типот на документот прв apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Откажи материјал Посети {0} пред да го раскине овој Одржување Посета @@ -969,7 +969,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Вкупен износ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Интернет издаваштво DocType: Production Planning Tool,Production Orders,Производство Нарачка -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Биланс вредност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Биланс вредност apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Цена за продажба Листа apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Го објави за да ги синхронизирате предмети DocType: Bank Reconciliation,Account Currency,Валута сметка @@ -994,12 +994,12 @@ DocType: Employee,Exit Interview Details,Излез Интервју Детал DocType: Item,Is Purchase Item,Е Набавка Точка DocType: Asset,Purchase Invoice,Купување на фактура DocType: Stock Ledger Entry,Voucher Detail No,Ваучер Детална Не -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Нов почеток на продажбата на фактура +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Нов почеток на продажбата на фактура DocType: Stock Entry,Total Outgoing Value,Вкупна Тековна Вредност apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Датум на отворање и затворање Датум треба да биде во рамките на истата фискална година DocType: Lead,Request for Information,Барање за информации ,LeaderBoard,табла -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Офлајн Фактури +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Офлајн Фактури DocType: Payment Request,Paid,Платени DocType: Program Fee,Program Fee,Надомест програма DocType: Salary Slip,Total in words,Вкупно со зборови @@ -1007,7 +1007,7 @@ DocType: Material Request Item,Lead Time Date,Потенцијален клие DocType: Guardian,Guardian Name,Име на Гардијан DocType: Cheque Print Template,Has Print Format,Има печати формат DocType: Employee Loan,Sanctioned,санкционирани -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,е задолжително. Можеби не е создаден запис Девизен за +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,е задолжително. Можеби не е создаден запис Девизен за apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Ве молиме наведете Сериски Не за Точка {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За предмети од ""Пакет производ"", Складиште, сериски број и Batch нема да се смета од табелата ""Паковна Листа"". Ако магацински и Batch број не се исти за сите ставки за пакување во ""Пакет производи"", тие вредности може да се внесат во главната табела со ставки, вредностите ќе бидат копирани во табелата ""Паковна Листа""." DocType: Job Opening,Publish on website,Објавуваат на веб-страницата @@ -1020,7 +1020,7 @@ DocType: Cheque Print Template,Date Settings,датум Settings apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Варијанса ,Company Name,Име на компанијата DocType: SMS Center,Total Message(s),Вкупно пораки -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Одберете ја изборната ставка за трансфер +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Одберете ја изборната ставка за трансфер DocType: Purchase Invoice,Additional Discount Percentage,Дополнителен попуст Процент apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Преглед на листа на сите помош видеа DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Изберете Account главата на банката во која е депониран чек. @@ -1035,7 +1035,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Суровина Цена (Фи apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Сите ставки се веќе префрлени за оваа нарачка за производство. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: стапка не може да биде поголема од стапката користи во {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: стапка не може да биде поголема од стапката користи во {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Метар +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Метар DocType: Workstation,Electricity Cost,Цената на електричната енергија DocType: HR Settings,Don't send Employee Birthday Reminders,Не праќај вработените роденден потсетници DocType: Item,Inspection Criteria,Критериуми за инспекција @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Се Напредокот Платени DocType: Item,Automatically Create New Batch,Автоматски Креирај нова серија DocType: Item,Automatically Create New Batch,Автоматски Креирај нова серија -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Направете +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Направете DocType: Student Admission,Admission Start Date,Услови за прием Дата на започнување DocType: Journal Entry,Total Amount in Words,Вкупен износ со зборови apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Се случи грешка. Можеби не сте ја зачувале формата. Ве молиме контактирајте не на support@erpnext.com ако проблемот продолжи. @@ -1058,7 +1058,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моја кошнич apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Цел типот мора да биде еден од {0} DocType: Lead,Next Contact Date,Следна Контакт Датум apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Отворање Количина -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Ве молиме внесете го за промени Износ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Ве молиме внесете го за промени Износ DocType: Student Batch Name,Student Batch Name,Студентски Серија Име DocType: Holiday List,Holiday List Name,Одмор Листа на Име DocType: Repayment Schedule,Balance Loan Amount,Биланс на кредит Износ @@ -1066,7 +1066,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Опции на акции DocType: Journal Entry Account,Expense Claim,Сметка побарување apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Дали навистина сакате да го направите ова укинати средства? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Количина за {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Количина за {0} DocType: Leave Application,Leave Application,Отсуство на апликација apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Остави алатката Распределба DocType: Leave Block List,Leave Block List Dates,Остави Забрани Листа Датуми @@ -1117,7 +1117,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Против DocType: Item,Default Selling Cost Center,Стандарден Продажен трошочен центар DocType: Sales Partner,Implementation Partner,Партнер имплементација -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Поштенски +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Поштенски apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Продај Побарувања {0} е {1} DocType: Opportunity,Contact Info,Контакт инфо apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Акции правење записи @@ -1136,14 +1136,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,Публика замрзнување Датум DocType: School Settings,Attendance Freeze Date,Публика замрзнување Датум DocType: Opportunity,Your sales person who will contact the customer in future,Продажбата на лице кои ќе контактираат со клиентите во иднина -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Листа на неколку од вашите добавувачи. Тие можат да бидат организации или поединци. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Листа на неколку од вашите добавувачи. Тие можат да бидат организации или поединци. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Преглед на сите производи apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минимална олово време (денови) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минимална олово време (денови) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,сите BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,сите BOMs DocType: Company,Default Currency,Стандардна валута DocType: Expense Claim,From Employee,Од Вработен -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Предупредување: Систем не ќе ги провери overbilling од износот за ставката {0} од {1} е нула +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Предупредување: Систем не ќе ги провери overbilling од износот за ставката {0} од {1} е нула DocType: Journal Entry,Make Difference Entry,Направи разликата Влегување DocType: Upload Attendance,Attendance From Date,Публика од денот DocType: Appraisal Template Goal,Key Performance Area,Основна област на ефикасноста @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Броеви за регистрација на фирма за вашата препорака. Даночни броеви итн DocType: Sales Partner,Distributor,Дистрибутер DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корпа за испорака Правило -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Производство на налози {0} мора да биде укинат пред да го раскине овој Продај Побарувања +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Производство на налози {0} мора да биде укинат пред да го раскине овој Продај Побарувања apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Ве молиме да се постави на "Примени Дополнителни попуст на ' ,Ordered Items To Be Billed,Нареди ставки за да бидат фактурирани apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Од опсег мора да биде помала од на опсег @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Одбивања DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Почетна година -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Првите 2 цифри GSTIN треба да се совпаѓа со Државниот број {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Првите 2 цифри GSTIN треба да се совпаѓа со Државниот број {0} DocType: Purchase Invoice,Start date of current invoice's period,Датум на почеток на периодот тековната сметка е DocType: Salary Slip,Leave Without Pay,Неплатено отсуство -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Капацитет Грешка планирање +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Капацитет Грешка планирање ,Trial Balance for Party,Судскиот биланс за партија DocType: Lead,Consultant,Консултант DocType: Salary Slip,Earnings,Приходи @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,Прилагодување обв DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ова ќе биде додаден на Кодексот точка на варијанта. На пример, ако вашиот кратенката е "СМ" и кодот на предметот е "Т-маица", кодот го ставка на варијанта ќе биде "Т-маица-СМ"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Нето плати (со зборови) ќе биде видлив откако ќе ја зачувате фиш плата. DocType: Purchase Invoice,Is Return,Е враќање -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Враќање / задолжување +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Враќање / задолжување DocType: Price List Country,Price List Country,Ценовник Земја DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} валидна сериски броеви за ставката {1} @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,делумно исплатени apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Снабдувач база на податоци. DocType: Account,Balance Sheet,Биланс на состојба apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Цена центар за предмет со точка законик " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Начин на плаќање не е конфигуриран. Ве молиме проверете, дали сметка е поставен на режим на пари или на POS профил." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Начин на плаќање не е конфигуриран. Ве молиме проверете, дали сметка е поставен на режим на пари или на POS профил." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Продажбата на лицето ќе добиете потсетување на овој датум да се јавите на клиент apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Истата ставка не може да се внесе повеќе пати. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Понатаму сметки може да се направи под Групи, но записи може да се направи врз несрпското групи" @@ -1231,7 +1231,7 @@ DocType: Employee Loan Application,Repayment Info,Информации за от apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Записи"" не може да биде празно" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Дупликат ред {0} со истиот {1} ,Trial Balance,Судскиот биланс -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Фискалната година {0} не е пронајден +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Фискалната година {0} не е пронајден apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Поставување на вработените DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Ве молиме изберете префикс прв @@ -1246,11 +1246,11 @@ DocType: Grading Scale,Intervals,интервали apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Први apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Ставка група постои со истото име, Ве молиме да се промени името на точка или преименувате групата точка" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Студентски мобилен број -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Остатокот од светот +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Остатокот од светот apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Ставката {0} не може да има Batch ,Budget Variance Report,Буџетот Варијанса Злоупотреба DocType: Salary Slip,Gross Pay,Бруто плата -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Ред {0}: Тип на активност е задолжително. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Ред {0}: Тип на активност е задолжително. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Дивидендите кои ги исплатува apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Сметководство Леџер DocType: Stock Reconciliation,Difference Amount,Разликата Износ @@ -1273,18 +1273,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Вработен Остави Биланс apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Биланс на сметка {0} мора секогаш да биде {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Вреднување курс потребен за ставка во ред {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Пример: Мастерс во Компјутерски науки +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Пример: Мастерс во Компјутерски науки DocType: Purchase Invoice,Rejected Warehouse,Одбиени Магацински DocType: GL Entry,Against Voucher,Против ваучер DocType: Item,Default Buying Cost Center,Стандардно Купување цена центар apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","За да го добиете најдоброто од ERPNext, ви препорачуваме да се земе некое време и да се види овие видеа помош." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,до +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,до DocType: Supplier Quotation Item,Lead Time in days,Потенцијален клиент Време во денови apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Сметки се плаќаат Резиме -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Исплата на плата од {0} до {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Исплата на плата од {0} до {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Кои не се овластени да ги уредувате замрзната сметка {0} DocType: Journal Entry,Get Outstanding Invoices,Земете ненаплатени фактури -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Продај Побарувања {0} не е валиден +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Продај Побарувања {0} не е валиден apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Купување на налози да ви помогне да планираат и да се надоврзе на вашите купувања apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","За жал, компаниите не можат да се спојат" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1306,8 +1306,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Индиректни трошоци apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Ред {0}: Количина е задолжително apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Земјоделството -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync мајстор на податоци -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Вашите производи или услуги +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync мајстор на податоци +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Вашите производи или услуги DocType: Mode of Payment,Mode of Payment,Начин на плаќање apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Веб-страница на слика треба да биде јавен датотеката или URL на веб страната DocType: Student Applicant,AP,АП @@ -1327,18 +1327,18 @@ DocType: Student Group Student,Group Roll Number,Група тек број DocType: Student Group Student,Group Roll Number,Група тек број apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитни сметки може да се поврзат против друг запис дебитна" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Вкупниот износ на сите задача тежина треба да биде 1. Ве молиме да се приспособат тежини на сите задачи на проектот соодветно -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Испратница {0} не е поднесен +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Испратница {0} не е поднесен apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Точка {0} мора да биде под-договор Точка apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Капитал опрема apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Цените правило е првата избрана врз основа на "Apply On" поле, која може да биде точка, точка група или бренд." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Те молам прво наместете го Код +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Те молам прво наместете го Код DocType: Hub Settings,Seller Website,Продавачот веб-страница DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Вкупно одобрени процентот за продажбата на тимот треба да биде 100 DocType: Appraisal Goal,Goal,Цел DocType: Sales Invoice Item,Edit Description,Измени Опис ,Team Updates,тим Новости -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,За Добавувачот +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,За Добавувачот DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Поставување тип на сметка помага во изборот на оваа сметка во трансакции. DocType: Purchase Invoice,Grand Total (Company Currency),Сѐ Вкупно (Валута на Фирма) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Креирај печати формат @@ -1352,12 +1352,12 @@ DocType: Item,Website Item Groups,Веб-страница Точка групи DocType: Purchase Invoice,Total (Company Currency),Вкупно (Валута на Фирма ) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Сериски број {0} влегоа повеќе од еднаш DocType: Depreciation Schedule,Journal Entry,Весник Влегување -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} ставки во тек +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} ставки во тек DocType: Workstation,Workstation Name,Работна станица Име DocType: Grading Scale Interval,Grade Code,одделение законик DocType: POS Item Group,POS Item Group,ПОС Точка група apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail билтени: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} не му припаѓа на идентот {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} не му припаѓа на идентот {1} DocType: Sales Partner,Target Distribution,Целна Дистрибуција DocType: Salary Slip,Bank Account No.,Жиро сметка број DocType: Naming Series,This is the number of the last created transaction with this prefix,Ова е бројот на последниот создадена трансакција со овој префикс @@ -1415,7 +1415,7 @@ DocType: Quotation,Shopping Cart,Кошничка apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Ср Дневен заминување DocType: POS Profile,Campaign,Кампања DocType: Supplier,Name and Type,Име и вид -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Одобрување статус мора да биде 'одобрена' или 'Одбиен' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Одобрување статус мора да биде 'одобрена' или 'Одбиен' DocType: Purchase Invoice,Contact Person,Лице за контакт apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Очекуваниот почетен датум"" не може да биде поголем од 'очекуван краен датум """ DocType: Course Scheduling Tool,Course End Date,Курс Датум на завршување @@ -1427,8 +1427,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,склопот Е-пошта apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Нето промени во основни средства DocType: Leave Control Panel,Leave blank if considered for all designations,Оставете го празно ако се земе предвид за сите ознаки -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Полнење од типот "Крај" во ред {0} не може да бидат вклучени во точка Оцени -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Макс: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Полнење од типот "Крај" во ред {0} не може да бидат вклучени во точка Оцени +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Макс: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Од DateTime DocType: Email Digest,For Company,За компанијата apps/erpnext/erpnext/config/support.py +17,Communication log.,Комуникација се логирате. @@ -1469,7 +1469,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Работа DocType: Journal Entry Account,Account Balance,Баланс на сметка apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Правило данок за трансакции. DocType: Rename Tool,Type of document to rename.,Вид на документ да се преименува. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Ние купуваме Оваа содржина +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Ние купуваме Оваа содржина apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Не е потребно за корисници против побарувања сметка {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Вкупно Даноци и Такси (Валута на Фирма ) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Прикажи незатворени фискална година L салда на P & @@ -1480,7 +1480,7 @@ DocType: Quality Inspection,Readings,Читања DocType: Stock Entry,Total Additional Costs,Вкупно Дополнителни трошоци DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Отпад материјални трошоци (Фирма валута) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Под собранија +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Под собранија DocType: Asset,Asset Name,Име на средства DocType: Project,Task Weight,задача на тежината DocType: Shipping Rule Condition,To Value,На вредноста @@ -1509,7 +1509,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Точка Варија DocType: Company,Services,Услуги DocType: HR Settings,Email Salary Slip to Employee,Е-пошта Плата лизга на вработените DocType: Cost Center,Parent Cost Center,Родител цена центар -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Изберете Можни Добавувачот +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Изберете Можни Добавувачот DocType: Sales Invoice,Source,Извор apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Прикажи затворени DocType: Leave Type,Is Leave Without Pay,Е неплатено отсуство @@ -1521,7 +1521,7 @@ DocType: POS Profile,Apply Discount,Спроведување на попуст DocType: GST HSN Code,GST HSN Code,GST HSN законик DocType: Employee External Work History,Total Experience,Вкупно Искуство apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,отворени проекти -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Пакување фиш (и) откажани +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Пакување фиш (и) откажани apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Парични текови од инвестициони DocType: Program Course,Program Course,Предметна програма apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Товар и товар пријави @@ -1562,9 +1562,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Програмата запишувања DocType: Sales Invoice Item,Brand Name,Името на брендот DocType: Purchase Receipt,Transporter Details,Транспортерот Детали -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Потребен е стандарден магацин за избраната ставка -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Кутија -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,можни Добавувачот +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Потребен е стандарден магацин за избраната ставка +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Кутија +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,можни Добавувачот DocType: Budget,Monthly Distribution,Месечен Дистрибуција apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Листа на приемник е празна. Ве молиме да се создаде листа ресивер DocType: Production Plan Sales Order,Production Plan Sales Order,Производство план Продај Побарувања @@ -1597,7 +1597,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Барања apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Студентите се во центарот на системот, да додадете сите ваши студенти" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Ред # {0}: датум Чистење {1} не може да биде пред Чек Датум {2} DocType: Company,Default Holiday List,Стандардно летни Листа -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Ред {0}: Од време и на време од {1} е се преклопуваат со {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},Ред {0}: Од време и на време од {1} е се преклопуваат со {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Акции Обврски DocType: Purchase Invoice,Supplier Warehouse,Добавувачот Магацински DocType: Opportunity,Contact Mobile No,Контакт Мобилни Не @@ -1613,18 +1613,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Отсуство од типот {0} не може да биде подолг од {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Обидете се планира операции за X дена однапред. DocType: HR Settings,Stop Birthday Reminders,Стоп роденден потсетници -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Поставете Стандардна Даноци се плаќаат сметка во Друштвото {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Поставете Стандардна Даноци се плаќаат сметка во Друштвото {0} DocType: SMS Center,Receiver List,Листа на примачот -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Барај точка +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Барај точка apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Конзумира Износ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Нето промени во Пари DocType: Assessment Plan,Grading Scale,скала за оценување apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица мерка {0} е внесен повеќе од еднаш во конверзија Фактор Табела -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,веќе завршени +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,веќе завршени apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Акции во рака apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Веќе постои плаќање Барам {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Цената на издадени материјали -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Кол не смее да биде повеќе од {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Кол не смее да биде повеќе од {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Претходната финансиска година не е затворен apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Возраст (во денови) DocType: Quotation Item,Quotation Item,Артикал од Понуда @@ -1638,6 +1638,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,референтен документ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{1} {0} е откажана или запрена DocType: Accounts Settings,Credit Controller,Кредитна контролор +DocType: Sales Order,Final Delivery Date,Датум на конечна испорака DocType: Delivery Note,Vehicle Dispatch Date,Возило диспечерски Датум DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Купување Потврда {0} не е поднесен @@ -1730,9 +1731,9 @@ DocType: Employee,Date Of Retirement,Датум на заминување во DocType: Upload Attendance,Get Template,Земете Шаблон DocType: Material Request,Transferred,пренесени DocType: Vehicle,Doors,врати -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,данок распад +DocType: Purchase Invoice,Tax Breakup,данок распад DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Не е потребно трошоците центар за 'Добивка и загуба на сметка {2}. Ве молиме да се воспостави центар стандардно Цена за компанијата. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Веќе има Група на клиенти со истото име, Ве молиме сменете го Името на клиентот или преименувајте ја Групата на клиенти" @@ -1745,14 +1746,14 @@ DocType: Announcement,Instructor,инструктор DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ако оваа точка има варијанти, тогаш тоа не може да биде избран во продажбата на налози итн" DocType: Lead,Next Contact By,Следна Контакт Со -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Количината потребна за Точка {0} во ред {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Количината потребна за Точка {0} во ред {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Магацински {0} не може да биде избришан како што постои количина за ставката {1} DocType: Quotation,Order Type,Цел Тип DocType: Purchase Invoice,Notification Email Address,Известување за е-мејл адреса ,Item-wise Sales Register,Точка-мудар Продажбата Регистрирај се DocType: Asset,Gross Purchase Amount,Бруто купување износ DocType: Asset,Depreciation Method,амортизација Метод -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Надвор од мрежа +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Надвор од мрежа DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Е овој данок се вклучени во основната стапка? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Вкупно Целна вредност DocType: Job Applicant,Applicant for a Job,Подносителот на барањето за работа @@ -1774,7 +1775,7 @@ DocType: Employee,Leave Encashed?,Остави Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Можност од поле е задолжително DocType: Email Digest,Annual Expenses,годишните трошоци DocType: Item,Variants,Варијанти -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Направи нарачка +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Направи нарачка DocType: SMS Center,Send To,Испрати до apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Нема доволно одмор биланс за Оставете Тип {0} DocType: Payment Reconciliation Payment,Allocated amount,"Лимит," @@ -1782,7 +1783,7 @@ DocType: Sales Team,Contribution to Net Total,Придонес на Нето В DocType: Sales Invoice Item,Customer's Item Code,Купувачи Точка законик DocType: Stock Reconciliation,Stock Reconciliation,Акции помирување DocType: Territory,Territory Name,Име територија -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Работа во прогрес Магацински се бара пред Прати +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Работа во прогрес Магацински се бара пред Прати apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Подносителот на барањето за работа. DocType: Purchase Order Item,Warehouse and Reference,Магацин и упатување DocType: Supplier,Statutory info and other general information about your Supplier,Законски информации и други општи информации за вашиот снабдувач @@ -1795,16 +1796,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,оценувања apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},СТРОГО серија № влезе за точка {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Услов за испорака Правило apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Ве молиме внесете -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може да се overbill за предмет {0} во ред {1} повеќе од {2}. Да им овозможи на над-платежна, Ве молиме да се постави за купување на Settings" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Поставете филтер врз основа на точка или Магацински +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може да се overbill за предмет {0} во ред {1} повеќе од {2}. Да им овозможи на над-платежна, Ве молиме да се постави за купување на Settings" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Поставете филтер врз основа на точка или Магацински DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нето-тежината на овој пакет. (Се пресметува автоматски како збир на нето-тежината на предмети) DocType: Sales Order,To Deliver and Bill,Да дава и Бил DocType: Student Group,Instructors,инструктори DocType: GL Entry,Credit Amount in Account Currency,Износ на кредитот во профил Валута -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,Бум {0} мора да се поднесе +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,Бум {0} мора да се поднесе DocType: Authorization Control,Authorization Control,Овластување за контрола apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Отфрлени Магацински е задолжително против отфрли Точка {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Плаќање +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Плаќање apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Магацински {0} не е поврзана со било која сметка, ве молиме наведете сметка во рекордно магацин или во собата попис стандардно сметка во друштво {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Управување со вашите нарачки DocType: Production Order Operation,Actual Time and Cost,Крај на време и трошоци @@ -1820,12 +1821,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Гру DocType: Quotation Item,Actual Qty,Крај на Количина DocType: Sales Invoice Item,References,Референци DocType: Quality Inspection Reading,Reading 10,Читањето 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Листа вашите производи или услуги да ја купите или да го продаде. Бидете сигурни да се провери точка група, Одделение за премер и други својства кога ќе почнете." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Листа вашите производи или услуги да ја купите или да го продаде. Бидете сигурни да се провери точка група, Одделение за премер и други својства кога ќе почнете." DocType: Hub Settings,Hub Node,Центар Јазол apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Внесовте дупликат предмети. Ве молиме да се поправат и обидете се повторно. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Соработник +DocType: Company,Sales Target,Целна продажба DocType: Asset Movement,Asset Movement,средства движење -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,нов кошничка +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,нов кошничка apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Ставка {0} не е во серија DocType: SMS Center,Create Receiver List,Креирај Листа ресивер DocType: Vehicle,Wheels,тркала @@ -1867,13 +1869,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Управување DocType: Supplier,Supplier of Goods or Services.,Снабдувач на стоки или услуги. DocType: Budget,Fiscal Year,Фискална година DocType: Vehicle Log,Fuel Price,гориво Цена +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ве молиме наместете серија за броеви за Присуство преку Поставување> Нумерирање DocType: Budget,Budget,Буџет apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Фиксни средства точка мора да биде точка на не-парк. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Буџетот не може да биде доделен од {0}, како што не е сметката за приходи и трошоци" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Постигнати DocType: Student Admission,Application Form Route,Формулар Пат apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Подрачје / клиентите -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,на пример 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,на пример 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Оставете Тип {0} не може да се одвои, бидејќи тоа е остави без плати" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Ред {0}: распределени износ {1} мора да биде помалку од или еднакво на фактура преостанатиот износ за наплата {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Во Зборови ќе бидат видливи кога еднаш ќе ве спаси Фактура на продажба. @@ -1882,11 +1885,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Ставка {0} не е подесување за сериски бр. Проверете главна ставка DocType: Maintenance Visit,Maintenance Time,Одржување Време ,Amount to Deliver,Износ за да овозможи -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Производ или услуга +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Производ или услуга apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Датум на поимот на проектот не може да биде порано од годината Датум на почеток на академската година на кој е поврзан на зборот (академска година {}). Ве молам поправете датумите и обидете се повторно. DocType: Guardian,Guardian Interests,Гардијан Интереси DocType: Naming Series,Current Value,Сегашна вредност -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,постојат повеќе фискални години за датумот {0}. Поставете компанијата во фискалната +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,постојат повеќе фискални години за датумот {0}. Поставете компанијата во фискалната apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} создаден DocType: Delivery Note Item,Against Sales Order,Против Продај Побарувања ,Serial No Status,Сериски № Статус @@ -1899,7 +1902,7 @@ DocType: Pricing Rule,Selling,Продажби apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Износот {0} {1} одзема против {2} DocType: Employee,Salary Information,Плата Информации DocType: Sales Person,Name and Employee ID,Име и вработените проект -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Поради Датум не може да биде пред Праќање пораки во Датум +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Поради Датум не може да биде пред Праќање пораки во Датум DocType: Website Item Group,Website Item Group,Веб-страница Точка група apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Давачки и даноци apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Ве молиме внесете референтен датум @@ -1956,9 +1959,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Поставете го датумот на пристап за вработените {0} DocType: Task,Total Billing Amount (via Time Sheet),Вкупен износ за наплата (преку време лист) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Повторете приходи за корисници -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) мора да имаат улога "расход Approver" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Пар -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Изберете BOM и Количина за производство +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) мора да имаат улога "расход Approver" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Пар +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Изберете BOM и Количина за производство DocType: Asset,Depreciation Schedule,амортизација Распоред apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Продажбата партнер адреси и контакти DocType: Bank Reconciliation Detail,Against Account,Против профил @@ -1968,7 +1971,7 @@ DocType: Item,Has Batch No,Има Batch Не apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Годишен регистрации: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Стоки и услуги на даночните (GST Индија) DocType: Delivery Note,Excise Page Number,Акцизни Број на страница -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Компанија, од денот и до денес е задолжителна" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Компанија, од денот и до денес е задолжителна" DocType: Asset,Purchase Date,Дата на продажба DocType: Employee,Personal Details,Лични податоци apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Поставете "Асет Амортизација трошоците центар во компанијата {0} @@ -1977,9 +1980,9 @@ DocType: Task,Actual End Date (via Time Sheet),Крај Крај Датум (п apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Износот {0} {1} од {2} {3} ,Quotation Trends,Трендови на Понуди apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Точка Група кои не се споменати во точка мајстор за ставката {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Дебит сметка мора да биде побарувања сметка +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Дебит сметка мора да биде побарувања сметка DocType: Shipping Rule Condition,Shipping Amount,Испорака Износ -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Додади Клиентите +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Додади Клиентите apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Во очекување Износ DocType: Purchase Invoice Item,Conversion Factor,Конверзија Фактор DocType: Purchase Order,Delivered,Дадени @@ -2002,7 +2005,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Вклучи се пом DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Родител на предметната програма (Оставете го празно, ако тоа не е дел од родител на курсот)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Родител на предметната програма (Оставете го празно, ако тоа не е дел од родител на курсот)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Оставете го празно ако се земе предвид за сите видови на вработените -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија DocType: Landed Cost Voucher,Distribute Charges Based On,Дистрибуирање пријави Врз основа на apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,Поставки за човечки ресурси @@ -2010,7 +2012,7 @@ DocType: Salary Slip,net pay info,нето плата информации apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Сметка тврдат дека е во очекување на одобрување. Само на сметка Approver може да го ажурира статусот. DocType: Email Digest,New Expenses,нови трошоци DocType: Purchase Invoice,Additional Discount Amount,Дополнителен попуст Износ -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Количина мора да биде 1, како точка е на основните средства. Ве молиме користете посебен ред за повеќе количество." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Количина мора да биде 1, како точка е на основните средства. Ве молиме користете посебен ред за повеќе количество." DocType: Leave Block List Allow,Leave Block List Allow,Остави Забрани Листа Дозволете apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr не може да биде празно или простор apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Група за Не-групата @@ -2018,7 +2020,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Спорт DocType: Loan Type,Loan Name,заем Име apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Вкупно Крај DocType: Student Siblings,Student Siblings,студентски Браќа и сестри -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Единица +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Единица apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Ве молиме назначете фирма," ,Customer Acquisition and Loyalty,Стекнување на клиентите и лојалност DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Складиште, каде што се одржување на залихи на одбиени предмети" @@ -2037,12 +2039,12 @@ DocType: Workstation,Wages per hour,Плати по час apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Акции рамнотежа во Серија {0} ќе стане негативна {1} за Точка {2} На Магацински {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Следните Материјал Барања биле воспитани автоматски врз основа на нивото повторно цел елемент DocType: Email Digest,Pending Sales Orders,Во очекување Продај Нарачка -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Сметка {0} не е валиден. Валута сметка мора да биде {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Сметка {0} не е валиден. Валута сметка мора да биде {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Фактор UOM конверзија е потребно во ред {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од Продај Побарувања, продажба фактура или весник Влегување" DocType: Salary Component,Deduction,Одбивање -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Ред {0}: Од време и на време е задолжително. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Ред {0}: Од време и на време е задолжително. DocType: Stock Reconciliation Item,Amount Difference,износот на разликата apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Ставка Цена додаде за {0} во Ценовник {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ве молиме внесете Id на вработените на ова продажбата на лице @@ -2052,11 +2054,11 @@ DocType: Project,Gross Margin,Бруто маржа apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Ве молиме внесете Производство стварта прв apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Пресметаната извод од банка биланс apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,корисник со посебни потреби -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Понуда +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Понуда DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Вкупно Расходи ,Production Analytics,производство и анализатор -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Цена освежено +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Цена освежено DocType: Employee,Date of Birth,Датум на раѓање apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Точка {0} веќе се вратени DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Фискалната година ** претставува финансиска година. Сите сметководствени записи и други големи трансакции се следи против ** ** фискалната година. @@ -2102,18 +2104,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Изберете компанијата ... DocType: Leave Control Panel,Leave blank if considered for all departments,Оставете го празно ако се земе предвид за сите одделенија apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Видови на вработување (постојан, договор, стаж итн)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} е задолжително за ставката {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} е задолжително за ставката {1} DocType: Process Payroll,Fortnightly,на секои две недели DocType: Currency Exchange,From Currency,Од валутен apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ве молиме изберете распределени износот, видот Фактура и број на фактурата во барем еден ред" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Цената на нов купувачите -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Продај Побарувања потребни за Точка {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Продај Побарувања потребни за Точка {0} DocType: Purchase Invoice Item,Rate (Company Currency),Цена (Валута на Фирма) DocType: Student Guardian,Others,"Други, пак," DocType: Payment Entry,Unallocated Amount,Износ на неиздвоена apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Не може да се најде ставка. Ве молиме одберете некои други вредност за {0}. DocType: POS Profile,Taxes and Charges,Даноци и такси DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","А производ или услуга, која е купен, кои се продаваат или се чуваат во парк." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код Код> Точка група> Бренд apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Нема повеќе надградби apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Не може да го изберете видот на пресметување како 'Износ на претходниот ред' или 'Вкупно на претходниот ред' за првиот ред apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Ставката од подгрупата, не треба да биде во Пакетот Производи. Ве молиме отстранете ја ставката '{0}'" @@ -2141,7 +2144,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Вкупен Износ на Наплата apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Мора да има стандардно дојдовни e-mail сметка овозможено за ова да работи. Ве молам поставете стандардно дојдовни e-mail сметка (POP / IMAP) и обидете се повторно. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Побарувања профил -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Ред # {0}: Асет {1} е веќе {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Ред # {0}: Асет {1} е веќе {2} DocType: Quotation Item,Stock Balance,Биланс на акции apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Продај Побарувања на плаќање apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,извршен директор @@ -2166,10 +2169,11 @@ DocType: C-Form,Received Date,Доби датум DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ако имате креирано стандарден образец во продажба даноци и давачки дефиниција, изберете една и кликнете на копчето подолу." DocType: BOM Scrap Item,Basic Amount (Company Currency),Основицата (Фирма валута) DocType: Student,Guardians,старатели +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Добавувачот> Тип на добавувач DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Цените нема да бидат прикажани ако цената листата не е поставена apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Наведи земјата за оваа Испорака Правило или проверете Во светот испорака DocType: Stock Entry,Total Incoming Value,Вкупно Вредност на Прилив -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Дебитна Да се бара +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Дебитна Да се бара apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets помогне да ги пратите на време, трошоци и платежна за активности направено од страна на вашиот тим" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Откупната цена Листа DocType: Offer Letter Term,Offer Term,Понуда Рок @@ -2188,11 +2192,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Ба DocType: Timesheet Detail,To Time,На време DocType: Authorization Rule,Approving Role (above authorized value),Одобрување Улогата (над овластени вредност) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Кредит на сметка мора да биде плаќаат сметка -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Бум на рекурзијата: {0} не може да биде родител или дете на {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},Бум на рекурзијата: {0} не може да биде родител или дете на {2} DocType: Production Order Operation,Completed Qty,Завршено Количина apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само задолжува сметки може да се поврзат против друга кредитна влез" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Ценовник {0} е исклучен -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Ред {0}: Завршено Количина не може да биде повеќе од {1} за работа {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Ред {0}: Завршено Количина не може да биде повеќе од {1} за работа {2} DocType: Manufacturing Settings,Allow Overtime,Дозволете Прекувремена работа apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Серијали Точка {0} не може да се ажурираат со користење Акции на помирување, ве молиме користете Акции Влегување" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Серијали Точка {0} не може да се ажурираат со користење Акции на помирување, ве молиме користете Акции Влегување" @@ -2211,10 +2215,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Надворешни apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Корисници и дозволи DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Производство наредби Направено: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Производство наредби Направено: {0} DocType: Branch,Branch,Филијали DocType: Guardian,Mobile Number,Мобилен број apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Печатење и Брендирање +DocType: Company,Total Monthly Sales,Вкупно месечни продажби DocType: Bin,Actual Quantity,Крај на Кол DocType: Shipping Rule,example: Next Day Shipping,пример: Следен ден на испорака apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Сериски № {0} не е пронајдена @@ -2245,7 +2250,7 @@ DocType: Payment Request,Make Sales Invoice,Направи Продажна Фа apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,софтвери apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Следна Контакт датум не може да биде во минатото DocType: Company,For Reference Only.,За повикување само. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Изберете Серија Не +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Изберете Серија Не apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Невалиден {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Однапред Износ @@ -2258,7 +2263,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Не точка со Баркод {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,На случај бр не може да биде 0 DocType: Item,Show a slideshow at the top of the page,Прикажи слајдшоу на врвот на страната -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Продавници DocType: Serial No,Delivery Time,Време на испорака apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Стареењето Врз основа на @@ -2272,16 +2277,16 @@ DocType: Rename Tool,Rename Tool,Преименувај алатката apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Ажурирање на трошоците DocType: Item Reorder,Item Reorder,Пренареждане точка apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Прикажи Плата фиш -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Пренос на материјал +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Пренос на материјал DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Наведете операции, оперативните трошоци и даде единствена работа нема да вашето работење." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Овој документ е над границата од {0} {1} за ставката {4}. Ви се прави уште една {3} против истиот {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Поставете се повторуваат по спасување -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,износот сметка Одберете промени +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Поставете се повторуваат по спасување +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,износот сметка Одберете промени DocType: Purchase Invoice,Price List Currency,Ценовник Валута DocType: Naming Series,User must always select,Корисникот мора секогаш изберете DocType: Stock Settings,Allow Negative Stock,Дозволете негативна состојба DocType: Installation Note,Installation Note,Инсталација Забелешка -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Додади Даноци +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Додади Даноци DocType: Topic,Topic,на тема apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Паричен тек од финансирањето DocType: Budget Account,Budget Account,За буџетот на профилот @@ -2295,7 +2300,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Сл apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Извор на фондови (Пасива) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Кол во ред {0} ({1}) мора да биде иста како произведени количини {2} DocType: Appraisal,Employee,Вработен -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,изберете Batch +DocType: Company,Sales Monthly History,Месечна историја за продажба +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,изберете Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} е целосно фактурирани DocType: Training Event,End Time,Крајот на времето apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Активни Плата Структура {0} најде за вработените {1} за дадените датуми @@ -2303,15 +2309,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Плаќање одбивањ apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Стандардна условите на договорот за продажба или купување. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Група од Ваучер apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,гасоводот продажба -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Поставете стандардна сметка во Плата Компонента {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Поставете стандардна сметка во Плата Компонента {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Потребни на DocType: Rename Tool,File to Rename,Датотека за да ја преименувате apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Ве молам изберете Бум објект во ред {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Сметка {0} не се поклопува со компанијата {1} во режим на сметка: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Назначена Бум {0} не постои точка за {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Распоред за одржување {0} мора да биде укинат пред да го раскине овој Продај Побарувања +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Распоред за одржување {0} мора да биде укинат пред да го раскине овој Продај Побарувања DocType: Notification Control,Expense Claim Approved,Сметка Тврдат Одобрени -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ве молиме наместете серија за броеви за Присуство преку Поставување> Нумерирање apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Плата фиш на вработените {0} веќе создадена за овој период apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Фармацевтската apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Цената на купените предмети @@ -2328,7 +2333,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM број за DocType: Upload Attendance,Attendance To Date,Публика: Да најдам DocType: Warranty Claim,Raised By,Покренати од страна на DocType: Payment Gateway Account,Payment Account,Уплатна сметка -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Ве молиме назначете фирма, да се продолжи" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Ве молиме назначете фирма, да се продолжи" apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Нето промени во Побарувања apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Обесштетување Off DocType: Offer Letter,Accepted,Прифатени @@ -2338,12 +2343,12 @@ DocType: SG Creation Tool Course,Student Group Name,Име Група на ст apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Ве молиме бидете сигурни дека навистина сакате да ги избришете сите трансакции за оваа компанија. Вашиот господар на податоци ќе остане како што е. Ова дејство не може да се врати назад. DocType: Room,Room Number,Број на соба apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Невалидна референца {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може да биде поголема од планираното quanitity ({2}) во продукција налог {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може да биде поголема од планираното quanitity ({2}) во продукција налог {3} DocType: Shipping Rule,Shipping Rule Label,Испорака Правило Етикета apps/erpnext/erpnext/public/js/conf.js +28,User Forum,корисникот форум -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,"Суровини, не може да биде празна." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Не може да го ажурира трговија, фактура содржи капка превозот ставка." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Брзо весник Влегување +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,"Суровини, не може да биде празна." +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Не може да го ажурира трговија, фактура содржи капка превозот ставка." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Брзо весник Влегување apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Вие не може да го промени стапка ако Бум споменати agianst која било ставка DocType: Employee,Previous Work Experience,Претходно работно искуство DocType: Stock Entry,For Quantity,За Кол @@ -2400,7 +2405,7 @@ DocType: SMS Log,No of Requested SMS,Број на Побарано СМС apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Неплатено отсуство не се поклопува со одобрен евиденција оставите апликацијата DocType: Campaign,Campaign-.####,Кампања -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Следните чекори -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Внесете ја определени предмети на најдобар можен стапки +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Внесете ја определени предмети на најдобар можен стапки DocType: Selling Settings,Auto close Opportunity after 15 days,Авто блиску можност по 15 дена apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,крајот на годината apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / олово% @@ -2438,7 +2443,7 @@ DocType: Homepage,Homepage,Почетната страница од пребар DocType: Purchase Receipt Item,Recd Quantity,Recd Кол apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Надомест записи создадени - {0} DocType: Asset Category Account,Asset Category Account,Средства Категорија сметка -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Не може да произведе повеќе од ставка {0} од количина {1} во Продажна нарачка +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Не може да произведе повеќе од ставка {0} од количина {1} во Продажна нарачка apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Акции Влегување {0} не е поднесен DocType: Payment Reconciliation,Bank / Cash Account,Банка / готовинска сметка apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Следна Контакт Со тоа што не може да биде ист како олово-мејл адреса @@ -2471,7 +2476,7 @@ DocType: Salary Structure,Total Earning,Вкупно Заработка DocType: Purchase Receipt,Time at which materials were received,На кој беа примени материјали време DocType: Stock Ledger Entry,Outgoing Rate,Тековна стапка apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Организација гранка господар. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,или +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,или DocType: Sales Order,Billing Status,Платежна Статус apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Изнеле apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Комунални трошоци @@ -2479,7 +2484,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Ред # {0}: весник Влегување {1} нема сметка {2} или веќе се исти против друг ваучер DocType: Buying Settings,Default Buying Price List,Стандардно Купување Ценовник DocType: Process Payroll,Salary Slip Based on Timesheet,Плата фиш Врз основа на timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Веќе создаде ниту еден вработен за горе избраните критериуми или плата се лизга +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Веќе создаде ниту еден вработен за горе избраните критериуми или плата се лизга DocType: Notification Control,Sales Order Message,Продај Побарувања порака apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Постави стандардните вредности, како компанија, валута, тековната фискална година, и др" DocType: Payment Entry,Payment Type,Тип на плаќање @@ -2504,7 +2509,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,мора да се поднесе приемот на документи DocType: Purchase Invoice Item,Received Qty,Доби Количина DocType: Stock Entry Detail,Serial No / Batch,Сериски Не / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Што не се платени и не испорачува +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Што не се платени и не испорачува DocType: Product Bundle,Parent Item,Родител Точка DocType: Account,Account Type,Тип на сметка DocType: Delivery Note,DN-RET-,DN-RET- @@ -2535,8 +2540,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,"Вкупно лимит," apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Поставете инвентар стандардна сметка за постојана инвентар DocType: Item Reorder,Material Request Type,Материјал Тип на Барањето -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural весник за влез на платите од {0} до {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage е полна, не штедеше" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural весник за влез на платите од {0} до {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage е полна, не штедеше" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Ред {0}: UOM конверзија фактор е задолжително apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Реф DocType: Budget,Cost Center,Трошоците центар @@ -2554,7 +2559,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Да apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ако е избрано Цените правило е направен за "цената", таа ќе ги избрише ценовникот. Цените Правило цена е крајната цена, па нема повеќе Попустот треба да биде применет. Оттука, во трансакции како Продај Побарувања, нарачка итн, тоа ќе биде Земени се во полето 'стапка ", отколку полето" Ценовник стапка." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Следи ги Потенцијалните клиенти по вид на индустрија. DocType: Item Supplier,Item Supplier,Точка Добавувачот -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Ве молиме внесете Точка законик за да се добие серија не +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Ве молиме внесете Точка законик за да се добие серија не apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Ве молиме изберете вредност за {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Сите адреси. DocType: Company,Stock Settings,Акции Settings @@ -2581,7 +2586,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Крај Количин apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Не се лизга плата и помеѓу {0} и {1} ,Pending SO Items For Purchase Request,Во очекување на ПА Теми за купување Барање apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,студент Запишување -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} е исклучен +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} е исклучен DocType: Supplier,Billing Currency,Платежна валута DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large @@ -2611,7 +2616,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Статус апликација DocType: Fees,Fees,надоместоци DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Наведете курс за претворање на еден валута во друга -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Понудата {0} е откажана +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Понудата {0} е откажана apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Вкупно Неизмирен Износ DocType: Sales Partner,Targets,Цели DocType: Price List,Price List Master,Ценовник мајстор @@ -2628,7 +2633,7 @@ DocType: POS Profile,Ignore Pricing Rule,Игнорирај Цените Пра DocType: Employee Education,Graduate,Дипломиран DocType: Leave Block List,Block Days,Забрани дена DocType: Journal Entry,Excise Entry,Акцизни Влегување -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Предупредување: Продај Побарувања {0} веќе постои против нарачка на купувачи {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Предупредување: Продај Побарувања {0} веќе постои против нарачка на купувачи {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2655,7 +2660,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ак ,Salary Register,плата Регистрирај се DocType: Warehouse,Parent Warehouse,родител Магацински DocType: C-Form Invoice Detail,Net Total,Нето Вкупно -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Аватарот на Бум не е најдена Точка {0} и Проектот {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Аватарот на Бум не е најдена Точка {0} и Проектот {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Дефинирање на различни видови на кредитот DocType: Bin,FCFS Rate,FCFS стапка DocType: Payment Reconciliation Invoice,Outstanding Amount,Преостанатиот износ за наплата @@ -2692,7 +2697,7 @@ DocType: Salary Detail,Condition and Formula Help,Состојба и Форму apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Управување со Територија на дрвото. DocType: Journal Entry Account,Sales Invoice,Продажна Фактура DocType: Journal Entry Account,Party Balance,Партијата Биланс -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Ве молиме изберете Примени попуст на +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Ве молиме изберете Примени попуст на DocType: Company,Default Receivable Account,Стандардно побарувања профил DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Креирај Банка Влез за вкупниот износ на плата исплатена за погоре избраниот критериум DocType: Stock Entry,Material Transfer for Manufacture,Материјал трансфер за Производство @@ -2706,7 +2711,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Клиент адреса DocType: Employee Loan,Loan Details,Детали за заем DocType: Company,Default Inventory Account,Стандардно Инвентар сметка -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Ред {0}: Завршено Количина мора да биде поголема од нула. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Ред {0}: Завршено Количина мора да биде поголема од нула. DocType: Purchase Invoice,Apply Additional Discount On,Да важат и дополнителни попуст на DocType: Account,Root Type,Корен Тип DocType: Item,FIFO,FIFO @@ -2723,7 +2728,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Квалитет инспек apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Екстра Мали DocType: Company,Standard Template,стандардна дефиниција DocType: Training Event,Theory,теорија -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Предупредување: Материјал Бараниот Количина е помалку од Минимална Подреди Количина +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Предупредување: Материјал Бараниот Количина е помалку од Минимална Подреди Количина apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,На сметка {0} е замрзнат DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Правното лице / Подружница со посебен сметковен кои припаѓаат на Организацијата. DocType: Payment Request,Mute Email,Неми-пошта @@ -2747,7 +2752,7 @@ DocType: Training Event,Scheduled,Закажана apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Барање за прибирање НА ПОНУДИ. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Ве молиме одберете ја изборната ставка каде што "Дали берза Точка" е "Не" и "е продажба точка" е "Да" и не постои друг Бовча производ DocType: Student Log,Academic,академски -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Вкупно Аванс ({0}) во однос на Нарачка {1} не може да биде поголемо од Сѐ Вкупно ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Вкупно Аванс ({0}) во однос на Нарачка {1} не може да биде поголемо од Сѐ Вкупно ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Изберете Месечен Дистрибуција на нерамномерно дистрибуира цели низ месеци. DocType: Purchase Invoice Item,Valuation Rate,Вреднување стапка DocType: Stock Reconciliation,SR/,SR / @@ -2813,6 +2818,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,АМТ DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Внесете го името на кампања, ако извор на истрага е кампања" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Новински издавачи apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Изберете фискалната година +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Очекуваниот датум на испорака треба да биде по датумот на продажниот налог apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Пренареждане ниво DocType: Company,Chart Of Accounts Template,Сметковниот план Шаблон DocType: Attendance,Attendance Date,Публика Датум @@ -2844,7 +2850,7 @@ DocType: Pricing Rule,Discount Percentage,Процент попуст DocType: Payment Reconciliation Invoice,Invoice Number,Број на фактура DocType: Shopping Cart Settings,Orders,Нарачка DocType: Employee Leave Approver,Leave Approver,Остави Approver -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Ве молиме изберете една серија +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Ве молиме изберете една серија DocType: Assessment Group,Assessment Group Name,Името на групата за процена DocType: Manufacturing Settings,Material Transferred for Manufacture,Материјал префрлени за Производство DocType: Expense Claim,"A user with ""Expense Approver"" role",Корисник со "Расходи Approver" улога @@ -2881,7 +2887,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Последниот ден од наредниот месец DocType: Support Settings,Auto close Issue after 7 days,Авто блиску прашање по 7 дена apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Одмор не може да се одвои пред {0}, како рамнотежа одмор веќе е рачна пренасочат во рекордно идната распределба одмор {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Забелешка: Поради / референтен датум надминува дозволено клиент кредит дена од {0} ден (а) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Забелешка: Поради / референтен датум надминува дозволено клиент кредит дена од {0} ден (а) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,студентски Подносител DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL за RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Акумулирана амортизација сметка @@ -2892,7 +2898,7 @@ DocType: Item,Reorder level based on Warehouse,Ниво врз основа на DocType: Activity Cost,Billing Rate,Платежна стапка ,Qty to Deliver,Количина да Избави ,Stock Analytics,Акции анализи -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Работење не може да се остави празно +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Работење не може да се остави празно DocType: Maintenance Visit Purpose,Against Document Detail No,Против Детална л.к apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Тип на партијата е задолжително DocType: Quality Inspection,Outgoing,Заминување @@ -2935,15 +2941,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,На располагање Количина на складиште apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Фактурирани Износ DocType: Asset,Double Declining Balance,Двоен опаѓачки баланс -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Затворена за да не може да биде укинат. Да отворат за да откажете. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Затворена за да не може да биде укинат. Да отворат за да откажете. DocType: Student Guardian,Father,татко -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Ажурирање Акции" не може да се провери за фиксни продажба на средства +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"Ажурирање Акции" не може да се провери за фиксни продажба на средства DocType: Bank Reconciliation,Bank Reconciliation,Банка помирување DocType: Attendance,On Leave,на одмор apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Добијат ажурирања apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Сметка {2} не припаѓа на компанијата {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Материјал Барање {0} е откажана или запрена -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Додадете неколку записи примерок +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Додадете неколку записи примерок apps/erpnext/erpnext/config/hr.py +301,Leave Management,Остави менаџмент apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Група од сметка DocType: Sales Order,Fully Delivered,Целосно Дадени @@ -2952,12 +2958,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разликата сметките мора да бидат типот на средствата / одговорност сметка, бидејќи овој парк помирување претставува Отворање Влегување" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Повлечениот износ не може да биде поголема од кредит Износ {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Нарачка број потребен за Точка {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Производство цел не создаде +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Производство цел не создаде apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Од датум"" мора да биде по ""до датум""" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},не може да го промени својот статус како студент {0} е поврзан со примена студент {1} DocType: Asset,Fully Depreciated,целосно амортизираните ,Stock Projected Qty,Акции Проектирани Количина -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Клиент {0} не му припаѓа на проектот {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Клиент {0} не му припаѓа на проектот {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Забележително присуство на HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",Цитати се и понудите што сте ги испратиле на вашите клиенти DocType: Sales Order,Customer's Purchase Order,Нарачка на купувачот @@ -2967,7 +2973,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Поставете Број на амортизациони Резервирано apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Вредност или Количина apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,"Продукција наредби, а не може да се зголеми за:" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Минута +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Минута DocType: Purchase Invoice,Purchase Taxes and Charges,Купување на даноци и такси ,Qty to Receive,Количина да добијам DocType: Leave Block List,Leave Block List Allowed,Остави Забрани листата на дозволени @@ -2981,7 +2987,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Сите типови на Добавувачот DocType: Global Defaults,Disable In Words,Оневозможи со зборови apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Точка законик е задолжително, бидејќи точка не се нумерирани автоматски" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Понудата {0} не е од типот {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Понудата {0} не е од типот {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Одржување Распоред Точка DocType: Sales Order,% Delivered,% Дадени DocType: Production Order,PRO-,про- @@ -3004,7 +3010,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Продавачот Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Вкупен трошок за Набавка (преку Влезна фактура) DocType: Training Event,Start Time,Почеток Време -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Изберете количина +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Изберете количина DocType: Customs Tariff Number,Customs Tariff Number,Тарифен број обичаи apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Одобрување улога не може да биде иста како и улогата на владеење е се применуваат на apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Се откажете од оваа е-мејл билтени @@ -3028,7 +3034,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,ПР Детална DocType: Sales Order,Fully Billed,Целосно Опишан apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Парични средства во благајна -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Испорака магацин потребни за трговија ставка {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Испорака магацин потребни за трговија ставка {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Бруто тежина на пакувањето. Обично нето тежина + материјал за пакување тежина. (За печатење) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Програмата DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Корисниците со оваа улога може да поставите замрзнати сметки и да се создаде / измени на сметководствените ставки кон замрзнатите сметки @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Група врз основа на DocType: Journal Entry,Bill Date,Бил Датум apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","се бара послужната ствар, Вид, фреквенција и износот сметка" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Дури и ако постојат повеќе Цените правила со највисок приоритет, тогаш се применуваат следните интерни приоритети:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Дали навистина сакате да ги достават сите Плата лизга од {0} до {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Дали навистина сакате да ги достават сите Плата лизга од {0} до {1} DocType: Cheque Print Template,Cheque Height,чек Висина DocType: Supplier,Supplier Details,Добавувачот Детали за DocType: Expense Claim,Approval Status,Статус на Одобри @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Потенцијал apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ништо повеќе да се покаже. DocType: Lead,From Customer,Од Клиент apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Повици -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,серии +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,серии DocType: Project,Total Costing Amount (via Time Logs),Вкупен Износ на Чинење (преку Временски дневници) DocType: Purchase Order Item Supplied,Stock UOM,Акции UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Нарачка {0} не е поднесен @@ -3092,7 +3098,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Врати проти DocType: Item,Warranty Period (in days),Гарантниот период (во денови) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Врска со Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Нето готовина од работењето -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,на пример ДДВ +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,на пример ДДВ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Точка 4 DocType: Student Admission,Admission End Date,Услови за прием Датум на завршување apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Подизведување @@ -3100,7 +3106,7 @@ DocType: Journal Entry Account,Journal Entry Account,Весник Влегува apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,група на студенти DocType: Shopping Cart Settings,Quotation Series,Серија на Понуди apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Ставка ({0}) со исто име веќе постои, ве молиме сменете го името на групата ставки или името на ставката" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Ве молам изберете клиентите +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Ве молам изберете клиентите DocType: C-Form,I,јас DocType: Company,Asset Depreciation Cost Center,Центар Амортизација Трошоци средства DocType: Sales Order Item,Sales Order Date,Продажбата на Ред Датум @@ -3111,6 +3117,7 @@ DocType: Stock Settings,Limit Percent,Процент граница ,Payment Period Based On Invoice Date,Плаќање период врз основа на датум на фактурата apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Недостасува размена на валута стапки за {0} DocType: Assessment Plan,Examiner,испитувачот +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Те молам постави име на серии за {0} преку Setup> Settings> Series за именување DocType: Student,Siblings,браќа и сестри DocType: Journal Entry,Stock Entry,Акции Влегување DocType: Payment Entry,Payment References,плаќање Референци @@ -3135,7 +3142,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Каде што се врши производните операции. DocType: Asset Movement,Source Warehouse,Извор Магацински DocType: Installation Note,Installation Date,Инсталација Датум -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Ред # {0}: {1} средства не му припаѓа на компанијата {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Ред # {0}: {1} средства не му припаѓа на компанијата {2} DocType: Employee,Confirmation Date,Потврда Датум DocType: C-Form,Total Invoiced Amount,Вкупно Фактуриран износ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Мин Количина не може да биде поголем од Макс Количина @@ -3209,7 +3216,7 @@ DocType: Company,Default Letter Head,Стандардно писмо Раков DocType: Purchase Order,Get Items from Open Material Requests,Се предмети од Отворениот Материјал Барања DocType: Item,Standard Selling Rate,Стандардна Продажба курс DocType: Account,Rate at which this tax is applied,Стапка по која се применува овој данок -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Пренареждане Количина +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Пренареждане Количина apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Тековни работни места DocType: Company,Stock Adjustment Account,Акциите прилагодување профил apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Отпис @@ -3223,7 +3230,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Снабдувачот доставува до клиентите apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Образец / ставка / {0}) е надвор од складиште apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Следниот датум мора да биде поголема од објавувањето Датум -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Поради / референтен датум не може да биде по {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Поради / референтен датум не може да биде по {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Податоци за увоз и извоз apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Не е пронајдено студенти apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Датум на фактура во врска со Мислењата @@ -3244,12 +3251,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ова се базира на присуството на овој студент apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Не Студентите во apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Додај повеќе ставки или отвори образец -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Ве молиме внесете 'очекува испорака датум " -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Испорака белешки {0} мора да биде укинат пред да го раскине овој Продај Побарувања +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Испорака белешки {0} мора да биде укинат пред да го раскине овој Продај Побарувања apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Уплатениот износ + Отпишана сума не може да биде поголемо од Сѐ Вкупно apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не е валиден сериски број за ставката {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Забелешка: Не е доволно одмор биланс за Оставете Тип {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Невалиден GSTIN или Внесете NA за нерегистрирани +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Невалиден GSTIN или Внесете NA за нерегистрирани DocType: Training Event,Seminar,Семинар DocType: Program Enrollment Fee,Program Enrollment Fee,Програмата за запишување такса DocType: Item,Supplier Items,Добавувачот Теми @@ -3267,7 +3273,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Акции стареење apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Студентски {0} постојат против студентот барателот {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} {1} "е оневозможено +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} {1} "е оневозможено apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Постави како отворено DocType: Cheque Print Template,Scanned Cheque,скенирани чекови DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Испрати автоматски пораки до контакти за доставување на трансакции. @@ -3314,7 +3320,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Ценовник курс DocType: Purchase Invoice Item,Rate,Цена apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Практикант -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,адреса +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,адреса DocType: Stock Entry,From BOM,Од бирото DocType: Assessment Code,Assessment Code,Код оценување apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основни @@ -3327,20 +3333,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Структура плата DocType: Account,Bank,Банка apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Авиокомпанијата -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Материјал прашање +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Материјал прашање DocType: Material Request Item,For Warehouse,За Магацински DocType: Employee,Offer Date,Датум на понуда apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Понуди -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Вие сте моментално во режим без мрежа. Вие нема да бидете во можност да ја превчитате додека имате мрежа. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Вие сте моментално во режим без мрежа. Вие нема да бидете во можност да ја превчитате додека имате мрежа. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Не студентски групи создадени. DocType: Purchase Invoice Item,Serial No,Сериски Не apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна отплата износ не може да биде поголем од кредит Износ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Ве молиме внесете Maintaince Детали за прв +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Ред # {0}: Очекуваниот датум на испорака не може да биде пред датумот на нарачката DocType: Purchase Invoice,Print Language,Печати јазик DocType: Salary Slip,Total Working Hours,Вкупно Работно време DocType: Stock Entry,Including items for sub assemblies,Вклучувајќи и предмети за суб собранија -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Внесете ја вредноста мора да биде позитивен -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код Код> Точка група> Бренд +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Внесете ја вредноста мора да биде позитивен apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Сите територии DocType: Purchase Invoice,Items,Теми apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Студентот се веќе запишани. @@ -3363,7 +3369,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Стандардно единица мерка за Варијанта '{0}' мора да биде иста како и во Мострата "{1}" DocType: Shipping Rule,Calculate Based On,Се пресмета врз основа на DocType: Delivery Note Item,From Warehouse,Од Магацин -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Нема предмети со Бил на материјали за производство на +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Нема предмети со Бил на материјали за производство на DocType: Assessment Plan,Supervisor Name,Име супервизор DocType: Program Enrollment Course,Program Enrollment Course,Програма за запишување на курсот DocType: Program Enrollment Course,Program Enrollment Course,Програма за запишување на курсот @@ -3379,23 +3385,23 @@ DocType: Training Event Employee,Attended,присуствуваа apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"Дена од денот на Ред" мора да биде поголем или еднаков на нула DocType: Process Payroll,Payroll Frequency,Даноци на фреквенција DocType: Asset,Amended From,Изменет Од -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Суровина +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Суровина DocType: Leave Application,Follow via Email,Следете ги преку E-mail apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Постројки и машинерии DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Износот на данокот По Износ попуст DocType: Daily Work Summary Settings,Daily Work Summary Settings,Дневен работа поставувања Резиме -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Валута на ценовникот {0} не е сличен со избраната валута {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Валута на ценовникот {0} не е сличен со избраната валута {1} DocType: Payment Entry,Internal Transfer,внатрешен трансфер apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Сметка детето постои за оваа сметка. Не можете да ја избришете оваа сметка. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Или цел количество: Контакт лице или целниот износ е задолжително apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Постои стандарден Бум постои точка за {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Ве молиме изберете ја со Мислењата Датум прв +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Ве молиме изберете ја со Мислењата Датум прв apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Отворање датум треба да биде пред крајниот датум DocType: Leave Control Panel,Carry Forward,Пренесување apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Трошоците центар со постојните трансакции не може да се конвертира Леџер DocType: Department,Days for which Holidays are blocked for this department.,Деновите за кои Празници се блокирани за овој оддел. ,Produced,Произведени -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Создаден исплатните листи +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Создаден исплатните листи DocType: Item,Item Code for Suppliers,Точка Код за добавувачи DocType: Issue,Raised By (Email),Покренати од страна на (E-mail) DocType: Training Event,Trainer Name,Име тренер @@ -3403,9 +3409,10 @@ DocType: Mode of Payment,General,Генералниот apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,последната комуникација apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,последната комуникација apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се одземе кога категорија е за 'Вреднување' или 'Вреднување и Вкупно' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Листа на вашата даночна глави (на пример, ДДВ, царински итн, тие треба да имаат уникатни имиња) и стандард на нивните стапки. Ова ќе создаде стандарден образец, кои можете да ги менувате и додадете повеќе подоцна." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Листа на вашата даночна глави (на пример, ДДВ, царински итн, тие треба да имаат уникатни имиња) и стандард на нивните стапки. Ова ќе создаде стандарден образец, кои можете да ги менувате и додадете повеќе подоцна." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Сериски броеви кои се потребни за серијали Точка {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Натпреварот плаќања со фактури +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Ред # {0}: Внесете го датумот на испорака против ставката {1} DocType: Journal Entry,Bank Entry,Банката Влегување DocType: Authorization Rule,Applicable To (Designation),Применливи To (Означување) ,Profitability Analysis,профитабилноста анализа @@ -3421,17 +3428,18 @@ DocType: Quality Inspection,Item Serial No,Точка Сериски Не apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Креирај вработените рекорди apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Вкупно Сегашно apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,сметководствени извештаи -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Час +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Час apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Нова серија № не може да има складиште. Склад мора да бидат поставени од страна берза за влез или купување Потврда DocType: Lead,Lead Type,Потенцијален клиент Тип apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Немате дозвола да го одобри лисјата Забрани Термини -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Сите овие ставки се веќе фактурирани +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Сите овие ставки се веќе фактурирани +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Месечна продажна цел apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Може да биде одобрена од страна на {0} DocType: Item,Default Material Request Type,Аватарот на материјал Барање Тип apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,непознат DocType: Shipping Rule,Shipping Rule Conditions,Услови за испорака Правило DocType: BOM Replace Tool,The new BOM after replacement,Новиот Бум по замена -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Точка на продажба +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Точка на продажба DocType: Payment Entry,Received Amount,добиениот износ DocType: GST Settings,GSTIN Email Sent On,GSTIN испратен На DocType: Program Enrollment,Pick/Drop by Guardian,Трансферот / зависници од страна на Гардијан @@ -3448,8 +3456,8 @@ DocType: Batch,Source Document Name,Извор документ Име DocType: Batch,Source Document Name,Извор документ Име DocType: Job Opening,Job Title,Работно место apps/erpnext/erpnext/utilities/activation.py +97,Create Users,креирате корисници -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,грам -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Количина за производство мора да биде поголем од 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,грам +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Количина за производство мора да биде поголем од 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Посетете извештај за одржување повик. DocType: Stock Entry,Update Rate and Availability,Ажурирање курс и Достапност DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Процент ви е дозволено да примате или да испорача повеќе во однос на количината нареди. На пример: Ако го наредил 100 единици. и вашиот додаток е 10%, тогаш ви е дозволено да се добијат 110 единици." @@ -3462,7 +3470,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Ве молиме откажете купувањето фактура {0} првиот apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-mail адреса мора да биде уникатен, веќе постои за {0}" DocType: Serial No,AMC Expiry Date,АМЦ датумот на истекување -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,приемот +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,приемот ,Sales Register,Продажбата Регистрирај се DocType: Daily Work Summary Settings Company,Send Emails At,Испрати е-пошта во DocType: Quotation,Quotation Lost Reason,Причина за Нереализирана Понуда @@ -3475,14 +3483,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Сè уште apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Извештај за паричниот тек apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Износ на кредитот не може да надмине максимален заем во износ од {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,лиценца -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Ве молиме да се отстрани оваа фактура {0} од C-Форма {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Ве молиме да се отстрани оваа фактура {0} од C-Форма {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Ве молиме изберете ја носи напред ако вие исто така сакаат да се вклучат во претходната фискална година биланс остава на оваа фискална година DocType: GL Entry,Against Voucher Type,Против ваучер Тип DocType: Item,Attributes,Атрибути apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Ве молиме внесете го отпише профил apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последните Ред Датум apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},На сметка {0} не припаѓа на компанијата {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Сериски броеви во ред {0} не се поклопува со Потврда за испорака +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Сериски броеви во ред {0} не се поклопува со Потврда за испорака DocType: Student,Guardian Details,Гардијан Детали DocType: C-Form,C-Form,C-Форма apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Марк посетеност за повеќе вработени @@ -3514,16 +3522,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Т DocType: Tax Rule,Sales,Продажба DocType: Stock Entry Detail,Basic Amount,Основицата DocType: Training Event,Exam,испит -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Магацински потребни за акции Точка {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Магацински потребни за акции Точка {0} DocType: Leave Allocation,Unused leaves,Неискористени листови -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Платежна држава apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Трансфер apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} не се поврзани со сметка партија {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Земи експлодира Бум (вклучувајќи ги и потсклопови) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Земи експлодира Бум (вклучувајќи ги и потсклопови) DocType: Authorization Rule,Applicable To (Employee),Применливи To (вработените) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Поради Датум е задолжително apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Интервалот за Атрибут {0} не може да биде 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија DocType: Journal Entry,Pay To / Recd From,Да се плати / Recd Од DocType: Naming Series,Setup Series,Подесување Серија DocType: Payment Reconciliation,To Invoice Date,Датум на фактура @@ -3550,7 +3559,7 @@ DocType: Journal Entry,Write Off Based On,Отпише врз основа на apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Направете Водач apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Печатење и идентитет DocType: Stock Settings,Show Barcode Field,Прикажи Баркод поле -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Испрати Добавувачот пораки +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Испрати Добавувачот пораки apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Плата веќе обработени за периодот од {0} и {1} Остави период апликација не може да биде помеѓу овој период. apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Инсталација рекорд за сериски број DocType: Guardian Interest,Guardian Interest,Гардијан камати @@ -3564,7 +3573,7 @@ DocType: Offer Letter,Awaiting Response,Чекам одговор apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Над apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Невалиден атрибут {0} {1} DocType: Supplier,Mention if non-standard payable account,"Спомене, ако не-стандардни плаќа сметката" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Истата ставка се внесени повеќе пати. {Листа} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Истата ставка се внесени повеќе пати. {Листа} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Ве молиме изберете ја групата за процена освен "Сите групи оценување" DocType: Salary Slip,Earning & Deduction,Заработувајќи & Одбивање apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Опционални. Оваа поставка ќе се користи за филтрирање на различни трансакции. @@ -3583,7 +3592,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Цената на расходувани средства apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Цена центар е задолжително за ставката {2} DocType: Vehicle,Policy No,Не политика -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Се предмети од производот Бовча +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Се предмети од производот Бовча DocType: Asset,Straight Line,Права линија DocType: Project User,Project User,корисник на проектот apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Подели @@ -3598,6 +3607,7 @@ DocType: Bank Reconciliation,Payment Entries,записи плаќање DocType: Production Order,Scrap Warehouse,отпад Магацински DocType: Production Order,Check if material transfer entry is not required,Проверете дали не е потребно влез материјал трансфер DocType: Production Order,Check if material transfer entry is not required,Проверете дали не е потребно влез материјал трансфер +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ве молиме подесете Систем за именување на вработените во човечки ресурси> Поставувања за човечки ресурси DocType: Program Enrollment Tool,Get Students From,Земете студенти од DocType: Hub Settings,Seller Country,Продавачот Земја apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Предмети објавуваат на веб-страницата @@ -3616,19 +3626,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Наведете услови за да се пресмета износот за испорака DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Улогата дозволено да го поставите замрзнати сметки & Уреди Замрзнати записи apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,Не може да се конвертира цена центар за книга како што има дете јазли -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,отворање вредност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,отворање вредност DocType: Salary Detail,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Сериски # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Комисијата за Продажба DocType: Offer Letter Term,Value / Description,Вредност / Опис -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: {1} средства не може да се поднесе, тоа е веќе {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: {1} средства не може да се поднесе, тоа е веќе {2}" DocType: Tax Rule,Billing Country,Платежна Земја DocType: Purchase Order Item,Expected Delivery Date,Се очекува испорака датум apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Дебитни и кредитни не се еднакви за {0} # {1}. Разликата е во тоа {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Забава трошоци apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Направете материјал Барање apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Отвори Точка {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Продажната Фактура {0} мора да поништи пред да се поништи оваа Продажна Нарачка +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Продажната Фактура {0} мора да поништи пред да се поништи оваа Продажна Нарачка apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Години DocType: Sales Invoice Timesheet,Billing Amount,Платежна Износ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Невалиден количество, дефинитивно за ставката {0}. Кол треба да биде поголем од 0." @@ -3651,7 +3661,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Нов корисник приходи apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Патни трошоци DocType: Maintenance Visit,Breakdown,Дефект -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Сметка: {0} со валутна: не може да се одбрани {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Сметка: {0} со валутна: не може да се одбрани {1} DocType: Bank Reconciliation Detail,Cheque Date,Чек Датум apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},На сметка {0}: Родител на сметка {1} не припаѓа на компанијата: {2} DocType: Program Enrollment Tool,Student Applicants,студентите Кандидатите @@ -3671,11 +3681,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Пла DocType: Material Request,Issued,Издадени apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,студент активност DocType: Project,Total Billing Amount (via Time Logs),Вкупен Износ на Наплата (преку Временски дневници) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Ние продаваме Оваа содржина +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Ние продаваме Оваа содржина apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id снабдувач DocType: Payment Request,Payment Gateway Details,Исплата Портал Детали -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Количина треба да биде поголем од 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,примерок на податоци +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Количина треба да биде поголем од 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,примерок на податоци DocType: Journal Entry,Cash Entry,Кеш Влегување apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,јазли дете може да се создаде само под јазли типот "група" DocType: Leave Application,Half Day Date,Половина ден Датум @@ -3684,17 +3694,18 @@ DocType: Sales Partner,Contact Desc,Контакт Desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Тип на листовите како повик, болни итн" DocType: Email Digest,Send regular summary reports via Email.,Испрати редовни збирни извештаи преку E-mail. DocType: Payment Entry,PE-,пе- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Поставете стандардна сметка во трошок Тип на приговор {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Поставете стандардна сметка во трошок Тип на приговор {0} DocType: Assessment Result,Student Name,студентски Име DocType: Brand,Item Manager,Точка менаџер apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Даноци се плаќаат DocType: Buying Settings,Default Supplier Type,Стандардно Добавувачот Тип DocType: Production Order,Total Operating Cost,Вкупни Оперативни трошоци -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Забелешка: Точката {0} влегоа неколку пати +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Забелешка: Точката {0} влегоа неколку пати apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Сите контакти. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Поставете ја целта apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Компанијата Кратенка apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Корисник {0} не постои -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Суровина којашто не може да биде иста како главна точка +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Суровина којашто не може да биде иста како главна точка DocType: Item Attribute Value,Abbreviation,Кратенка apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Плаќање Влегување веќе постои apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не authroized од {0} надминува граници @@ -3712,7 +3723,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Улогата доз ,Territory Target Variance Item Group-Wise,Територија Целна Варијанса Точка група-wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Сите групи потрошувачи apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Акумулирана Месечни -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задолжително. Можеби рекорд размена на валута не е создадена за {1} до {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задолжително. Можеби рекорд размена на валута не е создадена за {1} до {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Данок Шаблон е задолжително. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,На сметка {0}: Родител на сметка {1} не постои DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ценовник стапка (Фирма валута) @@ -3723,7 +3734,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Процент Р apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Секретар DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ако го исклучите, "Во зборовите" поле нема да бидат видливи во секоја трансакција" DocType: Serial No,Distinct unit of an Item,Посебна единица мерка на ставката -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Поставете компанијата +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Поставете компанијата DocType: Pricing Rule,Buying,Купување DocType: HR Settings,Employee Records to be created by,Вработен евиденција да бидат создадени од страна DocType: POS Profile,Apply Discount On,Применуваат попуст на @@ -3734,7 +3745,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Точка Мудриот Данок Детална apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Институтот Кратенка ,Item-wise Price List Rate,Точка-мудар Ценовник стапка -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Понуда од Добавувач +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Понуда од Добавувач DocType: Quotation,In Words will be visible once you save the Quotation.,Во Зборови ќе бидат видливи откако ќе го спаси котација. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може да биде дел во ред {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може да биде дел во ред {1} @@ -3758,7 +3769,7 @@ Updated via 'Time Log'",во минути освежено преку "Вр DocType: Customer,From Lead,Од Потенцијален клиент apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Нарачка пуштени во производство. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Изберете фискалната година ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Профил потребно да се направи ПОС Влегување +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Профил потребно да се направи ПОС Влегување DocType: Program Enrollment Tool,Enroll Students,Студентите кои се запишуваат DocType: Hub Settings,Name Token,Име знак apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандардна Продажба @@ -3776,7 +3787,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Акции Вредност apps/erpnext/erpnext/config/learn.py +234,Human Resource,Човечки ресурси DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Плаќање помирување на плаќање apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Даночни средства -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Производство цел е {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Производство цел е {0} DocType: BOM Item,BOM No,BOM број DocType: Instructor,INS/,ИНС / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Весник Влегување {0} нема сметка {1} или веќе се споредуваат со други ваучер @@ -3790,7 +3801,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Вне apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Најдобро Амт DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Поставените таргети Точка група-мудар за ова продажбата на лице. DocType: Stock Settings,Freeze Stocks Older Than [Days],Замрзнување резерви постари од [Денови] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ред # {0}: Асет е задолжително за фиксни средства купување / продажба +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ред # {0}: Асет е задолжително за фиксни средства купување / продажба apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ако две или повеќе правила Цените се наоѓаат врз основа на горенаведените услови, се применува приоритет. Приоритет е број помеѓу 0 до 20, додека стандардната вредност е нула (празно). Поголем број значи дека ќе имаат предност ако има повеќе Цените правила со истите услови." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Фискална година: {0} не постои DocType: Currency Exchange,To Currency,До Валута @@ -3799,7 +3810,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Видови на apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},стапка за продажба точка {0} е пониска од својот {1}. продажба стапка треба да биде барем {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},стапка за продажба точка {0} е пониска од својот {1}. продажба стапка треба да биде барем {2} DocType: Item,Taxes,Даноци -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Платени и не предаде +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Платени и не предаде DocType: Project,Default Cost Center,Стандардната цена центар DocType: Bank Guarantee,End Date,Крај Датум apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,акции трансакции @@ -3816,7 +3827,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Секојдневната работа поставки резиме на компанијата apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Точка {0} игнорира, бидејќи тоа не е предмет на акции" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Пратете овој производството со цел за понатамошна обработка. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Пратете овој производството со цел за понатамошна обработка. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Да не се применуваат Цените правило во одредена трансакција, сите важечки правила на цените треба да биде исклучен." DocType: Assessment Group,Parent Assessment Group,Родител група за оценување apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Вработувања @@ -3824,10 +3835,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Вработ DocType: Employee,Held On,Одржана на apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Производство Точка ,Employee Information,Вработен информации -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Стапка (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Стапка (%) DocType: Stock Entry Detail,Additional Cost,Дополнителни трошоци apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрираат врз основа на ваучер Не, ако се групираат според ваучер" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Направете Добавувачот цитат +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Направете Добавувачот цитат DocType: Quality Inspection,Incoming,Дојдовни DocType: BOM,Materials Required (Exploded),Потребни материјали (експлодира) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Додади корисниците на вашата организација, освен себе" @@ -3843,7 +3854,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Сметка: {0} можат да се ажурираат само преку акции трансакции DocType: Student Group Creation Tool,Get Courses,Земете курсеви DocType: GL Entry,Party,Партија -DocType: Sales Order,Delivery Date,Датум на испорака +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Датум на испорака DocType: Opportunity,Opportunity Date,Можност Датум DocType: Purchase Receipt,Return Against Purchase Receipt,Врати против Набавка Потврда DocType: Request for Quotation Item,Request for Quotation Item,Барање за прибирање понуди Точка @@ -3857,7 +3868,7 @@ DocType: Task,Actual Time (in Hours),Крај на времето (во часо DocType: Employee,History In Company,Во историјата на компанијата apps/erpnext/erpnext/config/learn.py +107,Newsletters,Билтени DocType: Stock Ledger Entry,Stock Ledger Entry,Акции Леџер Влегување -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Истата ставка се внесени повеќе пати +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Истата ставка се внесени повеќе пати DocType: Department,Leave Block List,Остави Забрани Листа DocType: Sales Invoice,Tax ID,Данок проект apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Ставка {0} не е подесување за сериски бр. Колоната мора да биде празна @@ -3875,25 +3886,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Црна DocType: BOM Explosion Item,BOM Explosion Item,BOM разделен ставка по ставка DocType: Account,Auditor,Ревизор -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} произведени ставки +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} произведени ставки DocType: Cheque Print Template,Distance from top edge,Одалеченост од горниот раб apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Ценовник {0} е оневозможено или не постои DocType: Purchase Invoice,Return,Враќање DocType: Production Order Operation,Production Order Operation,Производството со цел Операција DocType: Pricing Rule,Disable,Оневозможи -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Начин на плаќање е потребно да се изврши плаќање +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Начин на плаќање е потребно да се изврши плаќање DocType: Project Task,Pending Review,Во очекување Преглед apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не е запишано во серијата {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Асет {0} не може да се уништи, како што е веќе {1}" DocType: Task,Total Expense Claim (via Expense Claim),Вкупно Побарување за Расход (преку Побарување за Расход) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Марк Отсутни -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ред {0}: Валута на Бум # {1} треба да биде еднаква на избраната валута {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ред {0}: Валута на Бум # {1} треба да биде еднаква на избраната валута {2} DocType: Journal Entry Account,Exchange Rate,На девизниот курс -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Продај Побарувања {0} не е поднесен +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Продај Побарувања {0} не е поднесен DocType: Homepage,Tag Line,таг линија DocType: Fee Component,Fee Component,надомест Компонента apps/erpnext/erpnext/config/hr.py +195,Fleet Management,транспортен менаџмент -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Додадете ставки од +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Додадете ставки од DocType: Cheque Print Template,Regular,редовни apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Вкупно weightage на сите критериуми за оценување мора да биде 100% DocType: BOM,Last Purchase Rate,Последните Набавка стапка @@ -3914,12 +3925,12 @@ DocType: Employee,Reports to,Извештаи до DocType: SMS Settings,Enter url parameter for receiver nos,Внесете URL параметар за примачот бр DocType: Payment Entry,Paid Amount,Уплатениот износ DocType: Assessment Plan,Supervisor,супервизор -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,онлајн +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,онлајн ,Available Stock for Packing Items,Достапни берза за материјали за пакување DocType: Item Variant,Item Variant,Точка Варијанта DocType: Assessment Result Tool,Assessment Result Tool,Проценка Резултат алатката DocType: BOM Scrap Item,BOM Scrap Item,BOM на отпад/кало -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Поднесени налози не може да биде избришан +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Поднесени налози не може да биде избришан apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс на сметка веќе во Дебитна, не Ви е дозволено да се постави рамнотежа мора да биде "како" кредит "" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Управување со квалитет apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Точка {0} е исклучена @@ -3951,7 +3962,7 @@ DocType: Item Group,Default Expense Account,Стандардно сметка с apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Студент e-mail проект DocType: Employee,Notice (days),Известување (во денови) DocType: Tax Rule,Sales Tax Template,Данок на промет Шаблон -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Изберете предмети за да се спаси фактура +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Изберете предмети за да се спаси фактура DocType: Employee,Encashment Date,Датум на инкасо DocType: Training Event,Internet,интернет DocType: Account,Stock Adjustment,Акциите прилагодување @@ -4000,10 +4011,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Исп apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Макс попуст дозволено за ставка: {0} е {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Нето вредноста на средствата, како на" DocType: Account,Receivable,Побарувања -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ред # {0}: Не е дозволено да се промени Добавувачот како веќе постои нарачка +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ред # {0}: Не е дозволено да се промени Добавувачот како веќе постои нарачка DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Улогата што може да поднесе трансакции кои надминуваат кредитни лимити во собата. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Изберете предмети за производство -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Господар синхронизација на податоци, тоа може да потрае некое време" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Изберете предмети за производство +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Господар синхронизација на податоци, тоа може да потрае некое време" DocType: Item,Material Issue,Материјал Број DocType: Hub Settings,Seller Description,Продавачот Опис DocType: Employee Education,Qualification,Квалификација @@ -4024,11 +4035,10 @@ DocType: BOM,Rate Of Materials Based On,Стапка на материјали apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Поддршка Аналитика apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Отстранете ги сите DocType: POS Profile,Terms and Conditions,Услови и правила -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ве молиме подесете Систем за именување на вработените во човечки ресурси> Поставувања за човечки ресурси apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Датум треба да биде во рамките на фискалната година. Претпоставувајќи Да најдам = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Овде можете да одржите висина, тежина, алергии, медицински проблеми итн" DocType: Leave Block List,Applies to Company,Се однесува на компанијата -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Не може да се откаже затоа што {0} постои поднесени берза Влегување +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Не може да се откаже затоа што {0} постои поднесени берза Влегување DocType: Employee Loan,Disbursement Date,Датум на повлекување средства DocType: Vehicle,Vehicle,возило DocType: Purchase Invoice,In Words,Со зборови @@ -4067,7 +4077,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Општи нагоду DocType: Assessment Result Detail,Assessment Result Detail,Проценка Резултат детали DocType: Employee Education,Employee Education,Вработен образование apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Дупликат група точка најде во табелата на точката група -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Потребно е да се достигне цена Ставка Детали. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Потребно е да се достигне цена Ставка Детали. DocType: Salary Slip,Net Pay,Нето плати DocType: Account,Account,Сметка apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Сериски № {0} е веќе доби @@ -4075,7 +4085,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,возилото се Влез DocType: Purchase Invoice,Recurring Id,Повторувачки Id DocType: Customer,Sales Team Details,Тим за продажба Детали за -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Избриши засекогаш? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Избриши засекогаш? DocType: Expense Claim,Total Claimed Amount,Вкупен Износ на Побарувања apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенцијални можности за продажба. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Неважечки {0} @@ -4087,7 +4097,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Конфигурирање на вашиот школа во ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),База промени Износ (Фирма валута) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Не сметководствените ставки за следните магацини -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Зачувај го документот во прв план. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Зачувај го документот во прв план. DocType: Account,Chargeable,Наплатени DocType: Company,Change Abbreviation,Промена Кратенка DocType: Expense Claim Detail,Expense Date,Датум на сметка @@ -4101,7 +4111,6 @@ DocType: BOM,Manufacturing User,Производство корисник DocType: Purchase Invoice,Raw Materials Supplied,Суровини Опрема што се испорачува DocType: Purchase Invoice,Recurring Print Format,Повторувачки печатење формат DocType: C-Form,Series,Серија -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Се очекува испорака датум не може да биде пред нарачка Датум DocType: Appraisal,Appraisal Template,Процена Шаблон DocType: Item Group,Item Classification,Точка Класификација apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Бизнис менаџер за развој @@ -4140,12 +4149,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Избер apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Обука Настани / Резултати apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,"Акумулираната амортизација, како на" DocType: Sales Invoice,C-Form Applicable,C-Форма Применливи -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Операција на времето мора да биде поголема од 0 за операција {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Операција на времето мора да биде поголема од 0 за операција {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Складиште е задолжително DocType: Supplier,Address and Contacts,Адреса и контакти DocType: UOM Conversion Detail,UOM Conversion Detail,Детална UOM конверзија DocType: Program,Program Abbreviation,Програмата Кратенка -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Производство цел не може да се зголеми во однос на точка Шаблон +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Производство цел не може да се зголеми во однос на точка Шаблон apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Обвиненијата се ажурирани Набавка Потврда против секоја ставка DocType: Warranty Claim,Resolved By,Реши со DocType: Bank Guarantee,Start Date,Датум на почеток @@ -4180,6 +4189,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,обука Повратни информации apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Производство на налози {0} мора да се поднесе apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Ве молиме одберете Start Датум и краен датум за Точка {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Поставете продажната цел што сакате да ја постигнете. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Курсот е задолжително во ред {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,До денес не може да биде пред од денот DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4198,7 +4208,7 @@ DocType: Account,Income,Приходи DocType: Industry Type,Industry Type,Индустрија Тип apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Нешто не беше во ред! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Предупредување: Оставете апликација ги содржи следниве датуми блок -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Продажната Фактура {0} веќе е поднесена +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Продажната Фактура {0} веќе е поднесена DocType: Assessment Result Detail,Score,резултат apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Фискалната година {0} не постои apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Датум на завршување @@ -4228,7 +4238,7 @@ DocType: Naming Series,Help HTML,Помош HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Група на студенти инструмент за создавање на DocType: Item,Variant Based On,Варијанта врз основа на apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Вкупно weightage доделени треба да биде 100%. Тоа е {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Вашите добавувачи +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Вашите добавувачи apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Не може да се постави како изгубени како Продај Побарувања е направен. DocType: Request for Quotation Item,Supplier Part No,Добавувачот Дел Не apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',не може да се одбие кога категорија е наменета за "оценка" или "Vaulation и вкупно" @@ -4238,14 +4248,14 @@ DocType: Item,Has Serial No,Има серија № DocType: Employee,Date of Issue,Датум на издавање apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Од {0} {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Како на Settings Купување ако Набавка Reciept задолжителни == "ДА", тогаш за создавање Набавка фактура, корисникот треба да се создаде Набавка Потврда за прв елемент {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Ред # {0}: Постави Добавувачот за ставката {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Ред {0}: часови вредност мора да биде поголема од нула. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Ред # {0}: Постави Добавувачот за ставката {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Ред {0}: часови вредност мора да биде поголема од нула. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Веб-страница на слика {0} прилог Точка {1} Не може да се најде DocType: Issue,Content Type,Типот на содржина apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Компјутер DocType: Item,List this Item in multiple groups on the website.,Листа на оваа точка во повеќе групи на веб страната. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Ве молиме проверете ја опцијата Мулти Валута да им овозможи на сметки со друга валута -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Точка: {0} не постои во системот +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Точка: {0} не постои во системот apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Немате дозвола да го поставите Замрзнати вредност DocType: Payment Reconciliation,Get Unreconciled Entries,Земете неусогласеност записи DocType: Payment Reconciliation,From Invoice Date,Фактура од Датум @@ -4271,7 +4281,7 @@ DocType: Stock Entry,Default Source Warehouse,Стандардно Извор М DocType: Item,Customer Code,Код на клиентите apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Роденден Потсетник за {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дена од денот на нарачка -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Должење на сметка мора да биде на сметка Биланс на состојба +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Должење на сметка мора да биде на сметка Биланс на состојба DocType: Buying Settings,Naming Series,Именување Серија DocType: Leave Block List,Leave Block List Name,Остави Забрани Листа на Име apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Дата на започнување осигурување треба да биде помал од осигурување Дата на завршување @@ -4288,7 +4298,7 @@ DocType: Vehicle Log,Odometer,километража DocType: Sales Order Item,Ordered Qty,Нареди Количина apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Ставката {0} е оневозможено DocType: Stock Settings,Stock Frozen Upto,Акции Замрзнати до -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM не содржи количини +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM не содржи количини apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Период од периодот и роковите на задолжителна за периодични {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Проектна активност / задача. DocType: Vehicle Log,Refuelling Details,Полнење Детали @@ -4298,7 +4308,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Последните купување стапка не е пронајден DocType: Purchase Invoice,Write Off Amount (Company Currency),Отпише Износ (Фирма валута) DocType: Sales Invoice Timesheet,Billing Hours,платежна часа -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Аватарот на бирото за {0} не е пронајден +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Аватарот на бирото за {0} не е пронајден apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Ред # {0}: Поставете редоследот квантитетот apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Допрете ставки за да го додадете ги овде DocType: Fees,Program Enrollment,програма за запишување @@ -4332,6 +4342,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Стареењето опсег 2 DocType: SG Creation Tool Course,Max Strength,Макс Сила apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Бум замени +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Изберете предмети врз основа на датумот на испорака ,Sales Analytics,Продажбата анализи apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Достапно {0} ,Prospects Engaged But Not Converted,"Изгледите ангажирани, но не се претворат" @@ -4380,7 +4391,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise попуст apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet за задачите. DocType: Purchase Invoice,Against Expense Account,Против сметка сметка DocType: Production Order,Production Order,Производството со цел -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Инсталација Забелешка {0} е веќе испратена +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Инсталација Забелешка {0} е веќе испратена DocType: Bank Reconciliation,Get Payment Entries,Земете Записи на плаќање DocType: Quotation Item,Against Docname,Против Docname DocType: SMS Center,All Employee (Active),Сите вработените (Активни) @@ -4389,7 +4400,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Суровина трошоци DocType: Item Reorder,Re-Order Level,Повторно да Ниво DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Внесете предмети и планирани Количина за која сакате да се зголеми производството наредби или преземете суровини за анализа. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt шема +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt шема apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Скратено работно време DocType: Employee,Applicable Holiday List,Применливи летни Листа DocType: Employee,Cheque,Чек @@ -4447,11 +4458,11 @@ DocType: Bin,Reserved Qty for Production,Резервирано Количина DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Оставете неизбрано ако не сакате да се разгледа серија правејќи се разбира врз основа групи. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Оставете неизбрано ако не сакате да се разгледа серија правејќи се разбира врз основа групи. DocType: Asset,Frequency of Depreciation (Months),Фреквенција на амортизација (месеци) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Кредитна сметка +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Кредитна сметка DocType: Landed Cost Item,Landed Cost Item,Слета Цена Точка apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Прикажи нула вредности DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Количина на ставки добиени по производство / препакувани од дадени количини на суровини -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Поставување на едноставен веб-сајт за мојата организација +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Поставување на едноставен веб-сајт за мојата организација DocType: Payment Reconciliation,Receivable / Payable Account,Побарувања / Платив сметка DocType: Delivery Note Item,Against Sales Order Item,Во однос на ставка од продажна нарачка apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Ве молиме наведете Атрибут Вредноста за атрибутот {0} @@ -4516,22 +4527,22 @@ DocType: Student,Nationality,националност ,Items To Be Requested,Предмети да се бара DocType: Purchase Order,Get Last Purchase Rate,Земете Последна Набавка стапка DocType: Company,Company Info,Инфо за компанијата -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Изберете или да додадете нови клиенти -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,центар за трошоци е потребно да се резервира на барање за сметка +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Изберете или да додадете нови клиенти +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,центар за трошоци е потребно да се резервира на барање за сметка apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Примена на средства (средства) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ова се базира на присуството на вработениот -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Дебитни сметка +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Дебитни сметка DocType: Fiscal Year,Year Start Date,Година започнува на Датум DocType: Attendance,Employee Name,Име на вработениот DocType: Sales Invoice,Rounded Total (Company Currency),Вкупно Заокружено (Валута на Фирма) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Не може да се тајните на група, бидејќи е избран тип на сметка." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} е изменета. Ве молиме да се одмориме. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} е изменета. Ве молиме да се одмориме. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Стоп за корисниците од правење Остави апликации на наредните денови. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,купување износ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Добавувачот Цитати {0} создадена apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Крајот на годината не може да биде пред почетокот на годината apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Користи за вработените -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Спакувани количество мора да биде еднаков количина за ставката {0} во ред {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Спакувани количество мора да биде еднаков количина за ставката {0} во ред {1} DocType: Production Order,Manufactured Qty,Произведени Количина DocType: Purchase Receipt Item,Accepted Quantity,Прифатени Кол apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Поставете стандардно летни Листа за вработените {0} или куќа {1} @@ -4542,11 +4553,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Ред Нема {0}: Износ не може да биде поголема од До Износ против расходи Тврдат {1}. Во очекување сума е {2} DocType: Maintenance Schedule,Schedule,Распоред DocType: Account,Parent Account,Родител профил -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Достапни +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Достапни DocType: Quality Inspection Reading,Reading 3,Читање 3 ,Hub,Центар DocType: GL Entry,Voucher Type,Ваучер Тип -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Ценовник не е пронајдена или со посебни потреби +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Ценовник не е пронајдена или со посебни потреби DocType: Employee Loan Application,Approved,Одобрени DocType: Pricing Rule,Price,Цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Вработен ослободен на {0} мора да биде поставено како "Лево" @@ -4616,7 +4627,7 @@ DocType: SMS Settings,Static Parameters,Статични параметрите DocType: Assessment Plan,Room,соба DocType: Purchase Order,Advance Paid,Однапред платени DocType: Item,Item Tax,Точка Данок -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Материјал на Добавувачот +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Материјал на Добавувачот apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Акцизни Фактура apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% чини повеќе од еднаш DocType: Expense Claim,Employees Email Id,Вработените-пошта Id @@ -4656,7 +4667,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,модел DocType: Production Order,Actual Operating Cost,Крај на оперативни трошоци DocType: Payment Entry,Cheque/Reference No,Чек / Референтен број -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Добавувачот> Тип на добавувач apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Корен не може да се уредува. DocType: Item,Units of Measure,На мерните единици DocType: Manufacturing Settings,Allow Production on Holidays,Овозможете производството за празниците @@ -4689,12 +4699,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Кредитна дена apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Направете Студентски Batch DocType: Leave Type,Is Carry Forward,Е пренесување -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Земи ставки од BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Земи ставки од BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Потенцијален клиент Време Денови -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Праќање пораки во Датум мора да биде иста како датум на купување {1} на средства {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Праќање пораки во Датум мора да биде иста како датум на купување {1} на средства {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Изберете го ова ако ученикот е престојуваат во Хостел на Институтот. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Ве молиме внесете Продај Нарачка во горната табела -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Не е оставено исплатните листи +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Не е оставено исплатните листи ,Stock Summary,акции Резиме apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Трансфер на средства од еден склад во друг DocType: Vehicle,Petrol,Петрол diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv index 38b18ddfd98..c6300a7c332 100644 --- a/erpnext/translations/ml.csv +++ b/erpnext/translations/ml.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,ഡീലർ DocType: Employee,Rented,വാടകയ്ക്ക് എടുത്തത് DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,ഉപയോക്താവ് ബാധകമായ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","പ്രൊഡക്ഷൻ ഓർഡർ റദ്ദാക്കാൻ ആദ്യം Unstop, റദ്ദാക്കാൻ കഴിയില്ല നിർത്തി" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","പ്രൊഡക്ഷൻ ഓർഡർ റദ്ദാക്കാൻ ആദ്യം Unstop, റദ്ദാക്കാൻ കഴിയില്ല നിർത്തി" DocType: Vehicle Service,Mileage,മൈലേജ് apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,ശരിക്കും ഈ അസറ്റ് മുൻസർക്കാരിന്റെ ആഗ്രഹിക്കുന്നുണ്ടോ? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,സ്വതേ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% വസതി apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),വിനിമയ നിരക്ക് {1} {0} അതേ ആയിരിക്കണം ({2}) DocType: Sales Invoice,Customer Name,ഉപഭോക്താവിന്റെ പേര് DocType: Vehicle,Natural Gas,പ്രകൃതി വാതകം -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},ബാങ്ക് അക്കൗണ്ട് {0} എന്ന് നാമകരണം ചെയ്യാൻ കഴിയില്ല +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},ബാങ്ക് അക്കൗണ്ട് {0} എന്ന് നാമകരണം ചെയ്യാൻ കഴിയില്ല DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,മേധാവികൾ (അല്ലെങ്കിൽ ഗ്രൂപ്പുകൾ) അക്കൗണ്ടിംഗ് വിഭാഗരേഖകൾ തീർത്തതു നീക്കിയിരിപ്പും സൂക്ഷിക്കുന്ന ഏത് നേരെ. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),പ്രമുഖ {0} പൂജ്യം ({1}) കുറവായിരിക്കണം കഴിയില്ല വേണ്ടി DocType: Manufacturing Settings,Default 10 mins,10 മിനിറ്റ് സ്വതേ സ്വതേ @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,ടൈപ്പ് പേര് വിടു apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,തുറക്കുക കാണിക്കുക apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,സീരീസ് വിജയകരമായി അപ്ഡേറ്റ് apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,ചെക്ക് ഔട്ട് -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural ജേണൽ എൻട്രി സമർപ്പിച്ചു +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural ജേണൽ എൻട്രി സമർപ്പിച്ചു DocType: Pricing Rule,Apply On,പുരട്ടുക DocType: Item Price,Multiple Item prices.,മൾട്ടിപ്പിൾ ഇനം വില. ,Purchase Order Items To Be Received,പ്രാപിക്കേണ്ട ഓർഡർ ഇനങ്ങൾ വാങ്ങുക @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,പേയ്മെന apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,ഷോ രൂപഭേദങ്ങൾ DocType: Academic Term,Academic Term,അക്കാദമിക് ടേം apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,മെറ്റീരിയൽ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,ക്വാണ്ടിറ്റി +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,ക്വാണ്ടിറ്റി apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,അക്കൗണ്ടുകൾ മേശ ശൂന്യമായിടരുത്. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),വായ്പകൾ (ബാദ്ധ്യതകളും) DocType: Employee Education,Year of Passing,പാസ് ആയ വര്ഷം @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ആരോഗ്യ പരിരക്ഷ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),പേയ്മെന്റ് കാലതാമസം (ദിവസം) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,സേവന ചിലവേറിയ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},സീരിയൽ നമ്പർ: {0} ഇതിനകം സെയിൽസ് ഇൻവോയ്സ് പരാമർശിച്ചിരിക്കുന്ന ആണ്: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,വികയപതം +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},സീരിയൽ നമ്പർ: {0} ഇതിനകം സെയിൽസ് ഇൻവോയ്സ് പരാമർശിച്ചിരിക്കുന്ന ആണ്: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,വികയപതം DocType: Maintenance Schedule Item,Periodicity,ഇതേ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,സാമ്പത്തിക വർഷത്തെ {0} ആവശ്യമാണ് -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,പ്രതീക്ഷിക്കുന്ന ഡെലിവറി തീയതിയും സെയിൽസ് ഓർഡർ തീയതി മുമ്പ് വേണ്ടത് apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,പ്രതിരോധ DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),സ്കോർ (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,വരി # {0}: DocType: Timesheet,Total Costing Amount,ആകെ ആറെണ്ണവും തുക DocType: Delivery Note,Vehicle No,വാഹനം ഇല്ല -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,വില ലിസ്റ്റ് തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,വില ലിസ്റ്റ് തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,വരി # {0}: പേയ്മെന്റ് പ്രമാണം trasaction പൂർത്തിയാക്കേണ്ടതുണ്ട് DocType: Production Order Operation,Work In Progress,പ്രവൃത്തി പുരോഗതിയിലാണ് apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,തീയതി തിരഞ്ഞെടുക്കുക @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} അല്ല സജീവമായ സാമ്പത്തിക വർഷത്തിൽ. DocType: Packed Item,Parent Detail docname,പാരന്റ് വിശദാംശം docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","പരാമർശം: {2}: {0}, ഇനം കോഡ്: {1} ഉപഭോക്തൃ" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,കി. ഗ്രാം +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,കി. ഗ്രാം DocType: Student Log,Log,പ്രവേശിക്കുക apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ഒരു ജോലിക്കായി തുറക്കുന്നു. DocType: Item Attribute,Increment,വർദ്ധന @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,വിവാഹിത apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},{0} അനുവദനീയമല്ല apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,നിന്ന് ഇനങ്ങൾ നേടുക -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},ഓഹരി ഡെലിവറി നോട്ട് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},ഓഹരി ഡെലിവറി നോട്ട് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ഉൽപ്പന്ന {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ഇനങ്ങളൊന്നും ലിസ്റ്റ് DocType: Payment Reconciliation,Reconcile,രഞ്ജിപ്പുണ്ടാക്കണം @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,പ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,അടുത്ത മൂല്യത്തകർച്ച തീയതി വാങ്ങിയ തിയതി ആകരുത് DocType: SMS Center,All Sales Person,എല്ലാ സെയിൽസ് വ്യാക്തി DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** പ്രതിമാസ വിതരണം ** നിങ്ങളുടെ ബിസിനസ്സിൽ seasonality ഉണ്ടെങ്കിൽ മാസം ഉടനീളം ബജറ്റ് / target വിതരണം സഹായിക്കുന്നു. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,കണ്ടെത്തിയില്ല ഇനങ്ങൾ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,കണ്ടെത്തിയില്ല ഇനങ്ങൾ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,ശമ്പള ഘടന കാണാതായ DocType: Lead,Person Name,വ്യക്തി നാമം DocType: Sales Invoice Item,Sales Invoice Item,സെയിൽസ് ഇൻവോയിസ് ഇനം @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ഫിക്സ്ഡ് സ്വത്ത്" അസറ്റ് റെക്കോർഡ് ഇനം നേരെ നിലവിലുള്ളതിനാൽ, അൺചെക്കുചെയ്തു പാടില്ല" DocType: Vehicle Service,Brake Oil,ബ്രേക്ക് ഓയിൽ DocType: Tax Rule,Tax Type,നികുതി തരം -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,ടാക്സബിളല്ല തുക +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,ടാക്സബിളല്ല തുക apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},നിങ്ങൾ {0} മുമ്പായി എൻട്രികൾ ചേർക്കാൻ അല്ലെങ്കിൽ അപ്ഡേറ്റ് ചെയ്യാൻ അധികാരമില്ല DocType: BOM,Item Image (if not slideshow),ഇനം ഇമേജ് (അതില് അല്ല എങ്കിൽ) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ഒരു കസ്റ്റമർ സമാന പേരിൽ നിലവിലുണ്ട് DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(അന്ത്യസമയം റേറ്റ് / 60) * യഥാർത്ഥ ഓപ്പറേഷൻ സമയം -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,BOM ൽ തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,BOM ൽ തിരഞ്ഞെടുക്കുക DocType: SMS Log,SMS Log,എസ്എംഎസ് ലോഗ് apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,കൈമാറി ഇനങ്ങൾ ചെലവ് apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,ന് {0} അവധി തീയതി മുതൽ ദിവസവും തമ്മിലുള്ള അല്ല @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,സ്കൂളുകൾ DocType: School Settings,Validate Batch for Students in Student Group,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് വിദ്യാർത്ഥികളുടെ ബാച്ച് സാധൂകരിക്കൂ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},വേണ്ടി {1} {0} ജീവനക്കാരൻ കണ്ടെത്തിയില്ല ലീവ് റിക്കോർഡുകളൊന്നും apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ആദ്യം കമ്പനി നൽകുക -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,കമ്പനി ആദ്യം തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,കമ്പനി ആദ്യം തിരഞ്ഞെടുക്കുക DocType: Employee Education,Under Graduate,ഗ്രാജ്വേറ്റ് കീഴിൽ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ടാർഗറ്റിൽ DocType: BOM,Total Cost,മൊത്തം ചെലവ് DocType: Journal Entry Account,Employee Loan,ജീവനക്കാരുടെ വായ്പ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,പ്രവർത്തന ലോഗ്: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,ഇനം {0} വ്യവസ്ഥിതിയിൽ നിലവിലില്ല അല്ലെങ്കിൽ കാലഹരണപ്പെട്ടു +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,പ്രവർത്തന ലോഗ്: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,ഇനം {0} വ്യവസ്ഥിതിയിൽ നിലവിലില്ല അല്ലെങ്കിൽ കാലഹരണപ്പെട്ടു apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,റിയൽ എസ്റ്റേറ്റ് apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,അക്കൗണ്ട് പ്രസ്താവന apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ഫാർമസ്യൂട്ടിക്കൽസ് @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,ക്ലെയിം തുക apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer ഗ്രൂപ്പ് പട്ടികയിൽ കണ്ടെത്തി തനിപ്പകർപ്പ് ഉപഭോക്തൃ ഗ്രൂപ്പ് apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,വിതരണക്കമ്പനിയായ ടൈപ്പ് / വിതരണക്കാരൻ DocType: Naming Series,Prefix,പ്രിഫിക്സ് -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,സെറ്റപ്പ്> ക്രമീകരണങ്ങൾ> നാമനിർദേശം ചെയ്യുന്ന സീരികൾ വഴി {0} നാമനിർദ്ദേശ ശ്രേണികൾ സജ്ജീകരിക്കുക -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumable +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumable DocType: Employee,B-,ലോകോത്തര DocType: Upload Attendance,Import Log,ഇറക്കുമതി പ്രവർത്തനരേഖ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,മുകളിൽ മാനദണ്ഡങ്ങൾ അടിസ്ഥാനമാക്കി തരം ഉത്പാദനം ഭൗതിക അഭ്യർത്ഥന വലിക്കുക DocType: Training Result Employee,Grade,പദവി DocType: Sales Invoice Item,Delivered By Supplier,വിതരണക്കാരൻ രക്ഷപ്പെടുത്തി DocType: SMS Center,All Contact,എല്ലാ കോൺടാക്റ്റ് -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,ഇതിനകം BOM ലേക്ക് എല്ലാ ഇനങ്ങളും സൃഷ്ടിച്ച പ്രൊഡക്ഷൻ ഓർഡർ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,ഇതിനകം BOM ലേക്ക് എല്ലാ ഇനങ്ങളും സൃഷ്ടിച്ച പ്രൊഡക്ഷൻ ഓർഡർ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,വാർഷിക ശമ്പളം DocType: Daily Work Summary,Daily Work Summary,നിത്യജീവിതത്തിലെ ഔദ്യോഗിക ചുരുക്കം DocType: Period Closing Voucher,Closing Fiscal Year,അടയ്ക്കുന്ന ധനകാര്യ വർഷം -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} മരവിച്ചു +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} മരവിച്ചു apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,അക്കൗണ്ട്സ് ചാർട്ട് സൃഷ്ടിക്കുന്നതിനുള്ള കമ്പനി തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,സ്റ്റോക്ക് ചെലവുകൾ apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ടാർഗെറ്റ് വെയർഹൗസ് തിരഞ്ഞെടുക്കുക @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},സമ്മതിച്ച + Qty ഇനം {0} ലഭിച്ചത് അളവ് തുല്യമോ ആയിരിക്കണം നിരസിച്ചു DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,വാങ്ങൽ വേണ്ടി സപ്ലൈ അസംസ്കൃത വസ്തുക്കൾ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,പേയ്മെന്റ് കുറഞ്ഞത് ഒരു മോഡ് POS ൽ ഇൻവോയ്സ് ആവശ്യമാണ്. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,പേയ്മെന്റ് കുറഞ്ഞത് ഒരു മോഡ് POS ൽ ഇൻവോയ്സ് ആവശ്യമാണ്. DocType: Products Settings,Show Products as a List,ഒരു പട്ടിക ഉൽപ്പന്നങ്ങൾ കാണിക്കുക DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","ഫലകം ഡൗൺലോഡ്, ഉചിതമായ ഡാറ്റ പൂരിപ്പിക്കുക പ്രമാണത്തെ കൂട്ടിച്ചേർക്കുക. തിരഞ്ഞെടുത്ത കാലയളവിൽ എല്ലാ തീയതി ജീവനക്കാരൻ കോമ്പിനേഷൻ നിലവിലുള്ള ഹാജർ രേഖകളുമായി, ടെംപ്ലേറ്റ് വരും" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,ഇനം {0} സജീവ അല്ലെങ്കിൽ ജീവിതാവസാനം അല്ല എത്തികഴിഞ്ഞു -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,ഉദാഹരണം: അടിസ്ഥാന ഗണിതം -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","നികുതി ഉൾപ്പെടുത്തുന്നതിനായി നിരയിൽ {0} ഇനം നിരക്ക്, വരികൾ {1} ലെ നികുതികൾ കൂടി ഉൾപ്പെടുത്തും വേണം" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,ഉദാഹരണം: അടിസ്ഥാന ഗണിതം +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","നികുതി ഉൾപ്പെടുത്തുന്നതിനായി നിരയിൽ {0} ഇനം നിരക്ക്, വരികൾ {1} ലെ നികുതികൾ കൂടി ഉൾപ്പെടുത്തും വേണം" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,എച്ച് മൊഡ്യൂൾ വേണ്ടി ക്രമീകരണങ്ങൾ DocType: SMS Center,SMS Center,എസ്എംഎസ് കേന്ദ്രം DocType: Sales Invoice,Change Amount,തുക മാറ്റുക @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},ഇന്സ്റ്റലേഷന് തീയതി ഇനം {0} വേണ്ടി ഡെലിവറി തീയതി മുമ്പ് ആകാൻ പാടില്ല DocType: Pricing Rule,Discount on Price List Rate (%),വില പട്ടിക നിരക്ക് (%) ന് ഡിസ്കൗണ്ട് DocType: Offer Letter,Select Terms and Conditions,നിബന്ധനകളും വ്യവസ്ഥകളും തിരഞ്ഞെടുക്കുക -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,മൂല്യം ഔട്ട് +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,മൂല്യം ഔട്ട് DocType: Production Planning Tool,Sales Orders,സെയിൽസ് ഉത്തരവുകൾ DocType: Purchase Taxes and Charges,Valuation,വിലമതിക്കല് ,Purchase Order Trends,ഓർഡർ ട്രെൻഡുകൾ വാങ്ങുക @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,എൻട്രി തുറക്കുകയാണ് DocType: Customer Group,Mention if non-standard receivable account applicable,സ്റ്റാൻഡേർഡ് അല്ലാത്ത സ്വീകരിക്കുന്ന അക്കൌണ്ട് ബാധകമാണെങ്കിൽ പ്രസ്താവിക്കുക DocType: Course Schedule,Instructor Name,പരിശീലകൻ പേര് -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,വെയർഹൗസ് ആവശ്യമാണ് എന്ന മുമ്പ് സമർപ്പിക്കുക +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,വെയർഹൗസ് ആവശ്യമാണ് എന്ന മുമ്പ് സമർപ്പിക്കുക apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,ഏറ്റുവാങ്ങിയത് DocType: Sales Partner,Reseller,റീസെല്ലറിൽ DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","പരിശോധിച്ചാൽ, മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ അല്ലാത്ത സ്റ്റോക്ക് ഇനങ്ങൾ ഉൾപ്പെടുത്തും." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,സെയിൽസ് ഇൻവോയിസ് ഇനം എഗെൻസ്റ്റ് ,Production Orders in Progress,പുരോഗതിയിലാണ് പ്രൊഡക്ഷൻ ഉത്തരവുകൾ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,ഫിനാൻസിംഗ് നിന്നുള്ള നെറ്റ് ക്യാഷ് -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു" DocType: Lead,Address & Contact,വിലാസം & ബന്ധപ്പെടാനുള്ള DocType: Leave Allocation,Add unused leaves from previous allocations,മുൻ വിഹിതം നിന്ന് ഉപയോഗിക്കാത്ത ഇലകൾ ചേർക്കുക apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},അടുത്തത് ആവർത്തിക്കുന്നു {0} {1} സൃഷ്ടിക്കപ്പെടും DocType: Sales Partner,Partner website,പങ്കാളി വെബ്സൈറ്റ് apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,ഇനം ചേർക്കുക -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,കോൺടാക്റ്റ് പേര് +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,കോൺടാക്റ്റ് പേര് DocType: Course Assessment Criteria,Course Assessment Criteria,കോഴ്സ് അസസ്മെന്റ് മാനദണ്ഡം DocType: Process Payroll,Creates salary slip for above mentioned criteria.,മുകളിൽ സൂചിപ്പിച്ച മാനദണ്ഡങ്ങൾ ശമ്പളം സ്ലിപ്പ് തയ്യാറാക്കുന്നു. DocType: POS Customer Group,POS Customer Group,POS കസ്റ്റമർ ഗ്രൂപ്പ് @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,വരി {0}: ഈ അഡ്വാൻസ് എൻട്രി ആണ് എങ്കിൽ {1} അക്കൗണ്ട് നേരെ 'അഡ്വാൻസ് തന്നെയല്ലേ' പരിശോധിക്കുക. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},വെയർഹൗസ് {0} കൂട്ടത്തിന്റെ {1} സ്വന്തമല്ല DocType: Email Digest,Profit & Loss,ലാഭം നഷ്ടം -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,ലിറ്റർ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,ലിറ്റർ DocType: Task,Total Costing Amount (via Time Sheet),ആകെ ആറെണ്ണവും തുക (ടൈം ഷീറ്റ് വഴി) DocType: Item Website Specification,Item Website Specification,ഇനം വെബ്സൈറ്റ് സ്പെസിഫിക്കേഷൻ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,വിടുക തടയപ്പെട്ട @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,സെയിൽസ് ഇൻവോയ DocType: Material Request Item,Min Order Qty,കുറഞ്ഞത് ഓർഡർ Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ക്രിയേഷൻ ടൂൾ കോഴ്സ് DocType: Lead,Do Not Contact,ബന്ധപ്പെടുക ചെയ്യരുത് -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,നിങ്ങളുടെ ഓർഗനൈസേഷനിലെ പഠിപ്പിക്കാൻ ആളുകൾ +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,നിങ്ങളുടെ ഓർഗനൈസേഷനിലെ പഠിപ്പിക്കാൻ ആളുകൾ DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,എല്ലാ ആവർത്തന ഇൻവോയ്സുകൾ ട്രാക്കുചെയ്യുന്നതിനുള്ള അതുല്യ ഐഡി. സമർപ്പിക്കുക ന് ഉത്പാദിപ്പിക്കപ്പെടുന്നത്. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,സോഫ്റ്റ്വെയർ ഡെവലപ്പർ DocType: Item,Minimum Order Qty,മിനിമം ഓർഡർ Qty @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,ഹബ് ലെ പ്രസിദ്ധീകര DocType: Student Admission,Student Admission,വിദ്യാർത്ഥിയുടെ അഡ്മിഷൻ ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,ഇനം {0} റദ്ദാക്കി -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന DocType: Bank Reconciliation,Update Clearance Date,അപ്ഡേറ്റ് ക്ലിയറൻസ് തീയതി DocType: Item,Purchase Details,വിശദാംശങ്ങൾ വാങ്ങുക apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ഇനം {0} വാങ്ങൽ ഓർഡർ {1} ൽ 'അസംസ്കൃത വസ്തുക്കളുടെ നൽകിയത് മേശയിൽ കണ്ടെത്തിയില്ല @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,ഫ്ലീറ്റ് മാനേജർ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},വരി # {0}: {1} ഇനം {2} നെഗറ്റീവ് പാടില്ല apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,തെറ്റായ പാസ്വേഡ് DocType: Item,Variant Of,ഓഫ് വേരിയന്റ് -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',പൂർത്തിയാക്കി Qty 'Qty നിർമ്മിക്കാനുള്ള' വലുതായിരിക്കും കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',പൂർത്തിയാക്കി Qty 'Qty നിർമ്മിക്കാനുള്ള' വലുതായിരിക്കും കഴിയില്ല DocType: Period Closing Voucher,Closing Account Head,അടയ്ക്കുന്ന അക്കൗണ്ട് ഹെഡ് DocType: Employee,External Work History,പുറത്തേക്കുള്ള വർക്ക് ചരിത്രം apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,വൃത്താകൃതിയിലുള്ള റഫറൻസ് പിശക് @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,ഇടത് അറ്റ apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{2}] (# ഫോം / വെയർഹൗസ് / {2}) ൽ കണ്ടെത്തിയ [{1}] യൂണിറ്റുകൾ (# ഫോം / ഇനം / {1}) DocType: Lead,Industry,വ്യവസായം DocType: Employee,Job Profile,ഇയ്യോബ് പ്രൊഫൈൽ +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,ഇത് ഈ കമ്പനിക്കെതിരെയുള്ള ഇടപാടുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്കായി താഴെയുള്ള ടൈംലൈൻ കാണുക DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ഓട്ടോമാറ്റിക് മെറ്റീരിയൽ അഭ്യർത്ഥന സൃഷ്ടിക്ക് ന് ഇമെയിൽ വഴി അറിയിക്കുക DocType: Journal Entry,Multi Currency,മൾട്ടി കറൻസി DocType: Payment Reconciliation Invoice,Invoice Type,ഇൻവോയിസ് തരം -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,ഡെലിവറി നോട്ട് +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,ഡെലിവറി നോട്ട് apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,നികുതികൾ സജ്ജമാക്കുന്നു apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,വിറ്റത് അസറ്റ് ചെലവ് apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,നിങ്ങൾ അതു കടിച്ചുകീറി ശേഷം പെയ്മെന്റ് എൻട്രി പരിഷ്ക്കരിച്ചു. വീണ്ടും തുടയ്ക്കുക ദയവായി. @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,ഫീൽഡ് മൂല്യം 'ഡേ മാസം ആവർത്തിക്കുക' നൽകുക DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,കസ്റ്റമർ നാണയ ഉപഭോക്താവിന്റെ അടിസ്ഥാന കറൻസി മാറ്റുമ്പോൾ തോത് DocType: Course Scheduling Tool,Course Scheduling Tool,കോഴ്സ് സമയംസജ്ജീകരിയ്ക്കുന്നു ടൂൾ -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},വരി # {0}: വാങ്ങൽ ഇൻവോയ്സ് നിലവിലുള്ള അസറ്റ് {1} നേരെ ഉണ്ടാക്കി കഴിയില്ല +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},വരി # {0}: വാങ്ങൽ ഇൻവോയ്സ് നിലവിലുള്ള അസറ്റ് {1} നേരെ ഉണ്ടാക്കി കഴിയില്ല DocType: Item Tax,Tax Rate,നികുതി നിരക്ക് apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ഇതിനകം കാലാവധിയിൽ എംപ്ലോയിസ് {1} അനുവദിച്ചിട്ടുണ്ട് {2} {3} വരെ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,ഇനം തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,ഇനം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,വാങ്ങൽ ഇൻവോയിസ് {0} ഇതിനകം സമർപ്പിച്ചു ആണ് apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},വരി # {0}: ബാച്ച് ഇല്ല {1} {2} അതേ ആയിരിക്കണം apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,നോൺ-ഗ്രൂപ്പ് പരിവർത്തനം @@ -447,7 +446,7 @@ DocType: Employee,Widowed,വിധവയായ DocType: Request for Quotation,Request for Quotation,ക്വട്ടേഷൻ അഭ്യർത്ഥന DocType: Salary Slip Timesheet,Working Hours,ജോലിചെയ്യുന്ന സമയം DocType: Naming Series,Change the starting / current sequence number of an existing series.,നിലവിലുള്ള ഒരു പരമ്പരയിലെ തുടങ്ങുന്ന / നിലവിലെ ക്രമസംഖ്യ മാറ്റുക. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ഒരു പുതിയ കസ്റ്റമർ സൃഷ്ടിക്കുക +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,ഒരു പുതിയ കസ്റ്റമർ സൃഷ്ടിക്കുക apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ഒന്നിലധികം പ്രൈസിങ് നിയമങ്ങൾ വിജയം തുടരുകയാണെങ്കിൽ, ഉപയോക്താക്കൾക്ക് വൈരുദ്ധ്യം പരിഹരിക്കാൻ മാനുവലായി മുൻഗണന സജ്ജീകരിക്കാൻ ആവശ്യപ്പെട്ടു." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,വാങ്ങൽ ഓർഡറുകൾ സൃഷ്ടിക്കുക ,Purchase Register,രജിസ്റ്റർ വാങ്ങുക @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,എക്സാമിനർ പേര് DocType: Purchase Invoice Item,Quantity and Rate,"ക്വാണ്ടിറ്റി, റേറ്റ്" DocType: Delivery Note,% Installed,% ഇൻസ്റ്റാളുചെയ്തു -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,ക്ലാസ്മുറിയുടെ / ലബോറട്ടറീസ് തുടങ്ങിയവ പ്രഭാഷണങ്ങളും ഷെഡ്യൂൾ കഴിയും. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,ക്ലാസ്മുറിയുടെ / ലബോറട്ടറീസ് തുടങ്ങിയവ പ്രഭാഷണങ്ങളും ഷെഡ്യൂൾ കഴിയും. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,കമ്പനിയുടെ പേര് ആദ്യം നൽകുക DocType: Purchase Invoice,Supplier Name,വിതരണക്കാരൻ പേര് apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext മാനുവൽ വായിക്കുക @@ -490,7 +489,7 @@ DocType: Account,Old Parent,പഴയ പേരന്റ്ഫോള്ഡര apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,നിർബന്ധമായ ഒരു ഫീൽഡ് - അക്കാദമിക് വർഷം apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,നിർബന്ധമായ ഒരു ഫീൽഡ് - അക്കാദമിക് വർഷം DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ആ ഇമെയിൽ ഭാഗമായി പോകുന്ന ആമുഖ വാചകം ഇഷ്ടാനുസൃതമാക്കുക. ഓരോ ഇടപാട് ഒരു പ്രത്യേക ആമുഖ ടെക്സ്റ്റ് ഉണ്ട്. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},കമ്പനി {0} സ്ഥിരസ്ഥിതി മാറാവുന്ന അക്കൗണ്ട് സജ്ജീകരിക്കുക +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},കമ്പനി {0} സ്ഥിരസ്ഥിതി മാറാവുന്ന അക്കൗണ്ട് സജ്ജീകരിക്കുക apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,എല്ലാ നിർമാണ പ്രക്രിയകൾ വേണ്ടി ആഗോള ക്രമീകരണങ്ങൾ. DocType: Accounts Settings,Accounts Frozen Upto,ശീതീകരിച്ച വരെ അക്കൗണ്ടുകൾ DocType: SMS Log,Sent On,ദിവസം അയച്ചു @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,നൽകാനുള്ള പണം apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,തിരഞ്ഞെടുത്ത BOMs ഒരേ ഇനം മാത്രമുള്ളതല്ല DocType: Pricing Rule,Valid Upto,സാധുതയുള്ള വരെ DocType: Training Event,Workshop,പണിപ്പുര -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,"നിങ്ങളുടെ ഉപഭോക്താക്കൾ ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം." +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,"നിങ്ങളുടെ ഉപഭോക്താക്കൾ ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,ബിൽഡ് മതിയായ ഭാഗങ്ങൾ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,നേരിട്ടുള്ള ആദായ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","അക്കൗണ്ട് ഭൂഖണ്ടക്രമത്തിൽ, അക്കൗണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,കോഴ്സ് തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,കോഴ്സ് തിരഞ്ഞെടുക്കുക DocType: Timesheet Detail,Hrs,hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,കമ്പനി തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,കമ്പനി തിരഞ്ഞെടുക്കുക DocType: Stock Entry Detail,Difference Account,വ്യത്യാസം അക്കൗണ്ട് DocType: Purchase Invoice,Supplier GSTIN,വിതരണക്കാരൻ ഗ്സ്തിന് apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,അതിന്റെ ചുമതല {0} ക്ലോസ്ഡ് അല്ല അടുത്തുവരെ കാര്യമല്ല Can. @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,ത്രെഷോൾഡ് 0% വേണ്ടി ഗ്രേഡ് define ദയവായി DocType: Sales Order,To Deliver,വിടുവിപ്പാൻ DocType: Purchase Invoice Item,Item,ഇനം -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,സീരിയൽ യാതൊരു ഇനം ഒരു അംശം കഴിയില്ല +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,സീരിയൽ യാതൊരു ഇനം ഒരു അംശം കഴിയില്ല DocType: Journal Entry,Difference (Dr - Cr),വ്യത്യാസം (ഡോ - CR) DocType: Account,Profit and Loss,ലാഭവും നഷ്ടവും apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,മാനേജിംഗ് ചൂടുകാലമാണെന്നത് @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),വാറന്റി പിരീഡ DocType: Installation Note Item,Installation Note Item,ഇന്സ്റ്റലേഷന് കുറിപ്പ് ഇനം DocType: Production Plan Item,Pending Qty,തീർച്ചപ്പെടുത്തിയിട്ടില്ല Qty DocType: Budget,Ignore,അവഗണിക്കുക -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} സജീവമല്ല +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} സജീവമല്ല apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},താഴെക്കൊടുത്തിരിക്കുന്ന നമ്പറുകൾ അയയ്ക്കുന്ന എസ്എംഎസ്: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,അച്ചടിക്കുള്ള സെറ്റപ്പ് ചെക്ക് അളവുകൾ DocType: Salary Slip,Salary Slip Timesheet,ശമ്പള ജി Timesheet @@ -687,8 +686,8 @@ DocType: Installation Note,IN-,ബന്ധുത്വമായി DocType: Production Order Operation,In minutes,മിനിറ്റുകൾക്കുള്ളിൽ DocType: Issue,Resolution Date,റെസല്യൂഷൻ തീയതി DocType: Student Batch Name,Batch Name,ബാച്ച് പേര് -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet സൃഷ്ടിച്ചത്: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},അടക്കേണ്ട രീതി {0} ൽ സ്ഥിരസ്ഥിതി ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് സജ്ജീകരിക്കുക +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet സൃഷ്ടിച്ചത്: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},അടക്കേണ്ട രീതി {0} ൽ സ്ഥിരസ്ഥിതി ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് സജ്ജീകരിക്കുക apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,പേരെഴുതുക DocType: GST Settings,GST Settings,ചരക്കുസേവന ക്രമീകരണങ്ങൾ DocType: Selling Settings,Customer Naming By,ഉപയോക്താക്കൾക്കായി നാമകരണ @@ -708,7 +707,7 @@ DocType: Activity Cost,Projects User,പ്രോജക്റ്റുകൾ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,ക്ഷയിച്ചിരിക്കുന്നു apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} ഇൻവോയിസ് വിവരങ്ങൾ ടേബിൾ കണ്ടതുമില്ല DocType: Company,Round Off Cost Center,കോസ്റ്റ് കേന്ദ്രം ഓഫാക്കുക റൌണ്ട് -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,മെയിൻറനൻസ് സന്ദർശിക്കുക {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,മെയിൻറനൻസ് സന്ദർശിക്കുക {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം DocType: Item,Material Transfer,മെറ്റീരിയൽ ട്രാൻസ്ഫർ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),തുറക്കുന്നു (ഡോ) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},പോസ്റ്റിംഗ് സമയസ്റ്റാമ്പ് {0} ശേഷം ആയിരിക്കണം @@ -717,7 +716,7 @@ DocType: Employee Loan,Total Interest Payable,ആകെ തുകയും DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ചെലവ് നികുതികളും ചുമത്തിയിട്ടുള്ള റജിസ്റ്റർ DocType: Production Order Operation,Actual Start Time,യഥാർത്ഥ ആരംഭിക്കേണ്ട സമയം DocType: BOM Operation,Operation Time,ഓപ്പറേഷൻ സമയം -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,തീര്ക്കുക +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,തീര്ക്കുക apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,അടിത്തറ DocType: Timesheet,Total Billed Hours,ആകെ ബില്ലുചെയ്യുന്നത് മണിക്കൂർ DocType: Journal Entry,Write Off Amount,തുക ഓഫാക്കുക എഴുതുക @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),ഓഡോമീറ്റർ മൂല apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,മാർക്കറ്റിംഗ് apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,പേയ്മെന്റ് എൻട്രി സൃഷ്ടിക്കപ്പെടാത്ത DocType: Purchase Receipt Item Supplied,Current Stock,ഇപ്പോഴത്തെ സ്റ്റോക്ക് -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},വരി # {0}: അസറ്റ് {1} ഇനം {2} ലിങ്കുചെയ്തിട്ടില്ല ഇല്ല +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},വരി # {0}: അസറ്റ് {1} ഇനം {2} ലിങ്കുചെയ്തിട്ടില്ല ഇല്ല apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,പ്രിവ്യൂ ശമ്പളം ജി apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,അക്കൗണ്ട് {0} ഒന്നിലധികം തവണ നൽകിയിട്ടുണ്ടെന്നും DocType: Account,Expenses Included In Valuation,മൂലധനം ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ചിലവുകൾ @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,എയറ DocType: Journal Entry,Credit Card Entry,ക്രെഡിറ്റ് കാർഡ് എൻട്രി apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,അക്കൗണ്ടുകൾ കമ്പനി ആൻഡ് apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,ചരക്ക് വിതരണക്കാരിൽനിന്നുമാണ് ലഭിച്ചു. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,മൂല്യത്തിൽ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,മൂല്യത്തിൽ DocType: Lead,Campaign Name,കാമ്പെയ്ൻ പേര് DocType: Selling Settings,Close Opportunity After Days,ദിവസം കഴിഞ്ഞശേഷം അടയ്ക്കുക അവസരം ,Reserved,വാര്ത്തയും @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,എനർജി DocType: Opportunity,Opportunity From,നിന്ന് ഓപ്പർച്യൂനിറ്റി apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,പ്രതിമാസ ശമ്പളം പ്രസ്താവന. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,വരി {0}: {1} ഇനം {2} എന്നതിന് സീരിയൽ നമ്പറുകൾ ആവശ്യമാണ്. നിങ്ങൾ {3} നൽകി. DocType: BOM,Website Specifications,വെബ്സൈറ്റ് വ്യതിയാനങ്ങൾ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: {1} തരത്തിലുള്ള {0} നിന്ന് DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,വരി {0}: പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും DocType: Employee,A+,എ + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ഒന്നിലധികം വില നിയമങ്ങൾ തിരയാം നിലവിലുള്ളതിനാൽ, മുൻഗണന നൽകിക്കൊണ്ട് വൈരുദ്ധ്യം പരിഹരിക്കുക. വില നിയമങ്ങൾ: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,അത് മറ്റ് BOMs ബന്ധിപ്പിച്ചിരിക്കുന്നതു പോലെ BOM നിർജ്ജീവമാക്കി അല്ലെങ്കിൽ റദ്ദാക്കാൻ കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,അത് മറ്റ് BOMs ബന്ധിപ്പിച്ചിരിക്കുന്നതു പോലെ BOM നിർജ്ജീവമാക്കി അല്ലെങ്കിൽ റദ്ദാക്കാൻ കഴിയില്ല DocType: Opportunity,Maintenance,മെയിൻറനൻസ് DocType: Item Attribute Value,Item Attribute Value,ഇനത്തിനും മൂല്യം apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,സെയിൽസ് പ്രചാരണങ്ങൾ. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Timesheet നടത്തുക +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Timesheet നടത്തുക DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -838,7 +838,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ഇമെയിൽ അക്കൗണ്ട് സജ്ജീകരിക്കുന്നതിന് apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,ആദ്യം ഇനം നൽകുക DocType: Account,Liability,ബാധ്യത -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,അനുവദിക്കപ്പെട്ട തുക വരി {0} ൽ ക്ലെയിം തുക വലുതായിരിക്കണം കഴിയില്ല. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,അനുവദിക്കപ്പെട്ട തുക വരി {0} ൽ ക്ലെയിം തുക വലുതായിരിക്കണം കഴിയില്ല. DocType: Company,Default Cost of Goods Sold Account,ഗുഡ്സ് സ്വതവേയുള്ള ചെലവ് അക്കൗണ്ട് വിറ്റു apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,വില പട്ടിക തിരഞ്ഞെടുത്തിട്ടില്ല DocType: Employee,Family Background,കുടുംബ പശ്ചാത്തലം @@ -849,10 +849,10 @@ DocType: Company,Default Bank Account,സ്ഥിരസ്ഥിതി ബാ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","പാർട്ടി അടിസ്ഥാനമാക്കി ഫിൽട്ടർ, ആദ്യം പാർട്ടി ടൈപ്പ് തിരഞ്ഞെടുക്കുക" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},ഇനങ്ങളുടെ {0} വഴി അല്ല കാരണം 'അപ്ഡേറ്റ് ഓഹരി' പരിശോധിക്കാൻ കഴിയുന്നില്ല DocType: Vehicle,Acquisition Date,ഏറ്റെടുക്കൽ തീയതി -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,ഒഴിവ് +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,ഒഴിവ് DocType: Item,Items with higher weightage will be shown higher,ചിത്രം വെയ്റ്റേജ് ഇനങ്ങൾ ചിത്രം കാണിക്കും DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ബാങ്ക് അനുരഞ്ജനം വിശദാംശം -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കേണ്ടതാണ് +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കേണ്ടതാണ് apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ജീവനക്കാരൻ കണ്ടെത്തിയില്ല DocType: Supplier Quotation,Stopped,നിർത്തി DocType: Item,If subcontracted to a vendor,ഒരു വെണ്ടർ വരെ subcontracted എങ്കിൽ @@ -869,7 +869,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,മിനിമം ഇൻ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: കോസ്റ്റ് സെന്റർ {2} കമ്പനി {3} സ്വന്തമല്ല apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: അക്കൗണ്ട് {2} ഒരു ഗ്രൂപ്പ് കഴിയില്ല apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ഇനം വരി {IDX}: {doctype} {DOCNAME} മുകളിൽ '{doctype}' പട്ടികയിൽ നിലവിലില്ല -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} ഇതിനകം പൂർത്തിയായി അല്ലെങ്കിൽ റദ്ദാക്കി +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} ഇതിനകം പൂർത്തിയായി അല്ലെങ്കിൽ റദ്ദാക്കി apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ടാസ്ക്കുകളൊന്നുമില്ല DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ഓട്ടോ ഇൻവോയ്സ് 05, 28 തുടങ്ങിയവ ഉദാ നിർമ്മിക്കപ്പെടും ഏതെല്ലാം മാസത്തിലെ ദിവസം" DocType: Asset,Opening Accumulated Depreciation,സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച തുറക്കുന്നു @@ -928,7 +928,7 @@ DocType: SMS Log,Requested Numbers,അഭ്യർത്ഥിച്ചു സ DocType: Production Planning Tool,Only Obtain Raw Materials,അസംസ്കൃത വസ്തുക്കൾ മാത്രം ലഭ്യമാക്കുക apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,പ്രകടനം വിലയിരുത്തൽ. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","ആയി ഷോപ്പിംഗ് കാർട്ട് പ്രവർത്തനക്ഷമമാക്കി, 'ഷോപ്പിംഗ് കാർട്ട് ഉപയോഗിക്കുക' പ്രാപ്തമാക്കുന്നത് എന്നും ഷോപ്പിംഗ് കാർട്ട് കുറഞ്ഞത് ഒരു നികുതി റൂൾ വേണം" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ഈ ഇൻവോയ്സ് ലെ പുരോഗതി എന്ന കടിച്ചുകീറി വേണം എങ്കിൽ പേയ്മെന്റ് എൻട്രി {0} ഓർഡർ {1} ബന്ധപ്പെടുത്തിയിരിക്കുന്നു, പരിശോധിക്കുക." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ഈ ഇൻവോയ്സ് ലെ പുരോഗതി എന്ന കടിച്ചുകീറി വേണം എങ്കിൽ പേയ്മെന്റ് എൻട്രി {0} ഓർഡർ {1} ബന്ധപ്പെടുത്തിയിരിക്കുന്നു, പരിശോധിക്കുക." DocType: Sales Invoice Item,Stock Details,സ്റ്റോക്ക് വിശദാംശങ്ങൾ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,പ്രോജക്ട് മൂല്യം apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,പോയിന്റ്-ഓഫ്-വില്പനയ്ക്ക് @@ -951,15 +951,15 @@ DocType: Naming Series,Update Series,അപ്ഡേറ്റ് സീരീസ DocType: Supplier Quotation,Is Subcontracted,Subcontracted മാത്രമാവില്ലല്ലോ DocType: Item Attribute,Item Attribute Values,ഇനം ഗുണ മൂല്യങ്ങൾ DocType: Examination Result,Examination Result,പരീക്ഷാ ഫലം -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,വാങ്ങൽ രസീത് +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,വാങ്ങൽ രസീത് ,Received Items To Be Billed,ബില്ല് ലഭിച്ച ഇനങ്ങൾ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,സമർപ്പിച്ച ശമ്പളം സ്ലിപ്പുകൾ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,സമർപ്പിച്ച ശമ്പളം സ്ലിപ്പുകൾ apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,നാണയ വിനിമയ നിരക്ക് മാസ്റ്റർ. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},പരാമർശം Doctype {0} ഒന്ന് ആയിരിക്കണം -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ഓപ്പറേഷൻ {1} അടുത്ത {0} ദിവസങ്ങളിൽ സമയം സ്ലോട്ട് കണ്ടെത്താൻ കഴിഞ്ഞില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ഓപ്പറേഷൻ {1} അടുത്ത {0} ദിവസങ്ങളിൽ സമയം സ്ലോട്ട് കണ്ടെത്താൻ കഴിഞ്ഞില്ല DocType: Production Order,Plan material for sub-assemblies,സബ് സമ്മേളനങ്ങൾ പദ്ധതി മെറ്റീരിയൽ apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,സെയിൽസ് പങ്കാളികളും ടെറിട്ടറി -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM ലേക്ക് {0} സജീവ ആയിരിക്കണം +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM ലേക്ക് {0} സജീവ ആയിരിക്കണം DocType: Journal Entry,Depreciation Entry,മൂല്യത്തകർച്ച എൻട്രി apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,ആദ്യം ഡോക്യുമെന്റ് തരം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ഈ മെയിൻറനൻസ് സന്ദർശനം റദ്ദാക്കുന്നതിൽ മുമ്പ് മെറ്റീരിയൽ സന്ദർശനങ്ങൾ {0} റദ്ദാക്കുക @@ -969,7 +969,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,മൊത്തം തുക apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ഇന്റർനെറ്റ് പ്രസിദ്ധീകരിക്കൽ DocType: Production Planning Tool,Production Orders,പ്രൊഡക്ഷൻ ഓർഡറുകൾ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,ബാലൻസ് മൂല്യം +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,ബാലൻസ് മൂല്യം apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,സെയിൽസ് വില പട്ടിക apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,ഇനങ്ങളുടെ സമന്വയിപ്പിക്കാൻ പ്രസിദ്ധീകരിക്കുക DocType: Bank Reconciliation,Account Currency,അക്കൗണ്ട് കറന്സി @@ -994,12 +994,12 @@ DocType: Employee,Exit Interview Details,നിന്ന് പുറത്ത DocType: Item,Is Purchase Item,വാങ്ങൽ ഇനം തന്നെയല്ലേ DocType: Asset,Purchase Invoice,വാങ്ങൽ ഇൻവോയിസ് DocType: Stock Ledger Entry,Voucher Detail No,സാക്ഷപ്പെടുത്തല് വിശദാംശം ഇല്ല -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,പുതിയ സെയിൽസ് ഇൻവോയ്സ് +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,പുതിയ സെയിൽസ് ഇൻവോയ്സ് DocType: Stock Entry,Total Outgoing Value,ആകെ ഔട്ട്ഗോയിംഗ് മൂല്യം apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,തീയതിയും അടയ്ക്കുന്ന തീയതി തുറക്കുന്നു ഒരേ സാമ്പത്തിക വർഷത്തിൽ ഉള്ളിൽ ആയിരിക്കണം DocType: Lead,Request for Information,വിവരങ്ങൾ അഭ്യർത്ഥന ,LeaderBoard,ലീഡർബോർഡ് -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,സമന്വയം ഓഫ്ലൈൻ ഇൻവോയിസുകൾ +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,സമന്വയം ഓഫ്ലൈൻ ഇൻവോയിസുകൾ DocType: Payment Request,Paid,പണമടച്ചു DocType: Program Fee,Program Fee,പ്രോഗ്രാം ഫീസ് DocType: Salary Slip,Total in words,വാക്കുകളിൽ ആകെ @@ -1007,7 +1007,7 @@ DocType: Material Request Item,Lead Time Date,ലീഡ് സമയം തീ DocType: Guardian,Guardian Name,ഗാർഡിയൻ പേര് DocType: Cheque Print Template,Has Print Format,ഉണ്ട് പ്രിന്റ് ഫോർമാറ്റ് DocType: Employee Loan,Sanctioned,അനുവദിച്ചു -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോഡ് സൃഷ്ടിച്ചു ചെയ്തിട്ടില്ല +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോഡ് സൃഷ്ടിച്ചു ചെയ്തിട്ടില്ല apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},വരി # {0}: ഇനം {1} വേണ്ടി സീരിയൽ ഇല്ല വ്യക്തമാക്കുക apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ഉൽപ്പന്ന ബണ്ടിൽ' ഇനങ്ങൾ, വെയർഹൗസ്, സീരിയൽ ഇല്ല ആൻഡ് ബാച്ച് യാതൊരു 'പായ്ക്കിംഗ് ലിസ്റ്റ് മേശയിൽ നിന്നും പരിഗണിക്കും. സംഭരണശാല ആൻഡ് ബാച്ച് ഇല്ല ഏതെങ്കിലും 'ഉൽപ്പന്ന ബണ്ടിൽ' ഇനത്തിനായി എല്ലാ പാക്കിംഗ് ഇനങ്ങളും ഒരേ എങ്കിൽ, ആ മൂല്യങ്ങൾ പ്രധാന ഇനം പട്ടികയിൽ നേടിയെടുക്കുകയും ചെയ്യാം, മൂല്യങ്ങൾ 'പാക്കിംഗ് പട്ടിക' മേശയുടെ പകർത്തുന്നു." DocType: Job Opening,Publish on website,വെബ്സൈറ്റിൽ പ്രസിദ്ധീകരിക്കുക @@ -1020,7 +1020,7 @@ DocType: Cheque Print Template,Date Settings,തീയതി ക്രമീക apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ഭിന്നിച്ചു ,Company Name,കമ്പനി പേര് DocType: SMS Center,Total Message(s),ആകെ സന്ദേശം (ങ്ങൾ) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,ട്രാൻസ്ഫർ വേണ്ടി ഇനം തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,ട്രാൻസ്ഫർ വേണ്ടി ഇനം തിരഞ്ഞെടുക്കുക DocType: Purchase Invoice,Additional Discount Percentage,അധിക കിഴിവും ശതമാനം apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,എല്ലാ സഹായം വീഡിയോ ലിസ്റ്റ് കാണൂ DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ചെക്ക് സൂക്ഷിച്ചത് എവിടെ ബാങ്കിന്റെ അക്കൗണ്ട് തല തിരഞ്ഞെടുക്കുക. @@ -1035,7 +1035,7 @@ DocType: BOM,Raw Material Cost(Company Currency),അസംസ്കൃത വസ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,എല്ലാ ഇനങ്ങളും ഇതിനകം ഈ പ്രൊഡക്ഷൻ ഓർഡർ കൈമാറ്റം ചെയ്തു. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},വരി # {0}: നിരക്ക് {1} {2} ഉപയോഗിക്കുന്ന നിരക്ക് അധികമാകരുത് കഴിയില്ല apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},വരി # {0}: നിരക്ക് {1} {2} ഉപയോഗിക്കുന്ന നിരക്ക് അധികമാകരുത് കഴിയില്ല -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,മീറ്റർ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,മീറ്റർ DocType: Workstation,Electricity Cost,വൈദ്യുതി ചെലവ് DocType: HR Settings,Don't send Employee Birthday Reminders,എംപ്ലോയീസ് ജന്മദിന ഓർമ്മക്കുറിപ്പുകൾ അയയ്ക്കരുത് DocType: Item,Inspection Criteria,ഇൻസ്പെക്ഷൻ മാനദണ്ഡം @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,അഡ്വാൻസുകളും പണം ലഭിക്കുന്നത് DocType: Item,Automatically Create New Batch,പുതിയ ബാച്ച് യാന്ത്രികമായി സൃഷ്ടിക്കുക DocType: Item,Automatically Create New Batch,പുതിയ ബാച്ച് യാന്ത്രികമായി സൃഷ്ടിക്കുക -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,നിർമ്മിക്കുക +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,നിർമ്മിക്കുക DocType: Student Admission,Admission Start Date,അഡ്മിഷൻ ആരംഭ തീയതി DocType: Journal Entry,Total Amount in Words,വാക്കുകൾ മൊത്തം തുക apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ഒരു പിശക് ഉണ്ടായിരുന്നു. ഒന്ന് ഇതെന്നു കാരണം ഫോം രക്ഷിച്ചു ചെയ്തിട്ടില്ല വരാം. പ്രശ്നം നിലനിൽക്കുകയാണെങ്കിൽ support@erpnext.com ബന്ധപ്പെടുക. @@ -1058,7 +1058,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,എന്റെ വണ apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ഓർഡർ ടൈപ്പ് {0} ഒന്നാണ് ആയിരിക്കണം DocType: Lead,Next Contact Date,അടുത്തത് കോൺടാക്റ്റ് തീയതി apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty തുറക്കുന്നു -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,ദയവായി തുക മാറ്റത്തിനായി അക്കൗണ്ട് നൽകുക +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,ദയവായി തുക മാറ്റത്തിനായി അക്കൗണ്ട് നൽകുക DocType: Student Batch Name,Student Batch Name,വിദ്യാർത്ഥിയുടെ ബാച്ച് പേര് DocType: Holiday List,Holiday List Name,ഹോളിഡേ പട്ടിക പേര് DocType: Repayment Schedule,Balance Loan Amount,ബാലൻസ് വായ്പാ തുക @@ -1066,7 +1066,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,സ്റ്റോക്ക് ഓപ്ഷനുകൾ DocType: Journal Entry Account,Expense Claim,ചിലവേറിയ ക്ലെയിം apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,നിങ്ങൾക്ക് ശരിക്കും ഈ എന്തുതോന്നുന്നു അസറ്റ് പുനഃസ്ഥാപിക്കാൻ ആഗ്രഹിക്കുന്നുണ്ടോ? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},{0} വേണ്ടി Qty +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},{0} വേണ്ടി Qty DocType: Leave Application,Leave Application,ആപ്ലിക്കേഷൻ വിടുക apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,വിഹിതം ടൂൾ വിടുക DocType: Leave Block List,Leave Block List Dates,ബ്ലോക്ക് പട്ടിക തീയതി വിടുക @@ -1117,7 +1117,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,എഗെൻസ്റ്റ് DocType: Item,Default Selling Cost Center,സ്ഥിരസ്ഥിതി അതേസമയം ചെലവ് കേന്ദ്രം DocType: Sales Partner,Implementation Partner,നടപ്പാക്കൽ പങ്കാളി -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,സിപ്പ് കോഡ് +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,സിപ്പ് കോഡ് apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},സെയിൽസ് ഓർഡർ {0} {1} ആണ് DocType: Opportunity,Contact Info,ബന്ധപ്പെടുന്നതിനുള്ള വിവരം apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,സ്റ്റോക്ക് എൻട്രികളിൽ ഉണ്ടാക്കുന്നു @@ -1136,14 +1136,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,ഹാജർ ഫ്രീസ് തീയതി DocType: School Settings,Attendance Freeze Date,ഹാജർ ഫ്രീസ് തീയതി DocType: Opportunity,Your sales person who will contact the customer in future,ഭാവിയിൽ ഉപഭോക്തൃ ബന്ധപ്പെടുന്നതാണ് നിങ്ങളുടെ വിൽപ്പന വ്യക്തി -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,"നിങ്ങളുടെ വിതരണക്കാരും ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം." +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,"നിങ്ങളുടെ വിതരണക്കാരും ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം." apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,എല്ലാ ഉത്പന്നങ്ങളും കാണുക apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),മിനിമം ലീഡ് പ്രായം (ദിവസം) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),മിനിമം ലീഡ് പ്രായം (ദിവസം) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,എല്ലാ BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,എല്ലാ BOMs DocType: Company,Default Currency,സ്ഥിരസ്ഥിതി കറന്സി DocType: Expense Claim,From Employee,ജീവനക്കാരുടെ നിന്നും -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,മുന്നറിയിപ്പ്: സിസ്റ്റം ഇനം {0} തുക നു ശേഷം overbilling പരിശോധിക്കില്ല {1} പൂജ്യമാണ് ലെ +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,മുന്നറിയിപ്പ്: സിസ്റ്റം ഇനം {0} തുക നു ശേഷം overbilling പരിശോധിക്കില്ല {1} പൂജ്യമാണ് ലെ DocType: Journal Entry,Make Difference Entry,വ്യത്യാസം എൻട്രി നിർമ്മിക്കുക DocType: Upload Attendance,Attendance From Date,ഈ തീയതി മുതൽ ഹാജർ DocType: Appraisal Template Goal,Key Performance Area,കീ പ്രകടനം ഏരിയ @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,നിങ്ങളുടെ റഫറൻസിനായി കമ്പനി രജിസ്ട്രേഷൻ നമ്പറുകൾ. നികുതി നമ്പറുകൾ തുടങ്ങിയവ DocType: Sales Partner,Distributor,വിതരണക്കാരൻ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ഷോപ്പിംഗ് കാർട്ട് ഷിപ്പിംഗ് റൂൾ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,പ്രൊഡക്ഷൻ ഓർഡർ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,പ്രൊഡക്ഷൻ ഓർഡർ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On','പ്രയോഗിക്കുക അഡീഷണൽ ഡിസ്കൌണ്ട്' സജ്ജീകരിക്കുക ,Ordered Items To Be Billed,ബില്ല് ഉത്തരവിട്ടു ഇനങ്ങൾ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,റേഞ്ച് നിന്നും പരിധി വരെ കുറവ് ഉണ്ട് @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,പൂർണമായും DocType: Leave Allocation,LAL/,ലാൽ / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ആരംഭ വർഷം -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},ഗ്സ്തിന് ആദ്യ 2 അക്കങ്ങൾ സംസ്ഥാന നമ്പർ {0} പൊരുത്തപ്പെടുന്നില്ല വേണം +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},ഗ്സ്തിന് ആദ്യ 2 അക്കങ്ങൾ സംസ്ഥാന നമ്പർ {0} പൊരുത്തപ്പെടുന്നില്ല വേണം DocType: Purchase Invoice,Start date of current invoice's period,നിലവിലെ ഇൻവോയ്സ് ന്റെ കാലഘട്ടത്തിലെ തീയതി ആരംഭിക്കുക DocType: Salary Slip,Leave Without Pay,ശമ്പള ഇല്ലാതെ വിടുക -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ശേഷി ആസൂത്രണ പിശക് +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,ശേഷി ആസൂത്രണ പിശക് ,Trial Balance for Party,പാർട്ടി ട്രയൽ ബാലൻസ് DocType: Lead,Consultant,ഉപദേഷ്ടാവ് DocType: Salary Slip,Earnings,വരുമാനം @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,പണത്തിന് ക്ര DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ഈ വകഭേദം എന്ന ഇനം കോഡ് ചേർക്കപ്പെടുകയും ചെയ്യും. നിങ്ങളുടെ ചുരുക്കെഴുത്ത് "എസ് എം 'എന്താണ്, ഐറ്റം കോഡ്' ടി-ഷർട്ട് 'ഉദാഹരണത്തിന്, വകഭേദം എന്ന ഐറ്റം കോഡ്' ടി-ഷർട്ട്-എസ് എം" ആയിരിക്കും" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,നിങ്ങൾ ശമ്പളം ജി ലാഭിക്കാൻ ഒരിക്കൽ (വാക്കുകളിൽ) നെറ്റ് വേതനം ദൃശ്യമാകും. DocType: Purchase Invoice,Is Return,മടക്കം -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,മടക്ക / ഡെബിറ്റ് നോട്ട് +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,മടക്ക / ഡെബിറ്റ് നോട്ട് DocType: Price List Country,Price List Country,വില പട്ടിക രാജ്യം DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},ഇനം {1} വേണ്ടി {0} സാധുവായ സീരിയൽ എണ്ണം @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,ഭാഗികമായി വിത apps/erpnext/erpnext/config/buying.py +38,Supplier database.,വിതരണക്കാരൻ ഡാറ്റാബേസ്. DocType: Account,Balance Sheet,ബാലൻസ് ഷീറ്റ് apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',ഇനം കോഡ് ഉപയോഗിച്ച് ഇനം വേണ്ടി ചെലവ് കേന്ദ്രം ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","പേയ്മെന്റ് മോഡ് ക്രമീകരിച്ചിട്ടില്ല. അക്കൗണ്ട് പെയ്മെന്റിന്റെയും മോഡ് അല്ലെങ്കിൽ POS ൽ പ്രൊഫൈൽ വെച്ചിരിക്കുന്ന എന്ന്, പരിശോധിക്കുക." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","പേയ്മെന്റ് മോഡ് ക്രമീകരിച്ചിട്ടില്ല. അക്കൗണ്ട് പെയ്മെന്റിന്റെയും മോഡ് അല്ലെങ്കിൽ POS ൽ പ്രൊഫൈൽ വെച്ചിരിക്കുന്ന എന്ന്, പരിശോധിക്കുക." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,നിങ്ങളുടെ വിൽപ്പന വ്യക്തിയെ ഉപഭോക്തൃ ബന്ധപ്പെടാൻ ഈ തീയതി ഒരു ഓർമ്മപ്പെടുത്തൽ ലഭിക്കും apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി കഴിയില്ല. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","കൂടുതലായ അക്കൗണ്ടുകൾ ഗ്രൂപ്പ്സ് കീഴിൽ കഴിയും, പക്ഷേ എൻട്രികൾ നോൺ-ഗ്രൂപ്പുകൾ നേരെ കഴിയും" @@ -1231,7 +1231,7 @@ DocType: Employee Loan Application,Repayment Info,തിരിച്ചടവ് apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'എൻട്രികൾ' ഒഴിച്ചിടാനാവില്ല apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},{1} അതേ കൂടെ വരി {0} തനിപ്പകർപ്പെടുക്കുക ,Trial Balance,ട്രയൽ ബാലൻസ് -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,സാമ്പത്തിക വർഷത്തെ {0} കണ്ടെത്തിയില്ല +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,സാമ്പത്തിക വർഷത്തെ {0} കണ്ടെത്തിയില്ല apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,എംപ്ലോയീസ് സജ്ജമാക്കുന്നു DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,ആദ്യം പ്രിഫിക്സ് തിരഞ്ഞെടുക്കുക @@ -1246,11 +1246,11 @@ DocType: Grading Scale,Intervals,ഇടവേളകളിൽ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,പഴയവ apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","ഒരു ഇനം ഗ്രൂപ്പ് ഇതേ പേരിലുള്ള നിലവിലുണ്ട്, ഐറ്റം പേര് മാറ്റാനോ ഐറ്റം ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,വിദ്യാർത്ഥി മൊബൈൽ നമ്പർ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ലോകം റെസ്റ്റ് +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,ലോകം റെസ്റ്റ് apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ഇനം {0} ബാച്ച് പാടില്ല ,Budget Variance Report,ബജറ്റ് പൊരുത്തമില്ലായ്മ റിപ്പോർട്ട് DocType: Salary Slip,Gross Pay,മൊത്തം വേതനം -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,വരി {0}: പ്രവർത്തന തരം നിർബന്ധമാണ്. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,വരി {0}: പ്രവർത്തന തരം നിർബന്ധമാണ്. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,പണമടച്ചു ഡിവിഡന്റ് apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,ലെഡ്ജർ എണ്ണുകയും DocType: Stock Reconciliation,Difference Amount,വ്യത്യാസം തുക @@ -1273,18 +1273,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,ജീവനക്കാരുടെ അവധി ബാലൻസ് apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},അക്കൗണ്ട് ബാലൻസ് {0} എപ്പോഴും {1} ആയിരിക്കണം apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},മൂലധനം നിരക്ക് വരി {0} ൽ ഇനം ആവശ്യമാണ് -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ഉദാഹരണം: കമ്പ്യൂട്ടർ സയൻസ് മാസ്റ്റേഴ്സ് +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,ഉദാഹരണം: കമ്പ്യൂട്ടർ സയൻസ് മാസ്റ്റേഴ്സ് DocType: Purchase Invoice,Rejected Warehouse,നിരസിച്ചു വെയർഹൗസ് DocType: GL Entry,Against Voucher,വൗച്ചർ എഗെൻസ്റ്റ് DocType: Item,Default Buying Cost Center,സ്ഥിരസ്ഥിതി വാങ്ങൽ ചെലവ് കേന്ദ്രം apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext നിന്നു മികച്ച ലഭിക്കാൻ, ഞങ്ങൾ നിങ്ങൾക്ക് കുറച്ച് സമയം എടുത്തു ഈ സഹായം വീഡിയോകൾ കാണാൻ ഞങ്ങൾ ശുപാർശ." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,വരെ +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,വരെ DocType: Supplier Quotation Item,Lead Time in days,ദിവസങ്ങളിൽ സമയം Lead apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,അക്കൗണ്ടുകൾ അടയ്ക്കേണ്ട ചുരുക്കം -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},ലേക്ക് {1} {0} നിന്ന് ശമ്പളം പേയ്മെന്റ് +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},ലേക്ക് {1} {0} നിന്ന് ശമ്പളം പേയ്മെന്റ് apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},ശീതീകരിച്ച അക്കൗണ്ട് {0} എഡിറ്റുചെയ്യാൻ DocType: Journal Entry,Get Outstanding Invoices,മികച്ച ഇൻവോയിസുകൾ നേടുക -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,സെയിൽസ് ഓർഡർ {0} സാധുവല്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,സെയിൽസ് ഓർഡർ {0} സാധുവല്ല apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,വാങ്ങൽ ഓർഡറുകൾ നിങ്ങളുടെ വാങ്ങലുകൾ ന് ആസൂത്രണം ഫോളോ അപ്പ് സഹായിക്കാൻ apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","ക്ഷമിക്കണം, കമ്പനികൾ ലയിപ്പിക്കാൻ കഴിയില്ല" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1306,8 +1306,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,പരോക്ഷമായ ചെലവുകൾ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,വരി {0}: Qty നിർബന്ധമായും apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,കൃഷി -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,സമന്വയം മാസ്റ്റർ ഡാറ്റ -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,നിങ്ങളുടെ ഉല്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,സമന്വയം മാസ്റ്റർ ഡാറ്റ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,നിങ്ങളുടെ ഉല്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ DocType: Mode of Payment,Mode of Payment,അടക്കേണ്ട മോഡ് apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,വെബ്സൈറ്റ് ചിത്രം ഒരു പൊതു ഫയൽ അല്ലെങ്കിൽ വെബ്സൈറ്റ് URL ആയിരിക്കണം DocType: Student Applicant,AP,എ.പി. @@ -1327,18 +1327,18 @@ DocType: Student Group Student,Group Roll Number,ഗ്രൂപ്പ് റേ DocType: Student Group Student,Group Roll Number,ഗ്രൂപ്പ് റോൾ നമ്പർ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} മാത്രം ക്രെഡിറ്റ് അക്കൗണ്ടുകൾ മറ്റൊരു ഡെബിറ്റ് എൻട്രി നേരെ ലിങ്ക്ഡ് കഴിയും apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,എല്ലാ ടാസ്ക് തൂക്കം ആകെ 1. അതനുസരിച്ച് എല്ലാ പദ്ധതി ചുമതലകളുടെ തൂക്കം ക്രമീകരിക്കാൻ വേണം ദയവായി -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,ഡെലിവറി നോട്ട് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,ഡെലിവറി നോട്ട് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,ഇനം {0} ഒരു സബ് കരാറിൽ ഇനം ആയിരിക്കണം apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ക്യാപ്പിറ്റൽ ഉപകരണങ്ങൾ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","പ്രൈസിങ് റൂൾ ആദ്യം ഇനം, ഇനം ഗ്രൂപ്പ് അല്ലെങ്കിൽ ബ്രാൻഡ് ആകാം വയലിലെ 'പുരട്ടുക' അടിസ്ഥാനമാക്കി തിരഞ്ഞെടുത്തുവെന്ന്." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,ആദ്യം ഇനം കോഡ് സജ്ജീകരിക്കുക +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,ആദ്യം ഇനം കോഡ് സജ്ജീകരിക്കുക DocType: Hub Settings,Seller Website,വില്പനക്കാരന്റെ വെബ്സൈറ്റ് DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,വിൽപ്പന സംഘത്തെ വേണ്ടി ആകെ നീക്കിവച്ചിരുന്നു ശതമാനം 100 ആയിരിക്കണം DocType: Appraisal Goal,Goal,ഗോൾ DocType: Sales Invoice Item,Edit Description,എഡിറ്റ് വിവരണം ,Team Updates,ടീം അപ്ഡേറ്റുകൾ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,വിതരണക്കാരൻ വേണ്ടി +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,വിതരണക്കാരൻ വേണ്ടി DocType: Account,Setting Account Type helps in selecting this Account in transactions.,അക്കൗണ്ട് തരം സജ്ജീകരിക്കുന്നു ഇടപാടുകൾ ഈ അക്കൗണ്ട് തിരഞ്ഞെടുക്കുന്നതിൽ സഹായിക്കുന്നു. DocType: Purchase Invoice,Grand Total (Company Currency),ആകെ മൊത്തം (കമ്പനി കറൻസി) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,പ്രിന്റ് ഫോർമാറ്റ് സൃഷ്ടിക്കുക @@ -1352,12 +1352,12 @@ DocType: Item,Website Item Groups,വെബ്സൈറ്റ് ഇനം ഗ DocType: Purchase Invoice,Total (Company Currency),ആകെ (കമ്പനി കറൻസി) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,സീരിയൽ നമ്പർ {0} ഒരിക്കൽ അധികം പ്രവേശിച്ചപ്പോൾ DocType: Depreciation Schedule,Journal Entry,ജേർണൽ എൻട്രി -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} പുരോഗതിയിലാണ് ഇനങ്ങൾ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} പുരോഗതിയിലാണ് ഇനങ്ങൾ DocType: Workstation,Workstation Name,വറ്ക്ക്സ്റ്റേഷൻ പേര് DocType: Grading Scale Interval,Grade Code,ഗ്രേഡ് കോഡ് DocType: POS Item Group,POS Item Group,POS ഇനം ഗ്രൂപ്പ് apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ഡൈജസ്റ്റ് ഇമെയിൽ: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM ലേക്ക് {0} ഇനം വരെ {1} സ്വന്തമല്ല +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM ലേക്ക് {0} ഇനം വരെ {1} സ്വന്തമല്ല DocType: Sales Partner,Target Distribution,ടാർജറ്റ് വിതരണം DocType: Salary Slip,Bank Account No.,ബാങ്ക് അക്കൗണ്ട് നമ്പർ DocType: Naming Series,This is the number of the last created transaction with this prefix,ഇത് ഈ കൂടിയ അവസാന സൃഷ്ടിച്ച ഇടപാട് എണ്ണം ആണ് @@ -1415,7 +1415,7 @@ DocType: Quotation,Shopping Cart,ഷോപ്പിംഗ് കാർട് apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,പേർക്കുള്ള ഡെയ്ലി അയയ്ക്കുന്ന DocType: POS Profile,Campaign,കാമ്പെയ്ൻ DocType: Supplier,Name and Type,പേര് ടൈപ്പ് -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',അംഗീകാരം സ്റ്റാറ്റസ് 'അംഗീകരിച്ചു' അല്ലെങ്കിൽ 'നിഷേധിക്കപ്പെട്ടിട്ടുണ്ട്' വേണം +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',അംഗീകാരം സ്റ്റാറ്റസ് 'അംഗീകരിച്ചു' അല്ലെങ്കിൽ 'നിഷേധിക്കപ്പെട്ടിട്ടുണ്ട്' വേണം DocType: Purchase Invoice,Contact Person,സമ്പർക്ക വ്യക്തി apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','പ്രതീക്ഷിച്ച ആരംഭ തീയതി' 'പ്രതീക്ഷിച്ച അവസാന തീയതി' വലുതായിരിക്കും കഴിയില്ല DocType: Course Scheduling Tool,Course End Date,കോഴ്സ് അവസാന തീയതി @@ -1427,8 +1427,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Prefered ഇമെയിൽ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,സ്ഥിര അസറ്റ് ലെ നെറ്റ് മാറ്റുക DocType: Leave Control Panel,Leave blank if considered for all designations,എല്ലാ തരത്തിലുള്ള വേണ്ടി പരിഗണിക്കും എങ്കിൽ ശൂന്യമായിടൂ -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,'യഥാർത്ഥ' തരം ചുമതലയുള്ള വരിയിലെ {0} ഇനം റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ചെയ്യാൻ കഴിയില്ല -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},പരമാവധി: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,'യഥാർത്ഥ' തരം ചുമതലയുള്ള വരിയിലെ {0} ഇനം റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ചെയ്യാൻ കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},പരമാവധി: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,തീയതി-ൽ DocType: Email Digest,For Company,കമ്പനിക്ക് വേണ്ടി apps/erpnext/erpnext/config/support.py +17,Communication log.,കമ്മ്യൂണിക്കേഷൻ രേഖ. @@ -1469,7 +1469,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","ഇയ്യ DocType: Journal Entry Account,Account Balance,അക്കൗണ്ട് ബാലൻസ് apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ഇടപാടുകൾക്ക് നികുതി റൂൾ. DocType: Rename Tool,Type of document to rename.,പേരുമാറ്റാൻ പ്രമാണത്തിൽ തരം. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,ഞങ്ങൾ ഈ ഇനം വാങ്ങാൻ +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,ഞങ്ങൾ ഈ ഇനം വാങ്ങാൻ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ഉപഭോക്തൃ സ്വീകാര്യം അക്കൗണ്ട് {2} നേരെ ആവശ്യമാണ് DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ആകെ നികുതി ചാർജുകളും (കമ്പനി കറൻസി) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,അടയ്ക്കാത്ത സാമ്പത്തിക വർഷത്തെ പി & എൽ തുലാസിൽ കാണിക്കുക @@ -1480,7 +1480,7 @@ DocType: Quality Inspection,Readings,വായന DocType: Stock Entry,Total Additional Costs,ആകെ അധിക ചെലവ് DocType: Course Schedule,SH,എസ്.എച്ച് DocType: BOM,Scrap Material Cost(Company Currency),സ്ക്രാപ്പ് വസ്തുക്കളുടെ വില (കമ്പനി കറൻസി) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,സബ് അസംബ്ലീസ് +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,സബ് അസംബ്ലീസ് DocType: Asset,Asset Name,അസറ്റ് പേര് DocType: Project,Task Weight,ടാസ്ക് ഭാരോദ്വഹനം DocType: Shipping Rule Condition,To Value,മൂല്യത്തിലേക്ക് @@ -1509,7 +1509,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,ഇനം രൂപഭ DocType: Company,Services,സേവനങ്ങള് DocType: HR Settings,Email Salary Slip to Employee,രേഖയെ ഇമെയിൽ ശമ്പളം ജി DocType: Cost Center,Parent Cost Center,പാരന്റ് ചെലവ് കേന്ദ്രം -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക DocType: Sales Invoice,Source,ഉറവിടം apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,അടച്ചു കാണിക്കുക DocType: Leave Type,Is Leave Without Pay,ശമ്പള ഇല്ലാതെ തന്നെ തന്നു @@ -1521,7 +1521,7 @@ DocType: POS Profile,Apply Discount,ഡിസ്കൗണ്ട് പ്രയ DocType: GST HSN Code,GST HSN Code,ചരക്കുസേവന ഹ്സ്ന് കോഡ് DocType: Employee External Work History,Total Experience,ആകെ അനുഭവം apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,തുറക്കുക പദ്ധതികളിൽ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,പായ്ക്കിംഗ് ജി (കൾ) റദ്ദാക്കി +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,പായ്ക്കിംഗ് ജി (കൾ) റദ്ദാക്കി apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,നിക്ഷേപം മുതൽ ക്യാഷ് ഫ്ളോ DocType: Program Course,Program Course,പ്രോഗ്രാം കോഴ്സ് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ചരക്കുഗതാഗതം കൈമാറലും ചുമത്തിയിട്ടുള്ള @@ -1562,9 +1562,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,പ്രോഗ്രാം പ്രവേശനം DocType: Sales Invoice Item,Brand Name,ബ്രാൻഡ് പേര് DocType: Purchase Receipt,Transporter Details,ട്രാൻസ്പോർട്ടർ വിശദാംശങ്ങൾ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,സ്വതേ വെയർഹൗസ് തിരഞ്ഞെടുത്ത ഇനം ആവശ്യമാണ് -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,ബോക്സ് -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,സ്വതേ വെയർഹൗസ് തിരഞ്ഞെടുത്ത ഇനം ആവശ്യമാണ് +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,ബോക്സ് +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ DocType: Budget,Monthly Distribution,പ്രതിമാസ വിതരണം apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,റിസീവർ പട്ടിക ശൂന്യമാണ്. റിസീവർ പട്ടിക സൃഷ്ടിക്കാൻ ദയവായി DocType: Production Plan Sales Order,Production Plan Sales Order,പ്രൊഡക്ഷൻ പ്ലാൻ സെയിൽസ് ഓർഡർ @@ -1597,7 +1597,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,കമ്പ apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","വിദ്യാർഥികൾ, സിസ്റ്റം ഹൃദയം അവസാനിക്കുന്നു എല്ലാ നിങ്ങളുടെ വിദ്യാർത്ഥികൾക്ക് ചേർക്കുക" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},വരി # {0}: ക്ലിയറൻസ് തീയതി {1} {2} ചെക്ക് തിയതി ആകരുത് DocType: Company,Default Holiday List,സ്വതേ ഹോളിഡേ പട്ടിക -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},വരി {0}: സമയവും ചെയ്യുക കുറഞ്ഞ സമയത്തിനുള്ളില് {1} {2} ഓവർലാപ്പുചെയ്യുന്നു ആണ് +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},വരി {0}: സമയവും ചെയ്യുക കുറഞ്ഞ സമയത്തിനുള്ളില് {1} {2} ഓവർലാപ്പുചെയ്യുന്നു ആണ് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,സ്റ്റോക്ക് ബാദ്ധ്യതകളും DocType: Purchase Invoice,Supplier Warehouse,വിതരണക്കാരൻ വെയർഹൗസ് DocType: Opportunity,Contact Mobile No,മൊബൈൽ ഇല്ല ബന്ധപ്പെടുക @@ -1613,18 +1613,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},{0} ഇനി {1} അധികം ആകാൻ പാടില്ല തരത്തിലുള്ള വിടുക DocType: Manufacturing Settings,Try planning operations for X days in advance.,മുൻകൂട്ടി എക്സ് ദിവസം വേണ്ടി ഓപ്പറേഷൻസ് ആസൂത്രണം ശ്രമിക്കുക. DocType: HR Settings,Stop Birthday Reminders,ജന്മദിന ഓർമ്മക്കുറിപ്പുകൾ നിർത്തുക -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},കമ്പനി {0} ൽ സ്ഥിര ശമ്പളപ്പട്ടിക പേയബിൾ അക്കൗണ്ട് സജ്ജീകരിക്കുക +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},കമ്പനി {0} ൽ സ്ഥിര ശമ്പളപ്പട്ടിക പേയബിൾ അക്കൗണ്ട് സജ്ജീകരിക്കുക DocType: SMS Center,Receiver List,റിസീവർ പട്ടിക -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,തിരയൽ ഇനം +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,തിരയൽ ഇനം apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ക്ഷയിച്ചിരിക്കുന്നു തുക apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,പണമായി നെറ്റ് മാറ്റുക DocType: Assessment Plan,Grading Scale,ഗ്രേഡിംഗ് സ്കെയിൽ apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,മെഷർ {0} യൂണിറ്റ് ഒരിക്കൽ പരിവർത്തന ഫാക്ടർ പട്ടികയിലെ അധികം നൽകി -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,ഇതിനകം പൂർത്തിയായ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,ഇതിനകം പൂർത്തിയായ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,കയ്യിൽ ഓഹരി apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},പേയ്മെന്റ് അഭ്യർത്ഥന ഇതിനകം {0} നിലവിലുണ്ട് apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,ഇഷ്യൂ ഇനങ്ങൾ ചെലവ് -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},ക്വാണ്ടിറ്റി {0} അധികം പാടില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},ക്വാണ്ടിറ്റി {0} അധികം പാടില്ല apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,കഴിഞ്ഞ സാമ്പത്തിക വർഷം അടച്ചിട്ടില്ല apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),പ്രായം (ദിവസം) DocType: Quotation Item,Quotation Item,ക്വട്ടേഷൻ ഇനം @@ -1638,6 +1638,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,റെഫറൻസ് പ്രമാണം apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} റദ്ദാക്കി അല്ലെങ്കിൽ നിറുത്തി DocType: Accounts Settings,Credit Controller,ക്രെഡിറ്റ് കൺട്രോളർ +DocType: Sales Order,Final Delivery Date,അന്തിമ ഡെലിവറി തീയതി DocType: Delivery Note,Vehicle Dispatch Date,വാഹന ഡിസ്പാച്ച് തീയതി DocType: Purchase Invoice Item,HSN/SAC,ഹ്സ്ന് / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,പർച്ചേസ് റെസീപ്റ്റ് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും @@ -1730,9 +1731,9 @@ DocType: Employee,Date Of Retirement,വിരമിക്കൽ തീയതി DocType: Upload Attendance,Get Template,ഫലകം നേടുക DocType: Material Request,Transferred,മാറ്റിയത് DocType: Vehicle,Doors,ഡോറുകൾ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,സമ്പൂർണ്ണ ERPNext സജ്ജീകരണം! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,സമ്പൂർണ്ണ ERPNext സജ്ജീകരണം! DocType: Course Assessment Criteria,Weightage,വെയിറ്റേജ് -DocType: Sales Invoice,Tax Breakup,നികുതി ഖണ്ഡങ്ങളായി +DocType: Purchase Invoice,Tax Breakup,നികുതി ഖണ്ഡങ്ങളായി DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: കോസ്റ്റ് സെന്റർ 'ലാഭവും നഷ്ടവും' അക്കൗണ്ട് {2} ആവശ്യമാണ്. കമ്പനി ഒരു സ്ഥിര കോസ്റ്റ് സെന്റർ സ്ഥാപിക്കും ദയവായി. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ഉപഭോക്താവിനെ ഗ്രൂപ്പ് സമാന പേരിൽ നിലവിലുണ്ട് കസ്റ്റമർ പേര് മാറ്റാനോ കസ്റ്റമർ ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി @@ -1745,14 +1746,14 @@ DocType: Announcement,Instructor,അധാപിക DocType: Employee,AB+,എബി + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ഈ ഐറ്റം വകഭേദങ്ങളും ഉണ്ട് എങ്കിൽ, അത് തുടങ്ങിയവ വിൽപ്പന ഉത്തരവ് തിരഞ്ഞെടുക്കാനിടയുള്ളൂ കഴിയില്ല" DocType: Lead,Next Contact By,അടുത്തത് കോൺടാക്റ്റ് തന്നെയാണ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},നിരയിൽ ഇനം {0} ആവശ്യമുള്ളതിൽ ക്വാണ്ടിറ്റി {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},നിരയിൽ ഇനം {0} ആവശ്യമുള്ളതിൽ ക്വാണ്ടിറ്റി {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},അളവ് ഇനം {1} വേണ്ടി നിലവിലുണ്ട് പോലെ വെയർഹൗസ് {0} ഇല്ലാതാക്കാൻ കഴിയില്ല DocType: Quotation,Order Type,ഓർഡർ തരം DocType: Purchase Invoice,Notification Email Address,വിജ്ഞാപന ഇമെയിൽ വിലാസം ,Item-wise Sales Register,ഇനം തിരിച്ചുള്ള സെയിൽസ് രജിസ്റ്റർ DocType: Asset,Gross Purchase Amount,മൊത്തം വാങ്ങൽ തുക DocType: Asset,Depreciation Method,മൂല്യത്തകർച്ച രീതി -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ഓഫ്ലൈൻ +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ഓഫ്ലൈൻ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ബേസിക് റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ഈ നികുതി ആണോ? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,ആകെ ടാർഗെറ്റ് DocType: Job Applicant,Applicant for a Job,ഒരു ജോലിക്കായി അപേക്ഷകന് @@ -1774,7 +1775,7 @@ DocType: Employee,Leave Encashed?,കാശാക്കാം വിടണോ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,വയലിൽ നിന്ന് ഓപ്പർച്യൂനിറ്റി നിർബന്ധമാണ് DocType: Email Digest,Annual Expenses,വാർഷിക ചെലവുകൾ DocType: Item,Variants,വകഭേദങ്ങളും -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,വാങ്ങൽ ഓർഡർ നിർമ്മിക്കുക +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,വാങ്ങൽ ഓർഡർ നിർമ്മിക്കുക DocType: SMS Center,Send To,അയക്കുക apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},അനുവാദ ടൈപ്പ് {0} മതി ലീവ് ബാലൻസ് ഒന്നും ഇല്ല DocType: Payment Reconciliation Payment,Allocated amount,പദ്ധതി തുക @@ -1782,7 +1783,7 @@ DocType: Sales Team,Contribution to Net Total,നെറ്റ് ആകെ വ DocType: Sales Invoice Item,Customer's Item Code,കസ്റ്റമർ ന്റെ ഇനം കോഡ് DocType: Stock Reconciliation,Stock Reconciliation,ഓഹരി അനുരഞ്ജനം DocType: Territory,Territory Name,ടെറിട്ടറി പേര് -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,വർക്ക്-ഇൻ-പുരോഗതി വെയർഹൗസ് മുമ്പ് സമർപ്പിക്കുക ആവശ്യമാണ് +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,വർക്ക്-ഇൻ-പുരോഗതി വെയർഹൗസ് മുമ്പ് സമർപ്പിക്കുക ആവശ്യമാണ് apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,ഒരു ജോലിക്കായി അപേക്ഷകന്. DocType: Purchase Order Item,Warehouse and Reference,വെയർഹൗസ് റഫറൻസ് DocType: Supplier,Statutory info and other general information about your Supplier,നിയമപ്രകാരമുള്ള വിവരങ്ങളും നിങ്ങളുടെ വിതരണക്കാരൻ കുറിച്ചുള്ള മറ്റ് ജനറൽ വിവരങ്ങൾ @@ -1795,16 +1796,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,വിലയിരുത്ത apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},സീരിയൽ ഇല്ല ഇനം {0} നൽകിയ തനിപ്പകർപ്പെടുക്കുക DocType: Shipping Rule Condition,A condition for a Shipping Rule,ഒരു ഷിപ്പിംഗ് റൂൾ വ്യവസ്ഥ apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ദയവായി നൽകുക -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ഇനം {0} നിരയിൽ {1} അധികം {2} കൂടുതൽ വേണ്ടി ഒവെര്ബില്ല് കഴിയില്ല. മേൽ-ബില്ലിംഗ് അനുവദിക്കുന്നതിന്, ക്രമീകരണങ്ങൾ വാങ്ങാൻ ക്രമീകരിക്കുകയും ചെയ്യുക" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,ഇനം അപാകതയുണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ സജ്ജീകരിക്കുക +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ഇനം {0} നിരയിൽ {1} അധികം {2} കൂടുതൽ വേണ്ടി ഒവെര്ബില്ല് കഴിയില്ല. മേൽ-ബില്ലിംഗ് അനുവദിക്കുന്നതിന്, ക്രമീകരണങ്ങൾ വാങ്ങാൻ ക്രമീകരിക്കുകയും ചെയ്യുക" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,ഇനം അപാകതയുണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ സജ്ജീകരിക്കുക DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ഈ പാക്കേജിന്റെ മൊത്തം ഭാരം. (ഇനങ്ങളുടെ മൊത്തം ഭാരം തുകയുടെ ഒരു സ്വയം കണക്കുകൂട്ടുന്നത്) DocType: Sales Order,To Deliver and Bill,എത്തിക്കേണ്ടത് ബിൽ ചെയ്യുക DocType: Student Group,Instructors,ഗുരുക്കന്മാർ DocType: GL Entry,Credit Amount in Account Currency,അക്കൗണ്ട് കറൻസി ക്രെഡിറ്റ് തുക -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM ലേക്ക് {0} സമർപ്പിക്കേണ്ടതാണ് +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM ലേക്ക് {0} സമർപ്പിക്കേണ്ടതാണ് DocType: Authorization Control,Authorization Control,അംഗീകാര നിയന്ത്രണ apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},വരി # {0}: നിരസിച്ചു വെയർഹൗസ് തള്ളിക്കളഞ്ഞ ഇനം {1} നേരെ നിർബന്ധമായും -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,പേയ്മെന്റ് +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,പേയ്മെന്റ് apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","വെയർഹൗസ് {0} ഏത് അക്കൗണ്ടിൽ ലിങ്കുചെയ്തിട്ടില്ല, കമ്പനി {1} വെയർഹൗസിൽ റെക്കോർഡ്, സെറ്റ് സ്ഥിര സാധനങ്ങളും അക്കൗണ്ടിൽ അക്കൗണ്ട് പരാമർശിക്കുക." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,നിങ്ങളുടെ ഓർഡറുകൾ നിയന്ത്രിക്കുക DocType: Production Order Operation,Actual Time and Cost,യഥാർത്ഥ സമയവും ചെലവ് @@ -1820,12 +1821,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,വി DocType: Quotation Item,Actual Qty,യഥാർത്ഥ Qty DocType: Sales Invoice Item,References,അവലംബം DocType: Quality Inspection Reading,Reading 10,10 Reading -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","നിങ്ങൾ വാങ്ങാനും വിൽക്കാനും ആ നിങ്ങളുടെ ഉൽപ്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ കാണിയ്ക്കുക. തുടങ്ങുമ്പോൾത്തന്നെ ഇനം ഗ്രൂപ്പ്, അളവിലും മറ്റ് ഉള്ള യൂണിറ്റ് പരിശോധിക്കാൻ ഉറപ്പു വരുത്തുക." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","നിങ്ങൾ വാങ്ങാനും വിൽക്കാനും ആ നിങ്ങളുടെ ഉൽപ്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ കാണിയ്ക്കുക. തുടങ്ങുമ്പോൾത്തന്നെ ഇനം ഗ്രൂപ്പ്, അളവിലും മറ്റ് ഉള്ള യൂണിറ്റ് പരിശോധിക്കാൻ ഉറപ്പു വരുത്തുക." DocType: Hub Settings,Hub Node,ഹബ് നോഡ് apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,നിങ്ങൾ ഡ്യൂപ്ലിക്കേറ്റ് ഇനങ്ങളുടെ പ്രവേശിച്ചിരിക്കുന്നു. പരിഹരിക്കാൻ വീണ്ടും ശ്രമിക്കുക. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,അസോസിയേറ്റ് +DocType: Company,Sales Target,വിൽപ്പന ലക്ഷ്യം DocType: Asset Movement,Asset Movement,അസറ്റ് പ്രസ്ഥാനം -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,പുതിയ കാർട്ട് +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,പുതിയ കാർട്ട് apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ഇനം {0} ഒരു സീരിയൽ ഇനം അല്ല DocType: SMS Center,Create Receiver List,റിസീവർ ലിസ്റ്റ് സൃഷ്ടിക്കുക DocType: Vehicle,Wheels,ചക്രങ്ങളും @@ -1867,13 +1869,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,മാനേജി DocType: Supplier,Supplier of Goods or Services.,സാധനങ്ങളുടെ അല്ലെങ്കിൽ സേവനങ്ങളുടെ വിതരണക്കാരൻ. DocType: Budget,Fiscal Year,സാമ്പത്തിക വർഷം DocType: Vehicle Log,Fuel Price,ഇന്ധന വില +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,സെറ്റപ്പ്> നമ്പറിംഗ് സീരീസിലൂടെ വരുന്ന കൂടിക്കാഴ്ചക്കായി സെറ്റപ്പ് നമ്പറുകൾ ക്രമീകരിക്കുക DocType: Budget,Budget,ബജറ്റ് apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,ഫിക്സ്ഡ് അസറ്റ് ഇനം ഒരു നോൺ-സ്റ്റോക്ക് ഇനം ആയിരിക്കണം. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","അത് ഒരു ആദായ അല്ലെങ്കിൽ ചിലവേറിയ അല്ല പോലെ ബജറ്റ്, {0} നേരെ നിയോഗിക്കുകയും കഴിയില്ല" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,കൈവരിച്ച DocType: Student Admission,Application Form Route,അപേക്ഷാ ഫോം റൂട്ട് apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,ടെറിട്ടറി / കസ്റ്റമർ -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,ഉദാ 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,ഉദാ 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ഇനം {0} വിടുക അതു വേതനം വിടണമെന്ന് മുതൽ വകയിരുത്തി കഴിയില്ല apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},വരി {0}: പദ്ധതി തുക {1} കുറവ് അഥവാ മുന്തിയ തുക {2} ഇൻവോയ്സ് സമൻമാരെ ആയിരിക്കണം DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,നിങ്ങൾ സെയിൽസ് ഇൻവോയിസ് ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും. @@ -1882,11 +1885,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,ഇനം {0} സീരിയൽ ഒഴിവ് വിവരത്തിനു അല്ല. ഇനം മാസ്റ്റർ പരിശോധിക്കുക DocType: Maintenance Visit,Maintenance Time,മെയിൻറനൻസ് സമയം ,Amount to Deliver,വിടുവിപ്പാൻ തുക -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,ഒരു ഉല്പന്നം അല്ലെങ്കിൽ സേവനം +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,ഒരു ഉല്പന്നം അല്ലെങ്കിൽ സേവനം apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ടേം ആരംഭ തീയതി ഏത് പദം (അക്കാദമിക് വർഷം {}) ബന്ധിപ്പിച്ചിട്ടുള്ളാതാവനായി അക്കാദമിക വർഷത്തിന്റെ വർഷം ആരംഭിക്കുന്ന തീയതിയ്ക്ക് നേരത്തെ പാടില്ല. എൻറർ ശരിയാക്കി വീണ്ടും ശ്രമിക്കുക. DocType: Guardian,Guardian Interests,ഗാർഡിയൻ താൽപ്പര്യങ്ങൾ DocType: Naming Series,Current Value,ഇപ്പോഴത്തെ മൂല്യം -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,ഒന്നിലധികം വർഷത്തേക്ക് തീയതി {0} കണക്കേ. സാമ്പത്തിക വർഷം കമ്പനി സജ്ജീകരിക്കുക +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,ഒന്നിലധികം വർഷത്തേക്ക് തീയതി {0} കണക്കേ. സാമ്പത്തിക വർഷം കമ്പനി സജ്ജീകരിക്കുക apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} സൃഷ്ടിച്ചു DocType: Delivery Note Item,Against Sales Order,സെയിൽസ് എതിരായ ,Serial No Status,സീരിയൽ നില ഇല്ല @@ -1899,7 +1902,7 @@ DocType: Pricing Rule,Selling,വിൽപ്പനയുള്ളത് apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},തുക {0} {1} {2} നേരെ കുറച്ചുകൊണ്ടിരിക്കും DocType: Employee,Salary Information,ശമ്പളം വിവരങ്ങൾ DocType: Sales Person,Name and Employee ID,പേര് തൊഴിൽ ഐഡി -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,നിശ്ചിത തീയതി തീയതി പതിച്ച മുമ്പ് ആകാൻ പാടില്ല +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,നിശ്ചിത തീയതി തീയതി പതിച്ച മുമ്പ് ആകാൻ പാടില്ല DocType: Website Item Group,Website Item Group,വെബ്സൈറ്റ് ഇനം ഗ്രൂപ്പ് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,"കടമകൾ, നികുതി" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,റഫറൻസ് തീയതി നൽകുക @@ -1956,9 +1959,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},ജീവനക്കാരൻ {0} പ്രവേശനത്തിനുള്ള തീയതി സജ്ജീകരിക്കുക DocType: Task,Total Billing Amount (via Time Sheet),ആകെ ബില്ലിംഗ് തുക (ടൈം ഷീറ്റ് വഴി) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ആവർത്തിക്കുക കസ്റ്റമർ റവന്യൂ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) പങ്ക് 'ചിലവിടൽ Approver' ഉണ്ടായിരിക്കണം -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,ജോഡി -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,ഉത്പാദനം BOM ലേക്ക് ആൻഡ് അളവ് തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) പങ്ക് 'ചിലവിടൽ Approver' ഉണ്ടായിരിക്കണം +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,ജോഡി +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,ഉത്പാദനം BOM ലേക്ക് ആൻഡ് അളവ് തിരഞ്ഞെടുക്കുക DocType: Asset,Depreciation Schedule,മൂല്യത്തകർച്ച ഷെഡ്യൂൾ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,സെയിൽസ് പങ്കാളി വിലാസങ്ങളും ബന്ധങ്ങൾ DocType: Bank Reconciliation Detail,Against Account,അക്കൗണ്ടിനെതിരായ @@ -1968,7 +1971,7 @@ DocType: Item,Has Batch No,ബാച്ച് ഇല്ല ഉണ്ട് apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},വാർഷിക ബില്ലിംഗ്: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ഉൽപ്പന്നങ്ങളും സേവനങ്ങളും നികുതി (ചരക്കുസേവന ഇന്ത്യ) DocType: Delivery Note,Excise Page Number,എക്സൈസ് പേജ് നമ്പർ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","കമ്പനി, തീയതി മുതൽ ദിവസവും നിർബന്ധമായും" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","കമ്പനി, തീയതി മുതൽ ദിവസവും നിർബന്ധമായും" DocType: Asset,Purchase Date,വാങ്ങിയ തിയതി DocType: Employee,Personal Details,പേഴ്സണൽ വിവരങ്ങൾ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},കമ്പനി {0} ൽ 'അസറ്റ് മൂല്യത്തകർച്ച കോസ്റ്റ് സെന്റർ' സജ്ജമാക്കുക @@ -1977,9 +1980,9 @@ DocType: Task,Actual End Date (via Time Sheet),യഥാർത്ഥ അവസ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},തുക {0} {1} {2} {3} നേരെ ,Quotation Trends,ക്വട്ടേഷൻ ട്രെൻഡുകൾ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ഐറ്റം {0} ഐറ്റം മാസ്റ്റർ പരാമർശിച്ചു അല്ല ഇനം ഗ്രൂപ്പ് -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു സ്വീകാ അക്കൗണ്ട് ആയിരിക്കണം +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു സ്വീകാ അക്കൗണ്ട് ആയിരിക്കണം DocType: Shipping Rule Condition,Shipping Amount,ഷിപ്പിംഗ് തുക -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,ഉപഭോക്താക്കൾ ചേർക്കുക +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,ഉപഭോക്താക്കൾ ചേർക്കുക apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,തീർച്ചപ്പെടുത്തിയിട്ടില്ല തുക DocType: Purchase Invoice Item,Conversion Factor,പരിവർത്തന ഫാക്ടർ DocType: Purchase Order,Delivered,കൈമാറി @@ -2002,7 +2005,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,പൊരുത്ത DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","പാരന്റ് കോഴ്സ് (, ശൂന്യമായിടൂ പാരന്റ് കോഴ്സിന്റെ ഭാഗമായി അല്ല എങ്കിൽ)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","പാരന്റ് കോഴ്സ് (, ശൂന്യമായിടൂ പാരന്റ് കോഴ്സിന്റെ ഭാഗമായി അല്ല എങ്കിൽ)" DocType: Leave Control Panel,Leave blank if considered for all employee types,എല്ലാ ജീവനക്കാരുടെ തരം പരിഗണിക്കില്ല എങ്കിൽ ശൂന്യമായിടൂ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ഉപഭോക്താവ്> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിറ്ററി DocType: Landed Cost Voucher,Distribute Charges Based On,അടിസ്ഥാനമാക്കി നിരക്കുകൾ വിതരണം apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,എച്ച് ക്രമീകരണങ്ങൾ @@ -2010,7 +2012,7 @@ DocType: Salary Slip,net pay info,വല ശമ്പള വിവരം apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,ചിലവിടൽ ക്ലെയിം അംഗീകാരത്തിനായി ശേഷിക്കുന്നു. മാത്രം ചിലവിടൽ Approver സ്റ്റാറ്റസ് അപ്ഡേറ്റ് ചെയ്യാം. DocType: Email Digest,New Expenses,പുതിയ ചെലവുകൾ DocType: Purchase Invoice,Additional Discount Amount,അധിക ഡിസ്ക്കൌണ്ട് തുക -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","വരി # {0}: അളവ് 1, ഇനം ഒരു നിശ്ചിത അസറ്റ് പോലെ ആയിരിക്കണം. ഒന്നിലധികം അളവ് പ്രത്യേകം വരി ഉപയോഗിക്കുക." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","വരി # {0}: അളവ് 1, ഇനം ഒരു നിശ്ചിത അസറ്റ് പോലെ ആയിരിക്കണം. ഒന്നിലധികം അളവ് പ്രത്യേകം വരി ഉപയോഗിക്കുക." DocType: Leave Block List Allow,Leave Block List Allow,അനുവദിക്കുക ബ്ലോക്ക് ലിസ്റ്റ് വിടുക apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ബ്ലാങ്ക് ബഹിരാകാശ ആകാൻ പാടില്ല apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,നോൺ-ഗ്രൂപ്പ് വരെ ഗ്രൂപ്പ് @@ -2018,7 +2020,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,സ്പേ DocType: Loan Type,Loan Name,ലോൺ പേര് apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,യഥാർത്ഥ ആകെ DocType: Student Siblings,Student Siblings,സ്റ്റുഡന്റ് സഹോദരങ്ങള് -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,യൂണിറ്റ് +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,യൂണിറ്റ് apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,കമ്പനി വ്യക്തമാക്കുക ,Customer Acquisition and Loyalty,കസ്റ്റമർ ഏറ്റെടുക്കൽ ലോയൽറ്റി DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,നിങ്ങൾ നിരസിച്ചു ഇനങ്ങളുടെ സ്റ്റോക്ക് നിലനിർത്തുന്നുവെന്നോ എവിടെ വെയർഹൗസ് @@ -2037,12 +2039,12 @@ DocType: Workstation,Wages per hour,മണിക്കൂറിൽ വേതന apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ബാച്ച് ലെ സ്റ്റോക്ക് ബാലൻസ് {0} സംഭരണശാല {3} ചെയ്തത് ഇനം {2} വേണ്ടി {1} നെഗറ്റീവ് ആയിത്തീരും apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,തുടർന്ന് മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ ഇനത്തിന്റെ റീ-ഓർഡർ തലത്തിൽ അടിസ്ഥാനമാക്കി സ്വയം ഉൾപ്പെടും DocType: Email Digest,Pending Sales Orders,തീർച്ചപ്പെടുത്തിയിട്ടില്ല സെയിൽസ് ഓർഡറുകൾ -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},അക്കൗണ്ട് {0} അസാധുവാണ്. അക്കൗണ്ട് കറന്സി {1} ആയിരിക്കണം +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},അക്കൗണ്ട് {0} അസാധുവാണ്. അക്കൗണ്ട് കറന്സി {1} ആയിരിക്കണം apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM പരിവർത്തന ഘടകം വരി {0} ആവശ്യമാണ് DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം വിൽപ്പന ഓർഡർ, സെയിൽസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം" DocType: Salary Component,Deduction,കുറയ്ക്കല് -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,വരി {0}: സമയവും സമയാസമയങ്ങളിൽ നിർബന്ധമാണ്. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,വരി {0}: സമയവും സമയാസമയങ്ങളിൽ നിർബന്ധമാണ്. DocType: Stock Reconciliation Item,Amount Difference,തുക വ്യത്യാസം apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},ഇനം വില വില പട്ടിക {1} ൽ {0} വേണ്ടി ചേർത്തു apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ഈ വിൽപ്പന ആളിന്റെ ജീവനക്കാരന്റെ ഐഡി നൽകുക @@ -2052,11 +2054,11 @@ DocType: Project,Gross Margin,മൊത്തം മാർജിൻ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,പ്രൊഡക്ഷൻ ഇനം ആദ്യം നൽകുക apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,കണക്കുകൂട്ടിയത് ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ബാലൻസ് apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,അപ്രാപ്തമാക്കിയ ഉപയോക്താവിനെ -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,ഉദ്ധരണി +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,ഉദ്ധരണി DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,ആകെ കിഴിച്ചുകൊണ്ടു ,Production Analytics,പ്രൊഡക്ഷൻ അനലിറ്റിക്സ് -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ചെലവ് അപ്ഡേറ്റ് +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,ചെലവ് അപ്ഡേറ്റ് DocType: Employee,Date of Birth,ജനിച്ച ദിവസം apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,ഇനം {0} ഇതിനകം മടങ്ങി ചെയ്തു DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** സാമ്പത്തിക വർഷത്തെ ** ഒരു സാമ്പത്തിക വർഷം പ്രതിനിധീകരിക്കുന്നത്. എല്ലാ അക്കൗണ്ടിങ് എൻട്രികൾ മറ്റ് പ്രധാന ഇടപാടുകൾ ** ** സാമ്പത്തിക വർഷത്തിൽ നേരെ അത്രകണ്ട്. @@ -2102,18 +2104,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,കമ്പനി തിരഞ്ഞെടുക്കുക ... DocType: Leave Control Panel,Leave blank if considered for all departments,എല്ലാ വകുപ്പുകളുടെയും വേണ്ടി പരിഗണിക്കും എങ്കിൽ ശൂന്യമായിടൂ apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","തൊഴിൽ വിവിധതരം (സ്ഥിരമായ, കരാർ, തടവുകാരി മുതലായവ)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} ഇനം {1} നിര്ബന്ധമാണ് +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} ഇനം {1} നിര്ബന്ധമാണ് DocType: Process Payroll,Fortnightly,രണ്ടാഴ്ചയിലൊരിക്കൽ DocType: Currency Exchange,From Currency,കറൻസി apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","കുറഞ്ഞത് ഒരു വരിയിൽ പദ്ധതി തുക, ഇൻവോയിസ് ടൈപ്പ് ഇൻവോയിസ് നമ്പർ തിരഞ്ഞെടുക്കുക" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,പുതിയ വാങ്ങൽ വില -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},ഇനം {0} വേണ്ടി ആവശ്യമായ സെയിൽസ് ഓർഡർ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},ഇനം {0} വേണ്ടി ആവശ്യമായ സെയിൽസ് ഓർഡർ DocType: Purchase Invoice Item,Rate (Company Currency),നിരക്ക് (കമ്പനി കറൻസി) DocType: Student Guardian,Others,മറ്റുള്ളവ DocType: Payment Entry,Unallocated Amount,ലഭ്യമല്ലാത്ത തുക apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,ഒരു പൊരുത്തമുള്ള ഇനം കണ്ടെത്താൻ കഴിയുന്നില്ല. {0} വേണ്ടി മറ്റ് ചില മൂല്യം തിരഞ്ഞെടുക്കുക. DocType: POS Profile,Taxes and Charges,നികുതി ചാർജുകളും DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","ഒരു ഉല്പന്നം അല്ലെങ്കിൽ സ്റ്റോക്ക്, വാങ്ങിയ വിറ്റു അല്ലെങ്കിൽ സൂക്ഷിച്ചു ഒരു സേവനം." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ഇനം കോഡ്> ഇനം ഗ്രൂപ്പ്> ബ്രാൻഡ് apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,കൂടുതൽ അപ്ഡേറ്റുകൾ ഇല്ല apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,ആദ്യവരിയിൽ 'മുൻ വരി തുകയ്ക്ക്' അല്ലെങ്കിൽ 'മുൻ വരി ആകെ ന്' ചുമതലയേറ്റു തരം തിരഞ്ഞെടുക്കാൻ കഴിയില്ല apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,ശിശു ഇനം ഒരു ഉൽപ്പന്നം ബണ്ടിൽ പാടില്ല. ഇനം നീക്കംചെയ്യുക `{0}` സംരക്ഷിക്കാനുമാവും @@ -2141,7 +2144,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,ആകെ ബില്ലിംഗ് തുക apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,കൃതി ഈ പ്രാപ്തമാക്കി ഒരു സ്ഥിര ഇൻകമിംഗ് ഇമെയിൽ അക്കൗണ്ട് ഉണ്ട് ആയിരിക്കണം. സജ്ജീകരണം ദയവായി ഒരു സ്ഥിര ഇൻകമിംഗ് ഇമെയിൽ അക്കൗണ്ട് (POP / IMAP) വീണ്ടും ശ്രമിക്കുക. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,സ്വീകാ അക്കൗണ്ട് -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},വരി # {0}: അസറ്റ് {1} {2} ഇതിനകം +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},വരി # {0}: അസറ്റ് {1} {2} ഇതിനകം DocType: Quotation Item,Stock Balance,ഓഹരി ബാലൻസ് apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,പെയ്മെന്റ് വിൽപ്പന ഓർഡർ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,സിഇഒ @@ -2166,10 +2169,11 @@ DocType: C-Form,Received Date,ലഭിച്ച തീയതി DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","നിങ്ങൾ സെയിൽസ് നികുതികളും ചുമത്തിയിട്ടുള്ള ഫലകം ഒരു സാധാരണ ടെംപ്ലേറ്റ് .സൃഷ്ടിച്ചിട്ടുണ്ടെങ്കിൽ, ഒന്ന് തിരഞ്ഞെടുത്ത് താഴെയുള്ള ബട്ടൺ ക്ലിക്ക് ചെയ്യുക." DocType: BOM Scrap Item,Basic Amount (Company Currency),അടിസ്ഥാന തുക (കമ്പനി കറൻസി) DocType: Student,Guardians,ഗാർഡിയൻ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണക്കാരൻ തരം DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,വിലവിവര ലിസ്റ്റ് സജ്ജമാക്കിയിട്ടില്ലെങ്കിൽ വിലകൾ കാണിക്കില്ല apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ഈ ഷിപ്പിംഗ് റൂൾ ഒരു രാജ്യം വ്യക്തമാക്കൂ ലോകമൊട്ടാകെ ഷിപ്പിംഗ് പരിശോധിക്കുക DocType: Stock Entry,Total Incoming Value,ആകെ ഇൻകമിംഗ് മൂല്യം -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,ഡെബിറ്റ് ആവശ്യമാണ് +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,ഡെബിറ്റ് ആവശ്യമാണ് apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","തിമെശെഎത്സ് സമയം, നിങ്ങളുടെ ടീം നടക്കുന്ന പ്രവർത്തനങ്ങൾ ചിലവു ബില്ലിംഗ് ട്രാക്ക് സൂക്ഷിക്കാൻ സഹായിക്കുന്നു" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,വാങ്ങൽ വില പട്ടിക DocType: Offer Letter Term,Offer Term,ആഫര് ടേം @@ -2188,11 +2192,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ഉ DocType: Timesheet Detail,To Time,സമയം ചെയ്യുന്നതിനായി DocType: Authorization Rule,Approving Role (above authorized value),(അംഗീകൃത മൂല്യം മുകളിൽ) അംഗീകരിച്ചതിന് റോൾ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു അടയ്ക്കേണ്ട അക്കൗണ്ട് ആയിരിക്കണം -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM ലേക്ക് വിശകലനത്തിനുവേണ്ടിയാണീ: {0} {2} മാതാപിതാക്കൾ കുട്ടികളുടെ ആകാൻ പാടില്ല +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM ലേക്ക് വിശകലനത്തിനുവേണ്ടിയാണീ: {0} {2} മാതാപിതാക്കൾ കുട്ടികളുടെ ആകാൻ പാടില്ല DocType: Production Order Operation,Completed Qty,പൂർത്തിയാക്കി Qty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0} മാത്രം ഡെബിറ്റ് അക്കൗണ്ടുകൾ മറ്റൊരു ക്രെഡിറ്റ് എൻട്രി നേരെ ലിങ്ക്ഡ് കഴിയും apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,വില പട്ടിക {0} പ്രവർത്തനരഹിതമാക്കിയിരിക്കുന്നതിനാൽ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},വരി {0}: പൂർത്തിയായി അളവ് {2} ഓപ്പറേഷൻ അപേക്ഷിച്ച് {1} കൂടുതലാകാൻ പാടില്ല +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},വരി {0}: പൂർത്തിയായി അളവ് {2} ഓപ്പറേഷൻ അപേക്ഷിച്ച് {1} കൂടുതലാകാൻ പാടില്ല DocType: Manufacturing Settings,Allow Overtime,അധികസമയം അനുവദിക്കുക apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","സീരിയൽ ഇനം {0} ഓഹരി അനുരഞ്ജനം ഉപയോഗിച്ച് അപ്ഡേറ്റ് കഴിയില്ല, ഓഹരി എൻട്രി ഉപയോഗിക്കുക" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","സീരിയൽ ഇനം {0} ഓഹരി അനുരഞ്ജനം ഉപയോഗിച്ച് അപ്ഡേറ്റ് കഴിയില്ല, ഓഹരി എൻട്രി ഉപയോഗിക്കുക" @@ -2211,10 +2215,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,പുറത്തേക്കുള്ള apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ഉപയോക്താക്കൾ അനുമതികളും DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},സൃഷ്ടിച്ചു പ്രൊഡക്ഷൻ ഓർഡറുകൾ: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},സൃഷ്ടിച്ചു പ്രൊഡക്ഷൻ ഓർഡറുകൾ: {0} DocType: Branch,Branch,ബ്രാഞ്ച് DocType: Guardian,Mobile Number,മൊബൈൽ നമ്പർ apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,"അച്ചടി, ബ്രാൻഡിംഗ്" +DocType: Company,Total Monthly Sales,മൊത്തം പ്രതിമാസ വിൽപ്പന DocType: Bin,Actual Quantity,യഥാർത്ഥ ക്വാണ്ടിറ്റി DocType: Shipping Rule,example: Next Day Shipping,ഉദാഹരണം: അടുത്ത ദിവസം ഷിപ്പിംഗ് apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,{0} കാണാനായില്ല സീരിയൽ ഇല്ല @@ -2245,7 +2250,7 @@ DocType: Payment Request,Make Sales Invoice,സെയിൽസ് ഇൻവേ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,സോഫ്റ്റ്വെയറുകൾ apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,അടുത്ത ബന്ധപ്പെടുക തീയതി കഴിഞ്ഞ ലെ പാടില്ല DocType: Company,For Reference Only.,മാത്രം റഫറൻസിനായി. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,തിരഞ്ഞെടുക്കുക ബാച്ച് ഇല്ല +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,തിരഞ്ഞെടുക്കുക ബാച്ച് ഇല്ല apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},അസാധുവായ {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,മുൻകൂർ തുക @@ -2258,7 +2263,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},ബാർകോഡ് {0} ഉപയോഗിച്ച് ഇല്ല ഇനം apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,കേസ് നമ്പർ 0 ആയിരിക്കും കഴിയില്ല DocType: Item,Show a slideshow at the top of the page,പേജിന്റെ മുകളിൽ ഒരു സ്ലൈഡ്ഷോ കാണിക്കുക -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,സ്റ്റോറുകൾ DocType: Serial No,Delivery Time,വിതരണ സമയം apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,എയ്ജിങ് അടിസ്ഥാനത്തിൽ ഓൺ @@ -2272,16 +2277,16 @@ DocType: Rename Tool,Rename Tool,ടൂൾ പുനർനാമകരണം ച apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,അപ്ഡേറ്റ് ചെലവ് DocType: Item Reorder,Item Reorder,ഇനം പുനഃക്രമീകരിക്കുക apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,ശമ്പള ജി കാണിക്കുക -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,മെറ്റീരിയൽ കൈമാറുക +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,മെറ്റീരിയൽ കൈമാറുക DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",", ഓപ്പറേഷൻസ് വ്യക്തമാക്കുക ഓപ്പറേറ്റിങ് വില നിങ്ങളുടെ പ്രവർത്തനങ്ങൾക്ക് ഒരു അതുല്യമായ ഓപ്പറേഷൻ ഒന്നും തരും." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ഈ പ്രമാണം ഇനം {4} വേണ്ടി {0} {1} വഴി പരിധിക്കു. നിങ്ങൾ നിർമ്മിക്കുന്നത് ഒരേ {2} നേരെ മറ്റൊരു {3}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,സംരക്ഷിക്കുന്നതിൽ ശേഷം ആവർത്തിക്കുന്ന സജ്ജമാക്കുക -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,മാറ്റം തുക അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,സംരക്ഷിക്കുന്നതിൽ ശേഷം ആവർത്തിക്കുന്ന സജ്ജമാക്കുക +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,മാറ്റം തുക അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക DocType: Purchase Invoice,Price List Currency,വില പട്ടിക കറന്സി DocType: Naming Series,User must always select,ഉപയോക്താവ് എപ്പോഴും തിരഞ്ഞെടുക്കണം DocType: Stock Settings,Allow Negative Stock,നെഗറ്റീവ് സ്റ്റോക്ക് അനുവദിക്കുക DocType: Installation Note,Installation Note,ഇന്സ്റ്റലേഷന് കുറിപ്പ് -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,നികുതികൾ ചേർക്കുക +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,നികുതികൾ ചേർക്കുക DocType: Topic,Topic,വിഷയം apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,ഫിനാൻസിംഗ് നിന്നുള്ള ക്യാഷ് ഫ്ളോ DocType: Budget Account,Budget Account,ബജറ്റ് അക്കൗണ്ട് @@ -2295,7 +2300,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Trace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ഫണ്ട് സ്രോതസ്സ് (ബാധ്യതകളും) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},നിരയിൽ ക്വാണ്ടിറ്റി {0} ({1}) നിർമിക്കുന്ന അളവ് {2} അതേ ആയിരിക്കണം DocType: Appraisal,Employee,ജീവനക്കാരുടെ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,ബാച്ച് തിരഞ്ഞെടുക്കുക +DocType: Company,Sales Monthly History,സെയിൽസ് മൺലി ഹിസ്റ്ററി +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,ബാച്ച് തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} പൂർണ്ണമായി കൊക്കുമാണ് DocType: Training Event,End Time,അവസാനിക്കുന്ന സമയം apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,സജീവ ശമ്പളം ഘടന {0} നൽകിയ തീയതികളിൽ ജീവനക്കാരുടെ {1} കണ്ടെത്തിയില്ല @@ -2303,15 +2309,14 @@ DocType: Payment Entry,Payment Deductions or Loss,പേയ്മെന്റ് apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,സെയിൽസ് വാങ്ങാനും സ്റ്റാൻഡേർഡ് കരാർ നിബന്ധനകൾ. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,വൗച്ചർ എന്നയാളുടെ ഗ്രൂപ്പ് apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,സെയിൽസ് പൈപ്പ്ലൈൻ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},ശമ്പള ഘടക {0} ൽ സ്ഥിര അക്കൗണ്ട് സജ്ജീകരിക്കുക +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},ശമ്പള ഘടക {0} ൽ സ്ഥിര അക്കൗണ്ട് സജ്ജീകരിക്കുക apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ആവശ്യമാണ് DocType: Rename Tool,File to Rename,പേരു്മാറ്റുക ഫയൽ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},ദയവായി വരി {0} ൽ ഇനം വേണ്ടി BOM ൽ തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},"അക്കൗണ്ട് {0}, വിചാരണയുടെ മോഡിൽ കമ്പനി {1} ഉപയോഗിച്ച് പൊരുത്തപ്പെടുന്നില്ല: {2}" apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},സൂചിപ്പിച്ചിരിക്കുന്ന BOM ലേക്ക് {0} ഇനം {1} വേണ്ടി നിലവിലില്ല -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,മെയിൻറനൻസ് ഷെഡ്യൂൾ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,മെയിൻറനൻസ് ഷെഡ്യൂൾ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം DocType: Notification Control,Expense Claim Approved,ചിലവേറിയ ക്ലെയിം അംഗീകരിച്ചു -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,സെറ്റപ്പ്> നമ്പറിംഗ് സീരീസിലൂടെ വരുന്ന കൂടിക്കാഴ്ചക്കായി സെറ്റപ്പ് നമ്പറുകൾ ക്രമീകരിക്കുക apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം ഈ കാലയളവിൽ സൃഷ്ടിച്ച apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ഫാർമസ്യൂട്ടിക്കൽ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,വാങ്ങിയ ഇനങ്ങൾ ചെലവ് @@ -2328,7 +2333,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ഒരു പൂർ DocType: Upload Attendance,Attendance To Date,തീയതി ആരംഭിക്കുന്ന ഹാജർ DocType: Warranty Claim,Raised By,ഉന്നയിക്കുന്ന DocType: Payment Gateway Account,Payment Account,പേയ്മെന്റ് അക്കൗണ്ട് -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,തുടരാനായി കമ്പനി വ്യക്തമാക്കുക +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,തുടരാനായി കമ്പനി വ്യക്തമാക്കുക apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,അക്കൗണ്ടുകൾ സ്വീകാര്യം ലെ നെറ്റ് മാറ്റുക apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ഓഫാക്കുക നഷ്ടപരിഹാര DocType: Offer Letter,Accepted,സ്വീകരിച്ചു @@ -2338,12 +2343,12 @@ DocType: SG Creation Tool Course,Student Group Name,സ്റ്റുഡന് apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ശരിക്കും ഈ കമ്പനിയുടെ എല്ലാ ഇടപാടുകൾ ഇല്ലാതാക്കാൻ ആഗ്രഹിക്കുന്ന ദയവായി ഉറപ്പാക്കുക. അത് പോലെ നിങ്ങളുടെ മാസ്റ്റർ ഡാറ്റ തുടരും. ഈ പ്രവർത്തനം തിരുത്താൻ കഴിയില്ല. DocType: Room,Room Number,മുറി നമ്പർ apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},അസാധുവായ റഫറൻസ് {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) പ്രൊഡക്ഷൻ ഓർഡർ {3} ആസൂത്രണം quanitity ({2}) വലുതായിരിക്കും കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) പ്രൊഡക്ഷൻ ഓർഡർ {3} ആസൂത്രണം quanitity ({2}) വലുതായിരിക്കും കഴിയില്ല DocType: Shipping Rule,Shipping Rule Label,ഷിപ്പിംഗ് റൂൾ ലേബൽ apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ഉപയോക്തൃ ഫോറം -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,അസംസ്കൃത വസ്തുക്കൾ ശൂന്യമായിരിക്കാൻ കഴിയില്ല. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","ഇൻവോയ്സ് ഡ്രോപ്പ് ഷിപ്പിംഗ് ഇനം ഉൾപ്പെടുന്നു, സ്റ്റോക്ക് അപ്ഡേറ്റുചെയ്യാനായില്ല." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ദ്രുത ജേർണൽ എൻട്രി +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,അസംസ്കൃത വസ്തുക്കൾ ശൂന്യമായിരിക്കാൻ കഴിയില്ല. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","ഇൻവോയ്സ് ഡ്രോപ്പ് ഷിപ്പിംഗ് ഇനം ഉൾപ്പെടുന്നു, സ്റ്റോക്ക് അപ്ഡേറ്റുചെയ്യാനായില്ല." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,ദ്രുത ജേർണൽ എൻട്രി apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,BOM ലേക്ക് ഏതെങ്കിലും ഇനത്തിന്റെ agianst പരാമർശിച്ചു എങ്കിൽ നിങ്ങൾ നിരക്ക് മാറ്റാൻ കഴിയില്ല DocType: Employee,Previous Work Experience,മുമ്പത്തെ ജോലി പരിചയം DocType: Stock Entry,For Quantity,ക്വാണ്ടിറ്റി വേണ്ടി @@ -2400,7 +2405,7 @@ DocType: SMS Log,No of Requested SMS,അഭ്യർത്ഥിച്ച എസ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,ശമ്പള വിടണമെന്ന് അംഗീകൃത അനുവാദ ആപ്ലിക്കേഷന് രേഖകളുമായി പൊരുത്തപ്പെടുന്നില്ല DocType: Campaign,Campaign-.####,കാമ്പയിൻ -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,അടുത്ത ഘട്ടങ്ങൾ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,മികച്ച സാധ്യത നിരക്കിൽ വ്യക്തമാക്കിയ ഇനങ്ങൾ നൽകുക +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,മികച്ച സാധ്യത നിരക്കിൽ വ്യക്തമാക്കിയ ഇനങ്ങൾ നൽകുക DocType: Selling Settings,Auto close Opportunity after 15 days,15 ദിവസം കഴിഞ്ഞ് ഓട്ടോ അടയ്ക്കൂ അവസരം apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,അവസാനിക്കുന്ന വർഷം apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot /% Lead @@ -2438,7 +2443,7 @@ DocType: Homepage,Homepage,ഹോംപേജ് DocType: Purchase Receipt Item,Recd Quantity,Recd ക്വാണ്ടിറ്റി apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},സൃഷ്ടിച്ചു ഫീസ് റെക്കോർഡ്സ് - {0} DocType: Asset Category Account,Asset Category Account,അസറ്റ് വർഗ്ഗം അക്കൗണ്ട് -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},സെയിൽസ് ഓർഡർ അളവ് {1} അധികം ഇനം {0} ഉത്പാദിപ്പിക്കാനുള്ള കഴിയുന്നില്ലേ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},സെയിൽസ് ഓർഡർ അളവ് {1} അധികം ഇനം {0} ഉത്പാദിപ്പിക്കാനുള്ള കഴിയുന്നില്ലേ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,ഓഹരി എൻട്രി {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും DocType: Payment Reconciliation,Bank / Cash Account,ബാങ്ക് / ക്യാഷ് അക്കൗണ്ട് apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,അടുത്തത് ബന്ധപ്പെടുക നയിക്കുന്നത് ഇമെയിൽ വിലാസം തന്നെ പാടില്ല @@ -2471,7 +2476,7 @@ DocType: Salary Structure,Total Earning,മൊത്തം സമ്പാദ DocType: Purchase Receipt,Time at which materials were received,വസ്തുക്കൾ ലഭിച്ച ഏത് സമയം DocType: Stock Ledger Entry,Outgoing Rate,ഔട്ട്ഗോയിംഗ് റേറ്റ് apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ഓർഗനൈസേഷൻ ബ്രാഞ്ച് മാസ്റ്റർ. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,അഥവാ +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,അഥവാ DocType: Sales Order,Billing Status,ബില്ലിംഗ് അവസ്ഥ apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ഒരു പ്രശ്നം റിപ്പോർട്ടുചെയ്യുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,യൂട്ടിലിറ്റി ചെലവുകൾ @@ -2479,7 +2484,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,വരി # {0}: ജേണൽ എൻട്രി {1} മറ്റൊരു വൗച്ചർ പൊരുത്തപ്പെടും അക്കൗണ്ട് {2} ഞങ്ങൾക്കുണ്ട് അല്ലെങ്കിൽ ഇതിനകം ഇല്ല DocType: Buying Settings,Default Buying Price List,സ്ഥിരസ്ഥിതി വാങ്ങൽ വില പട്ടിക DocType: Process Payroll,Salary Slip Based on Timesheet,ശമ്പള ജി Timesheet അടിസ്ഥാനമാക്കി -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,മുകളിൽ തിരഞ്ഞെടുത്ത മാനദണ്ഡങ്ങൾ OR ശമ്പളം സ്ലിപ്പ് വേണ്ടി ഒരു ജീവനക്കാരനും ഇതിനകം സൃഷ്ടിച്ചു +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,മുകളിൽ തിരഞ്ഞെടുത്ത മാനദണ്ഡങ്ങൾ OR ശമ്പളം സ്ലിപ്പ് വേണ്ടി ഒരു ജീവനക്കാരനും ഇതിനകം സൃഷ്ടിച്ചു DocType: Notification Control,Sales Order Message,സെയിൽസ് ഓർഡർ സന്ദേശം apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","കമ്പനി, കറൻസി, നടപ്പു സാമ്പത്തിക വർഷം, തുടങ്ങിയ സജ്ജമാക്കുക സ്വതേ മൂല്യങ്ങൾ" DocType: Payment Entry,Payment Type,പേയ്മെന്റ് തരം @@ -2504,7 +2509,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,കൈപ്പറ്റുമ്പോൾ പ്രമാണം സമർപ്പിക്കേണ്ടതാണ് DocType: Purchase Invoice Item,Received Qty,Qty ലഭിച്ചു DocType: Stock Entry Detail,Serial No / Batch,സീരിയൽ ഇല്ല / ബാച്ച് -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,"പെയ്ഡ്, ഒരിക്കലും പാടില്ല കൈമാറിയില്ല" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,"പെയ്ഡ്, ഒരിക്കലും പാടില്ല കൈമാറിയില്ല" DocType: Product Bundle,Parent Item,പാരന്റ് ഇനം DocType: Account,Account Type,അക്കൗണ്ട് തരം DocType: Delivery Note,DN-RET-,ഡിഎൻ-RET- @@ -2535,8 +2540,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,ആകെ തുക apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ശാശ്വതമായ സാധനങ്ങളും സ്ഥിരസ്ഥിതി സാധനങ്ങളും അക്കൗണ്ട് സജ്ജമാക്കുക DocType: Item Reorder,Material Request Type,മെറ്റീരിയൽ അഭ്യർത്ഥന തരം -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} ലേക്ക് {1} നിന്ന് ശമ്പളം വേണ്ടി Accural ജേണൽ എൻട്രി -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},{0} ലേക്ക് {1} നിന്ന് ശമ്പളം വേണ്ടി Accural ജേണൽ എൻട്രി +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,വരി {0}: UOM പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,റഫറൻസ് DocType: Budget,Cost Center,ചെലവ് കേന്ദ്രം @@ -2554,7 +2559,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ആ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","തിരഞ്ഞെടുത്ത പ്രൈസിങ് ഭരണം 'വില' വേണ്ടി ഉണ്ടാക്കിയ, അത് വില പട്ടിക തിരുത്തിയെഴുതും. പ്രൈസിങ് റൂൾ വില അവസാന വില ആണ്, അതിനാൽ യാതൊരു കൂടുതൽ നല്കിയിട്ടുള്ള നടപ്പാക്കണം. അതുകൊണ്ട്, സെയിൽസ് ഓർഡർ, പർച്ചേസ് ഓർഡർ തുടങ്ങിയ ഇടപാടുകൾ, അതു മറിച്ച് 'വില പട്ടിക റേറ്റ്' ഫീൽഡ് അധികം, 'റേറ്റ്' ഫീൽഡിലെ വീണ്ടെടുക്കാൻ ചെയ്യും." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ട്രാക്ക് ഇൻഡസ്ട്രി തരം നയിക്കുന്നു. DocType: Item Supplier,Item Supplier,ഇനം വിതരണക്കാരൻ -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,യാതൊരു ബാച്ച് ലഭിക്കാൻ ഇനം കോഡ് നൽകുക +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,യാതൊരു ബാച്ച് ലഭിക്കാൻ ഇനം കോഡ് നൽകുക apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},{1} quotation_to {0} ഒരു മൂല്യം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/config/selling.py +46,All Addresses.,എല്ലാ വിലാസങ്ങൾ. DocType: Company,Stock Settings,സ്റ്റോക്ക് ക്രമീകരണങ്ങൾ @@ -2581,7 +2586,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ഇടപാട് ശ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},"ശമ്പളം സ്ലിപ്പ് ഇല്ല {0}, {1} തമ്മിലുള്ള കണ്ടെത്തി" ,Pending SO Items For Purchase Request,പർച്ചേസ് അഭ്യർത്ഥന അവശേഷിക്കുന്ന ഷൂട്ട്ഔട്ട് ഇനങ്ങൾ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,സ്റ്റുഡന്റ് പ്രവേശന -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} അപ്രാപ്തമാക്കിയിട്ടുണ്ടെങ്കിൽ +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} അപ്രാപ്തമാക്കിയിട്ടുണ്ടെങ്കിൽ DocType: Supplier,Billing Currency,ബില്ലിംഗ് കറന്സി DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,അതിബൃഹത്തായ @@ -2611,7 +2616,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,അപ്ലിക്കേഷൻ നില DocType: Fees,Fees,ഫീസ് DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,മറ്റൊരു ഒരേ കറൻസി പരിവർത്തനം ചെയ്യാൻ വിനിമയ നിരക്ക് വ്യക്തമാക്കുക -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,ക്വട്ടേഷൻ {0} റദ്ദാക്കി +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,ക്വട്ടേഷൻ {0} റദ്ദാക്കി apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,മൊത്തം തുക DocType: Sales Partner,Targets,ടാർഗെറ്റ് DocType: Price List,Price List Master,വില പട്ടിക മാസ്റ്റർ @@ -2628,7 +2633,7 @@ DocType: POS Profile,Ignore Pricing Rule,പ്രൈസിങ് റൂൾ അ DocType: Employee Education,Graduate,ബിരുദധാരി DocType: Leave Block List,Block Days,ബ്ലോക്ക് ദിനങ്ങൾ DocType: Journal Entry,Excise Entry,എക്സൈസ് എൻട്രി -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},മുന്നറിയിപ്പ്: സെയിൽസ് ഓർഡർ {0} ഇതിനകം ഉപഭോക്താവിന്റെ വാങ്ങൽ ഓർഡർ {1} നേരെ നിലവിലുണ്ട് +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},മുന്നറിയിപ്പ്: സെയിൽസ് ഓർഡർ {0} ഇതിനകം ഉപഭോക്താവിന്റെ വാങ്ങൽ ഓർഡർ {1} നേരെ നിലവിലുണ്ട് DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2655,7 +2660,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),(പ ,Salary Register,ശമ്പള രജിസ്റ്റർ DocType: Warehouse,Parent Warehouse,രക്ഷാകർതൃ വെയർഹൗസ് DocType: C-Form Invoice Detail,Net Total,നെറ്റ് ആകെ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},സ്വതേ BOM ലേക്ക് ഇനം {0} കണ്ടില്ല പദ്ധതി {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},സ്വതേ BOM ലേക്ക് ഇനം {0} കണ്ടില്ല പദ്ധതി {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,വിവിധ വായ്പാ തരം നിർവചിക്കുക DocType: Bin,FCFS Rate,അരക്ഷിതാവസ്ഥയിലും റേറ്റ് DocType: Payment Reconciliation Invoice,Outstanding Amount,നിലവിലുള്ള തുക @@ -2692,7 +2697,7 @@ DocType: Salary Detail,Condition and Formula Help,കണ്ടീഷൻ ഫേ apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,ടെറിട്ടറി ട്രീ നിയന്ത്രിക്കുക. DocType: Journal Entry Account,Sales Invoice,സെയിൽസ് ഇൻവോയിസ് DocType: Journal Entry Account,Party Balance,പാർട്ടി ബാലൻസ് -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,ഡിസ്കൌണ്ട് പ്രയോഗിക്കുക തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,ഡിസ്കൌണ്ട് പ്രയോഗിക്കുക തിരഞ്ഞെടുക്കുക DocType: Company,Default Receivable Account,സ്ഥിരസ്ഥിതി സ്വീകാ അക്കൗണ്ട് DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,മുകളിൽ തിരഞ്ഞെടുത്ത തിരയാം അടച്ച മൊത്തം ശമ്പളത്തിനായി ബാങ്ക് എൻട്രി സൃഷ്ടിക്കുക DocType: Stock Entry,Material Transfer for Manufacture,ഉല്പാദനത്തിനുള്ള മെറ്റീരിയൽ ട്രാൻസ്ഫർ @@ -2706,7 +2711,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,കസ്റ്റമർ വിലാസം DocType: Employee Loan,Loan Details,വായ്പ വിശദാംശങ്ങൾ DocType: Company,Default Inventory Account,സ്ഥിരസ്ഥിതി ഇൻവെന്ററി അക്കൗണ്ട് -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,വരി {0}: പൂർത്തിയായി അളവ് പൂജ്യം വലുതായിരിക്കണം. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,വരി {0}: പൂർത്തിയായി അളവ് പൂജ്യം വലുതായിരിക്കണം. DocType: Purchase Invoice,Apply Additional Discount On,പ്രയോഗിക്കുക അധിക ഡിസ്കൌണ്ട് DocType: Account,Root Type,റൂട്ട് തരം DocType: Item,FIFO,fifo തുറക്കാന്കഴിയില്ല @@ -2723,7 +2728,7 @@ DocType: Purchase Invoice Item,Quality Inspection,ക്വാളിറ്റി apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,എക്സ്ട്രാ ചെറുകിട DocType: Company,Standard Template,സ്റ്റാൻഡേർഡ് ഫലകം DocType: Training Event,Theory,സിദ്ധാന്തം -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,മുന്നറിയിപ്പ്: Qty അഭ്യർത്ഥിച്ചു മെറ്റീരിയൽ മിനിമം ഓർഡർ Qty കുറവാണ് +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,മുന്നറിയിപ്പ്: Qty അഭ്യർത്ഥിച്ചു മെറ്റീരിയൽ മിനിമം ഓർഡർ Qty കുറവാണ് apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,അക്കൗണ്ട് {0} മരവിച്ചു DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,സംഘടന പെടുന്ന അക്കൗണ്ടുകൾ ഒരു പ്രത്യേക ചാർട്ട് കൊണ്ട് നിയമ വിഭാഗമായാണ് / സബ്സിഡിയറി. DocType: Payment Request,Mute Email,നിശബ്ദമാക്കുക ഇമെയിൽ @@ -2747,7 +2752,7 @@ DocType: Training Event,Scheduled,ഷെഡ്യൂൾഡ് apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ഉദ്ധരണി അഭ്യർത്ഥന. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","ഓഹരി ഇനം ആകുന്നു 'എവിടെ ഇനം തിരഞ്ഞെടുക്കുക" ഇല്ല "ആണ്" സെയിൽസ് ഇനം തന്നെയല്ലേ "" അതെ "ആണ് മറ്റൊരു പ്രൊഡക്ട് ബണ്ടിൽ ഇല്ല ദയവായി DocType: Student Log,Academic,പണ്ഡിതോചിതമായ -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),മുൻകൂർ ({0}) ഉത്തരവിനെതിരെ {1} ({2}) ഗ്രാൻഡ് ആകെ ശ്രേഷ്ഠ പാടില്ല +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),മുൻകൂർ ({0}) ഉത്തരവിനെതിരെ {1} ({2}) ഗ്രാൻഡ് ആകെ ശ്രേഷ്ഠ പാടില്ല DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,സമമായി മാസം ഉടനീളമുള്ള ലക്ഷ്യങ്ങളിലൊന്നാണ് വിതരണം ചെയ്യാൻ പ്രതിമാസ വിതരണം തിരഞ്ഞെടുക്കുക. DocType: Purchase Invoice Item,Valuation Rate,മൂലധനം റേറ്റ് DocType: Stock Reconciliation,SR/,എസ്.ആർ / @@ -2813,6 +2818,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,ശാരീരിക DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,അന്വേഷണത്തിന് സ്രോതസ് പ്രചാരണം എങ്കിൽ പ്രചാരണത്തിന്റെ പേര് നൽകുക apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,ന്യൂസ് പേപ്പർ പബ്ലിഷേഴ്സ് apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,ധനകാര്യ വർഷം തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,പ്രതീക്ഷിക്കുന്ന ഡെലിവറി തീയതി സെയിൽസ് ഓർഡർ തീയതിക്ക് ശേഷം ആയിരിക്കണം apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,പുനഃക്രമീകരിക്കുക ലെവൽ DocType: Company,Chart Of Accounts Template,അക്കൗണ്ടുകൾ ഫലകം ചാർട്ട് DocType: Attendance,Attendance Date,ഹാജർ തീയതി @@ -2844,7 +2850,7 @@ DocType: Pricing Rule,Discount Percentage,കിഴിവും ശതമാന DocType: Payment Reconciliation Invoice,Invoice Number,ഇൻവോയിസ് നമ്പർ DocType: Shopping Cart Settings,Orders,ഉത്തരവുകൾ DocType: Employee Leave Approver,Leave Approver,Approver വിടുക -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,ഒരു ബാച്ച് തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,ഒരു ബാച്ച് തിരഞ്ഞെടുക്കുക DocType: Assessment Group,Assessment Group Name,അസസ്മെന്റ് ഗ്രൂപ്പ് പേര് DocType: Manufacturing Settings,Material Transferred for Manufacture,ഉല്പാദനത്തിനുള്ള മാറ്റിയത് മെറ്റീരിയൽ DocType: Expense Claim,"A user with ""Expense Approver"" role","ചിലവേറിയ Approver" വേഷം ഒരു ഉപയോക്താവ് @@ -2881,7 +2887,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,അടുത്തത് മാസത്തിലെ അവസാന ദിവസം DocType: Support Settings,Auto close Issue after 7 days,7 ദിവസം കഴിഞ്ഞശേഷം ഓട്ടോ അടയ്ക്കൂ പ്രശ്നം apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ലീവ് ബാലൻസ് ഇതിനകം ഭാവിയിൽ ലീവ് അലോക്കേഷൻ റെക്കോർഡ് {1} ൽ കാരി മുന്നോട്ടയയ്ക്കുകയും ലീവ്, {0} മുമ്പ് വിഹിതം കഴിയില്ല" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),കുറിപ്പ്: ചില / പരാമർശം തീയതി {0} ദിവസം (ങ്ങൾ) അനുവദിച്ചിരിക്കുന്ന ഉപഭോക്തൃ ക്രെഡിറ്റ് ദിവസം അധികരിക്കുന്നു +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),കുറിപ്പ്: ചില / പരാമർശം തീയതി {0} ദിവസം (ങ്ങൾ) അനുവദിച്ചിരിക്കുന്ന ഉപഭോക്തൃ ക്രെഡിറ്റ് ദിവസം അധികരിക്കുന്നു apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,സ്റ്റുഡന്റ് അപേക്ഷകന് DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,RECIPIENT യഥാർത്ഥ DocType: Asset Category Account,Accumulated Depreciation Account,സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച അക്കൗണ്ട് @@ -2892,7 +2898,7 @@ DocType: Item,Reorder level based on Warehouse,വെയർഹൗസ് അട DocType: Activity Cost,Billing Rate,ബില്ലിംഗ് റേറ്റ് ,Qty to Deliver,വിടുവിപ്പാൻ Qty ,Stock Analytics,സ്റ്റോക്ക് അനലിറ്റിക്സ് -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ഓപ്പറേഷൻ ശൂന്യമായിടാൻ കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,ഓപ്പറേഷൻ ശൂന്യമായിടാൻ കഴിയില്ല DocType: Maintenance Visit Purpose,Against Document Detail No,ഡോക്യുമെന്റ് വിശദാംശം പോസ്റ്റ് എഗൻസ്റ്റ് apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,പാർട്ടി ഇനം നിർബന്ധമായും DocType: Quality Inspection,Outgoing,അയയ്ക്കുന്ന @@ -2935,15 +2941,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,സംഭരണശാല ലഭ്യമാണ് Qty apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,ഈടാക്കൂ തുക DocType: Asset,Double Declining Balance,ഇരട്ട കുറയുന്ന -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,അടച്ച ഓർഡർ റദ്ദാക്കാൻ സാധിക്കില്ല. റദ്ദാക്കാൻ Unclose. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,അടച്ച ഓർഡർ റദ്ദാക്കാൻ സാധിക്കില്ല. റദ്ദാക്കാൻ Unclose. DocType: Student Guardian,Father,പിതാവ് -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'അപ്ഡേറ്റ് ഓഹരി' നിർണയത്തിനുള്ള അസറ്റ് വില്പനയ്ക്ക് പരിശോധിക്കാൻ കഴിയുന്നില്ല +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'അപ്ഡേറ്റ് ഓഹരി' നിർണയത്തിനുള്ള അസറ്റ് വില്പനയ്ക്ക് പരിശോധിക്കാൻ കഴിയുന്നില്ല DocType: Bank Reconciliation,Bank Reconciliation,ബാങ്ക് അനുരഞ്ജനം DocType: Attendance,On Leave,അവധിയിലാണ് apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,അപ്ഡേറ്റുകൾ നേടുക apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: അക്കൗണ്ട് {2} കമ്പനി {3} സ്വന്തമല്ല apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,മെറ്റീരിയൽ അഭ്യർത്ഥന {0} റദ്ദാക്കി അല്ലെങ്കിൽ നിറുത്തി -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,ഏതാനും സാമ്പിൾ റെക്കോർഡുകൾ ചേർക്കുക +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,ഏതാനും സാമ്പിൾ റെക്കോർഡുകൾ ചേർക്കുക apps/erpnext/erpnext/config/hr.py +301,Leave Management,മാനേജ്മെന്റ് വിടുക apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,അക്കൗണ്ട് വഴി ഗ്രൂപ്പ് DocType: Sales Order,Fully Delivered,പൂർണ്ണമായി കൈമാറി @@ -2952,12 +2958,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ഈ ഓഹരി അനുരഞ്ജനം ഒരു തുറക്കുന്നു എൻട്രി മുതൽ വ്യത്യാസം അക്കൗണ്ട്, ഒരു അസറ്റ് / ബാധ്യത തരം അക്കൌണ്ട് ആയിരിക്കണം" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},വിതരണം തുക വായ്പാ തുക {0} അധികമാകരുത് കഴിയില്ല apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},ഇനം {0} വേണ്ടി ആവശ്യമാണ് വാങ്ങൽ ഓർഡർ നമ്പർ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,പ്രൊഡക്ഷൻ ഓർഡർ സൃഷ്ടിച്ചിട്ടില്ല +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,പ്രൊഡക്ഷൻ ഓർഡർ സൃഷ്ടിച്ചിട്ടില്ല apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','ഈ തീയതി മുതൽ' 'തീയതി ആരംഭിക്കുന്ന' ശേഷം ആയിരിക്കണം apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ആയി വിദ്യാർഥി {0} വിദ്യാർഥി അപേക്ഷ {1} ലിങ്കുചെയ്തതിരിക്കുന്നതിനാൽ നില മാറ്റാൻ കഴിയില്ല DocType: Asset,Fully Depreciated,പൂർണ്ണമായി മൂല്യത്തകർച്ചയുണ്ടായ ,Stock Projected Qty,ഓഹരി Qty അനുമാനിക്കപ്പെടുന്ന -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},കസ്റ്റമർ {0} {1} പ്രൊജക്ട് സ്വന്തമല്ല +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},കസ്റ്റമർ {0} {1} പ്രൊജക്ട് സ്വന്തമല്ല DocType: Employee Attendance Tool,Marked Attendance HTML,അടയാളപ്പെടുത്തിയിരിക്കുന്ന ഹാജർ എച്ച്ടിഎംഎൽ apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","ഉദ്ധരണികൾ നിർദേശങ്ങൾ, നിങ്ങളുടെ ഉപഭോക്താക്കൾക്ക് അയച്ചിരിക്കുന്നു ബിഡ്ഡുകൾ ആകുന്നു" DocType: Sales Order,Customer's Purchase Order,കസ്റ്റമർ പർച്ചേസ് ഓർഡർ @@ -2967,7 +2973,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,ബുക്കുചെയ്തു Depreciations എണ്ണം ക്രമീകരിക്കുക ദയവായി apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,മൂല്യം അഥവാ Qty apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,പ്രൊഡക്ഷൻസ് ഓർഡറുകൾ ഉയിർപ്പിച്ചുമിരിക്കുന്ന കഴിയില്ല: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,മിനിറ്റ് +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,മിനിറ്റ് DocType: Purchase Invoice,Purchase Taxes and Charges,നികുതി ചാർജുകളും വാങ്ങുക ,Qty to Receive,സ്വീകരിക്കാൻ Qty DocType: Leave Block List,Leave Block List Allowed,ബ്ലോക്ക് പട്ടിക അനുവദനീയം വിടുക @@ -2981,7 +2987,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,എല്ലാ വിതരണക്കാരൻ രീതികൾ DocType: Global Defaults,Disable In Words,വാക്കുകളിൽ പ്രവർത്തനരഹിതമാക്കുക apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,ഇനം സ്വയം നമ്പരുള്ള കാരണം ഇനം കോഡ് നിർബന്ധമാണ് -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},{0} അല്ല തരത്തിലുള്ള ക്വട്ടേഷൻ {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},{0} അല്ല തരത്തിലുള്ള ക്വട്ടേഷൻ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,മെയിൻറനൻസ് ഷെഡ്യൂൾ ഇനം DocType: Sales Order,% Delivered,% കൈമാറി DocType: Production Order,PRO-,PRO- @@ -3004,7 +3010,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,വില്പനക്കാരന്റെ ഇമെയിൽ DocType: Project,Total Purchase Cost (via Purchase Invoice),(വാങ്ങൽ ഇൻവോയിസ് വഴി) ആകെ വാങ്ങൽ ചെലവ് DocType: Training Event,Start Time,ആരംഭ സമയം -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,ക്വാണ്ടിറ്റി തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,ക്വാണ്ടിറ്റി തിരഞ്ഞെടുക്കുക DocType: Customs Tariff Number,Customs Tariff Number,കസ്റ്റംസ് താരിഫ് നമ്പർ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,റോൾ അംഗീകരിക്കുന്നതിൽ ഭരണം ബാധകമാകുന്നതാണ് പങ്ക് അതേ ആകും കഴിയില്ല apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ഈ ഇമെയിൽ ഡൈജസ്റ്റ് നിന്ന് അൺസബ്സ്ക്രൈബ് @@ -3028,7 +3034,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,പി ആർ വിശദാംശം DocType: Sales Order,Fully Billed,പൂർണ്ണമായി ഈടാക്കൂ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,കയ്യിൽ ക്യാഷ് -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},ഓഹരി ഇനത്തിന്റെ {0} ആവശ്യമുള്ളതിൽ ഡെലിവറി വെയർഹൗസ് +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},ഓഹരി ഇനത്തിന്റെ {0} ആവശ്യമുള്ളതിൽ ഡെലിവറി വെയർഹൗസ് DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),പാക്കേജിന്റെ ആകെ ഭാരം. മൊത്തം ഭാരം + പാക്കേജിംഗ് മെറ്റീരിയൽ ഭാരം സാധാരണയായി. (പ്രിന്റ് വേണ്ടി) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,പ്രോഗ്രാം DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ഈ പങ്ക് ഉപയോക്താക്കൾ മരവിച്ച അക്കൗണ്ടുകൾ സജ്ജമാക്കാനും സൃഷ്ടിക്കുന്നതിനും / ശീതീകരിച്ച അക്കൗണ്ടുകൾ നേരെ അക്കൗണ്ടിങ് എൻട്രികൾ പരിഷ്ക്കരിക്കുക അനുവദിച്ചിരിക്കുന്ന @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,ഗ്രൂപ്പ് അടിസ് DocType: Journal Entry,Bill Date,ബിൽ തീയതി apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","സേവന ഇനം, തരം, ഫ്രീക്വൻസി, ചെലവിൽ തുക ആവശ്യമാണ്" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ഏറ്റവും മുന്തിയ പരിഗണന ഉപയോഗിച്ച് ഒന്നിലധികം വിലനിർണ്ണയത്തിലേക്ക് അവിടെ പോലും, പിന്നെ താഴെ ആന്തരിക പരിഗണനയാണ് ബാധകമാക്കുന്നു:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},നിങ്ങൾ ശരിക്കും {0} നിന്ന് {1} എല്ലാ ശമ്പളം ജി സമർപ്പിക്കുക താൽപ്പര്യമുണ്ടോ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},നിങ്ങൾ ശരിക്കും {0} നിന്ന് {1} എല്ലാ ശമ്പളം ജി സമർപ്പിക്കുക താൽപ്പര്യമുണ്ടോ DocType: Cheque Print Template,Cheque Height,ചെക്ക് ഉയരം DocType: Supplier,Supplier Details,വിതരണക്കാരൻ വിശദാംശങ്ങൾ DocType: Expense Claim,Approval Status,അംഗീകാരം അവസ്ഥ @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,ക്വട്ട apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,കാണിക്കാൻ കൂടുതൽ ഒന്നും. DocType: Lead,From Customer,കസ്റ്റമർ നിന്ന് apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,കോളുകൾ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,ബാച്ചുകൾ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,ബാച്ചുകൾ DocType: Project,Total Costing Amount (via Time Logs),(ടൈം ലോഗുകൾ വഴി) ആകെ ആറെണ്ണവും തുക DocType: Purchase Order Item Supplied,Stock UOM,ഓഹരി UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,വാങ്ങൽ ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും @@ -3092,7 +3098,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,വാങ്ങൽ ഇ DocType: Item,Warranty Period (in days),(ദിവസങ്ങളിൽ) വാറന്റി കാലാവധി apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,ഗുഅര്ദിഅന്൧ കൂടെ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ഓപ്പറേഷൻസ് നിന്നുള്ള നെറ്റ് ക്യാഷ് -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,ഉദാ വാറ്റ് +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,ഉദാ വാറ്റ് apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,ഇനം 4 DocType: Student Admission,Admission End Date,അഡ്മിഷൻ അവസാന തീയതി apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ഉപ-കരാര് @@ -3100,7 +3106,7 @@ DocType: Journal Entry Account,Journal Entry Account,ജേണൽ എൻട് apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് DocType: Shopping Cart Settings,Quotation Series,ക്വട്ടേഷൻ സീരീസ് apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ഒരു ഇനം ഇതേ പേര് ({0}) നിലവിലുണ്ട്, ഐറ്റം ഗ്രൂപ്പിന്റെ പേര് മാറ്റാനോ ഇനം പുനർനാമകരണം ദയവായി" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,കസ്റ്റമർ തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,കസ്റ്റമർ തിരഞ്ഞെടുക്കുക DocType: C-Form,I,ഞാന് DocType: Company,Asset Depreciation Cost Center,അസറ്റ് മൂല്യത്തകർച്ച കോസ്റ്റ് സെന്റർ DocType: Sales Order Item,Sales Order Date,സെയിൽസ് ഓർഡർ തീയതി @@ -3111,6 +3117,7 @@ DocType: Stock Settings,Limit Percent,ശതമാനം പരിമിതപ ,Payment Period Based On Invoice Date,ഇൻവോയിസ് തീയതി അടിസ്ഥാനമാക്കി പേയ്മെന്റ് പിരീഡ് apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0} വേണ്ടി കറൻസി എക്സ്ചേഞ്ച് നിരക്കുകൾ കാണാതായ DocType: Assessment Plan,Examiner,എക്സാമിനർ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,സെറ്റപ്പ്> സജ്ജീകരണങ്ങൾ> നാമനിർദേശം ചെയ്ത സീരികൾ വഴി {0} നാമമിടൽ ശ്രേണികൾ സജ്ജീകരിക്കുക DocType: Student,Siblings,സഹോദരങ്ങള് DocType: Journal Entry,Stock Entry,ഓഹരി എൻട്രി DocType: Payment Entry,Payment References,പേയ്മെന്റ് അവലംബം @@ -3135,7 +3142,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,എവിടെ നിർമാണ ഓപ്പറേഷനുകൾ നടപ്പിലാക്കുന്നത്. DocType: Asset Movement,Source Warehouse,ഉറവിട വെയർഹൗസ് DocType: Installation Note,Installation Date,ഇന്സ്റ്റലേഷന് തീയതി -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},വരി # {0}: അസറ്റ് {1} കമ്പനി ഭാഗമല്ല {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},വരി # {0}: അസറ്റ് {1} കമ്പനി ഭാഗമല്ല {2} DocType: Employee,Confirmation Date,സ്ഥിരീകരണം തീയതി DocType: C-Form,Total Invoiced Amount,ആകെ Invoiced തുക apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,കുറഞ്ഞത് Qty മാക്സ് Qty വലുതായിരിക്കും കഴിയില്ല @@ -3210,7 +3217,7 @@ DocType: Company,Default Letter Head,സ്വതേ ലെറ്റർ ഹെ DocType: Purchase Order,Get Items from Open Material Requests,ഓപ്പൺ മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ നിന്നുള്ള ഇനങ്ങൾ നേടുക DocType: Item,Standard Selling Rate,സ്റ്റാൻഡേർഡ് വിറ്റുപോകുന്ന നിരക്ക് DocType: Account,Rate at which this tax is applied,ഈ നികുതി പ്രയോഗിക്കുന്നു തോത് -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,പുനഃക്രമീകരിക്കുക Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,പുനഃക്രമീകരിക്കുക Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,നിലവിൽ ജോലികൾ DocType: Company,Stock Adjustment Account,സ്റ്റോക്ക് ക്രമീകരണ അക്കൗണ്ട് apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,എഴുതുക @@ -3224,7 +3231,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,വിതരണക്കമ്പനിയായ ഉപയോക്താക്കൾക്കായി വിടുവിക്കുന്നു apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ഫോം / ഇനം / {0}) സ്റ്റോക്കില്ല apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,അടുത്ത തീയതി തീയതി നോട്സ് വലുതായിരിക്കണം -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},ഇക്കാരണങ്ങൾ / പരാമർശം തീയതി {0} ശേഷം ആകാൻ പാടില്ല +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},ഇക്കാരണങ്ങൾ / പരാമർശം തീയതി {0} ശേഷം ആകാൻ പാടില്ല apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ഡാറ്റാ ഇറക്കുമതി എക്സ്പോർട്ട് apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ഇല്ല വിദ്യാർത്ഥികൾ കണ്ടെത്തിയില്ല apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ഇൻവോയിസ് പ്രസിദ്ധീകരിക്കൽ തീയതി @@ -3245,12 +3252,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ഇത് ഈ വിദ്യാർത്ഥി ഹാജർ അടിസ്ഥാനമാക്കിയുള്ളതാണ് apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,ഇല്ല വിദ്യാർത്ഥികൾ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,കൂടുതൽ ഇനങ്ങൾ അല്ലെങ്കിൽ തുറക്കാറുണ്ട് ഫോം ചേർക്കുക -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','പ്രതീക്ഷിച്ച ഡെലിവറി തീയതി' നൽകുക -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ഡെലിവറി കുറിപ്പുകൾ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ഡെലിവറി കുറിപ്പുകൾ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,തുക + തുക ആകെ മൊത്തം വലുതായിരിക്കും കഴിയില്ല ഓഫാക്കുക എഴുതുക apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ഇനം {1} ഒരു സാധുവായ ബാച്ച് നമ്പർ അല്ല apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},കുറിപ്പ്: വേണ്ടത്ര ലീവ് ബാലൻസ് അനുവാദ ടൈപ്പ് {0} വേണ്ടി ഇല്ല -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,അസാധുവായ ഗ്സ്തിന് അല്ലെങ്കിൽ രജിസ്റ്റർ വേണ്ടി ബാധകമല്ല നൽകുക +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,അസാധുവായ ഗ്സ്തിന് അല്ലെങ്കിൽ രജിസ്റ്റർ വേണ്ടി ബാധകമല്ല നൽകുക DocType: Training Event,Seminar,സെമിനാര് DocType: Program Enrollment Fee,Program Enrollment Fee,പ്രോഗ്രാം എൻറോൾമെന്റ് ഫീസ് DocType: Item,Supplier Items,വിതരണക്കാരൻ ഇനങ്ങൾ @@ -3268,7 +3274,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,സ്റ്റോക്ക് എയ്ജിങ് apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},വിദ്യാർത്ഥി {0} വിദ്യാർത്ഥി അപേക്ഷകൻ {1} നേരെ നിലവിലില്ല apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' അപ്രാപ്തമാക്കിയിട്ടുണ്ടെങ്കിൽ +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' അപ്രാപ്തമാക്കിയിട്ടുണ്ടെങ്കിൽ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ഓപ്പൺ സജ്ജമാക്കുക DocType: Cheque Print Template,Scanned Cheque,സ്കാൻ ചെയ്ത ചെക്ക് DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,സമർപ്പിക്കുന്നു ഇടപാടുകൾ ബന്ധങ്ങൾ ഓട്ടോമാറ്റിക് ഇമെയിലുകൾ അയയ്ക്കുക. @@ -3315,7 +3321,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,വില പട്ടിക എക്സ്ചേഞ്ച് റേറ്റ് DocType: Purchase Invoice Item,Rate,റേറ്റ് apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,തടവുകാരി -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,വിലാസം പേര് +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,വിലാസം പേര് DocType: Stock Entry,From BOM,BOM നിന്നും DocType: Assessment Code,Assessment Code,അസസ്മെന്റ് കോഡ് apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,അടിസ്ഥാന @@ -3328,20 +3334,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,ശമ്പളം ഘടന DocType: Account,Bank,ബാങ്ക് apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,എയർ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,പ്രശ്നം മെറ്റീരിയൽ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,പ്രശ്നം മെറ്റീരിയൽ DocType: Material Request Item,For Warehouse,വെയർഹൗസ് വേണ്ടി DocType: Employee,Offer Date,ആഫര് തീയതി apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ഉദ്ധരണികളും -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,നിങ്ങൾ ഓഫ്ലൈൻ മോഡിലാണ്. നിങ്ങൾ നെറ്റ്വർക്ക് ഞങ്ങൾക്കുണ്ട് വരെ ലോഡുചെയ്യണോ കഴിയില്ല. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,നിങ്ങൾ ഓഫ്ലൈൻ മോഡിലാണ്. നിങ്ങൾ നെറ്റ്വർക്ക് ഞങ്ങൾക്കുണ്ട് വരെ ലോഡുചെയ്യണോ കഴിയില്ല. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ഇല്ല സ്റ്റുഡന്റ് ഗ്രൂപ്പുകൾ സൃഷ്ടിച്ചു. DocType: Purchase Invoice Item,Serial No,സീരിയൽ ഇല്ല apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,പ്രതിമാസ തിരിച്ചടവ് തുക വായ്പാ തുക ശ്രേഷ്ഠ പാടില്ല apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Maintaince വിവരങ്ങൾ ആദ്യ നൽകുക +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,വരി # {0}: പ്രതീക്ഷിച്ച ഡെലിവറി തീയതി പർച്ചേസ് ഓർഡർ തീയതിക്ക് മുമ്പായിരിക്കരുത് DocType: Purchase Invoice,Print Language,പ്രിന്റ് ഭാഷ DocType: Salary Slip,Total Working Hours,ആകെ ജോലി മണിക്കൂർ DocType: Stock Entry,Including items for sub assemblies,സബ് സമ്മേളനങ്ങൾ ഇനങ്ങൾ ഉൾപ്പെടെ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,നൽകുക മൂല്യം പോസിറ്റീവ് ആയിരിക്കണം -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ഇനം കോഡ്> ഇനം ഗ്രൂപ്പ്> ബ്രാൻഡ് +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,നൽകുക മൂല്യം പോസിറ്റീവ് ആയിരിക്കണം apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,എല്ലാ പ്രദേശങ്ങളും DocType: Purchase Invoice,Items,ഇനങ്ങൾ apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,വിദ്യാർത്ഥി ഇതിനകം എൻറോൾ ചെയ്തു. @@ -3364,7 +3370,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',മോഡലിന് അളവു യൂണിറ്റ് '{0}' ഫലകം അതേ ആയിരിക്കണം '{1}' DocType: Shipping Rule,Calculate Based On,അടിസ്ഥാനത്തിൽ ഓൺ കണക്കുകൂട്ടുക DocType: Delivery Note Item,From Warehouse,വെയർഹൗസിൽ നിന്ന് -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,നിർമ്മിക്കാനുള്ള വസ്തുക്കളുടെ ബിൽ കൂടിയ ഇനങ്ങൾ ഇല്ല +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,നിർമ്മിക്കാനുള്ള വസ്തുക്കളുടെ ബിൽ കൂടിയ ഇനങ്ങൾ ഇല്ല DocType: Assessment Plan,Supervisor Name,സൂപ്പർവൈസർ പേര് DocType: Program Enrollment Course,Program Enrollment Course,പ്രോഗ്രാം എൻറോൾമെന്റ് കോഴ്സ് DocType: Program Enrollment Course,Program Enrollment Course,പ്രോഗ്രാം എൻറോൾമെന്റ് കോഴ്സ് @@ -3380,23 +3386,23 @@ DocType: Training Event Employee,Attended,പഠിച്ചത് apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"വലിയവനോ പൂജ്യത്തിന് സമാനമോ ആയിരിക്കണം 'കഴിഞ്ഞ ഓർഡർ മുതൽ, ഡെയ്സ്'" DocType: Process Payroll,Payroll Frequency,ശമ്പളപ്പട്ടിക ഫ്രീക്വൻസി DocType: Asset,Amended From,നിന്ന് ഭേദഗതി -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,അസംസ്കൃത വസ്തു +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,അസംസ്കൃത വസ്തു DocType: Leave Application,Follow via Email,ഇമെയിൽ വഴി പിന്തുടരുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,"സസ്യങ്ങൾ, യന്ത്രസാമഗ്രികളും" DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ഡിസ്കൗണ്ട് തുക ശേഷം നികുതിയും DocType: Daily Work Summary Settings,Daily Work Summary Settings,നിത്യജീവിതത്തിലെ ഔദ്യോഗിക ചുരുക്കം ക്രമീകരണങ്ങൾ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},വില ലിസ്റ്റിന്റെ കറന്സി {0} അല്ല {1} തിരഞ്ഞെടുത്തു കറൻസി ഉപയോഗിച്ച് സമാനമാണ് +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},വില ലിസ്റ്റിന്റെ കറന്സി {0} അല്ല {1} തിരഞ്ഞെടുത്തു കറൻസി ഉപയോഗിച്ച് സമാനമാണ് DocType: Payment Entry,Internal Transfer,ആന്തരിക ട്രാൻസ്ഫർ apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,ശിശു അക്കൌണ്ട് ഈ അക്കൗണ്ടിന് നിലവിലുണ്ട്. നിങ്ങൾ ഈ അക്കൗണ്ട് ഇല്ലാതാക്കാൻ കഴിയില്ല. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ലക്ഷ്യം qty അല്ലെങ്കിൽ ലക്ഷ്യം തുക ഒന്നുകിൽ നിർബന്ധമായും apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},BOM ലേക്ക് ഇനം {0} വേണ്ടി നിലവിലുണ്ട് സഹജമായ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,പോസ്റ്റിംഗ് തീയതി ആദ്യം തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,പോസ്റ്റിംഗ് തീയതി ആദ്യം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,തീയതി തുറക്കുന്നു തീയതി അടയ്ക്കുന്നത് മുമ്പ് ആയിരിക്കണം DocType: Leave Control Panel,Carry Forward,മുന്നോട്ട് കൊണ്ടുപോകും apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,നിലവിലുള്ള ഇടപാടുകൾ ചെലവ് കേന്ദ്രം ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല DocType: Department,Days for which Holidays are blocked for this department.,അവധിദിനങ്ങൾ ഈ വകുപ്പിന്റെ വേണ്ടി തടഞ്ഞ ചെയ്തിട്ടുളള ദിനങ്ങൾ. ,Produced,നിർമ്മാണം -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,സൃഷ്ടിച്ചു ശമ്പളം സ്ലിപ്പുകൾ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,സൃഷ്ടിച്ചു ശമ്പളം സ്ലിപ്പുകൾ DocType: Item,Item Code for Suppliers,വിതരണക്കാരും വേണ്ടി ഇനം കോഡ് DocType: Issue,Raised By (Email),(ഇമെയിൽ) ഉന്നയിച്ച DocType: Training Event,Trainer Name,പരിശീലകൻ പേര് @@ -3404,9 +3410,10 @@ DocType: Mode of Payment,General,ജനറൽ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,അവസാനം കമ്യൂണിക്കേഷൻ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,അവസാനം കമ്യൂണിക്കേഷൻ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"വിഭാഗം 'മൂലധനം' അഥവാ 'മൂലധനം, മൊത്ത' വേണ്ടി എപ്പോൾ കുറയ്ക്കാവുന്നതാണ് ചെയ്യാൻ കഴിയില്ല" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","നിങ്ങളുടെ നികുതി തലകൾ ലിസ്റ്റുചെയ്യുക (ഉദാ വാറ്റ്, കസ്റ്റംസ് തുടങ്ങിയവ; അവർ സമാനതകളില്ലാത്ത പേരുകള് വേണം) അവരുടെ സ്റ്റാൻഡേർഡ് നിരക്കുകൾ. ഇത് നിങ്ങൾ തിരുത്തി കൂടുതൽ പിന്നീട് ചേർക്കാൻ കഴിയുന്ന ഒരു സാധാരണ ടെംപ്ലേറ്റ്, സൃഷ്ടിക്കും." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","നിങ്ങളുടെ നികുതി തലകൾ ലിസ്റ്റുചെയ്യുക (ഉദാ വാറ്റ്, കസ്റ്റംസ് തുടങ്ങിയവ; അവർ സമാനതകളില്ലാത്ത പേരുകള് വേണം) അവരുടെ സ്റ്റാൻഡേർഡ് നിരക്കുകൾ. ഇത് നിങ്ങൾ തിരുത്തി കൂടുതൽ പിന്നീട് ചേർക്കാൻ കഴിയുന്ന ഒരു സാധാരണ ടെംപ്ലേറ്റ്, സൃഷ്ടിക്കും." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},സീരിയൽ ഇനം {0} വേണ്ടി സീരിയൽ ഒഴിവ് ആവശ്യമുണ്ട് apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ഇൻവോയിസുകൾ കളിയിൽ പേയ്മെന്റുകൾ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},വരി # {0}: ഇനം {1} വയ്ക്കാൻ ഡെലിവറി തീയതി നൽകുക DocType: Journal Entry,Bank Entry,ബാങ്ക് എൻട്രി DocType: Authorization Rule,Applicable To (Designation),(തസ്തിക) ബാധകമായ ,Profitability Analysis,ലാഭവും വിശകലനം @@ -3422,17 +3429,18 @@ DocType: Quality Inspection,Item Serial No,ഇനം സീരിയൽ പേ apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ജീവനക്കാരുടെ റെക്കോർഡ്സ് സൃഷ്ടിക്കുക apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,ആകെ നിലവിലുള്ളജാലകങ്ങള് apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,അക്കൗണ്ടിംഗ് പ്രസ്താവനകൾ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,അന്ത്യസമയം +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,അന്ത്യസമയം apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,പുതിയ സീരിയൽ പാണ്ടികശാലയും പാടില്ല. വെയർഹൗസ് ഓഹരി എൻട്രി വാങ്ങാനും റെസീപ്റ്റ് സജ്ജമാക്കി വേണം DocType: Lead,Lead Type,ലീഡ് തരം apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,നിങ്ങൾ തടയുക തീയതികളിൽ ഇല അംഗീകരിക്കാൻ അംഗീകാരമില്ല -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,ഇവർ എല്ലാവരും ഇനങ്ങളും ഇതിനകം invoiced ചെയ്തു +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,ഇവർ എല്ലാവരും ഇനങ്ങളും ഇതിനകം invoiced ചെയ്തു +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,മാസംതോറുമുള്ള ടാർഗെറ്റ് apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} അംഗീകരിച്ച കഴിയുമോ DocType: Item,Default Material Request Type,സ്വതേ മെറ്റീരിയൽ അഭ്യർത്ഥന ഇനം apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,അറിയപ്പെടാത്ത DocType: Shipping Rule,Shipping Rule Conditions,ഷിപ്പിംഗ് റൂൾ അവസ്ഥകൾ DocType: BOM Replace Tool,The new BOM after replacement,പകരക്കാരനെ ശേഷം പുതിയ BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,വിൽപ്പന പോയിന്റ് +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,വിൽപ്പന പോയിന്റ് DocType: Payment Entry,Received Amount,ലഭിച്ച തുകയുടെ DocType: GST Settings,GSTIN Email Sent On,ഗ്സ്തിന് ഇമെയിൽ അയച്ചു DocType: Program Enrollment,Pick/Drop by Guardian,രക്ഷിതാവോ / ഡ്രോപ്പ് തിരഞ്ഞെടുക്കുക @@ -3449,8 +3457,8 @@ DocType: Batch,Source Document Name,ഉറവിട പ്രമാണം പേ DocType: Batch,Source Document Name,ഉറവിട പ്രമാണം പേര് DocType: Job Opening,Job Title,തൊഴില് പേര് apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ഉപയോക്താക്കളെ സൃഷ്ടിക്കുക -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,പയറ് -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,നിർമ്മിക്കാനുള്ള ക്വാണ്ടിറ്റി 0 വലുതായിരിക്കണം. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,പയറ് +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,നിർമ്മിക്കാനുള്ള ക്വാണ്ടിറ്റി 0 വലുതായിരിക്കണം. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,അറ്റകുറ്റപ്പണി കോൾ വേണ്ടി റിപ്പോർട്ട് സന്ദർശിക്കുക. DocType: Stock Entry,Update Rate and Availability,റേറ്റ് ലഭ്യത അപ്ഡേറ്റ് DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ശതമാനം നിങ്ങളെ ഉത്തരവിട്ടു അളവ് നേരെ കൂടുതൽ സ്വീകരിക്കാനോ വിടുവിപ്പാൻ അനുവദിച്ചിരിക്കുന്ന. ഉദാഹരണം: 100 യൂണിറ്റ് ഉത്തരവിട്ടു ഉണ്ടെങ്കിൽ. ഒപ്പം നിങ്ങളുടെ അലവൻസ് നിങ്ങളെ 110 യൂണിറ്റുകൾ സ്വീകരിക്കാൻ അനുവദിച്ചിരിക്കുന്ന പിന്നീട് 10% ആണ്. @@ -3463,7 +3471,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,വാങ്ങൽ ഇൻവോയ്സ് {0} ആദ്യം റദ്ദാക്കുകയോ ചെയ്യുക apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","ഇമെയിൽ വിലാസം അതുല്യമായ ആയിരിക്കണം, ഇതിനകം {0} നിലവിലുണ്ട്" DocType: Serial No,AMC Expiry Date,എഎംസി കാലഹരണ തീയതി -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,രസീത് +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,രസീത് ,Sales Register,സെയിൽസ് രജിസ്റ്റർ DocType: Daily Work Summary Settings Company,Send Emails At,ഇമെയിലുകൾ അയയ്ക്കുക DocType: Quotation,Quotation Lost Reason,ക്വട്ടേഷൻ ലോസ്റ്റ് കാരണം @@ -3476,14 +3484,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,ഇതുവ apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,ക്യാഷ് ഫ്ളോ പ്രസ്താവന apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},വായ്പാ തുക {0} പരമാവധി വായ്പാ തുക കവിയാൻ പാടില്ല apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,അനുമതി -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},സി-ഫോം {1} നിന്നും ഈ ഇൻവോയിസ് {0} നീക്കം ദയവായി +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},സി-ഫോം {1} നിന്നും ഈ ഇൻവോയിസ് {0} നീക്കം ദയവായി DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,നിങ്ങൾക്ക് മുൻ സാമ്പത്തിക വർഷത്തെ ബാലൻസ് ഈ സാമ്പത്തിക വർഷം വിട്ടുതരുന്നു ഉൾപ്പെടുത്താൻ ആഗ്രഹിക്കുന്നുവെങ്കിൽ മുന്നോട്ട് തിരഞ്ഞെടുക്കുക DocType: GL Entry,Against Voucher Type,വൗച്ചർ തരം എഗെൻസ്റ്റ് DocType: Item,Attributes,വിശേഷണങ്ങൾ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,അക്കൗണ്ട് ഓഫാക്കുക എഴുതുക നൽകുക apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,അവസാന ഓർഡർ തീയതി apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},അക്കൗണ്ട് {0} കമ്പനി {1} വകയാണ് ഇല്ല -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,തുടർച്ചയായ സീരിയൽ നമ്പറുകൾ {0} ഡെലിവറി നോട്ട് ഉപയോഗിച്ച് പൊരുത്തപ്പെടുന്നില്ല +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,തുടർച്ചയായ സീരിയൽ നമ്പറുകൾ {0} ഡെലിവറി നോട്ട് ഉപയോഗിച്ച് പൊരുത്തപ്പെടുന്നില്ല DocType: Student,Guardian Details,ഗാർഡിയൻ വിവരങ്ങൾ DocType: C-Form,C-Form,സി-ഫോം apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,ഒന്നിലധികം ജീവനക്കാരുടെ അടയാളപ്പെടുത്തുക ഹാജർ @@ -3515,16 +3523,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,സെയിൽസ് DocType: Stock Entry Detail,Basic Amount,അടിസ്ഥാന തുക DocType: Training Event,Exam,പരീക്ഷ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},ഓഹരി ഇനം {0} ആവശ്യമുള്ളതിൽ വെയർഹൗസ് +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},ഓഹരി ഇനം {0} ആവശ്യമുള്ളതിൽ വെയർഹൗസ് DocType: Leave Allocation,Unused leaves,ഉപയോഗിക്കപ്പെടാത്ത ഇല -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,കോടിയുടെ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,കോടിയുടെ DocType: Tax Rule,Billing State,ബില്ലിംഗ് സ്റ്റേറ്റ് apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ട്രാൻസ്ഫർ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} പാർട്ടി അക്കൗണ്ട് {2} ബന്ധപ്പെടുത്തിയ ഇല്ല -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(സബ്-സമ്മേളനങ്ങൾ ഉൾപ്പെടെ) പൊട്ടിത്തെറിക്കുന്ന BOM ലഭ്യമാക്കുക +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(സബ്-സമ്മേളനങ്ങൾ ഉൾപ്പെടെ) പൊട്ടിത്തെറിക്കുന്ന BOM ലഭ്യമാക്കുക DocType: Authorization Rule,Applicable To (Employee),(ജീവനക്കാർ) ബാധകമായ apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,അവസാന തീയതി നിർബന്ധമാണ് apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,ഗുണ {0} 0 ആകാൻ പാടില്ല വേണ്ടി വർദ്ധന +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ഉപഭോക്താവ്> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിറ്ററി DocType: Journal Entry,Pay To / Recd From,നിന്നും / Recd നൽകാൻ DocType: Naming Series,Setup Series,സെറ്റപ്പ് സീരീസ് DocType: Payment Reconciliation,To Invoice Date,ഇൻവോയിസ് തീയതി ചെയ്യുക @@ -3551,7 +3560,7 @@ DocType: Journal Entry,Write Off Based On,അടിസ്ഥാനത്തി apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ലീഡ് നിർമ്മിക്കുക apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,അച്ചടിച്ച് സ്റ്റേഷനറി DocType: Stock Settings,Show Barcode Field,കാണിക്കുക ബാർകോഡ് ഫീൽഡ് -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,വിതരണക്കാരൻ ഇമെയിലുകൾ അയയ്ക്കുക +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,വിതരണക്കാരൻ ഇമെയിലുകൾ അയയ്ക്കുക apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ശമ്പള ഇതിനകം തമ്മിലുള്ള {0} കാലയളവിൽ പ്രോസസ്സ് {1}, അപ്ലിക്കേഷൻ കാലയളവിൽ വിടുക ഈ തീയതി പരിധിയിൽ തമ്മിലുള്ള പാടില്ല." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,ഒരു സീരിയൽ നമ്പർ ഇന്സ്റ്റലേഷന് റെക്കോർഡ് DocType: Guardian Interest,Guardian Interest,ഗാർഡിയൻ പലിശ @@ -3565,7 +3574,7 @@ DocType: Offer Letter,Awaiting Response,കാത്തിരിക്കുന apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,മുകളിൽ apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},അസാധുവായ ആട്രിബ്യൂട്ട് {0} {1} DocType: Supplier,Mention if non-standard payable account,സ്റ്റാൻഡേർഡ് അല്ലാത്ത മാറാവുന്ന അക്കൗണ്ട് എങ്കിൽ പരാമർശിക്കുക -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി. {പട്ടിക} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി. {പട്ടിക} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',ദയവായി 'എല്ലാ വിലയിരുത്തൽ ഗ്രൂപ്പുകൾ' പുറമെ വിലയിരുത്തൽ ഗ്രൂപ്പ് തിരഞ്ഞെടുക്കുക DocType: Salary Slip,Earning & Deduction,സമ്പാദിക്കാനുള്ള & കിഴിച്ചുകൊണ്ടു apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ഓപ്ഷണൽ. ഈ ക്രമീകരണം വിവിധ വ്യവഹാരങ്ങളിൽ ഫിൽട്ടർ ഉപയോഗിക്കും. @@ -3584,7 +3593,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,എന്തുതോന്നുന്നു അസറ്റ് ചെലവ് apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: കോസ്റ്റ് കേന്ദ്രം ഇനം {2} നിര്ബന്ധമാണ് DocType: Vehicle,Policy No,നയം -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,ഉൽപ്പന്ന ബണ്ടിൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,ഉൽപ്പന്ന ബണ്ടിൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക DocType: Asset,Straight Line,വര DocType: Project User,Project User,പദ്ധതി ഉപയോക്താവ് apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,രണ്ടായി പിരിയുക @@ -3599,6 +3608,7 @@ DocType: Bank Reconciliation,Payment Entries,പേയ്മെന്റ് എ DocType: Production Order,Scrap Warehouse,സ്ക്രാപ്പ് വെയർഹൗസ് DocType: Production Order,Check if material transfer entry is not required,മെറ്റീരിയൽ ട്രാൻസ്ഫർ എൻട്രി ആവശ്യമില്ല പരിശോധിക്കുക DocType: Production Order,Check if material transfer entry is not required,മെറ്റീരിയൽ ട്രാൻസ്ഫർ എൻട്രി ആവശ്യമില്ല പരിശോധിക്കുക +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,മാനവ വിഭവശേഷി> എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ദയവായി എംപ്ലോയീ നെയിമിങ് സിസ്റ്റം സജ്ജീകരിക്കുക DocType: Program Enrollment Tool,Get Students From,വിദ്യാർത്ഥികൾ നേടുക DocType: Hub Settings,Seller Country,വില്പനക്കാരന്റെ രാജ്യം apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,വെബ്സൈറ്റ് ഇനങ്ങൾ പ്രസിദ്ധീകരിക്കുക @@ -3617,19 +3627,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,ഉ DocType: Shipping Rule,Specify conditions to calculate shipping amount,ഷിപ്പിംഗ് തുക കണക്കുകൂട്ടാൻ വ്യവസ്ഥകൾ വ്യക്തമാക്കുക DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ശീതീകരിച്ച അക്കൗണ്ടുകൾ & എഡിറ്റ് ശീതീകരിച്ച എൻട്രികൾ സജ്ജമാക്കുക അനുവദിച്ചു റോൾ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,അത് കുട്ടി റോഡുകളുണ്ട് പോലെ ലെഡ്ജർ വരെ ചെലവ് കേന്ദ്രം പരിവർത്തനം ചെയ്യാൻ കഴിയുമോ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,തുറക്കുന്നു മൂല്യം +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,തുറക്കുന്നു മൂല്യം DocType: Salary Detail,Formula,ഫോർമുല apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,സീരിയൽ # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,വിൽപ്പന കമ്മീഷൻ DocType: Offer Letter Term,Value / Description,മൂല്യം / വിവരണം -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കാൻ കഴിയില്ല, അത് ഇതിനകം {2} ആണ്" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കാൻ കഴിയില്ല, അത് ഇതിനകം {2} ആണ്" DocType: Tax Rule,Billing Country,ബില്ലിംഗ് രാജ്യം DocType: Purchase Order Item,Expected Delivery Date,പ്രതീക്ഷിച്ച ഡെലിവറി തീയതി apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,"{0} # {1} തുല്യ അല്ല ഡെബിറ്റ്, ക്രെഡിറ്റ്. വ്യത്യാസം {2} ആണ്." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,വിനോദം ചെലവുകൾ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന നടത്തുക apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},തുറക്കുക ഇനം {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,സെയിൽസ് ഇൻവോയിസ് {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,സെയിൽസ് ഇൻവോയിസ് {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,പ്രായം DocType: Sales Invoice Timesheet,Billing Amount,ബില്ലിംഗ് തുക apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ഐറ്റം {0} വ്യക്തമാക്കിയ അസാധുവായ അളവ്. ക്വാണ്ടിറ്റി 0 കൂടുതലായിരിക്കണം. @@ -3652,7 +3662,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,പുതിയ കസ്റ്റമർ റവന്യൂ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,യാത്രാ ചെലവ് DocType: Maintenance Visit,Breakdown,പ്രവർത്തന രഹിതം -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,അക്കൗണ്ട്: {0} കറൻസി കൂടെ: {1} തിരഞ്ഞെടുത്ത ചെയ്യാൻ കഴിയില്ല +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,അക്കൗണ്ട്: {0} കറൻസി കൂടെ: {1} തിരഞ്ഞെടുത്ത ചെയ്യാൻ കഴിയില്ല DocType: Bank Reconciliation Detail,Cheque Date,ചെക്ക് തീയതി apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} കമ്പനി ഭാഗമല്ല: {2} DocType: Program Enrollment Tool,Student Applicants,സ്റ്റുഡന്റ് അപേക്ഷകർ @@ -3672,11 +3682,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ആസ DocType: Material Request,Issued,ഇഷ്യൂചെയ്തു apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,വിദ്യാർത്ഥിയുടെ പ്രവർത്തനം DocType: Project,Total Billing Amount (via Time Logs),(ടൈം ലോഗുകൾ വഴി) ആകെ ബില്ലിംഗ് തുക -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,ഞങ്ങൾ ഈ ഇനം വിൽക്കാൻ +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,ഞങ്ങൾ ഈ ഇനം വിൽക്കാൻ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,വിതരണക്കമ്പനിയായ ഐഡി DocType: Payment Request,Payment Gateway Details,പേയ്മെന്റ് ഗേറ്റ്വേ വിവരങ്ങൾ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,ക്വാണ്ടിറ്റി 0 കൂടുതലായിരിക്കണം -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,സാമ്പിൾ ഡാറ്റ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,ക്വാണ്ടിറ്റി 0 കൂടുതലായിരിക്കണം +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,സാമ്പിൾ ഡാറ്റ DocType: Journal Entry,Cash Entry,ക്യാഷ് എൻട്രി apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ശിശു നോഡുകൾ മാത്രം 'ഗ്രൂപ്പ്' തരം നോഡുകൾ കീഴിൽ സൃഷ്ടിക്കാൻ കഴിയും DocType: Leave Application,Half Day Date,അര ദിവസം തീയതി @@ -3685,17 +3695,18 @@ DocType: Sales Partner,Contact Desc,കോൺടാക്റ്റ് DESC apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","കാഷ്വൽ, രോഗികളെ മുതലായ ഇല തരം" DocType: Email Digest,Send regular summary reports via Email.,ഇമെയിൽ വഴി പതിവ് സംഗ്രഹം റിപ്പോർട്ടുകൾ അയയ്ക്കുക. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},ചിലവേറിയ ക്ലെയിം തരം {0} ൽ സ്ഥിര അക്കൗണ്ട് സജ്ജീകരിക്കുക +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},ചിലവേറിയ ക്ലെയിം തരം {0} ൽ സ്ഥിര അക്കൗണ്ട് സജ്ജീകരിക്കുക DocType: Assessment Result,Student Name,വിദ്യാർഥിയുടെ പേര് DocType: Brand,Item Manager,ഇനം മാനേജർ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,ശമ്പളപ്പട്ടിക പേയബിൾ DocType: Buying Settings,Default Supplier Type,സ്ഥിരസ്ഥിതി വിതരണക്കാരൻ തരം DocType: Production Order,Total Operating Cost,ആകെ ഓപ്പറേറ്റിംഗ് ചെലവ് -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,കുറിപ്പ്: ഇനം {0} ഒന്നിലധികം തവണ നൽകി +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,കുറിപ്പ്: ഇനം {0} ഒന്നിലധികം തവണ നൽകി apps/erpnext/erpnext/config/selling.py +41,All Contacts.,എല്ലാ ബന്ധങ്ങൾ. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,നിങ്ങളുടെ ലക്ഷ്യം സജ്ജമാക്കുക apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,കമ്പനി സംഗ്രഹ apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ഉപയോക്താവ് {0} നിലവിലില്ല -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,അസംസ്കൃത വസ്തുക്കളുടെ പ്രധാന ഇനം അതേ ആകും കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,അസംസ്കൃത വസ്തുക്കളുടെ പ്രധാന ഇനം അതേ ആകും കഴിയില്ല DocType: Item Attribute Value,Abbreviation,ചുരുക്കല് apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,പേയ്മെന്റ് എൻട്രി ഇതിനകം നിലവിലുണ്ട് apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} പരിധികൾ കവിയുന്നു മുതലുള്ള authroized ഒരിക്കലും പാടില്ല @@ -3713,7 +3724,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,ശീതീകരി ,Territory Target Variance Item Group-Wise,ടെറിട്ടറി ടാര്ഗറ്റ് പൊരുത്തമില്ലായ്മ ഇനം ഗ്രൂപ്പ് യുക്തിമാനും apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,എല്ലാ ഉപഭോക്തൃ ഗ്രൂപ്പുകൾ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,പ്രതിമാസം കുമിഞ്ഞു -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് {1} {2} വേണ്ടി സൃഷ്ടിക്കപ്പെട്ടിട്ടില്ല. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് {1} {2} വേണ്ടി സൃഷ്ടിക്കപ്പെട്ടിട്ടില്ല. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,നികുതി ഫലകം നിർബന്ധമാണ്. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} നിലവിലില്ല DocType: Purchase Invoice Item,Price List Rate (Company Currency),വില പട്ടിക നിരക്ക് (കമ്പനി കറൻസി) @@ -3724,7 +3735,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,ശതമാന apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,സെക്രട്ടറി DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","അപ്രാപ്തമാക്കുകയാണെങ്കിൽ, വയലിൽ 'വാക്കുകളിൽ' ഒരു ഇടപാടിലും ദൃശ്യമാകില്ല" DocType: Serial No,Distinct unit of an Item,ഒരു ഇനം വ്യക്തമായ യൂണിറ്റ് -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,കമ്പനി സജ്ജീകരിക്കുക +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,കമ്പനി സജ്ജീകരിക്കുക DocType: Pricing Rule,Buying,വാങ്ങൽ DocType: HR Settings,Employee Records to be created by,സൃഷ്ടിച്ച ചെയ്യേണ്ട ജീവനക്കാരൻ റെക്കോർഡ്സ് DocType: POS Profile,Apply Discount On,ഡിസ്കൌണ്ട് പ്രയോഗിക്കുക @@ -3735,7 +3746,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ഇനം യുക്തിമാനും നികുതി വിശദാംശം apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ഇൻസ്റ്റിറ്റ്യൂട്ട് സംഗ്രഹം ,Item-wise Price List Rate,ഇനം തിരിച്ചുള്ള വില പട്ടിക റേറ്റ് -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ DocType: Quotation,In Words will be visible once you save the Quotation.,നിങ്ങൾ ക്വട്ടേഷൻ ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ക്വാണ്ടിറ്റി ({0}) വരി {1} ഒരു അംശം പാടില്ല apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ക്വാണ്ടിറ്റി ({0}) വരി {1} ഒരു അംശം പാടില്ല @@ -3759,7 +3770,7 @@ Updated via 'Time Log'",'ടൈം ലോഗ്' വഴി അപ് DocType: Customer,From Lead,ലീഡ് നിന്ന് apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ഉത്പാദനത്തിന് പുറത്തുവിട്ട ഉത്തരവ്. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ധനകാര്യ വർഷം തിരഞ്ഞെടുക്കുക ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS ൽ എൻട്രി ഉണ്ടാക്കുവാൻ ആവശ്യമായ POS പ്രൊഫൈൽ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS ൽ എൻട്രി ഉണ്ടാക്കുവാൻ ആവശ്യമായ POS പ്രൊഫൈൽ DocType: Program Enrollment Tool,Enroll Students,വിദ്യാർഥികൾ എൻറോൾ DocType: Hub Settings,Name Token,ടോക്കൺ പേര് apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,സ്റ്റാൻഡേർഡ് വിൽപ്പനയുള്ളത് @@ -3777,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,സ്റ്റോക് apps/erpnext/erpnext/config/learn.py +234,Human Resource,മാനവ വിഭവശേഷി DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,പേയ്മെന്റ് അനുരഞ്ജനം പേയ്മെന്റ് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,നികുതി ആസ്തികൾ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},പ്രൊഡക്ഷൻ ഓർഡർ ചെയ്തു {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},പ്രൊഡക്ഷൻ ഓർഡർ ചെയ്തു {0} DocType: BOM Item,BOM No,BOM ഇല്ല DocType: Instructor,INS/,ഐഎൻഎസ് / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ജേർണൽ എൻട്രി {0} അക്കൗണ്ട് {1} അല്ലെങ്കിൽ ഇതിനകം മറ്റ് വൗച്ചർ പൊരുത്തപ്പെടും ഇല്ല @@ -3791,7 +3802,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,ഒര apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,നിലവിലുള്ള ശാരീരിക DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ഈ സെയിൽസ് പേഴ്സൺ വേണ്ടി ലക്ഷ്യങ്ങളിലൊന്നാണ് ഇനം ഗ്രൂപ്പ് തിരിച്ചുള്ള സജ്ജമാക്കുക. DocType: Stock Settings,Freeze Stocks Older Than [Days],[ദിനങ്ങൾ] ചെന്നവർ സ്റ്റോക്കുകൾ ഫ്രീസ് -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,വരി # {0}: അസറ്റ് നിർണയത്തിനുള്ള അസറ്റ് വാങ്ങൽ / വില്പനയ്ക്ക് നിര്ബന്ധമാണ് +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,വരി # {0}: അസറ്റ് നിർണയത്തിനുള്ള അസറ്റ് വാങ്ങൽ / വില്പനയ്ക്ക് നിര്ബന്ധമാണ് apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","രണ്ടോ അതിലധികമോ പ്രൈസിങ് നിയമങ്ങൾ മുകളിൽ നിബന്ധനകൾ അടിസ്ഥാനമാക്കി കണ്ടെത്തിയാൽ, മുൻഗണന പ്രയോഗിക്കുന്നു. സ്വതവേയുള്ള മൂല്യം പൂജ്യം (ഇടുക) പോൾ മുൻഗണന 0 20 വരെ തമ്മിലുള്ള ഒരു എണ്ണം. ഹയർ എണ്ണം ഒരേ ഉപാധികളോടെ ഒന്നിലധികം വിലനിർണ്ണയത്തിലേക്ക് അവിടെ കണ്ടാൽ അതിനെ പ്രാധാന്യം എന്നാണ്." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,സാമ്പത്തിക വർഷം: {0} നിലവിലുണ്ട് ഇല്ല DocType: Currency Exchange,To Currency,കറൻസി ചെയ്യുക @@ -3800,7 +3811,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,ചിലവി apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ഇനം {0} നിരക്ക് വിൽക്കുന്ന അധികം അതിന്റെ {1} കുറവാണ്. വിൽക്കുന്ന നിരക്ക് കുറയാതെ {2} ആയിരിക്കണം apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ഇനം {0} നിരക്ക് വിൽക്കുന്ന അധികം അതിന്റെ {1} കുറവാണ്. വിൽക്കുന്ന നിരക്ക് കുറയാതെ {2} ആയിരിക്കണം DocType: Item,Taxes,നികുതികൾ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,"പെയ്ഡ്, ഒരിക്കലും പാടില്ല കൈമാറി" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,"പെയ്ഡ്, ഒരിക്കലും പാടില്ല കൈമാറി" DocType: Project,Default Cost Center,സ്ഥിരസ്ഥിതി ചെലവ് കേന്ദ്രം DocType: Bank Guarantee,End Date,അവസാന ദിവസം apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ഓഹരി ഇടപാടുകൾ @@ -3817,7 +3828,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,നിത്യജീവിതത്തിലെ വർക്ക് ചുരുക്കം ക്രമീകരണങ്ങൾ കമ്പനി apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,അത് ഒരു സ്റ്റോക്ക് ഇനവും സ്ഥിതിക്ക് ഇനം {0} അവഗണിച്ച DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,കൂടുതൽ സംസ്കരണം ഈ ഉല്പാദനം ഓർഡർ സമർപ്പിക്കുക. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,കൂടുതൽ സംസ്കരണം ഈ ഉല്പാദനം ഓർഡർ സമർപ്പിക്കുക. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ഒരു പ്രത്യേക ഇടപാടിലും പ്രൈസിങ് .കൂടുതൽ ചെയ്യുന്നതിനായി, ബാധകമായ എല്ലാ വിലനിർണ്ണയത്തിലേക്ക് പ്രവർത്തനരഹിതമാകും വേണം." DocType: Assessment Group,Parent Assessment Group,രക്ഷാകർതൃ അസസ്മെന്റ് ഗ്രൂപ്പ് apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ജോലി @@ -3825,10 +3836,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ജോല DocType: Employee,Held On,ന് നടക്കും apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,പ്രൊഡക്ഷൻ ഇനം ,Employee Information,ജീവനക്കാരുടെ വിവരങ്ങൾ -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),നിരക്ക് (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),നിരക്ക് (%) DocType: Stock Entry Detail,Additional Cost,അധിക ചെലവ് apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","വൗച്ചർ ഭൂഖണ്ടക്രമത്തിൽ എങ്കിൽ, വൗച്ചർ പോസ്റ്റ് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ നിർമ്മിക്കുക +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ നിർമ്മിക്കുക DocType: Quality Inspection,Incoming,ഇൻകമിംഗ് DocType: BOM,Materials Required (Exploded),ആവശ്യമായ മെറ്റീരിയൽസ് (പൊട്ടിത്തെറിക്കുന്ന) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",നിങ്ങൾ സ്വയം പുറമെ നിങ്ങളുടെ സ്ഥാപനത്തിൻറെ ഉപയോക്താക്കളെ ചേർക്കുക @@ -3844,7 +3855,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,അക്കൗണ്ട്: {0} മാത്രം ഓഹരി ഇടപാടുകൾ വഴി അപ്ഡേറ്റ് ചെയ്യാൻ കഴിയില്ല DocType: Student Group Creation Tool,Get Courses,കോഴ്സുകൾ നേടുക DocType: GL Entry,Party,പാർട്ടി -DocType: Sales Order,Delivery Date,ഡെലിവറി തീയതി +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,ഡെലിവറി തീയതി DocType: Opportunity,Opportunity Date,ഓപ്പർച്യൂനിറ്റി തീയതി DocType: Purchase Receipt,Return Against Purchase Receipt,പർച്ചേസ് രസീത് എഗെൻസ്റ്റ് മടങ്ങുക DocType: Request for Quotation Item,Request for Quotation Item,ക്വട്ടേഷൻ ഇനം അഭ്യർത്ഥന @@ -3858,7 +3869,7 @@ DocType: Task,Actual Time (in Hours),(അവേഴ്സ്) യഥാർത് DocType: Employee,History In Company,കമ്പനിയിൽ ചരിത്രം apps/erpnext/erpnext/config/learn.py +107,Newsletters,വാർത്താക്കുറിപ്പുകൾ DocType: Stock Ledger Entry,Stock Ledger Entry,ഓഹരി ലെഡ്ജർ എൻട്രി -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി DocType: Department,Leave Block List,ബ്ലോക്ക് ലിസ്റ്റ് വിടുക DocType: Sales Invoice,Tax ID,നികുതി ഐഡി apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,ഇനം {0} സീരിയൽ ഒഴിവ് വിവരത്തിനു അല്ല. കോളം ശ്യൂന്യമായിടണം @@ -3876,25 +3887,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ബ്ലാക്ക് DocType: BOM Explosion Item,BOM Explosion Item,BOM പൊട്ടിത്തെറി ഇനം DocType: Account,Auditor,ഓഡിറ്റർ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} നിർമ്മിക്കുന്ന ഇനങ്ങൾ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} നിർമ്മിക്കുന്ന ഇനങ്ങൾ DocType: Cheque Print Template,Distance from top edge,മുകളറ്റത്തെ നിന്നുള്ള ദൂരം apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,വില ലിസ്റ്റ് {0} പ്രവർത്തനരഹിതമാക്കി അല്ലെങ്കിൽ നിലവിലില്ല DocType: Purchase Invoice,Return,മടങ്ങിവരവ് DocType: Production Order Operation,Production Order Operation,പ്രൊഡക്ഷൻ ഓർഡർ ഓപ്പറേഷൻ DocType: Pricing Rule,Disable,അപ്രാപ്തമാക്കുക -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,പേയ്മെന്റ് മോഡ് പേയ്മെന്റ് നടത്താൻ ആവശ്യമാണ് +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,പേയ്മെന്റ് മോഡ് പേയ്മെന്റ് നടത്താൻ ആവശ്യമാണ് DocType: Project Task,Pending Review,അവശേഷിക്കുന്ന അവലോകനം apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ബാച്ച് {2} എൻറോൾ ചെയ്തിട്ടില്ല apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","അത് ഇതിനകം {1} പോലെ അസറ്റ്, {0} ബോംബെടുക്കുന്നവനും കഴിയില്ല" DocType: Task,Total Expense Claim (via Expense Claim),(ചിലവിടൽ ക്ലെയിം വഴി) ആകെ ചിലവേറിയ ക്ലെയിം apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,മാർക് േചാദി -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},വരി {0}: കറന്സി BOM ൽ # ന്റെ {1} {2} തിരഞ്ഞെടുത്തു കറൻസി തുല്യമോ വേണം +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},വരി {0}: കറന്സി BOM ൽ # ന്റെ {1} {2} തിരഞ്ഞെടുത്തു കറൻസി തുല്യമോ വേണം DocType: Journal Entry Account,Exchange Rate,വിനിമയ നിരക്ക് -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,സെയിൽസ് ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,സെയിൽസ് ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും DocType: Homepage,Tag Line,ടാഗ് ലൈൻ DocType: Fee Component,Fee Component,ഫീസ് apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ഫ്ലീറ്റ് മാനേജ്മെന്റ് -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,നിന്ന് ഇനങ്ങൾ ചേർക്കുക +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,നിന്ന് ഇനങ്ങൾ ചേർക്കുക DocType: Cheque Print Template,Regular,സ്ഥിരമായ apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,എല്ലാ വിലയിരുത്തിയശേഷം മാനദണ്ഡം ആകെ വെയ്റ്റേജ് 100% ആയിരിക്കണം DocType: BOM,Last Purchase Rate,കഴിഞ്ഞ വാങ്ങൽ റേറ്റ് @@ -3915,12 +3926,12 @@ DocType: Employee,Reports to,റിപ്പോർട്ടുകൾ DocType: SMS Settings,Enter url parameter for receiver nos,റിസീവർ എണ്ണം വേണ്ടി URL പാരമീറ്റർ നൽകുക DocType: Payment Entry,Paid Amount,തുക DocType: Assessment Plan,Supervisor,പരിശോധക -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,ഓൺലൈൻ +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ഓൺലൈൻ ,Available Stock for Packing Items,ഇനങ്ങൾ ക്ലാസ്സിലേക് ലഭ്യമാണ് ഓഹരി DocType: Item Variant,Item Variant,ഇനം മാറ്റമുള്ള DocType: Assessment Result Tool,Assessment Result Tool,അസസ്മെന്റ് ഫലം ടൂൾ DocType: BOM Scrap Item,BOM Scrap Item,BOM ലേക്ക് സ്ക്രാപ്പ് ഇനം -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,സമർപ്പിച്ച ഓർഡറുകൾ ഇല്ലാതാക്കാൻ കഴിയില്ല +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,സമർപ്പിച്ച ഓർഡറുകൾ ഇല്ലാതാക്കാൻ കഴിയില്ല apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ഡെബിറ്റ് ഇതിനകം അക്കൗണ്ട് ബാലൻസ്, നിങ്ങൾ 'ക്രെഡിറ്റ്' ആയി 'ബാലൻസ് ആയിരിക്കണം' സജ്ജീകരിക്കാൻ അനുവാദമില്ലാത്ത" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,ക്വാളിറ്റി മാനേജ്മെന്റ് apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,ഇനം {0} അപ്രാപ്തമാക്കി @@ -3952,7 +3963,7 @@ DocType: Item Group,Default Expense Account,സ്ഥിരസ്ഥിതി apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,വിദ്യാർത്ഥിയുടെ ഇമെയിൽ ഐഡി DocType: Employee,Notice (days),അറിയിപ്പ് (ദിവസം) DocType: Tax Rule,Sales Tax Template,സെയിൽസ് ടാക്സ് ഫലകം -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ഇൻവോയ്സ് സംരക്ഷിക്കാൻ ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,ഇൻവോയ്സ് സംരക്ഷിക്കാൻ ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക DocType: Employee,Encashment Date,ലീവ് തീയതി DocType: Training Event,Internet,ഇന്റർനെറ്റ് DocType: Account,Stock Adjustment,സ്റ്റോക്ക് ക്രമീകരണം @@ -4001,10 +4012,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ഡി apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ഇനത്തിന്റെ അനുവദിച്ചിട്ടുള്ള പരമാവധി കുറഞ്ഞ: {0} ആണ് {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,പോലെ വല അസറ്റ് മൂല്യം DocType: Account,Receivable,സ്വീകാ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,വരി # {0}: പർച്ചേസ് ഓർഡർ ഇതിനകം നിലവിലുണ്ട് പോലെ വിതരണക്കാരൻ മാറ്റാൻ അനുവദനീയമല്ല +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,വരി # {0}: പർച്ചേസ് ഓർഡർ ഇതിനകം നിലവിലുണ്ട് പോലെ വിതരണക്കാരൻ മാറ്റാൻ അനുവദനീയമല്ല DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,സജ്ജമാക്കാൻ ക്രെഡിറ്റ് പരിധി ഇടപാടുകള് സമർപ്പിക്കാൻ അനുവാദമുള്ളൂ ആ റോൾ. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,നിർമ്മിക്കാനുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","മാസ്റ്റർ ഡാറ്റ സമന്വയിപ്പിക്കുന്നത്, അതു കുറച്ച് സമയം എടുത്തേക്കാം" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,നിർമ്മിക്കാനുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","മാസ്റ്റർ ഡാറ്റ സമന്വയിപ്പിക്കുന്നത്, അതു കുറച്ച് സമയം എടുത്തേക്കാം" DocType: Item,Material Issue,മെറ്റീരിയൽ പ്രശ്നം DocType: Hub Settings,Seller Description,വില്പനക്കാരന്റെ വിവരണം DocType: Employee Education,Qualification,യോഗ്യത @@ -4025,11 +4036,10 @@ DocType: BOM,Rate Of Materials Based On,മെറ്റീരിയൽസ് അ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,പിന്തുണ Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,എല്ലാത്തിൻറെയും പരിശോധന DocType: POS Profile,Terms and Conditions,ഉപാധികളും നിബന്ധനകളും -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,മാനവ വിഭവശേഷി> എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ദയവായി എംപ്ലോയീ നെയിമിങ് സിസ്റ്റം സജ്ജീകരിക്കുക apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},തീയതി സാമ്പത്തിക വർഷത്തിൽ ആയിരിക്കണം. തീയതി = {0} ചെയ്യുക കരുതുന്നു DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ഇവിടെ നിങ്ങൾ ഉയരം, ഭാരം, അലർജി, മെഡിക്കൽ ആശങ്കകൾ മുതലായവ നിലനിർത്താൻ കഴിയും" DocType: Leave Block List,Applies to Company,കമ്പനി പ്രയോഗിക്കുന്നു -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,സമർപ്പിച്ച ഓഹരി എൻട്രി {0} നിലവിലുണ്ട് കാരണം റദ്ദാക്കാൻ കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,സമർപ്പിച്ച ഓഹരി എൻട്രി {0} നിലവിലുണ്ട് കാരണം റദ്ദാക്കാൻ കഴിയില്ല DocType: Employee Loan,Disbursement Date,ചിലവ് തീയതി DocType: Vehicle,Vehicle,വാഹനം DocType: Purchase Invoice,In Words,വാക്കുകളിൽ @@ -4068,7 +4078,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,ആഗോള ക് DocType: Assessment Result Detail,Assessment Result Detail,അസസ്മെന്റ് ഫലം വിശദാംശം DocType: Employee Education,Employee Education,ജീവനക്കാരുടെ വിദ്യാഭ്യാസം apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ഇനം ഗ്രൂപ്പ് പട്ടികയിൽ കണ്ടെത്തി തനിപ്പകർപ്പ് ഇനം ഗ്രൂപ്പ് -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,ഇത് ഇനം വിശദാംശങ്ങൾ കൊണ്ടുവരാം ആവശ്യമാണ്. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,ഇത് ഇനം വിശദാംശങ്ങൾ കൊണ്ടുവരാം ആവശ്യമാണ്. DocType: Salary Slip,Net Pay,നെറ്റ് വേതനം DocType: Account,Account,അക്കൗണ്ട് apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,സീരിയൽ ഇല്ല {0} ഇതിനകം ലഭിച്ചു ചെയ്തു @@ -4076,7 +4086,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,വാഹന ലോഗ് DocType: Purchase Invoice,Recurring Id,ആവർത്തക ഐഡി DocType: Customer,Sales Team Details,സെയിൽസ് ടീം വിശദാംശങ്ങൾ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,ശാശ്വതമായി ഇല്ലാതാക്കുക? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,ശാശ്വതമായി ഇല്ലാതാക്കുക? DocType: Expense Claim,Total Claimed Amount,ആകെ ക്ലെയിം ചെയ്ത തുക apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,വില്ക്കുകയും വരാവുന്ന അവസരങ്ങൾ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},അസാധുവായ {0} @@ -4088,7 +4098,7 @@ DocType: Warehouse,PIN,പിൻ apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,സജ്ജീകരണം എര്പ്നെക്സത് നിങ്ങളുടെ സ്കൂൾ DocType: Sales Invoice,Base Change Amount (Company Currency),തുക ബേസ് മാറ്റുക (കമ്പനി കറൻസി) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,താഴെ അബദ്ധങ്ങളും വേണ്ടി ഇല്ല അക്കൌണ്ടിങ് എൻട്രികൾ -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,ആദ്യം പ്രമാണം സംരക്ഷിക്കുക. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,ആദ്യം പ്രമാണം സംരക്ഷിക്കുക. DocType: Account,Chargeable,ഈടാക്കുന്നതല്ല DocType: Company,Change Abbreviation,മാറ്റുക സംഗ്രഹ DocType: Expense Claim Detail,Expense Date,ചിലവേറിയ തീയതി @@ -4102,7 +4112,6 @@ DocType: BOM,Manufacturing User,ണം ഉപയോക്താവ് DocType: Purchase Invoice,Raw Materials Supplied,നൽകിയത് അസംസ്കൃത വസ്തുക്കൾ DocType: Purchase Invoice,Recurring Print Format,ആവർത്തക പ്രിന്റ് ഫോർമാറ്റ് DocType: C-Form,Series,സീരീസ് -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,പ്രതീക്ഷിച്ച ഡെലിവറി തീയതി വാങ്ങൽ ഓർഡർ തീയതി മുമ്പ് ആകാൻ പാടില്ല DocType: Appraisal,Appraisal Template,അപ്രൈസൽ ഫലകം DocType: Item Group,Item Classification,ഇനം തിരിക്കൽ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ബിസിനസ് ഡെവലപ്മെന്റ് മാനേജർ @@ -4141,12 +4150,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ബ്ര apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,പരിശീലന പരിപാടികൾ / ഫലങ്ങൾ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,ഓൺ ആയി സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച DocType: Sales Invoice,C-Form Applicable,ബാധകമായ സി-ഫോം -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},ഓപ്പറേഷൻ സമയം ഓപ്പറേഷൻ {0} വേണ്ടി 0 വലുതായിരിക്കണം +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},ഓപ്പറേഷൻ സമയം ഓപ്പറേഷൻ {0} വേണ്ടി 0 വലുതായിരിക്കണം apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,വെയർഹൗസ് നിർബന്ധമാണ് DocType: Supplier,Address and Contacts,വിശദാംശവും ബന്ധങ്ങൾ DocType: UOM Conversion Detail,UOM Conversion Detail,UOM പരിവർത്തന വിശദാംശം DocType: Program,Program Abbreviation,പ്രോഗ്രാം സംഗ്രഹം -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,പ്രൊഡക്ഷൻ ഓർഡർ ഒരു ഇനം ഫലകം ഈടിന്മേൽ ചെയ്യാൻ കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,പ്രൊഡക്ഷൻ ഓർഡർ ഒരു ഇനം ഫലകം ഈടിന്മേൽ ചെയ്യാൻ കഴിയില്ല apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,വിചാരണ ഓരോ ഇനത്തിനും നേരെ പർച്ചേസ് രസീതിലെ അപ്ഡേറ്റ് DocType: Warranty Claim,Resolved By,തന്നെയാണ പരിഹരിക്കപ്പെട്ട DocType: Bank Guarantee,Start Date,തുടങ്ങുന്ന ദിവസം @@ -4181,6 +4190,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,പരിശീലന പ്രതികരണം apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,പ്രൊഡക്ഷൻ ഓർഡർ {0} സമർപ്പിക്കേണ്ടതാണ് apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},ഇനം {0} ആരംഭ തീയതിയും അവസാന തീയതി തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,നിങ്ങൾ നേടാൻ ആഗ്രഹിക്കുന്ന ഒരു വിൽപ്പന ടാർഗെറ്റ് സെറ്റ് ചെയ്യുക. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},കോഴ്സ് വരി {0} ലെ നിർബന്ധമായും apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ഇന്നുവരെ തീയതി മുതൽ മുമ്പ് ആകാൻ പാടില്ല DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4199,7 +4209,7 @@ DocType: Account,Income,ആദായ DocType: Industry Type,Industry Type,വ്യവസായം തരം apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,എന്തോ കുഴപ്പം സംഭവിച്ചു! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,മുന്നറിയിപ്പ്: വിടുക അപേക്ഷ താഴെ ബ്ലോക്ക് തീയതി അടങ്ങിയിരിക്കുന്നു -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,സെയിൽസ് ഇൻവോയിസ് {0} ഇതിനകം സമർപ്പിച്ചു +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,സെയിൽസ് ഇൻവോയിസ് {0} ഇതിനകം സമർപ്പിച്ചു DocType: Assessment Result Detail,Score,സ്കോർ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,സാമ്പത്തിക വർഷത്തെ {0} നിലവിലില്ല apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,പൂർത്തീകരണ തീയതി @@ -4229,7 +4239,7 @@ DocType: Naming Series,Help HTML,എച്ച്ടിഎംഎൽ സഹായ DocType: Student Group Creation Tool,Student Group Creation Tool,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ക്രിയേഷൻ ടൂൾ DocType: Item,Variant Based On,വേരിയന്റ് അടിസ്ഥാനമാക്കിയുള്ള apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},അസൈൻ ആകെ വെയിറ്റേജ് 100% ആയിരിക്കണം. ഇത് {0} ആണ് -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,നിങ്ങളുടെ വിതരണക്കാരും +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,നിങ്ങളുടെ വിതരണക്കാരും apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,സെയിൽസ് ഓർഡർ കഴിക്കുന്ന പോലെ ലോസ്റ്റ് ആയി സജ്ജമാക്കാൻ കഴിയില്ല. DocType: Request for Quotation Item,Supplier Part No,വിതരണക്കാരൻ ഭാഗം ഇല്ല apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',വർഗ്ഗം 'മൂലധനം' അല്ലെങ്കിൽ 'Vaulation മൊത്തം' എന്ന എപ്പോൾ കുറയ്ക്കാവുന്നതാണ് കഴിയില്ല @@ -4239,14 +4249,14 @@ DocType: Item,Has Serial No,സീരിയൽ പോസ്റ്റ് ഉ DocType: Employee,Date of Issue,പുറപ്പെടുവിച്ച തീയതി apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} {1} വേണ്ടി നിന്ന് apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","വാങ്ങൽ തല്ലാൻ ആവശ്യമുണ്ട് == 'അതെ', പിന്നീട് വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കാൻ, ഉപയോക്തൃ ഇനം {0} ആദ്യം വാങ്ങൽ രസീത് സൃഷ്ടിക്കാൻ ആവശ്യമെങ്കിൽ വാങ്ങൽ ക്രമീകരണങ്ങൾ പ്രകാരം" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},വരി # {0}: ഇനത്തിന്റെ വേണ്ടി സജ്ജമാക്കുക വിതരണക്കാരൻ {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,വരി {0}: മണിക്കൂറുകൾ മൂല്യം പൂജ്യത്തേക്കാൾ വലുതായിരിക്കണം. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},വരി # {0}: ഇനത്തിന്റെ വേണ്ടി സജ്ജമാക്കുക വിതരണക്കാരൻ {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,വരി {0}: മണിക്കൂറുകൾ മൂല്യം പൂജ്യത്തേക്കാൾ വലുതായിരിക്കണം. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,വെബ്സൈറ്റ് ചിത്രം {0} ഇനം ഘടിപ്പിച്ചിരിക്കുന്ന {1} കണ്ടെത്താൻ കഴിയുന്നില്ല DocType: Issue,Content Type,ഉള്ളടക്ക തരം apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,കമ്പ്യൂട്ടർ DocType: Item,List this Item in multiple groups on the website.,വെബ്സൈറ്റിൽ ഒന്നിലധികം സംഘങ്ങളായി ഈ ഇനം കാണിയ്ക്കുക. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,മറ്റ് കറൻസി കൊണ്ട് അക്കൗണ്ടുകൾ അനുവദിക്കുന്നതിന് മൾട്ടി നാണയ ഓപ്ഷൻ പരിശോധിക്കുക -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ഇനം: {0} വ്യവസ്ഥിതിയിൽ നിലവിലില്ല +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,ഇനം: {0} വ്യവസ്ഥിതിയിൽ നിലവിലില്ല apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,നിങ്ങൾ ശീതീകരിച്ച മൂല്യം സജ്ജീകരിക്കാൻ അംഗീകാരമില്ല DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled എൻട്രികൾ നേടുക DocType: Payment Reconciliation,From Invoice Date,ഇൻവോയിസ് തീയതി മുതൽ @@ -4272,7 +4282,7 @@ DocType: Stock Entry,Default Source Warehouse,സ്ഥിരസ്ഥിതി DocType: Item,Customer Code,കസ്റ്റമർ കോഡ് apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},{0} വേണ്ടി ജന്മദിനം apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,കഴിഞ്ഞ ഓർഡർ നു ശേഷം ദിനങ്ങൾ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം DocType: Buying Settings,Naming Series,സീരീസ് നാമകരണം DocType: Leave Block List,Leave Block List Name,ബ്ലോക്ക് പട്ടിക പേര് വിടുക apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ഇൻഷുറൻസ് ആരംഭ തീയതി ഇൻഷുറൻസ് അവസാന തീയതി കുറവായിരിക്കണം @@ -4289,7 +4299,7 @@ DocType: Vehicle Log,Odometer,ഓഡോമീറ്റർ DocType: Sales Order Item,Ordered Qty,ഉത്തരവിട്ടു Qty apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,ഇനം {0} പ്രവർത്തനരഹിതമാക്കിയിരിക്കുന്നതിനാൽ DocType: Stock Settings,Stock Frozen Upto,ഓഹരി ശീതീകരിച്ച വരെ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ലേക്ക് ഏതെങ്കിലും ഓഹരി ഇനം അടങ്ങിയിട്ടില്ല +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM ലേക്ക് ഏതെങ്കിലും ഓഹരി ഇനം അടങ്ങിയിട്ടില്ല apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},നിന്നും കാലഘട്ടം {0} ആവർത്ത വേണ്ടി നിർബന്ധമായി തീയതി വരെയുള്ള apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,പ്രോജക്ട് പ്രവർത്തനം / ചുമതല. DocType: Vehicle Log,Refuelling Details,Refuelling വിശദാംശങ്ങൾ @@ -4299,7 +4309,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,അവസാനം വാങ്ങൽ നിരക്ക് കണ്ടെത്തിയില്ല DocType: Purchase Invoice,Write Off Amount (Company Currency),ഓഫാക്കുക എഴുതുക തുക (കമ്പനി കറൻസി) DocType: Sales Invoice Timesheet,Billing Hours,ബില്ലിംഗ് മണിക്കൂർ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,{0} കണ്ടെത്തിയില്ല സ്ഥിര BOM ൽ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,{0} കണ്ടെത്തിയില്ല സ്ഥിര BOM ൽ apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,വരി # {0}: സജ്ജീകരിക്കുക പുനഃക്രമീകരിക്കുക അളവ് apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ഇവിടെ ചേർക്കാൻ ഇനങ്ങൾ ടാപ്പ് DocType: Fees,Program Enrollment,പ്രോഗ്രാം എൻറോൾമെന്റ് @@ -4333,6 +4343,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,എയ്ജിങ് ശ്രേണി 2 DocType: SG Creation Tool Course,Max Strength,മാക്സ് ദൃഢത apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM ലേക്ക് മാറ്റിസ്ഥാപിച്ചു +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,ഡെലിവറി തീയതി അടിസ്ഥാനമാക്കിയുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക ,Sales Analytics,സെയിൽസ് അനലിറ്റിക്സ് apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},ലഭ്യമായ {0} ,Prospects Engaged But Not Converted,സാദ്ധ്യതകളും നിശ്ചയം എന്നാൽ പരിവർത്തനം @@ -4381,7 +4392,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ഡിസ്ക apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,ടാസ്ക്കുകൾക്കായി Timesheet. DocType: Purchase Invoice,Against Expense Account,ചിലവേറിയ എഗെൻസ്റ്റ് DocType: Production Order,Production Order,പ്രൊഡക്ഷൻ ഓർഡർ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,ഇന്സ്റ്റലേഷന് കുറിപ്പ് {0} ഇതിനകം സമർപ്പിച്ചു +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,ഇന്സ്റ്റലേഷന് കുറിപ്പ് {0} ഇതിനകം സമർപ്പിച്ചു DocType: Bank Reconciliation,Get Payment Entries,പേയ്മെന്റ് എൻട്രികൾ ലഭ്യമാക്കുക DocType: Quotation Item,Against Docname,Docname എഗെൻസ്റ്റ് DocType: SMS Center,All Employee (Active),എല്ലാ ജീവനക്കാരുടെ (സജീവമായ) @@ -4390,7 +4401,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,അസംസ്കൃത വസ്തുക്കളുടെ വില DocType: Item Reorder,Re-Order Level,വീണ്ടും ഓർഡർ ലെവൽ DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"ഇനങ്ങൾ നൽകുക, നിങ്ങൾ പ്രൊഡക്ഷൻ ഉത്തരവുകൾ ഉയർത്തരുത് വിശകലനം അസംസ്കൃത വസ്തുക്കൾ ഡൌൺലോഡ് ചെയ്യാൻ ആഗ്രഹിക്കുന്ന qty ആസൂത്രണം." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt ചാർട്ട് +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt ചാർട്ട് apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ഭാഗിക സമയം DocType: Employee,Applicable Holiday List,ഉപയുക്തമായ ഹോളിഡേ പട്ടിക DocType: Employee,Cheque,ചെക്ക് @@ -4448,11 +4459,11 @@ DocType: Bin,Reserved Qty for Production,പ്രൊഡക്ഷൻ സം DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,നിങ്ങൾ കോഴ്സ് അടിസ്ഥാനമാക്കിയുള്ള ഗ്രൂപ്പുകൾ അവസരത്തിൽ ബാച്ച് പരിഗണിക്കുക ആഗ്രഹിക്കുന്നില്ല പരിശോധിക്കാതെ വിടുക. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,നിങ്ങൾ കോഴ്സ് അടിസ്ഥാനമാക്കിയുള്ള ഗ്രൂപ്പുകൾ അവസരത്തിൽ ബാച്ച് പരിഗണിക്കുക ആഗ്രഹിക്കുന്നില്ല പരിശോധിക്കാതെ വിടുക. DocType: Asset,Frequency of Depreciation (Months),മൂല്യത്തകർച്ചയെത്തുടർന്ന് ഫ്രീക്വൻസി (മാസം) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,ക്രെഡിറ്റ് അക്കൗണ്ട് +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,ക്രെഡിറ്റ് അക്കൗണ്ട് DocType: Landed Cost Item,Landed Cost Item,റജിസ്റ്റർ ചെലവ് ഇനം apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,പൂജ്യം മൂല്യങ്ങൾ കാണിക്കുക DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,അസംസ്കൃത വസ്തുക്കളുടെ തന്നിരിക്കുന്ന അളവിൽ നിന്ന് തിരസ്കൃതമൂല്യങ്ങള് / നിര്മ്മാണ ശേഷം ഇനത്തിന്റെ അളവ് -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,സെറ്റപ്പ് എന്റെ ഓർഗനൈസേഷന് ഒരു ലളിതമായ വെബ്സൈറ്റ് +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,സെറ്റപ്പ് എന്റെ ഓർഗനൈസേഷന് ഒരു ലളിതമായ വെബ്സൈറ്റ് DocType: Payment Reconciliation,Receivable / Payable Account,സ്വീകാ / അടയ്ക്കേണ്ട അക്കൗണ്ട് DocType: Delivery Note Item,Against Sales Order Item,സെയിൽസ് ഓർഡർ ഇനം എഗെൻസ്റ്റ് apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},ആട്രിബ്യൂട്ട് {0} മൂല്യം ആട്രിബ്യൂട്ട് വ്യക്തമാക്കുക @@ -4517,22 +4528,22 @@ DocType: Student,Nationality,പൗരതം ,Items To Be Requested,അഭ്യർത്ഥിച്ചു ഇനങ്ങൾ DocType: Purchase Order,Get Last Purchase Rate,അവസാനം വാങ്ങൽ റേറ്റ് നേടുക DocType: Company,Company Info,കമ്പനി വിവരങ്ങൾ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,പുതിയ ഉപഭോക്തൃ തിരഞ്ഞെടുക്കുക അല്ലെങ്കിൽ ചേർക്കുക -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,കോസ്റ്റ് സെന്റർ ഒരു ചെലവിൽ ക്ലെയിം ബുക്ക് ആവശ്യമാണ് +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,പുതിയ ഉപഭോക്തൃ തിരഞ്ഞെടുക്കുക അല്ലെങ്കിൽ ചേർക്കുക +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,കോസ്റ്റ് സെന്റർ ഒരു ചെലവിൽ ക്ലെയിം ബുക്ക് ആവശ്യമാണ് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ഫണ്ട് അപേക്ഷാ (ആസ്തികൾ) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ഈ ജോലിയില് ഹാജർ അടിസ്ഥാനമാക്കിയുള്ളതാണ് -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,ഡെബിറ്റ് അക്കൗണ്ട് +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,ഡെബിറ്റ് അക്കൗണ്ട് DocType: Fiscal Year,Year Start Date,വർഷം ആരംഭ തീയതി DocType: Attendance,Employee Name,ജീവനക്കാരുടെ പേര് DocType: Sales Invoice,Rounded Total (Company Currency),വൃത്തത്തിലുള്ള ആകെ (കമ്പനി കറൻസി) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,അക്കൗണ്ട് തരം തിരഞ്ഞെടുത്തുവെന്ന് കാരണം ഗ്രൂപ്പിലേക്ക് മറവിൽ ചെയ്യാൻ കഴിയില്ല. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} പരിഷ്ക്കരിച്ചു. പുതുക്കുക. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} പരിഷ്ക്കരിച്ചു. പുതുക്കുക. DocType: Leave Block List,Stop users from making Leave Applications on following days.,താഴെ ദിവസങ്ങളിൽ അവധി അപേക്ഷിക്കുന്നതിനുള്ള നിന്നും ഉപയോക്താക്കളെ നിർത്തുക. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,വാങ്ങൽ തുക apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,വിതരണക്കാരൻ ക്വട്ടേഷൻ {0} സൃഷ്ടിച്ചു apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,അവസാനിക്കുന്ന വർഷം ആരംഭിക്കുന്ന വർഷം മുമ്പ് ആകാൻ പാടില്ല apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ജീവനക്കാരുടെ ആനുകൂല്യങ്ങൾ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},ചിലരാകട്ടെ അളവ് വരി {1} ൽ ഇനം {0} വേണ്ടി അളവ് ഒക്കുന്നില്ല വേണം +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},ചിലരാകട്ടെ അളവ് വരി {1} ൽ ഇനം {0} വേണ്ടി അളവ് ഒക്കുന്നില്ല വേണം DocType: Production Order,Manufactured Qty,മാന്യുഫാക്ച്ചേർഡ് Qty DocType: Purchase Receipt Item,Accepted Quantity,അംഗീകരിച്ചു ക്വാണ്ടിറ്റി apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},ഒരു സ്ഥിര ഹോളിഡേ ലിസ്റ്റ് സജ്ജമാക്കാൻ ദയവായി എംപ്ലോയിസ് {0} അല്ലെങ്കിൽ കമ്പനി {1} @@ -4543,11 +4554,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},വരി ഇല്ല {0}: തുക ചിലവിടൽ ക്ലെയിം {1} നേരെ തുക തീർച്ചപ്പെടുത്തിയിട്ടില്ല വലുതായിരിക്കണം കഴിയില്ല. തീർച്ചപ്പെടുത്തിയിട്ടില്ല തുക {2} ആണ് DocType: Maintenance Schedule,Schedule,ഷെഡ്യൂൾ DocType: Account,Parent Account,പാരന്റ് അക്കൗണ്ട് -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,ലഭ്യമായ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,ലഭ്യമായ DocType: Quality Inspection Reading,Reading 3,Reading 3 ,Hub,ഹബ് DocType: GL Entry,Voucher Type,സാക്ഷപ്പെടുത്തല് തരം -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,വില പട്ടിക കണ്ടെത്തിയില്ല അല്ലെങ്കിൽ പ്രവർത്തനരഹിതമാക്കിയിട്ടില്ലെന്ന് +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,വില പട്ടിക കണ്ടെത്തിയില്ല അല്ലെങ്കിൽ പ്രവർത്തനരഹിതമാക്കിയിട്ടില്ലെന്ന് DocType: Employee Loan Application,Approved,അംഗീകരിച്ചു DocType: Pricing Rule,Price,വില apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} 'ഇടത്' ആയി സജ്ജമാക്കാൻ വേണം ന് ആശ്വാസമായി ജീവനക്കാരൻ @@ -4617,7 +4628,7 @@ DocType: SMS Settings,Static Parameters,സ്റ്റാറ്റിക് പ DocType: Assessment Plan,Room,ഇടം DocType: Purchase Order,Advance Paid,മുൻകൂർ പണമടച്ചു DocType: Item,Item Tax,ഇനം നികുതി -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,വിതരണക്കാരൻ വരെ മെറ്റീരിയൽ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,വിതരണക്കാരൻ വരെ മെറ്റീരിയൽ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,എക്സൈസ് ഇൻവോയിസ് apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ത്രെഷോൾഡ് {0}% ഒന്നിലധികം തവണ ലഭ്യമാകുന്നു DocType: Expense Claim,Employees Email Id,എംപ്ലോയീസ് ഇമെയിൽ ഐഡി @@ -4657,7 +4668,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,മാതൃക DocType: Production Order,Actual Operating Cost,യഥാർത്ഥ ഓപ്പറേറ്റിംഗ് ചെലവ് DocType: Payment Entry,Cheque/Reference No,ചെക്ക് / പരാമർശം ഇല്ല -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണക്കാരൻ തരം apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,റൂട്ട് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല. DocType: Item,Units of Measure,അളവിന്റെ യൂണിറ്റുകൾ DocType: Manufacturing Settings,Allow Production on Holidays,അവധിദിനങ്ങളിൽ പ്രൊഡക്ഷൻ അനുവദിക്കുക @@ -4690,12 +4700,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,ക്രെഡിറ്റ് ദിനങ്ങൾ apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,വിദ്യാർത്ഥിയുടെ ബാച്ച് നിർമ്മിക്കുക DocType: Leave Type,Is Carry Forward,മുന്നോട്ട് വിലക്കുണ്ടോ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM ൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM ൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ലീഡ് സമയം ദിനങ്ങൾ -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},വരി # {0}: {1} പോസ്റ്റുചെയ്ത തീയതി വാങ്ങൽ തീയതി തുല്യമായിരിക്കണം ആസ്തിയുടെ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},വരി # {0}: {1} പോസ്റ്റുചെയ്ത തീയതി വാങ്ങൽ തീയതി തുല്യമായിരിക്കണം ആസ്തിയുടെ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,വിദ്യാർത്ഥി ഇൻസ്റ്റിറ്റ്യൂട്ട് ഹോസ്റ്റൽ വസിക്കുന്നു എങ്കിൽ ഈ പരിശോധിക്കുക. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,മുകളിലുള്ള പട്ടികയിൽ സെയിൽസ് ഓർഡറുകൾ നൽകുക -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ശമ്പള സ്ലിപ്പുകൾ സമർപ്പിച്ചിട്ടില്ല +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,ശമ്പള സ്ലിപ്പുകൾ സമർപ്പിച്ചിട്ടില്ല ,Stock Summary,ഓഹരി ചുരുക്കം apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,തമ്മിൽ വെയർഹൗസിൽ നിന്ന് ഒരു അസറ്റ് കൈമാറൽ DocType: Vehicle,Petrol,പെട്രോൾ diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv index 36f7e423258..8209de5b6c6 100644 --- a/erpnext/translations/mr.csv +++ b/erpnext/translations/mr.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,विक्रेता DocType: Employee,Rented,भाड्याने DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,वापरकर्त्यांसाठी लागू -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","थांबविलेली उत्पादन ऑर्डर रद्द करता येणार नाही, रद्द करण्यासाठी प्रथम ती Unstop करा" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","थांबविलेली उत्पादन ऑर्डर रद्द करता येणार नाही, रद्द करण्यासाठी प्रथम ती Unstop करा" DocType: Vehicle Service,Mileage,मायलेज apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,आपण खरोखर या मालमत्ता स्क्रॅप इच्छित आहे का? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,निवडा मुलभूत पुरवठादार @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% बिल apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),विनिमय दर समान असणे आवश्यक आहे {0} {1} ({2}) DocType: Sales Invoice,Customer Name,ग्राहक नाव DocType: Vehicle,Natural Gas,नैसर्गिक वायू -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},बँक खाते म्हणून नावाच्या करणे शक्य नाही {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},बँक खाते म्हणून नावाच्या करणे शक्य नाही {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,प्रमुख (किंवा गट) ज्या लेखा नोंदी केले जातात व शिल्लक ठेवली आहेत. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),{0} साठीची बाकी शून्य ({1}) पेक्षा कमी असू शकत नाही DocType: Manufacturing Settings,Default 10 mins,10 मि डीफॉल्ट @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,रजा प्रकारचे नाव apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,खुल्या दर्शवा apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,मालिका यशस्वीपणे अद्यतनित apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,चेकआऊट -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural जर्नल प्रवेश सबमिट +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural जर्नल प्रवेश सबमिट DocType: Pricing Rule,Apply On,रोजी लागू करा DocType: Item Price,Multiple Item prices.,एकाधिक आयटम भाव. ,Purchase Order Items To Be Received,पर्चेस आयटम प्राप्त करण्यासाठी @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,भरणा खात apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,रूपे दर्शवा DocType: Academic Term,Academic Term,शैक्षणिक मुदत apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,साहित्य -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,प्रमाण +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,प्रमाण apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,खाती टेबल रिक्त असू शकत नाही. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),कर्ज (दायित्व) DocType: Employee Education,Year of Passing,उत्तीर्ण वर्ष @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,हेल्थ केअर apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),भरणा विलंब (दिवस) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,सेवा खर्च -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},अनुक्रमांक: {0} आधीच विक्री चलन संदर्भ आहे: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,चलन +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},अनुक्रमांक: {0} आधीच विक्री चलन संदर्भ आहे: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,चलन DocType: Maintenance Schedule Item,Periodicity,ठराविक मुदतीने पुन: पुन्हा उगवणे apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,आर्थिक वर्ष {0} आवश्यक आहे -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,अपेक्षित वितरणाची तारीख विक्री ऑर्डर तारीख आधी आहे apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,संरक्षण DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),धावसंख्या (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,रो # {0}: DocType: Timesheet,Total Costing Amount,एकूण भांडवलाच्या रक्कम DocType: Delivery Note,Vehicle No,वाहन क्रमांक -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,कृपया किंमत सूची निवडा +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,कृपया किंमत सूची निवडा apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,सलग # {0}: भरणा दस्तऐवज trasaction पूर्ण करणे आवश्यक आहे DocType: Production Order Operation,Work In Progress,कार्य प्रगती मध्ये आहे apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,कृपया तारीख निवडा @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} कोणत्याही सक्रिय आर्थिक वर्षात. DocType: Packed Item,Parent Detail docname,पालक तपशील docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","संदर्भ: {0}, आयटम कोड: {1} आणि ग्राहक: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,किलो +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,किलो DocType: Student Log,Log,लॉग apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,जॉब साठी उघडत आहे. DocType: Item Attribute,Increment,बढती @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,लग्न apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},{0} ला परवानगी नाही apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,आयटम मिळवा -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},शेअर वितरण टीप विरुद्ध अद्यतनित करणे शक्य नाही {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},शेअर वितरण टीप विरुद्ध अद्यतनित करणे शक्य नाही {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},उत्पादन {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,कोणतेही आयटम सूचीबद्ध DocType: Payment Reconciliation,Reconcile,समेट @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,प apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,पुढील घसारा तारीख खरेदी तारीख असू शकत नाही DocType: SMS Center,All Sales Person,सर्व विक्री व्यक्ती DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** मासिक वितरण ** आपण आपल्या व्यवसायात हंगामी असेल तर बजेट / लक्ष्य महिने ओलांडून वितरण मदत करते. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,नाही आयटम आढळला +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,नाही आयटम आढळला apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,पगार संरचना गहाळ DocType: Lead,Person Name,व्यक्ती नाव DocType: Sales Invoice Item,Sales Invoice Item,विक्री चलन आयटम @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""मुदत मालमत्ता आहे" मालमत्ता रेकॉर्ड आयटम विरुद्ध अस्तित्वात आहे म्हणून, अनचेक केले जाऊ शकत नाही" DocType: Vehicle Service,Brake Oil,ब्रेक तेल DocType: Tax Rule,Tax Type,कर प्रकार -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,करपात्र रक्कम +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,करपात्र रक्कम apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},आपल्याला आधी नोंदी जमा करण्यासाठी किंवा सुधारणा करण्यासाठी अधिकृत नाही {0} DocType: BOM,Item Image (if not slideshow),आयटम प्रतिमा (स्लाईड शो नसेल तर) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,एक ग्राहक समान नाव अस्तित्वात DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(तास रेट / 60) * प्रत्यक्ष ऑपरेशन वेळ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,BOM निवडा +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,BOM निवडा DocType: SMS Log,SMS Log,एसएमएस लॉग apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,वितरित केले आयटम खर्च apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} वरील सुट्टी तारखेपासून आणि तारखेपर्यंत च्या दरम्यान नाही @@ -171,13 +170,13 @@ DocType: School Settings,Validate Batch for Students in Student Group,विद apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},रजा रेकॉर्ड कर्मचारी आढळला नाही {0} साठी {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"पहिली कंपनीची यादी प्रविष्ट करा" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,कृपया पहिले कंपनी निवडा +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,कृपया पहिले कंपनी निवडा DocType: Employee Education,Under Graduate,पदवीधर अंतर्गत apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,लक्ष्य रोजी DocType: BOM,Total Cost,एकूण खर्च DocType: Journal Entry Account,Employee Loan,कर्मचारी कर्ज -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,क्रियाकलाप लॉग: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,आयटम {0} प्रणालीत अस्तित्वात नाही किंवा कालबाह्य झाला आहे +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,क्रियाकलाप लॉग: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,आयटम {0} प्रणालीत अस्तित्वात नाही किंवा कालबाह्य झाला आहे apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,स्थावर मालमत्ता apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,खाते स्टेटमेंट apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,फार्मास्युटिकल्स @@ -187,19 +186,18 @@ DocType: Expense Claim Detail,Claim Amount,दाव्याची रक्क apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer गट टेबल मध्ये आढळले डुप्लिकेट ग्राहक गट apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,पुरवठादार प्रकार / पुरवठादार DocType: Naming Series,Prefix,पूर्वपद -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया {0} साठी सेट अप> सेटिंग्ज> नाविक शृंखला मार्गे नेमिशन सीरीज सेट करा -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumable +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumable DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,आयात लॉग DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,प्रकार उत्पादन साहित्य विनंती वरील निकषावर आधारित खेचणे DocType: Training Result Employee,Grade,ग्रेड DocType: Sales Invoice Item,Delivered By Supplier,पुरवठादार करून वितरित DocType: SMS Center,All Contact,सर्व संपर्क -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,उत्पादन ऑर्डर BOM सर्व आयटम आधीपासूनच तयार +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,उत्पादन ऑर्डर BOM सर्व आयटम आधीपासूनच तयार apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,वार्षिक पगार DocType: Daily Work Summary,Daily Work Summary,दररोज काम सारांश DocType: Period Closing Voucher,Closing Fiscal Year,आर्थिक वर्ष बंद -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} गोठविले +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} गोठविले apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,कृपया खाती चार्ट तयार करण्यासाठी विद्यमान कंपनी निवडा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,शेअर खर्च apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,लक्ष्य वखार निवडा @@ -214,13 +212,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},प्रमाण नाकारलेले + स्वीकारले आयटम साठी प्राप्त प्रमाण समान असणे आवश्यक आहे {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,पुरवठा कच्चा माल खरेदी -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,पैसे किमान एक मोड POS चलन आवश्यक आहे. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,पैसे किमान एक मोड POS चलन आवश्यक आहे. DocType: Products Settings,Show Products as a List,उत्पादने शो सूची DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","टेम्पलेट डाउनलोड करा , योग्य डेटा भरा आणि संचिकेशी संलग्न करा . निवडलेल्या कालावधीत मध्ये सर्व तारखा आणि कर्मचारी संयोजन , विद्यमान उपस्थिती रेकॉर्ड सह टेम्पलेट मधे येइल" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,आयटम {0} सक्रिय नाही किंवा आयुष्याच्या शेवट गाठला आहे -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,उदाहरण: मूलभूत गणित -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","आयटम दर सलग {0} मधे कर समाविष्ट करण्यासाठी, पंक्ती मध्ये कर {1} समाविष्ट करणे आवश्यक आहे" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,उदाहरण: मूलभूत गणित +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","आयटम दर सलग {0} मधे कर समाविष्ट करण्यासाठी, पंक्ती मध्ये कर {1} समाविष्ट करणे आवश्यक आहे" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,एचआर विभाग सेटिंग्ज DocType: SMS Center,SMS Center,एसएमएस केंद्र DocType: Sales Invoice,Change Amount,रक्कम बदल @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},आयटम {0} साठी प्रतिष्ठापन तारीख वितरणाच्या तारीखेनंतर असू शकत नाही DocType: Pricing Rule,Discount on Price List Rate (%),दर सूची रेट सूट (%) DocType: Offer Letter,Select Terms and Conditions,अटी आणि नियम निवडा -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,मूल्य Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,मूल्य Qty DocType: Production Planning Tool,Sales Orders,विक्री ऑर्डर DocType: Purchase Taxes and Charges,Valuation,मूल्यांकन ,Purchase Order Trends,ऑर्डर ट्रेन्ड खरेदी @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,प्रवेश उघडत आहे DocType: Customer Group,Mention if non-standard receivable account applicable,गैर-मानक प्राप्त खाते लागू असल्यास उल्लेख करावा DocType: Course Schedule,Instructor Name,प्रशिक्षक नाव -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,कोठार सादर करा करण्यापूर्वी आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,कोठार सादर करा करण्यापूर्वी आवश्यक आहे apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,प्राप्त DocType: Sales Partner,Reseller,विक्रेता DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","चेक केलेले असल्यास, साहित्य विनंत्या गैर-स्टॉक आयटम समाविष्ट होईल." @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,विक्री चलन आयटम विरुद्ध ,Production Orders in Progress,प्रगती उत्पादन आदेश apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,आर्थिक निव्वळ रोख -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage पूर्ण आहे, जतन नाही" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage पूर्ण आहे, जतन नाही" DocType: Lead,Address & Contact,पत्ता व संपर्क DocType: Leave Allocation,Add unused leaves from previous allocations,मागील वाटप पासून न वापरलेल्या पाने जोडा apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},पुढील आवर्ती {1} {0} वर तयार केले जाईल DocType: Sales Partner,Partner website,भागीदार वेबसाइट apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,आयटम जोडा -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,संपर्क नाव +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,संपर्क नाव DocType: Course Assessment Criteria,Course Assessment Criteria,अर्थात मूल्यांकन निकष DocType: Process Payroll,Creates salary slip for above mentioned criteria.,वर उल्लेख केलेल्या निकष पगारपत्रक निर्माण करते. DocType: POS Customer Group,POS Customer Group,POS ग्राहक गट @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,रो {0}: कृपया ' आगाऊ आहे' खाते {1} विरुद्ध ही एक आगाऊ नोंद असेल तर तपासा. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},कोठार{0} कंपनी {1} ला संबंधित नाही DocType: Email Digest,Profit & Loss,नफा व तोटा -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,लीटर +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,लीटर DocType: Task,Total Costing Amount (via Time Sheet),एकूण कोस्टींग रक्कम (वेळ पत्रक द्वारे) DocType: Item Website Specification,Item Website Specification,आयटम वेबसाइट तपशील apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,रजा अवरोधित @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,विक्री चलन क्रम DocType: Material Request Item,Min Order Qty,किमान ऑर्डर Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,विद्यार्थी गट तयार साधन कोर्स DocType: Lead,Do Not Contact,संपर्क करू नका -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,आपल्या संस्थेतील शिकविता लोक +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,आपल्या संस्थेतील शिकविता लोक DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,सर्व आवर्ती पावत्या ट्रॅक अद्वितीय आयडी. हे सबमिट निर्माण होते. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,सॉफ्टवेअर डेव्हलपर DocType: Item,Minimum Order Qty,किमान ऑर्डर Qty @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,हब मध्ये प्रकाशित DocType: Student Admission,Student Admission,विद्यार्थी प्रवेश ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} आयटम रद्द -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,साहित्य विनंती +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,साहित्य विनंती DocType: Bank Reconciliation,Update Clearance Date,अद्यतन लाभ तारीख DocType: Item,Purchase Details,खरेदी तपशील apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},आयटम {0} खरेदी ऑर्डर {1} मध्ये ' कच्चा माल पुरवठा ' टेबल मध्ये आढळला नाही @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,वेगवान व्यवस्थापक apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},पंक्ती # {0}: {1} आयटम नकारात्मक असू शकत नाही {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,चुकीचा संकेतशब्द DocType: Item,Variant Of,जिच्यामध्ये variant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',पूर्ण Qty 'Qty निर्मिती करण्या ' पेक्षा जास्त असू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',पूर्ण Qty 'Qty निर्मिती करण्या ' पेक्षा जास्त असू शकत नाही DocType: Period Closing Voucher,Closing Account Head,खाते प्रमुख बंद DocType: Employee,External Work History,बाह्य कार्य इतिहास apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,परिपत्रक संदर्भ त्रुटी @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,बाकी धार apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] युनिट (# फॉर्म / आयटम / {1}) [{2}] आढळले (# फॉर्म / वखार / {2}) DocType: Lead,Industry,उद्योग DocType: Employee,Job Profile,कामाचे +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,हे या कंपनीविरुद्धच्या व्यवहारांवर आधारित आहे. तपशीलासाठी खाली टाइमलाइन पहा DocType: Stock Settings,Notify by Email on creation of automatic Material Request,स्वयंचलित साहित्य विनंती निर्माण ईमेल द्वारे सूचित करा DocType: Journal Entry,Multi Currency,मल्टी चलन DocType: Payment Reconciliation Invoice,Invoice Type,चलन प्रकार -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,डिलिव्हरी टीप +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,डिलिव्हरी टीप apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,कर सेट अप apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,विक्री मालमत्ता खर्च apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,तुम्ही तो pull केल्यानंतर भरणा प्रवेशात सुधारणा करण्यात आली आहे. तो पुन्हा खेचा. @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,फील्ड मूल्य दिन 'म्हणून महिन्याच्या दिवसाची पुनरावृत्ती' प्रविष्ट करा DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ग्राहक चलन ग्राहक बेस चलन रूपांतरित दर DocType: Course Scheduling Tool,Course Scheduling Tool,अर्थात अनुसूचित साधन -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},सलग # {0}: चलन खरेदी विद्यमान मालमत्तेचे विरुद्ध केली जाऊ शकत नाही {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},सलग # {0}: चलन खरेदी विद्यमान मालमत्तेचे विरुद्ध केली जाऊ शकत नाही {1} DocType: Item Tax,Tax Rate,कर दर apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} आधीच कर्मचार्यांसाठी वाटप {1} काळात {2} साठी {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,आयटम निवडा +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,आयटम निवडा apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,चलन खरेदी {0} आधीच सादर केलेला आहे apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},रो # {0}: बॅच क्रमांक {1} {2} ला समान असणे आवश्यक आहे apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,नॉन-गट रूपांतरित करा @@ -448,7 +447,7 @@ DocType: Employee,Widowed,विधवा झालेली किंवा व DocType: Request for Quotation,Request for Quotation,कोटेशन विनंती DocType: Salary Slip Timesheet,Working Hours,कामाचे तास DocType: Naming Series,Change the starting / current sequence number of an existing series.,विद्यमान मालिकेत सुरू / वर्तमान क्रम संख्या बदला. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,एक नवीन ग्राहक तयार करा +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,एक नवीन ग्राहक तयार करा apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","अनेक किंमत नियम विजय सुरू केल्यास, वापरकर्त्यांना संघर्षाचे निराकरण करण्यासाठी स्वतः प्राधान्य सेट करण्यास सांगितले जाते." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,खरेदी ऑर्डर तयार करा ,Purchase Register,खरेदी नोंदणी @@ -474,7 +473,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,परीक्षक नाव DocType: Purchase Invoice Item,Quantity and Rate,प्रमाण आणि दर DocType: Delivery Note,% Installed,% स्थापित -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,वर्ग / प्रयोगशाळा इत्यादी व्याख्याने होणार जाऊ शकतात. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,वर्ग / प्रयोगशाळा इत्यादी व्याख्याने होणार जाऊ शकतात. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,पहिल्या कंपनीचे नाव प्रविष्ट करा DocType: Purchase Invoice,Supplier Name,पुरवठादार नाव apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext मॅन्युअल वाचा @@ -491,7 +490,7 @@ DocType: Account,Old Parent,जुने पालक apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,अनिवार्य फील्ड - शैक्षणिक वर्ष apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,अनिवार्य फील्ड - शैक्षणिक वर्ष DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,प्रास्ताविक मजकूर सानुकूलित करा जो ईमेलचा एक भाग म्हणून जातो. प्रत्येक व्यवहाराला स्वतंत्र प्रास्ताविक मजकूर आहे. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},कंपनी मुलभूत देय खाते सेट करा {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},कंपनी मुलभूत देय खाते सेट करा {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,सर्व उत्पादन प्रक्रिया साठीचे ग्लोबल सेटिंग्ज. DocType: Accounts Settings,Accounts Frozen Upto,खाती फ्रोजन पर्यंत DocType: SMS Log,Sent On,रोजी पाठविले @@ -531,7 +530,7 @@ DocType: Journal Entry,Accounts Payable,देय खाती apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,निवडलेले BOMs सारख्या आयटमसाठी नाहीत DocType: Pricing Rule,Valid Upto,वैध पर्यंत DocType: Training Event,Workshop,कार्यशाळा -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,आपल्या ग्राहकांची यादी करा. ते संघटना किंवा व्यक्तींना असू शकते. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,आपल्या ग्राहकांची यादी करा. ते संघटना किंवा व्यक्तींना असू शकते. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,बिल्ड पुरेसे भाग apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,थेट उत्पन्न apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","खाते प्रमाणे गटात समाविष्ट केले, तर खाते आधारित फिल्टर करू शकत नाही" @@ -539,7 +538,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,कृपया कोर्स निवडा apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,कृपया कोर्स निवडा DocType: Timesheet Detail,Hrs,तास -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,कृपया कंपनी निवडा +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,कृपया कंपनी निवडा DocType: Stock Entry Detail,Difference Account,फरक खाते DocType: Purchase Invoice,Supplier GSTIN,पुरवठादार GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,त्याच्या भोवतालची कार्य {0} बंद नाही म्हणून बंद कार्य करू शकत नाही. @@ -556,7 +555,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,सुरूवातीचे 0% ग्रेड व्याख्या करा DocType: Sales Order,To Deliver,वितरीत करण्यासाठी DocType: Purchase Invoice Item,Item,आयटम -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,सिरियल नाही आयटम एक अपूर्णांक असू शकत नाही +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,सिरियल नाही आयटम एक अपूर्णांक असू शकत नाही DocType: Journal Entry,Difference (Dr - Cr),फरक (Dr - Cr) DocType: Account,Profit and Loss,नफा व तोटा apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,व्यवस्थापकीय Subcontracting @@ -582,7 +581,7 @@ DocType: Serial No,Warranty Period (Days),वॉरंटी कालावध DocType: Installation Note Item,Installation Note Item,प्रतिष्ठापन टीप आयटम DocType: Production Plan Item,Pending Qty,प्रलंबित Qty DocType: Budget,Ignore,दुर्लक्ष करा -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} सक्रिय नाही +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} सक्रिय नाही apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},एसएमएस खालील संख्येला पाठविले: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,मुद्रणासाठी सेटअप तपासणी परिमाणे DocType: Salary Slip,Salary Slip Timesheet,पगाराच्या स्लिप्स Timesheet @@ -688,8 +687,8 @@ DocType: Installation Note,IN-,नोकरी चालू असताना DocType: Production Order Operation,In minutes,मिनिटे DocType: Issue,Resolution Date,ठराव तारीख DocType: Student Batch Name,Batch Name,बॅच नाव -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet तयार: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},मोड ऑफ पेमेंट्स मध्ये डीफॉल्ट रोख किंवा बँक खाते सेट करा {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet तयार: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},मोड ऑफ पेमेंट्स मध्ये डीफॉल्ट रोख किंवा बँक खाते सेट करा {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,नाव नोंदणी करा DocType: GST Settings,GST Settings,'जीएसटी' सेटिंग्ज DocType: Selling Settings,Customer Naming By,करून ग्राहक नामांकन @@ -709,7 +708,7 @@ DocType: Activity Cost,Projects User,प्रकल्प विकिपीड apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,नाश apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} चलन तपशील तक्ता आढळले नाही DocType: Company,Round Off Cost Center,खर्च केंद्र बंद फेरीत -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,देखभाल भेट द्या {0} या विक्री ऑर्डर रद्द आधी रद्द करणे आवश्यक आहे +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,देखभाल भेट द्या {0} या विक्री ऑर्डर रद्द आधी रद्द करणे आवश्यक आहे DocType: Item,Material Transfer,साहित्य ट्रान्सफर apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),उघडणे (डॉ) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},पोस्टिंग शिक्का {0} नंतर असणे आवश्यक आहे @@ -718,7 +717,7 @@ DocType: Employee Loan,Total Interest Payable,देय एकूण व्य DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,स्थावर खर्च कर आणि शुल्क DocType: Production Order Operation,Actual Start Time,वास्तविक प्रारंभ वेळ DocType: BOM Operation,Operation Time,ऑपरेशन वेळ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,समाप्त +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,समाप्त apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,बेस DocType: Timesheet,Total Billed Hours,एकूण बिल आकारले तास DocType: Journal Entry,Write Off Amount,Write Off रक्कम @@ -745,7 +744,7 @@ DocType: Vehicle,Odometer Value (Last),ओडोमीटर मूल्य ( apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,विपणन apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,भरणा प्रवेश आधीच तयार आहे DocType: Purchase Receipt Item Supplied,Current Stock,वर्तमान शेअर -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},सलग # {0}: {1} मालमत्ता आयटम लिंक नाही {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},सलग # {0}: {1} मालमत्ता आयटम लिंक नाही {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,पूर्वावलोकन पगाराच्या स्लिप्स apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,खाते {0} अनेक वेळा प्रविष्ट केले गेले आहे DocType: Account,Expenses Included In Valuation,खर्च मूल्यांकन मध्ये समाविष्ट @@ -770,7 +769,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,एरो DocType: Journal Entry,Credit Card Entry,क्रेडिट कार्ड प्रवेश apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,कंपनी व लेखा apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,वस्तू पुरवठादार प्राप्त झाली. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,मूल्य +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,मूल्य DocType: Lead,Campaign Name,मोहीम नाव DocType: Selling Settings,Close Opportunity After Days,संधी दिवसांनी बंद करा ,Reserved,राखीव @@ -795,17 +794,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,ऊर्जा DocType: Opportunity,Opportunity From,पासून संधी apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,मासिक पगार विधान. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{0} पंक्ती: {1} आयटम {2} साठी आवश्यक क्रम संख्या. आपण {3} प्रदान केले आहे DocType: BOM,Website Specifications,वेबसाइट वैशिष्ट्य apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: {0} पासून {1} प्रकारच्या DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,रो {0}: रूपांतरण फॅक्टर अनिवार्य आहे DocType: Employee,A+,अ + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","अनेक किंमतीचे नियम समान निकषा सह अस्तित्वात नाहीत , प्राधान्य सोपवून संघर्षाचे निराकरण करा. किंमत नियम: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,इतर BOMs निगडीत आहे म्हणून BOM निष्क्रिय किंवा रद्द करू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,इतर BOMs निगडीत आहे म्हणून BOM निष्क्रिय किंवा रद्द करू शकत नाही DocType: Opportunity,Maintenance,देखभाल DocType: Item Attribute Value,Item Attribute Value,आयटम मूल्य विशेषता apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,विक्री मोहिम. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Timesheet करा +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Timesheet करा DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -839,7 +839,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ईमेल खाते सेट अप करत आहे apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,पहिल्या आयटम लिस्ट मधे प्रविष्ट करा DocType: Account,Liability,दायित्व -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,मंजूर रक्कम रो {0} मधे मागणी रक्कमेपेक्षा जास्त असू शकत नाही. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,मंजूर रक्कम रो {0} मधे मागणी रक्कमेपेक्षा जास्त असू शकत नाही. DocType: Company,Default Cost of Goods Sold Account,वस्तू विकल्या खाते डीफॉल्ट खर्च apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,किंमत सूची निवडलेली नाही DocType: Employee,Family Background,कौटुंबिक पार्श्वभूमी @@ -850,10 +850,10 @@ DocType: Company,Default Bank Account,मुलभूत बँक खाते apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","पार्टी आधारित फिल्टर कर यासाठी, पहिले पार्टी पयायय टाइप करा" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},' अद्यतन शेअर ' तपासणे शक्य नाही कारण आयटम द्वारे वितरीत नाही {0} DocType: Vehicle,Acquisition Date,संपादन दिनांक -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,क्रमांक +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,क्रमांक DocType: Item,Items with higher weightage will be shown higher,उच्च महत्त्व असलेला आयटम उच्च दर्शविले जाईल DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,बँक मेळ तपशील -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,सलग # {0}: मालमत्ता {1} सादर करणे आवश्यक आहे +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,सलग # {0}: मालमत्ता {1} सादर करणे आवश्यक आहे apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,कर्मचारी आढळले नाहीत DocType: Supplier Quotation,Stopped,थांबवले DocType: Item,If subcontracted to a vendor,विक्रेता करण्यासाठी subcontracted असेल तर @@ -870,7 +870,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,किमान चलन apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: खर्च केंद्र {2} कंपनी संबंधित नाही {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: खाते {2} एक गट असू शकत नाही apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,आयटम रो {idx}: {doctype} {docName} वरील अस्तित्वात नाही '{doctype}' टेबल -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} आधीच पूर्ण किंवा रद्द +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} आधीच पूर्ण किंवा रद्द apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,कोणतीही कार्ये DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ऑटो अशी यादी तयार करणे 05, 28 इत्यादी उदा निर्माण होणार महिन्याचा दिवस" DocType: Asset,Opening Accumulated Depreciation,जमा घसारा उघडत @@ -929,7 +929,7 @@ DocType: SMS Log,Requested Numbers,विनंती संख्या DocType: Production Planning Tool,Only Obtain Raw Materials,फक्त कच्चा माल प्राप्त apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,कामाचे मूल्यमापन. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","सक्षम हे खरेदी सूचीत टाका सक्षम आहे की, हे खरेदी सूचीत टाका वापरा 'आणि हे खरेदी सूचीत टाका आणि कमीत कमी एक कर नियम असावा" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","भरणा प्रवेश {0} ऑर्डर {1}, हे चलन आगाऊ म्हणून कुलशेखरा धावचीत केले पाहिजे की नाही हे तपासण्यासाठी विरूद्ध जोडली आहे." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","भरणा प्रवेश {0} ऑर्डर {1}, हे चलन आगाऊ म्हणून कुलशेखरा धावचीत केले पाहिजे की नाही हे तपासण्यासाठी विरूद्ध जोडली आहे." DocType: Sales Invoice Item,Stock Details,शेअर तपशील apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,प्रकल्प मूल्य apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,पॉइंट-ऑफ-सेल @@ -952,15 +952,15 @@ DocType: Naming Series,Update Series,अद्यतन मालिका DocType: Supplier Quotation,Is Subcontracted,Subcontracted आहे DocType: Item Attribute,Item Attribute Values,आयटम विशेषता मूल्ये DocType: Examination Result,Examination Result,परीक्षेचा निकाल -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,खरेदी पावती +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,खरेदी पावती ,Received Items To Be Billed,बिल करायचे प्राप्त आयटम -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,सादर पगार स्लिप +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,सादर पगार स्लिप apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,चलन विनिमय दर मास्टर. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},संदर्भ Doctype एक असणे आवश्यक आहे {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ऑपरेशन {1} साठी पुढील {0} दिवसांत वेळ शोधू शकला नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ऑपरेशन {1} साठी पुढील {0} दिवसांत वेळ शोधू शकला नाही DocType: Production Order,Plan material for sub-assemblies,उप-विधानसभा योजना साहित्य apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,विक्री भागीदार आणि प्रदेश -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} सक्रिय असणे आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} सक्रिय असणे आवश्यक आहे DocType: Journal Entry,Depreciation Entry,घसारा प्रवेश apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,पहले दस्तऐवज प्रकार निवडा apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,साहित्य भेट रद्द करा {0} ही देखभाल भेट रद्द होण्यापुर्वी रद्द करा @@ -970,7 +970,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,एकूण रक्कम apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,इंटरनेट प्रकाशन DocType: Production Planning Tool,Production Orders,उत्पादन ऑर्डर -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,शिल्लक मूल्य +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,शिल्लक मूल्य apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,विक्री किंमत सूची apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,आयटम समक्रमित करण्यासाठी प्रकाशित DocType: Bank Reconciliation,Account Currency,खाते चलन @@ -995,12 +995,12 @@ DocType: Employee,Exit Interview Details,मुलाखत तपशीला DocType: Item,Is Purchase Item,खरेदी आयटम आहे DocType: Asset,Purchase Invoice,खरेदी चलन DocType: Stock Ledger Entry,Voucher Detail No,प्रमाणक तपशील नाही -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,नवीन विक्री चलन +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,नवीन विक्री चलन DocType: Stock Entry,Total Outgoing Value,एकूण जाणारे मूल्य apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,उघडण्याची तारीख आणि अखेरची दिनांक त्याच आर्थिक वर्षात असावे DocType: Lead,Request for Information,माहिती विनंती ,LeaderBoard,LEADERBOARD -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,समक्रमण ऑफलाइन पावत्या +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,समक्रमण ऑफलाइन पावत्या DocType: Payment Request,Paid,पेड DocType: Program Fee,Program Fee,कार्यक्रम शुल्क DocType: Salary Slip,Total in words,शब्दात एकूण @@ -1008,7 +1008,7 @@ DocType: Material Request Item,Lead Time Date,आघाडी वेळ दि DocType: Guardian,Guardian Name,पालक नाव DocType: Cheque Print Template,Has Print Format,प्रिंट स्वरूप आहे DocType: Employee Loan,Sanctioned,मंजूर -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,बंधनकारक आहे. कदाचित त्यासाठी चलन विनिमय रेकॉर्ड तयार केलेले नसेल. +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,बंधनकारक आहे. कदाचित त्यासाठी चलन विनिमय रेकॉर्ड तयार केलेले नसेल. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},रो # {0}: आयटम {1} साठी सिरियल क्रमांक निर्दिष्ट करा apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","' उत्पादन बंडल ' आयटम, वखार , सिरीयल व बॅच नाही ' पॅकिंग यादी' टेबल पासून विचार केला जाईल. वखार आणि बॅच कोणत्याही ' उत्पादन बंडल ' आयटम सर्व पॅकिंग आयटम समान असतील तर, त्या मूल्ये मुख्य बाबींचा टेबल मध्ये प्रविष्ट केले जाऊ शकतात , मूल्ये टेबल ' यादी पॅकिंग ' कॉपी केली जाईल ." DocType: Job Opening,Publish on website,वेबसाइट वर प्रकाशित @@ -1021,7 +1021,7 @@ DocType: Cheque Print Template,Date Settings,तारीख सेटिंग apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,फरक ,Company Name,कंपनी नाव DocType: SMS Center,Total Message(s),एकूण संदेशा (चे) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,हस्तांतरणासाठी आयटम निवडा +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,हस्तांतरणासाठी आयटम निवडा DocType: Purchase Invoice,Additional Discount Percentage,अतिरिक्त सवलत टक्केवारी apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,मदत व्हिडिओ यादी पहा DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,जेथे चेक जमा होतात ते बँक प्रमुख खाते निवडा . @@ -1036,7 +1036,7 @@ DocType: BOM,Raw Material Cost(Company Currency),कच्चा माल ख apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,सर्व आयटम आधीच या उत्पादन ऑर्डर बदल्या करण्यात आल्या आहेत. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},पंक्ती # {0}: दर वापरले दर पेक्षा जास्त असू शकत नाही {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},पंक्ती # {0}: दर वापरले दर पेक्षा जास्त असू शकत नाही {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,मीटर +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,मीटर DocType: Workstation,Electricity Cost,वीज खर्च DocType: HR Settings,Don't send Employee Birthday Reminders,कर्मचारी वाढदिवस स्मरणपत्रे पाठवू नका DocType: Item,Inspection Criteria,तपासणी निकष @@ -1051,7 +1051,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,सुधारण अदा करा DocType: Item,Automatically Create New Batch,नवीन बॅच आपोआप तयार करा DocType: Item,Automatically Create New Batch,नवीन बॅच आपोआप तयार करा -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,करा +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,करा DocType: Student Admission,Admission Start Date,प्रवेश प्रारंभ तारीख DocType: Journal Entry,Total Amount in Words,शब्द एकूण रक्कम apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,एक त्रुटी होती . एक संभाव्य कारण तुम्ही फॉर्म जतन केले नाहीत हे असू शकते. समस्या कायम राहिल्यास support@erpnext.com येथे संपर्क साधा. @@ -1059,7 +1059,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,माझे टाक apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ऑर्डर प्रकार {0} पैकी एक असणे आवश्यक आहे DocType: Lead,Next Contact Date,पुढील संपर्क तारीख apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty उघडणे -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,रक्कम बदल खाते प्रविष्ट करा +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,रक्कम बदल खाते प्रविष्ट करा DocType: Student Batch Name,Student Batch Name,विद्यार्थी बॅच नाव DocType: Holiday List,Holiday List Name,सुट्टी यादी नाव DocType: Repayment Schedule,Balance Loan Amount,शिल्लक कर्ज रक्कम @@ -1067,7 +1067,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,शेअर पर्याय DocType: Journal Entry Account,Expense Claim,खर्च दावा apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,आपण खरोखर या रद्द मालमत्ता परत करू इच्छिता? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},{0} साठी Qty +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},{0} साठी Qty DocType: Leave Application,Leave Application,रजेचा अर्ज apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,रजा वाटप साधन DocType: Leave Block List,Leave Block List Dates,रजा ब्लॉक यादी तारखा @@ -1118,7 +1118,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,विरुद्ध DocType: Item,Default Selling Cost Center,मुलभूत विक्री खर्च केंद्र DocType: Sales Partner,Implementation Partner,अंमलबजावणी भागीदार -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,पिनकोड +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,पिनकोड apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},विक्री ऑर्डर {0} हे {1}आहे DocType: Opportunity,Contact Info,संपर्क माहिती apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,शेअर नोंदी करून देणे @@ -1137,14 +1137,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,उपस्थिती गोठवा तारीख DocType: School Settings,Attendance Freeze Date,उपस्थिती गोठवा तारीख DocType: Opportunity,Your sales person who will contact the customer in future,भविष्यात ग्राहक संपर्क साधू शकणारे आपले विक्री व्यक्ती -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,आपल्या पुरवठादारांची यादी करा. ते संघटना किंवा व्यक्ती असू शकते. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,आपल्या पुरवठादारांची यादी करा. ते संघटना किंवा व्यक्ती असू शकते. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,सर्व उत्पादने पहा apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),किमान लीड वय (दिवस) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),किमान लीड वय (दिवस) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,सर्व BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,सर्व BOMs DocType: Company,Default Currency,पूर्वनिर्धारीत चलन DocType: Expense Claim,From Employee,कर्मचारी पासून -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,चेतावनी: प्रणाली आयटम रक्कम पासून overbilling तपासा नाही {0} मधील {1} शून्य आहे +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,चेतावनी: प्रणाली आयटम रक्कम पासून overbilling तपासा नाही {0} मधील {1} शून्य आहे DocType: Journal Entry,Make Difference Entry,फरक प्रवेश करा DocType: Upload Attendance,Attendance From Date,तारीख पासून उपस्थिती DocType: Appraisal Template Goal,Key Performance Area,की कामगिरी क्षेत्र @@ -1161,7 +1161,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,आपल्या संदर्भासाठी कंपनी नोंदणी क्रमांक. कर संख्या इ DocType: Sales Partner,Distributor,वितरक DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,हे खरेदी सूचीत टाका शिपिंग नियम -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,उत्पादन ऑर्डर {0} या विक्री ऑर्डरआधी रद्द आधी रद्द करणे आवश्यक आहे +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,उत्पादन ऑर्डर {0} या विक्री ऑर्डरआधी रद्द आधी रद्द करणे आवश्यक आहे apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',कृपया 'वर अतिरिक्त सवलत लागू करा' सेट करा ,Ordered Items To Be Billed,आदेश दिलेले आयटम बिल करायचे apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,श्रेणी पासून श्रेणी पर्यंत कमी असली पाहिजे @@ -1170,10 +1170,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,वजावट DocType: Leave Allocation,LAL/,लाल / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,प्रारंभ वर्ष -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN प्रथम 2 अंक राज्य संख्या जुळणे आवश्यक आहे {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN प्रथम 2 अंक राज्य संख्या जुळणे आवश्यक आहे {0} DocType: Purchase Invoice,Start date of current invoice's period,चालू चलन च्या कालावधी प्रारंभ तारीख DocType: Salary Slip,Leave Without Pay,पे न करता रजा -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,क्षमता नियोजन त्रुटी +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,क्षमता नियोजन त्रुटी ,Trial Balance for Party,पार्टी चाचणी शिल्लक DocType: Lead,Consultant,सल्लागार DocType: Salary Slip,Earnings,कमाई @@ -1189,7 +1189,7 @@ DocType: Cheque Print Template,Payer Settings,देणारा सेटिं DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","हा जिच्यामध्ये variant आयटम कोड आहे त्यासाठी जोडला जाईल. उदाहरणार्थ जर आपला संक्षेप ""SM"", आहे आणि , आयटम कोड ""टी-शर्ट"", ""टी-शर्ट-एम"" असेल जिच्यामध्ये variant आयटम कोड आहे" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,आपल्या पगाराच्या स्लिप्स एकदा जतन केल्यावर निव्वळ वेतन ( शब्दांत ) दृश्यमान होईल. DocType: Purchase Invoice,Is Return,परत आहे -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,परत / डेबिट टीप +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,परत / डेबिट टीप DocType: Price List Country,Price List Country,किंमत यादी देश DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} हा आयटम {1} साठी वैध सिरीयल क्रमांक आहे @@ -1202,7 +1202,7 @@ DocType: Employee Loan,Partially Disbursed,अंशत: वाटप apps/erpnext/erpnext/config/buying.py +38,Supplier database.,पुरवठादार डेटाबेस. DocType: Account,Balance Sheet,ताळेबंद apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',खर्च केंद्र आयटम साठी 'आयटम कोड' बरोबर -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",भरणा मोड कॉन्फिगर केलेली नाही. खाते मोड ऑफ पेमेंट्स किंवा पीओएस प्रोफाइल वर सेट केली गेली आहे का ते कृपया तपासा. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",भरणा मोड कॉन्फिगर केलेली नाही. खाते मोड ऑफ पेमेंट्स किंवा पीओएस प्रोफाइल वर सेट केली गेली आहे का ते कृपया तपासा. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,आपल्या विक्री व्यक्तीला ग्राहक संपर्क साधण्यासाठी या तारखेला एक स्मरणपत्र मिळेल apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,सारख्या आयटमचा एकाधिक वेळा प्रविष्ट करणे शक्य नाही. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","पुढील खाती गट अंतर्गत केले जाऊ शकते, पण नोंदी नॉन-गट करू शकता" @@ -1232,7 +1232,7 @@ DocType: Employee Loan Application,Repayment Info,परतफेड माह apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'नोंदी' रिकामे असू शकत नाही apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},डुप्लिकेट सलग {0} त्याच {1} सह ,Trial Balance,चाचणी शिल्लक -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,आर्थिक वर्ष {0} आढळले नाही +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,आर्थिक वर्ष {0} आढळले नाही apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,कर्मचारी सेट अप DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,कृपया पहले उपसर्ग निवडा @@ -1247,11 +1247,11 @@ DocType: Grading Scale,Intervals,कालांतराने apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,लवकरात लवकर apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","आयटम त्याच नावाने अस्तित्वात असेल , तर आयटम गट नाव बदल किंवा आयटम पुनर्नामित करा" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,विद्यार्थी भ्रमणध्वनी क्रमांक -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,उर्वरित जग +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,उर्वरित जग apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,आयटम {0} बॅच असू शकत नाही ,Budget Variance Report,अर्थसंकल्प फरक अहवाल DocType: Salary Slip,Gross Pay,एकूण वेतन -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,सलग {0}: क्रियाकलाप प्रकार आवश्यक आहे. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,सलग {0}: क्रियाकलाप प्रकार आवश्यक आहे. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,लाभांश पेड apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,लेखा लेजर DocType: Stock Reconciliation,Difference Amount,फरक रक्कम @@ -1274,18 +1274,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,कर्मचारी रजा शिल्लक apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},खाते साठी शिल्लक {0} नेहमी असणे आवश्यक आहे {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},मूल्यांकन दर सलग आयटम आवश्यक {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,उदाहरण: संगणक विज्ञान मध्ये मास्टर्स +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,उदाहरण: संगणक विज्ञान मध्ये मास्टर्स DocType: Purchase Invoice,Rejected Warehouse,नाकारल्याचे कोठार DocType: GL Entry,Against Voucher,व्हाउचर विरुद्ध DocType: Item,Default Buying Cost Center,मुलभूत खरेदी खर्च केंद्र apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext पासून सर्वोत्तम प्राप्त करण्यासाठी, आमच्याकडून तुम्हाला काही वेळ घ्या आणि हे मदत व्हिडिओ पाहा अशी शिफारसीय आहे." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,ते +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,ते DocType: Supplier Quotation Item,Lead Time in days,दिवस आघाडीची वेळ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,खाती देय सारांश -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},ते {0} पासून पगार भरणा {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},ते {0} पासून पगार भरणा {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},गोठविलेले खाते {0} संपादित करण्यासाठी आपण अधिकृत नाही DocType: Journal Entry,Get Outstanding Invoices,थकबाकी पावत्या मिळवा -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,विक्री ऑर्डर {0} वैध नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,विक्री ऑर्डर {0} वैध नाही apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,खरेदी आदेश योजना मदत आणि आपल्या खरेदी पाठपुरावा apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","क्षमस्व, कंपन्या विलीन करणे शक्य नाही" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1307,8 +1307,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,अप्रत्यक्ष खर्च apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,रो {0}: Qty अनिवार्य आहे apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,कृषी -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,समक्रमण मास्टर डेटा -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,आपली उत्पादने किंवा सेवा +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,समक्रमण मास्टर डेटा +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,आपली उत्पादने किंवा सेवा DocType: Mode of Payment,Mode of Payment,मोड ऑफ पेमेंट्स apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,वेबसाइट प्रतिमा सार्वजनिक फाइल किंवा वेबसाइट URL असावी DocType: Student Applicant,AP,आंध्र प्रदेश @@ -1328,18 +1328,18 @@ DocType: Student Group Student,Group Roll Number,गट आसन क्रम DocType: Student Group Student,Group Roll Number,गट आसन क्रमांक apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, फक्त क्रेडिट खात्यांच्या दुसऱ्या नावे नोंद लिंक जाऊ शकते" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,सर्व कार्य वजन एकूण असू 1. त्यानुसार सर्व प्रकल्प कार्ये वजन समायोजित करा -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,"डिलिव्हरी टीप {0} सबमिट केलेली नाही," +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,"डिलिव्हरी टीप {0} सबमिट केलेली नाही," apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,आयटम {0} सब-करारबद्ध आयटम असणे आवश्यक आहे apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,कॅपिटल उपकरणे apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","किंमत नियम 'रोजी लागू करा' field वर आधारित पहिले निवडलेला आहे , जो आयटम, आयटम गट किंवा ब्रॅण्ड असू शकतो" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,कृपया प्रथम आयटम कोड सेट करा +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,कृपया प्रथम आयटम कोड सेट करा DocType: Hub Settings,Seller Website,विक्रेता वेबसाइट DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,विक्री संघ एकूण वाटप टक्केवारी 100 असावे DocType: Appraisal Goal,Goal,लक्ष्य DocType: Sales Invoice Item,Edit Description,वर्णन संपादित करा ,Team Updates,टीम सुधारणा -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,पुरवठादार साठी +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,पुरवठादार साठी DocType: Account,Setting Account Type helps in selecting this Account in transactions.,खाते प्रकार सेट करणे हे व्यवहारामधील account निवडण्यास मदत करते. DocType: Purchase Invoice,Grand Total (Company Currency),एकूण (कंपनी चलन) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,प्रिंट स्वरूप तयार करा @@ -1353,12 +1353,12 @@ DocType: Item,Website Item Groups,वेबसाइट आयटम गट DocType: Purchase Invoice,Total (Company Currency),एकूण (कंपनी चलन) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,अनुक्रमांक {0} एकापेक्षा अधिक वेळा enter केला आहे DocType: Depreciation Schedule,Journal Entry,जर्नल प्रवेश -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} प्रगतीपथावर आयटम +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} प्रगतीपथावर आयटम DocType: Workstation,Workstation Name,वर्कस्टेशन नाव DocType: Grading Scale Interval,Grade Code,ग्रेड कोड DocType: POS Item Group,POS Item Group,POS बाबींचा गट apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ई-मेल सारांश: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} आयटम संबंधित नाही {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} आयटम संबंधित नाही {1} DocType: Sales Partner,Target Distribution,लक्ष्य वितरण DocType: Salary Slip,Bank Account No.,बँक खाते क्रमांक DocType: Naming Series,This is the number of the last created transaction with this prefix,हा क्रमांक या प्रत्ययसह गेल्या निर्माण केलेला व्यवहार आहे @@ -1416,7 +1416,7 @@ DocType: Quotation,Shopping Cart,हे खरेदी सूचीत टा apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,सरासरी दैनिक जाणारे DocType: POS Profile,Campaign,मोहीम DocType: Supplier,Name and Type,नाव आणि प्रकार -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',मंजूरीची स्थिती 'मंजूर' किंवा 'नाकारलेली' करणे आवश्यक आहे +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',मंजूरीची स्थिती 'मंजूर' किंवा 'नाकारलेली' करणे आवश्यक आहे DocType: Purchase Invoice,Contact Person,संपर्क व्यक्ती apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','अपेक्षित प्रारंभ तारीख' ही 'अपेक्षित शेवटची तारीख' पेक्षा जास्त असू शकत नाही. DocType: Course Scheduling Tool,Course End Date,अर्थात अंतिम तारीख @@ -1428,8 +1428,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Prefered ईमेल apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,मुदत मालमत्ता निव्वळ बदला DocType: Leave Control Panel,Leave blank if considered for all designations,सर्व पदांसाठी विचारल्यास रिक्त सोडा -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार 'वास्तविक ' सलग शुल्क {0} आयटम रेट मधे समाविष्ट केले जाऊ शकत नाही -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},कमाल: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार 'वास्तविक ' सलग शुल्क {0} आयटम रेट मधे समाविष्ट केले जाऊ शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},कमाल: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,DATETIME पासून DocType: Email Digest,For Company,कंपनी साठी apps/erpnext/erpnext/config/support.py +17,Communication log.,संवाद लॉग. @@ -1470,7 +1470,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","कामा DocType: Journal Entry Account,Account Balance,खाते शिल्लक apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,व्यवहार कर नियम. DocType: Rename Tool,Type of document to rename.,दस्तऐवज प्रकार पुनर्नामित करण्यात. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,आम्ही ही आयटम खरेदी +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,आम्ही ही आयटम खरेदी apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ग्राहक प्राप्तीयोग्य खाते विरुद्ध आवश्यक आहे {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),एकूण कर आणि शुल्क (कंपनी चलन) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,बंद न केलेली आथिर्क वर्षात पी & एल शिल्लक दर्शवा @@ -1481,7 +1481,7 @@ DocType: Quality Inspection,Readings,वाचन DocType: Stock Entry,Total Additional Costs,एकूण अतिरिक्त खर्च DocType: Course Schedule,SH,एस एच DocType: BOM,Scrap Material Cost(Company Currency),स्क्रॅप साहित्य खर्च (कंपनी चलन) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,उप विधानसभा +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,उप विधानसभा DocType: Asset,Asset Name,मालमत्ता नाव DocType: Project,Task Weight,कार्य वजन DocType: Shipping Rule Condition,To Value,मूल्य @@ -1510,7 +1510,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,आयटम रूप DocType: Company,Services,सेवा DocType: HR Settings,Email Salary Slip to Employee,कर्मचारी ईमेल पगाराच्या स्लिप्स DocType: Cost Center,Parent Cost Center,पालक खर्च केंद्र -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,संभाव्य पुरवठादार निवडा +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,संभाव्य पुरवठादार निवडा DocType: Sales Invoice,Source,स्रोत apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,बंद शो DocType: Leave Type,Is Leave Without Pay,पे न करता सोडू आहे @@ -1522,7 +1522,7 @@ DocType: POS Profile,Apply Discount,सवलत लागू करा DocType: GST HSN Code,GST HSN Code,'जीएसटी' HSN कोड DocType: Employee External Work History,Total Experience,एकूण अनुभव apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ओपन प्रकल्प -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,रद्द केलेल्या पॅकिंग स्लिप (चे) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,रद्द केलेल्या पॅकिंग स्लिप (चे) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,गुंतवणूक रोख प्रवाह DocType: Program Course,Program Course,कार्यक्रम कोर्स apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,वाहतुक आणि अग्रेषित शुल्क @@ -1563,9 +1563,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,कार्यक्रम नामांकनाची DocType: Sales Invoice Item,Brand Name,ब्रँड नाव DocType: Purchase Receipt,Transporter Details,वाहतुक तपशील -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,मुलभूत कोठार निवडलेले आयटम आवश्यक आहे -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,बॉक्स -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,शक्य पुरवठादार +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,मुलभूत कोठार निवडलेले आयटम आवश्यक आहे +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,बॉक्स +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,शक्य पुरवठादार DocType: Budget,Monthly Distribution,मासिक वितरण apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,स्वीकारणार्याची सूची रिक्त आहे. स्वीकारणारा यादी तयार करा DocType: Production Plan Sales Order,Production Plan Sales Order,उत्पादन योजना विक्री आदेश @@ -1598,7 +1598,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,कंपन apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","विद्यार्थी प्रणाली हृदय आहात, आपली सर्व विद्यार्थ्यांना जोडा" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},सलग # {0}: निपटारा तारीख {1} धनादेश तारीख असू शकत नाही {2} DocType: Company,Default Holiday List,सुट्टी यादी डीफॉल्ट -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},सलग {0}: कडून वेळ आणि वेळ {1} आच्छादित आहे {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},सलग {0}: कडून वेळ आणि वेळ {1} आच्छादित आहे {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,शेअर दायित्व DocType: Purchase Invoice,Supplier Warehouse,पुरवठादार कोठार DocType: Opportunity,Contact Mobile No,संपर्क मोबाइल नाही @@ -1614,18 +1614,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},{0} प्रकारच्या रजा {1} पेक्षा जास्त असू शकत नाही DocType: Manufacturing Settings,Try planning operations for X days in advance.,आगाऊ एक्स दिवस ऑपरेशन नियोजन प्रयत्न करा. DocType: HR Settings,Stop Birthday Reminders,थांबवा वाढदिवस स्मरणपत्रे -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},कंपनी मध्ये डीफॉल्ट वेतनपट देय खाते सेट करा {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},कंपनी मध्ये डीफॉल्ट वेतनपट देय खाते सेट करा {0} DocType: SMS Center,Receiver List,स्वीकारण्याची यादी -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,आयटम शोध +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,आयटम शोध apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,नाश रक्कम apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,रोख निव्वळ बदला DocType: Assessment Plan,Grading Scale,प्रतवारी स्केल apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,माप {0} युनिट रुपांतर फॅक्टर टेबलमधे एका पेक्षा अधिक प्रविष्ट केले गेले आहे -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,आधीच पूर्ण +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,आधीच पूर्ण apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,हातात शेअर apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},भरणा विनंती आधीपासूनच अस्तित्वात {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,जारी आयटम खर्च -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},प्रमाण {0} पेक्षा जास्त असू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},प्रमाण {0} पेक्षा जास्त असू शकत नाही apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,मागील आर्थिक वर्ष बंद नाही apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),वय (दिवस) DocType: Quotation Item,Quotation Item,कोटेशन आयटम @@ -1639,6 +1639,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,संदर्भ दस्तऐवज apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} हे रद्द किंवा बंद आहे DocType: Accounts Settings,Credit Controller,क्रेडिट कंट्रोलर +DocType: Sales Order,Final Delivery Date,अंतिम वितरण तारीख DocType: Delivery Note,Vehicle Dispatch Date,वाहन खलिता तारीख DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,"खरेदी पावती {0} सबमिट केलेली नाही," @@ -1731,9 +1732,9 @@ DocType: Employee,Date Of Retirement,निवृत्ती तारीख DocType: Upload Attendance,Get Template,साचा मिळवा DocType: Material Request,Transferred,हस्तांतरित DocType: Vehicle,Doors,दारे -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext सेटअप पूर्ण! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext सेटअप पूर्ण! DocType: Course Assessment Criteria,Weightage,वजन -DocType: Sales Invoice,Tax Breakup,कर चित्रपटाने +DocType: Purchase Invoice,Tax Breakup,कर चित्रपटाने DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'नफा व तोटा' खात्यासाठी खर्च केंद्र आवश्यक आहे {2}. कंपनी साठी डीफॉल्ट खर्च केंद्र सेट करा. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,एक ग्राहक गट त्याच नावाने अस्तित्वात असेल तर ग्राहक नाव बदला किंवा ग्राहक गट नाव बदला @@ -1746,14 +1747,14 @@ DocType: Announcement,Instructor,प्रशिक्षक DocType: Employee,AB+,अब्राहम + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","या आयटमला रूपे आहेत, तर तो विक्री आदेश इ मध्ये निवडला जाऊ शकत नाही" DocType: Lead,Next Contact By,पुढील संपर्क -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},सलग {1} मधे आयटम {0} साठी आवश्यक त्या प्रमाणात +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},सलग {1} मधे आयटम {0} साठी आवश्यक त्या प्रमाणात apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},प्रमाण आयटम विद्यमान म्हणून कोठार {0} हटविले जाऊ शकत नाही {1} DocType: Quotation,Order Type,ऑर्डर प्रकार DocType: Purchase Invoice,Notification Email Address,सूचना ई-मेल पत्ता ,Item-wise Sales Register,आयटमनूसार विक्री नोंदणी DocType: Asset,Gross Purchase Amount,एकूण खरेदी रक्कम DocType: Asset,Depreciation Method,घसारा पद्धत -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ऑफलाइन +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ऑफलाइन DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,हा कर बेसिक रेट मध्ये समाविष्ट केला आहे का ? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,एकूण लक्ष्य DocType: Job Applicant,Applicant for a Job,नोकरी साठी अर्जदार @@ -1775,7 +1776,7 @@ DocType: Employee,Leave Encashed?,रजा मिळविता? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,field पासून संधी अनिवार्य आहे DocType: Email Digest,Annual Expenses,वार्षिक खर्च DocType: Item,Variants,रूपे -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,खरेदी ऑर्डर करा +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,खरेदी ऑर्डर करा DocType: SMS Center,Send To,पाठवा apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},रजा प्रकार {0} साठी पुरेशी रजा शिल्लक नाही DocType: Payment Reconciliation Payment,Allocated amount,रक्कम @@ -1783,7 +1784,7 @@ DocType: Sales Team,Contribution to Net Total,नेट एकूण अंश DocType: Sales Invoice Item,Customer's Item Code,ग्राहक आयटम कोड DocType: Stock Reconciliation,Stock Reconciliation,शेअर मेळ DocType: Territory,Territory Name,प्रदेश नाव -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,कार्य प्रगती मध्ये असलेले कोठार सबमिट करण्यापूर्वी आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,कार्य प्रगती मध्ये असलेले कोठार सबमिट करण्यापूर्वी आवश्यक आहे apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,नोकरी साठी अर्जदार DocType: Purchase Order Item,Warehouse and Reference,वखार आणि संदर्भ DocType: Supplier,Statutory info and other general information about your Supplier,आपल्या पुरवठादार बद्दल वैधानिक माहिती आणि इतर सर्वसाधारण माहिती @@ -1796,16 +1797,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,त्यावेळच्य apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},आयटम {0} साठी डुप्लिकेट सिरियल क्रमांक प्रविष्ट केला नाही DocType: Shipping Rule Condition,A condition for a Shipping Rule,एक शिपिंग नियम एक अट apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,प्रविष्ट करा -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","सलग आयटम {0} साठी overbill करू शकत नाही {1} जास्त {2}. प्रती-बिलिंग परवानगी करण्यासाठी, सेटिंग्ज खरेदी सेट करा" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,आयटम किंवा वखार आधारित फिल्टर सेट करा +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","सलग आयटम {0} साठी overbill करू शकत नाही {1} जास्त {2}. प्रती-बिलिंग परवानगी करण्यासाठी, सेटिंग्ज खरेदी सेट करा" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,आयटम किंवा वखार आधारित फिल्टर सेट करा DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),या पॅकेजमधील निव्वळ वजन. (आयटम निव्वळ वजन रक्कम म्हणून स्वयंचलितपणे गणना) DocType: Sales Order,To Deliver and Bill,वितरीत आणि बिल DocType: Student Group,Instructors,शिक्षक DocType: GL Entry,Credit Amount in Account Currency,खाते चलनातील क्रेडिट रक्कम -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} सादर करणे आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} सादर करणे आवश्यक आहे DocType: Authorization Control,Authorization Control,प्राधिकृत नियंत्रण apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},रो # {0}: नाकारलेले वखार नाकारले आयटम विरुद्ध अनिवार्य आहे {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,भरणा +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,भरणा apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","वखार {0} कोणत्याही खात्याशी लिंक केले नाही, कंपनी मध्ये कोठार रेकॉर्ड मध्ये खाते किंवा सेट मुलभूत यादी खाते उल्लेख करा {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,आपल्या ऑर्डर व्यवस्थापित करा DocType: Production Order Operation,Actual Time and Cost,वास्तविक वेळ आणि खर्च @@ -1821,12 +1822,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,वि DocType: Quotation Item,Actual Qty,वास्तविक Qty DocType: Sales Invoice Item,References,संदर्भ DocType: Quality Inspection Reading,Reading 10,10 वाचन -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","आपण खरेदी किंवा विक्री केलेल्या उत्पादने किंवा सेवांची यादी करा .आपण प्रारंभ कराल तेव्हा Item गट, मोजण्याचे एकक आणि इतर मालमत्ता तपासण्याची खात्री करा" +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","आपण खरेदी किंवा विक्री केलेल्या उत्पादने किंवा सेवांची यादी करा .आपण प्रारंभ कराल तेव्हा Item गट, मोजण्याचे एकक आणि इतर मालमत्ता तपासण्याची खात्री करा" DocType: Hub Settings,Hub Node,हब नोड apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,आपण ड्युप्लिकेट आयटम केला आहे. कृपया सरळ आणि पुन्हा प्रयत्न करा. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,सहकारी +DocType: Company,Sales Target,विक्री लक्ष्य DocType: Asset Movement,Asset Movement,मालमत्ता चळवळ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,नवीन टाका +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,नवीन टाका apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} आयटम सिरीयलाइज आयटम नाही DocType: SMS Center,Create Receiver List,स्वीकारणारा यादी तयार करा DocType: Vehicle,Wheels,रणधुमाळी @@ -1868,13 +1870,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,प्रकल् DocType: Supplier,Supplier of Goods or Services.,वस्तू किंवा सेवा पुरवठादार. DocType: Budget,Fiscal Year,आर्थिक वर्ष DocType: Vehicle Log,Fuel Price,इंधन किंमत +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकिंग सीरिजद्वारे उपस्थिततेसाठी सेटिग नंबरिंग सिरीज DocType: Budget,Budget,अर्थसंकल्प apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,मुदत मालमत्ता आयटम नॉन-स्टॉक आयटम असणे आवश्यक आहे. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",प्राप्तिकर किंवा खर्च खाते नाही म्हणून बजेट विरुद्ध {0} नियुक्त केले जाऊ शकत नाही apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,साध्य DocType: Student Admission,Application Form Route,अर्ज मार्ग apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,प्रदेश / ग्राहक -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,उदा 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,उदा 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,सोडा प्रकार {0} तो वेतन न करता सोडू असल्यामुळे वाटप जाऊ शकत नाही apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},सलग {0}: रक्कम {1} थकबाकी रक्कम चलन {2} पेक्षा कमी किवा पेक्षा समान असणे आवश्यक आहे DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,तुम्ही विक्री चलन एकदा जतन केल्यावर शब्दा मध्ये दृश्यमान होईल. @@ -1883,11 +1886,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,आयटम {0} सिरियल क्रमांकासाठी सेटअप नाही. आयटम मास्टर तपासा DocType: Maintenance Visit,Maintenance Time,देखभाल वेळ ,Amount to Deliver,रक्कम वितरीत करण्यासाठी -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,एखादी उत्पादन किंवा सेवा +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,एखादी उत्पादन किंवा सेवा apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,मुदत प्रारंभ तारीख मुदत लिंक आहे शैक्षणिक वर्ष वर्ष प्रारंभ तारीख पूर्वी पेक्षा असू शकत नाही (शैक्षणिक वर्ष {}). तारखा दुरुस्त करा आणि पुन्हा प्रयत्न करा. DocType: Guardian,Guardian Interests,पालक छंद DocType: Naming Series,Current Value,वर्तमान मूल्य -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,अनेक आर्थिक वर्षांमध्ये तारीख {0} अस्तित्वात. आर्थिक वर्ष कंपनी सेट करा +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,अनेक आर्थिक वर्षांमध्ये तारीख {0} अस्तित्वात. आर्थिक वर्ष कंपनी सेट करा apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} तयार DocType: Delivery Note Item,Against Sales Order,विक्री आदेशा ,Serial No Status,सिरियल क्रमांक स्थिती @@ -1900,7 +1903,7 @@ DocType: Pricing Rule,Selling,विक्री apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},रक्कम {0} {1} विरुद्ध वजा {2} DocType: Employee,Salary Information,पगार माहिती DocType: Sales Person,Name and Employee ID,नाव आणि कर्मचारी आयडी -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,देय तारीख पोस्ट करण्यापूर्वीची तारीख असू शकत नाही +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,देय तारीख पोस्ट करण्यापूर्वीची तारीख असू शकत नाही DocType: Website Item Group,Website Item Group,वेबसाइट आयटम गट apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,कर आणि कर्तव्ये apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,संदर्भ तारीख प्रविष्ट करा @@ -1957,9 +1960,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},कर्मचारी सामील तारीख सेट करा {0} DocType: Task,Total Billing Amount (via Time Sheet),एकूण बिलिंग रक्कम (वेळ पत्रक द्वारे) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ग्राहक महसूल पुन्हा करा -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) 'खर्च मंजूर' भूमिका असणे आवश्यक आहे -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,जोडी -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,उत्पादन BOM आणि प्रमाण निवडा +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) 'खर्च मंजूर' भूमिका असणे आवश्यक आहे +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,जोडी +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,उत्पादन BOM आणि प्रमाण निवडा DocType: Asset,Depreciation Schedule,घसारा वेळापत्रक apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,विक्री भागीदार पत्ते आणि संपर्क DocType: Bank Reconciliation Detail,Against Account,खाते विरुद्ध @@ -1969,7 +1972,7 @@ DocType: Item,Has Batch No,बॅच नाही आहे apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},वार्षिक बिलिंग: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),वस्तू आणि सेवा कर (जीएसटी भारत) DocType: Delivery Note,Excise Page Number,अबकारी पृष्ठ क्रमांक -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","कंपनी, तारीख पासून आणि तारिक करणे बंधनकारक आहे" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","कंपनी, तारीख पासून आणि तारिक करणे बंधनकारक आहे" DocType: Asset,Purchase Date,खरेदी दिनांक DocType: Employee,Personal Details,वैयक्तिक माहिती apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},कंपनी मध्ये 'मालमत्ता घसारा खर्च केंद्र' सेट करा {0} @@ -1978,9 +1981,9 @@ DocType: Task,Actual End Date (via Time Sheet),प्रत्यक्ष स apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},रक्कम {0} {1} विरुद्ध {2} {3} ,Quotation Trends,कोटेशन ट्रेन्ड apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},आयटम गट आयटम मास्त्रे साठी आयटम {0} मधे नमूद केलेला नाही -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,खात्यात डेबिट एक प्राप्तीयोग्य खाते असणे आवश्यक आहे +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,खात्यात डेबिट एक प्राप्तीयोग्य खाते असणे आवश्यक आहे DocType: Shipping Rule Condition,Shipping Amount,शिपिंग रक्कम -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,ग्राहक जोडा +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,ग्राहक जोडा apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,प्रलंबित रक्कम DocType: Purchase Invoice Item,Conversion Factor,रूपांतरण फॅक्टर DocType: Purchase Order,Delivered,वितरित केले @@ -2003,7 +2006,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,समेट नों DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",पालक कोर्स (रिक्त सोडा या पालक कोर्स भाग नाही तर) DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",पालक कोर्स (रिक्त सोडा या पालक कोर्स भाग नाही तर) DocType: Leave Control Panel,Leave blank if considered for all employee types,सर्व कर्मचारी प्रकारासाठी विचारले तर रिक्त सोडा -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश DocType: Landed Cost Voucher,Distribute Charges Based On,वितरण शुल्क आधारित apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,एचआर सेटिंग्ज @@ -2011,7 +2013,7 @@ DocType: Salary Slip,net pay info,निव्वळ वेतन माहि apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,खर्च दावा मंजुरीसाठी प्रलंबित आहे. फक्त खर्च माफीचा साक्षीदार स्थिती अद्यतनित करू शकता. DocType: Email Digest,New Expenses,नवीन खर्च DocType: Purchase Invoice,Additional Discount Amount,अतिरिक्त सवलत रक्कम -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","सलग # {0}: प्रमाण 1, आयटम निश्चित मालमत्ता आहे असणे आवश्यक आहे. कृपया एकाधिक प्रमाण स्वतंत्र सलग वापरा." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","सलग # {0}: प्रमाण 1, आयटम निश्चित मालमत्ता आहे असणे आवश्यक आहे. कृपया एकाधिक प्रमाण स्वतंत्र सलग वापरा." DocType: Leave Block List Allow,Leave Block List Allow,रजा ब्लॉक यादी परवानगी द्या apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr रिक्त किंवा जागा असू शकत नाही apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,गट पासून नॉन-गट पर्यंत @@ -2019,7 +2021,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,क्री DocType: Loan Type,Loan Name,कर्ज नाव apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,वास्तविक एकूण DocType: Student Siblings,Student Siblings,विद्यार्थी भावंड -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,युनिट +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,युनिट apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,कृपया कंपनी निर्दिष्ट करा ,Customer Acquisition and Loyalty,ग्राहक संपादन आणि लॉयल्टी DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,तुम्ही नाकारलेले आयटम राखण्यासाठी आहेत ते कोठार @@ -2038,12 +2040,12 @@ DocType: Workstation,Wages per hour,ताशी वेतन apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},बॅच {0} मधील शेअर शिल्लक नकारात्मक होईल{1} आयटम {2} साठी वखार {3} येथे apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,साहित्य विनंत्या खालील आयटम च्या पुन्हा ऑर्डर स्तरावर आधारित आपोआप उठविला गेला आहे DocType: Email Digest,Pending Sales Orders,प्रलंबित विक्री आदेश -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},खाते {0} अवैध आहे. खाते चलन {1} असणे आवश्यक आहे +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},खाते {0} अवैध आहे. खाते चलन {1} असणे आवश्यक आहे apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM रुपांतर घटक सलग {0} मधे आवश्यक आहे DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","सलग # {0}: संदर्भ दस्तऐवज प्रकार विक्री ऑर्डर एक, विक्री चलन किंवा जर्नल प्रवेश असणे आवश्यक आहे" DocType: Salary Component,Deduction,कपात -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,सलग {0}: पासून वेळ आणि वेळ करणे बंधनकारक आहे. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,सलग {0}: पासून वेळ आणि वेळ करणे बंधनकारक आहे. DocType: Stock Reconciliation Item,Amount Difference,रक्कम फरक apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},किंमत यादी {1} मध्ये आयटम किंमत {0} साठी जोडली आहे apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,या विक्री व्यक्तीसाठी कर्मचारी आयडी प्रविष्ट करा @@ -2053,11 +2055,11 @@ DocType: Project,Gross Margin,एकूण मार्जिन apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,पहिले उत्पादन आयटम प्रविष्ट करा apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,गणिती बँक स्टेटमेंट शिल्लक apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,अक्षम वापरकर्ता -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,कोटेशन +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,कोटेशन DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,एकूण कपात ,Production Analytics,उत्पादन विश्लेषण -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,खर्च अद्यतनित +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,खर्च अद्यतनित DocType: Employee,Date of Birth,जन्म तारीख apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,आयटम {0} आधीच परत आला आहे DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**आर्थिक वर्ष** एक आर्थिक वर्ष प्रस्तुत करते. सर्व लेखा नोंदणी व इतर प्रमुख व्यवहार **आर्थिक वर्ष** विरुद्ध नियंत्रीत केले जाते. @@ -2103,18 +2105,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,कंपनी निवडा ... DocType: Leave Control Panel,Leave blank if considered for all departments,सर्व विभागांसाठी विचारल्यास रिक्त सोडा apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","रोजगार प्रकार (कायम, करार, हद्दीच्या इ)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} हा आयटम {1} साठी अनिवार्य आहे +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} हा आयटम {1} साठी अनिवार्य आहे DocType: Process Payroll,Fortnightly,पाक्षिक DocType: Currency Exchange,From Currency,चलन पासून apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","किमान एक सलग रक्कम, चलन प्रकार आणि चलन क्रमांक निवडा" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,नवीन खरेदी खर्च -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},आयटम {0} साठी आवश्यक विक्री ऑर्डर +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},आयटम {0} साठी आवश्यक विक्री ऑर्डर DocType: Purchase Invoice Item,Rate (Company Currency),दर (कंपनी चलन) DocType: Student Guardian,Others,इतर DocType: Payment Entry,Unallocated Amount,न वाटप केलेली रक्कम apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,मानक क्षेत्रात हटवू शकत नाही. आपण {0} साठी काही इतर मूल्य निवडा. DocType: POS Profile,Taxes and Charges,कर आणि शुल्क DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","एक उत्पादन किंवा सेवा म्हणजे जी विकत घेतली जाते, विकली जाते किंवा स्टॉक मध्ये ठेवली जाते" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,आणखी कोणतेही अद्यतने apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,पहिल्या रांगेत साठी 'मागील पंक्ती एकूण रोजी' किंवा 'मागील पंक्ती रकमेवर' म्हणून जबाबदारी प्रकार निवडू शकत नाही apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Child आयटम उत्पादन बंडल मधे असू नये. आयटम '{0}' काढा आणि जतन करा @@ -2142,7 +2145,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,एकूण बिलिंग रक्कम apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,मुलभूत येणारे ईमेल खाते हे कार्य करण्यासाठी सक्षम असणे आवश्यक आहे. सेटअप कृपया डीफॉल्ट येणारे ईमेल खाते (POP / IMAP) आणि पुन्हा प्रयत्न करा. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,प्राप्त खाते -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},सलग # {0}: मालमत्ता {1} आधीच आहे {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},सलग # {0}: मालमत्ता {1} आधीच आहे {2} DocType: Quotation Item,Stock Balance,शेअर शिल्लक apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,भरणा करण्यासाठी विक्री आदेश apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,मुख्य कार्यकारी अधिकारी @@ -2167,10 +2170,11 @@ DocType: C-Form,Received Date,प्राप्त तारीख DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","तुम्ही विक्री कर आणि शुल्क साचा मध्ये एक मानक टेम्प्लेट तयार केले असेल तर, एक निवडा आणि खालील बटणावर क्लिक करा." DocType: BOM Scrap Item,Basic Amount (Company Currency),मूलभूत रक्कम (कंपनी चलन) DocType: Student,Guardians,पालक +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,दर सूची सेट केले नसल्यास दर दर्शविली जाणार नाही apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,या शिपिंग नियमासाठी देश निर्दिष्ट करा किंवा जगभरातील शिपिंग तपासा DocType: Stock Entry,Total Incoming Value,एकूण येणारी मूल्य -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,डेबिट करणे आवश्यक आहे +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,डेबिट करणे आवश्यक आहे apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets आपला संघ केले activites साठी वेळ, खर्च आणि बिलिंग ट्रॅक ठेवण्यात मदत" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,खरेदी दर सूची DocType: Offer Letter Term,Offer Term,ऑफर मुदत @@ -2189,11 +2193,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,उ DocType: Timesheet Detail,To Time,वेळ DocType: Authorization Rule,Approving Role (above authorized value),(अधिकृत मूल्य वरील) भूमिका मंजूर apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,क्रेडिट खाते देय खाते असणे आवश्यक आहे -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} पालक किंवा मुलाला होऊ शकत नाही {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} पालक किंवा मुलाला होऊ शकत नाही {2} DocType: Production Order Operation,Completed Qty,पूर्ण झालेली Qty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, फक्त डेबिट खाती दुसरे क्रेडिट नोंदणी लिंक जाऊ शकते" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,किंमत सूची {0} अक्षम आहे -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},सलग {0}: पूर्ण प्रमाण जास्त असू शकत नाही {1} ऑपरेशन {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},सलग {0}: पूर्ण प्रमाण जास्त असू शकत नाही {1} ऑपरेशन {2} DocType: Manufacturing Settings,Allow Overtime,जादा वेळ परवानगी द्या apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",सिरीयलाइज आयटम {0} शेअर सलोखा वापरून कृपया शेअर प्रवेश केले जाऊ शकत नाही apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",सिरीयलाइज आयटम {0} शेअर सलोखा वापरून कृपया शेअर प्रवेश केले जाऊ शकत नाही @@ -2212,10 +2216,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,बाह्य apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,वापरकर्ते आणि परवानग्या DocType: Vehicle Log,VLOG.,व्हिलॉग. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},उत्पादन आदेश तयार केलेले: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},उत्पादन आदेश तयार केलेले: {0} DocType: Branch,Branch,शाखा DocType: Guardian,Mobile Number,मोबाइल क्रमांक apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,मुद्रण आणि ब्रांडिंग +DocType: Company,Total Monthly Sales,एकूण मासिक विक्री DocType: Bin,Actual Quantity,वास्तविक प्रमाण DocType: Shipping Rule,example: Next Day Shipping,उदाहरण: पुढील दिवस शिपिंग apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,सिरियल क्रमांक {0} आढळला नाही @@ -2246,7 +2251,7 @@ DocType: Payment Request,Make Sales Invoice,विक्री चलन कर apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,सॉफ्टवेअर apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,पुढील संपर्क तारीख भूतकाळातील असू शकत नाही DocType: Company,For Reference Only.,संदर्भ केवळ. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,बॅच निवडा कोणत्याही +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,बॅच निवडा कोणत्याही apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},अवैध {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,आगाऊ रक्कम @@ -2259,7 +2264,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},बारकोड असलेले कोणतेही आयटम {0} नाहीत apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,प्रकरण क्रमांक 0 असू शकत नाही DocType: Item,Show a slideshow at the top of the page,पृष्ठाच्या शीर्षस्थानी स्लाईड शो दर्शवा -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,स्टोअर्स DocType: Serial No,Delivery Time,वितरण वेळ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,आधारित Ageing @@ -2273,16 +2278,16 @@ DocType: Rename Tool,Rename Tool,साधन पुनर्नामित क apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,अद्यतन खर्च DocType: Item Reorder,Item Reorder,आयटम पुनर्क्रमित apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,पगार शो स्लिप्स -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,ट्रान्सफर साहित्य +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,ट्रान्सफर साहित्य DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ऑपरेशन, ऑपरेटिंग खर्च आणि आपल्या ऑपरेशनसाठी एक अद्वितीय ऑपरेशन क्रमांक निर्देशीत करा ." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,हा दस्तऐवज करून मर्यादेपेक्षा अधिक {0} {1} आयटम {4}. आपण करत आहेत दुसर्या {3} त्याच विरुद्ध {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,जतन केल्यानंतर आवर्ती सेट करा -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,बदल निवडा रक्कम खाते +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,जतन केल्यानंतर आवर्ती सेट करा +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,बदल निवडा रक्कम खाते DocType: Purchase Invoice,Price List Currency,किंमत सूची चलन DocType: Naming Series,User must always select,सदस्य नेहमी निवडणे आवश्यक आहे DocType: Stock Settings,Allow Negative Stock,नकारात्मक शेअर परवानगी द्या DocType: Installation Note,Installation Note,प्रतिष्ठापन टीप -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,कर जोडा +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,कर जोडा DocType: Topic,Topic,विषय apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,आर्थिक रोख प्रवाह DocType: Budget Account,Budget Account,बजेट खाते @@ -2296,7 +2301,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Trace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),निधी स्रोत (दायित्व) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},सलग प्रमाण {0} ({1}) उत्पादित प्रमाणात समान असणे आवश्यक आहे {2} DocType: Appraisal,Employee,कर्मचारी -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,बॅच निवडा +DocType: Company,Sales Monthly History,विक्री मासिक इतिहास +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,बॅच निवडा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} पूर्णपणे बिल आहे DocType: Training Event,End Time,समाप्त वेळ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,सक्रिय तत्वे {0} दिले तारखा कर्मचारी {1} आढळले @@ -2304,15 +2310,14 @@ DocType: Payment Entry,Payment Deductions or Loss,भरणा वजावट apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,विक्री किंवा खरेदी करीता मानक करार अटी. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,व्हाउचर गट apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,विक्री पाईपलाईन -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},पगार घटक मुलभूत खाते सेट करा {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},पगार घटक मुलभूत खाते सेट करा {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,रोजी आवश्यक DocType: Rename Tool,File to Rename,फाइल पुनर्नामित करा apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},कृपया सलग {0} मधे आयटम साठी BOM निवडा apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},खाते {0} खाते मोड मध्ये {1} कंपनी जुळत नाही: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},आयटम {1} साठी निर्दिष्ट BOM {0} अस्तित्वात नाही -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,देखभाल वेळापत्रक {0} हि विक्री ऑर्डर रद्द करण्याआधी रद्द करणे आवश्यक आहे +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,देखभाल वेळापत्रक {0} हि विक्री ऑर्डर रद्द करण्याआधी रद्द करणे आवश्यक आहे DocType: Notification Control,Expense Claim Approved,खर्च क्लेम मंजूर -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकिंग सीरिजद्वारे उपस्थिततेसाठी सेटिग नंबरिंग सिरीज apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,कर्मचारी पगार स्लिप {0} आधीच या काळात निर्माण apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,फार्मास्युटिकल apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,खरेदी आयटम खर्च @@ -2329,7 +2334,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,एक तयार DocType: Upload Attendance,Attendance To Date,उपस्थिती पासून तारीख DocType: Warranty Claim,Raised By,उपस्थित DocType: Payment Gateway Account,Payment Account,भरणा खाते -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,कृपया पुढे जाण्यासाठी कंपनी निर्दिष्ट करा +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,कृपया पुढे जाण्यासाठी कंपनी निर्दिष्ट करा apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,खाते प्राप्तीयोग्य निव्वळ बदला apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,भरपाई देणारा बंद DocType: Offer Letter,Accepted,स्वीकारले @@ -2339,12 +2344,12 @@ DocType: SG Creation Tool Course,Student Group Name,विद्यार्थ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,आपण खरोखर या कंपनीतील सर्व व्यवहार हटवू इच्छिता याची खात्री करा. तुमचा master data आहे तसा राहील. ही क्रिया पूर्ववत केली जाऊ शकत नाही. DocType: Room,Room Number,खोली क्रमांक apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},अवैध संदर्भ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},उत्पादन ऑर्डर {3} मधे {0} ({1}) नियोजित प्रमाण पेक्षा जास्त असू शकत नाही ({2}) +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},उत्पादन ऑर्डर {3} मधे {0} ({1}) नियोजित प्रमाण पेक्षा जास्त असू शकत नाही ({2}) DocType: Shipping Rule,Shipping Rule Label,शिपिंग नियम लेबल apps/erpnext/erpnext/public/js/conf.js +28,User Forum,वापरकर्ता मंच -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,कच्चा माल रिक्त असू शकत नाही. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","शेअर अद्यतनित करू शकत नाही, चलन ड्रॉप शिपिंग आयटम समाविष्टीत आहे." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,जलद प्रवेश जर्नल +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,कच्चा माल रिक्त असू शकत नाही. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","शेअर अद्यतनित करू शकत नाही, चलन ड्रॉप शिपिंग आयटम समाविष्टीत आहे." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,जलद प्रवेश जर्नल apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,BOM कोणत्याही आयटम agianst उल्लेख केला तर आपण दर बदलू शकत नाही DocType: Employee,Previous Work Experience,मागील कार्य अनुभव DocType: Stock Entry,For Quantity,प्रमाण साठी @@ -2401,7 +2406,7 @@ DocType: SMS Log,No of Requested SMS,मागणी एसएमएस क् apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,वेतन न करता सोडू मंजूर रजा रेकॉर्ड जुळत नाही DocType: Campaign,Campaign-.####,मोहीम -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,पुढील पायऱ्या -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,शक्य तितका सर्वोत्कृष्ट दरात निर्दिष्ट आयटम पुरवठा करा +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,शक्य तितका सर्वोत्कृष्ट दरात निर्दिष्ट आयटम पुरवठा करा DocType: Selling Settings,Auto close Opportunity after 15 days,त्यानंतर 15 दिवसांनी ऑटो संधी बंद apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,समाप्त वर्ष apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / लीड% @@ -2439,7 +2444,7 @@ DocType: Homepage,Homepage,मुख्यपृष्ठ DocType: Purchase Receipt Item,Recd Quantity,Recd प्रमाण apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},फी रेकॉर्ड तयार - {0} DocType: Asset Category Account,Asset Category Account,मालमत्ता वर्ग खाते -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},विक्री ऑर्डर पेक्षा {1} प्रमाणात जास्त {0} item उत्पादन करू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},विक्री ऑर्डर पेक्षा {1} प्रमाणात जास्त {0} item उत्पादन करू शकत नाही apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,शेअर प्रवेश {0} सबमिट केलेला नाही DocType: Payment Reconciliation,Bank / Cash Account,बँक / रोख खाते apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,पुढील संपर्क होऊ ईमेल पत्ता समान असू शकत नाही @@ -2472,7 +2477,7 @@ DocType: Salary Structure,Total Earning,एकूण कमाई DocType: Purchase Receipt,Time at which materials were received,"साहित्य प्राप्त झाले, ती वेळ" DocType: Stock Ledger Entry,Outgoing Rate,जाणारे दर apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,संघटना शाखा मास्टर. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,किंवा +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,किंवा DocType: Sales Order,Billing Status,बिलिंग स्थिती apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,समस्या नोंदवणे apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,उपयुक्तता खर्च @@ -2480,7 +2485,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,सलग # {0}: जर्नल प्रवेश {1} खाते नाही {2} किंवा आधीच दुसर्या व्हाउचर विरुद्ध जुळलेल्या DocType: Buying Settings,Default Buying Price List,मुलभूत खरेदी दर सूची DocType: Process Payroll,Salary Slip Based on Timesheet,Timesheet आधारित पगाराच्या स्लिप्स -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,वर निवडलेल्या निकषानुसार कर्मचारी नाही किंवा पगारपत्रक आधीच तयार केले आहे +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,वर निवडलेल्या निकषानुसार कर्मचारी नाही किंवा पगारपत्रक आधीच तयार केले आहे DocType: Notification Control,Sales Order Message,विक्री ऑर्डर संदेश apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","कंपनी, चलन, वर्तमान आर्थिक वर्ष इ मुलभूत मुल्य सेट करा" DocType: Payment Entry,Payment Type,भरणा प्रकार @@ -2505,7 +2510,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,पावती दस्तऐवज सादर करणे आवश्यक आहे DocType: Purchase Invoice Item,Received Qty,प्राप्त Qty DocType: Stock Entry Detail,Serial No / Batch,सिरियल क्रमांक/ बॅच -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,अदा केलेला नाही आणि वितरित नाही +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,अदा केलेला नाही आणि वितरित नाही DocType: Product Bundle,Parent Item,मुख्य घटक DocType: Account,Account Type,खाते प्रकार DocType: Delivery Note,DN-RET-,DN-RET- @@ -2536,8 +2541,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,एकूण रक्कम apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,शाश्वत यादी मुलभूत यादी खाते सेट DocType: Item Reorder,Material Request Type,साहित्य विनंती प्रकार -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},पासून {0} करण्यासाठी वेतन Accural जर्नल प्रवेश {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage पूर्ण आहे, जतन नाही" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},पासून {0} करण्यासाठी वेतन Accural जर्नल प्रवेश {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage पूर्ण आहे, जतन नाही" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,रो {0}: UOM रुपांतर फॅक्टर अनिवार्य आहे apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,संदर्भ DocType: Budget,Cost Center,खर्च केंद्र @@ -2555,7 +2560,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,आ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","निवडलेला किंमत नियम 'किंमत' साठी केला असेल , तर तर ते दर सूची अधिलिखित केले जाईल. किंमत नियम किंमत अंतिम किंमत आहे, त्यामुळे पुढील सवलतीच्या लागू केले जावे त्यामुळे, इ विक्री आदेश, पर्चेस जसे व्यवहार, 'दर सूची दर' फील्डमध्ये ऐवजी, 'दर' फील्डमध्ये प्राप्त करता येईल." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ट्रॅक उद्योग प्रकार करून ठरतो. DocType: Item Supplier,Item Supplier,आयटम पुरवठादार -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,बॅच नाही मिळविण्यासाठी आयटम कोड प्रविष्ट करा +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,बॅच नाही मिळविण्यासाठी आयटम कोड प्रविष्ट करा apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},कृपया {0} साठी एक मूल्य निवडा quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,सर्व पत्ते. DocType: Company,Stock Settings,शेअर सेटिंग्ज @@ -2582,7 +2587,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,व्यवहार apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},पगारपत्रक दरम्यान आढळले नाही {0} आणि {1} ,Pending SO Items For Purchase Request,खरेदी विनंती म्हणून प्रलंबित आयटम apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,विद्यार्थी प्रवेश -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} अक्षम आहे +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} अक्षम आहे DocType: Supplier,Billing Currency,बिलिंग चलन DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,अधिक मोठे @@ -2612,7 +2617,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,अर्ज DocType: Fees,Fees,शुल्क DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,एक चलन दुसर्यात रूपांतरित करण्यासाठी विनिमय दर निर्देशीत करा -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,कोटेशन {0} रद्द +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,कोटेशन {0} रद्द apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,एकूण थकबाकी रक्कम DocType: Sales Partner,Targets,लक्ष्य DocType: Price List,Price List Master,किंमत सूची मास्टर @@ -2629,7 +2634,7 @@ DocType: POS Profile,Ignore Pricing Rule,किंमत नियम दुर DocType: Employee Education,Graduate,पदवीधर DocType: Leave Block List,Block Days,ब्लॉक दिवस DocType: Journal Entry,Excise Entry,अबकारी प्रवेश -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},चेतावणी: विक्री {0} आधीच ग्राहक च्या पर्चेस ऑर्डर {1} विरुद्ध अस्तित्वात +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},चेतावणी: विक्री {0} आधीच ग्राहक च्या पर्चेस ऑर्डर {1} विरुद्ध अस्तित्वात DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2656,7 +2661,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),त ,Salary Register,पगार नोंदणी DocType: Warehouse,Parent Warehouse,पालक वखार DocType: C-Form Invoice Detail,Net Total,निव्वळ एकूण -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},डीफॉल्ट BOM आयटम आढळले नाही {0} आणि प्रकल्प {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},डीफॉल्ट BOM आयटम आढळले नाही {0} आणि प्रकल्प {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,विविध कर्ज प्रकार काय हे स्पष्ट करा DocType: Bin,FCFS Rate,FCFS दर DocType: Payment Reconciliation Invoice,Outstanding Amount,बाकी रक्कम @@ -2693,7 +2698,7 @@ DocType: Salary Detail,Condition and Formula Help,परिस्थिती apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,प्रदेश वृक्ष व्यवस्थापित करा. DocType: Journal Entry Account,Sales Invoice,विक्री चलन DocType: Journal Entry Account,Party Balance,पार्टी शिल्लक -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,कृपया सवलत लागू निवडा +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,कृपया सवलत लागू निवडा DocType: Company,Default Receivable Account,मुलभूत प्राप्तीयोग्य खाते DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,वर निवडलेल्या निकष देण्यासाठी अदा एकूण पगार बँक नोंद तयार करा DocType: Stock Entry,Material Transfer for Manufacture,उत्पादन साठी साहित्य ट्रान्सफर @@ -2707,7 +2712,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,ग्राहक पत्ता DocType: Employee Loan,Loan Details,कर्ज तपशील DocType: Company,Default Inventory Account,डीफॉल्ट यादी खाते -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,सलग {0}: पूर्ण प्रमाण शून्य पेक्षा जास्त असणे आवश्यक आहे. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,सलग {0}: पूर्ण प्रमाण शून्य पेक्षा जास्त असणे आवश्यक आहे. DocType: Purchase Invoice,Apply Additional Discount On,अतिरिक्त सवलत लागू DocType: Account,Root Type,रूट प्रकार DocType: Item,FIFO,FIFO @@ -2724,7 +2729,7 @@ DocType: Purchase Invoice Item,Quality Inspection,गुणवत्ता त apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,अतिरिक्त लहान DocType: Company,Standard Template,मानक साचा DocType: Training Event,Theory,सिद्धांत -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी: मागणी साहित्य Qty किमान Qty पेक्षा कमी आहे +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी: मागणी साहित्य Qty किमान Qty पेक्षा कमी आहे apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,खाते {0} गोठविले DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,कायदेशीर अस्तित्व / उपकंपनी स्वतंत्र लेखा चार्ट सह संघटनेला संबंधित करते DocType: Payment Request,Mute Email,निःशब्द ईमेल @@ -2748,7 +2753,7 @@ DocType: Training Event,Scheduled,अनुसूचित apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,अवतरण विनंती. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","कृपया असा आयटम निवडा जेथे ""शेअर आयटम आहे?"" ""नाही"" आहे आणि ""विक्री आयटम आहे?"" ""होय "" आहे आणि तेथे इतर उत्पादन बंडल नाही" DocType: Student Log,Academic,शैक्षणिक -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),एकूण आगाऊ ({0}) आदेश विरुद्ध {1} एकूण ({2}) पेक्षा जास्त असू शकत नाही +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),एकूण आगाऊ ({0}) आदेश विरुद्ध {1} एकूण ({2}) पेक्षा जास्त असू शकत नाही DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,असाधारण महिने ओलांडून लक्ष्य वाटप मासिक वितरण निवडा. DocType: Purchase Invoice Item,Valuation Rate,मूल्यांकन दर DocType: Stock Reconciliation,SR/,सचिन / @@ -2814,6 +2819,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,रक्कम DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,चौकशी स्त्रोत मोहीम असेल तर मोहीम नाव प्रविष्ट करा apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,वृत्तपत्र प्रकाशित apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,आर्थिक वर्ष निवडा +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,अपेक्षित वितरण तारीख ही विक्री आदेश तारीख नंतर असावी apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,स्तर पुनर्क्रमित करा DocType: Company,Chart Of Accounts Template,खाती साचा चार्ट DocType: Attendance,Attendance Date,उपस्थिती दिनांक @@ -2845,7 +2851,7 @@ DocType: Pricing Rule,Discount Percentage,सवलत टक्केवार DocType: Payment Reconciliation Invoice,Invoice Number,चलन क्रमांक DocType: Shopping Cart Settings,Orders,आदेश DocType: Employee Leave Approver,Leave Approver,माफीचा साक्षीदार सोडा -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,कृपया एक बॅच निवडा +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,कृपया एक बॅच निवडा DocType: Assessment Group,Assessment Group Name,मूल्यांकन गट नाव DocType: Manufacturing Settings,Material Transferred for Manufacture,साहित्य उत्पादन साठी हस्तांतरित DocType: Expense Claim,"A user with ""Expense Approver"" role",""" खर्च मंजूर "" भूमिका वापरकर्ता" @@ -2882,7 +2888,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,पुढील महिन्याच्या शेवटच्या दिवशी DocType: Support Settings,Auto close Issue after 7 days,7 दिवस स्वयं अंक बंद apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","रजेचे {0} च्या आधी वाटप जाऊ शकत नाही, कारण रजा शिल्लक आधीच वाहून-अग्रेषित भविष्यात रजा वाटप रेकॉर्ड केले आहे {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),टीप: मुळे / संदर्भ तारीख {0} दिवसा परवानगी ग्राहक क्रेडिट दिवस पेक्षा जास्त (चे) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),टीप: मुळे / संदर्भ तारीख {0} दिवसा परवानगी ग्राहक क्रेडिट दिवस पेक्षा जास्त (चे) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,विद्यार्थी अर्जदाराचे DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,RECIPIENT मूळ DocType: Asset Category Account,Accumulated Depreciation Account,जमा घसारा खाते @@ -2893,7 +2899,7 @@ DocType: Item,Reorder level based on Warehouse,वखारवर आधार DocType: Activity Cost,Billing Rate,बिलिंग दर ,Qty to Deliver,वितरीत करण्यासाठी Qty ,Stock Analytics,शेअर Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ऑपरेशन रिक्त सोडले जाऊ शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,ऑपरेशन रिक्त सोडले जाऊ शकत नाही DocType: Maintenance Visit Purpose,Against Document Detail No,दस्तऐवज तपशील विरुद्ध नाही apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,पक्ष प्रकार अनिवार्य आहे DocType: Quality Inspection,Outgoing,जाणारे @@ -2936,15 +2942,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,कोठार वर उपलब्ध आहे Qty apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,बिल केलेली रक्कम DocType: Asset,Double Declining Balance,दुहेरी नाकारून शिल्लक -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,बंद मागणी रद्द जाऊ शकत नाही. रद्द करण्यासाठी उघडकीस आणणे. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,बंद मागणी रद्द जाऊ शकत नाही. रद्द करण्यासाठी उघडकीस आणणे. DocType: Student Guardian,Father,वडील -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'अद्यतन शेअर' निश्चित मालमत्ता विक्री साठी तपासणे शक्य नाही +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'अद्यतन शेअर' निश्चित मालमत्ता विक्री साठी तपासणे शक्य नाही DocType: Bank Reconciliation,Bank Reconciliation,बँक मेळ DocType: Attendance,On Leave,रजेवर apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,अद्यतने मिळवा apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: खाते {2} कंपनी संबंधित नाही {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,साहित्य विनंती {0} रद्द किंवा बंद आहे -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,काही नमुना रेकॉर्ड जोडा +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,काही नमुना रेकॉर्ड जोडा apps/erpnext/erpnext/config/hr.py +301,Leave Management,रजा व्यवस्थापन apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,खाते गट DocType: Sales Order,Fully Delivered,पूर्णतः वितरित @@ -2953,12 +2959,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","फरक खाते, एक मालमत्ता / दायित्व प्रकार खाते असणे आवश्यक आहे कारण शेअर मेळ हे उदघाटन नोंद आहे" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},वितरित करण्यात आलेल्या रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},आयटम आवश्यक मागणीसाठी क्रमांक खरेदी {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,उत्पादन ऑर्डर तयार नाही +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,उत्पादन ऑर्डर तयार नाही apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','तारीख पासून' नंतर 'तारखेपर्यंत' असणे आवश्यक आहे apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},विद्यार्थी म्हणून स्थिती बदलू शकत नाही {0} विद्यार्थी अर्ज लिंक आहे {1} DocType: Asset,Fully Depreciated,पूर्णपणे अवमूल्यन ,Stock Projected Qty,शेअर Qty अंदाज -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},ग्राहक {0} प्रोजेक्ट {1} ला संबंधित नाही +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},ग्राहक {0} प्रोजेक्ट {1} ला संबंधित नाही DocType: Employee Attendance Tool,Marked Attendance HTML,चिन्हांकित उपस्थिती एचटीएमएल apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","आंतरशालेय, प्रस्ताव आपण आपल्या ग्राहकांना पाठवले आहे बोली" DocType: Sales Order,Customer's Purchase Order,ग्राहकाच्या पर्चेस @@ -2968,7 +2974,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations संख्या बुक सेट करा apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,मूल्य किंवा Qty apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,प्रॉडक्शन आदेश उठविले जाऊ शकत नाही: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,मिनिट +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,मिनिट DocType: Purchase Invoice,Purchase Taxes and Charges,कर आणि शुल्क खरेदी ,Qty to Receive,प्राप्त करण्यासाठी Qty DocType: Leave Block List,Leave Block List Allowed,रजा ब्लॉक यादी परवानगी दिली @@ -2982,7 +2988,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,सर्व पुरवठादार प्रकार DocType: Global Defaults,Disable In Words,शब्द मध्ये अक्षम apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,आयटम कोड बंधनकारक आहे कारण आयटम स्वयंचलितपणे गणती केलेला नाही -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},कोटेशन {0} प्रकारच्या {1} नाहीत +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},कोटेशन {0} प्रकारच्या {1} नाहीत DocType: Maintenance Schedule Item,Maintenance Schedule Item,देखभाल वेळापत्रक आयटम DocType: Sales Order,% Delivered,% वितरण DocType: Production Order,PRO-,PRO- @@ -3005,7 +3011,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,विक्रेता ईमेल DocType: Project,Total Purchase Cost (via Purchase Invoice),एकूण खरेदी किंमत (खरेदी चलन द्वारे) DocType: Training Event,Start Time,प्रारंभ वेळ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,प्रमाण निवडा +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,प्रमाण निवडा DocType: Customs Tariff Number,Customs Tariff Number,कस्टम दर क्रमांक apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,भूमिका मंजूर नियम लागू आहे भूमिका समान असू शकत नाही apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,या ईमेल डायजेस्ट पासून सदस्यता रद्द करा @@ -3029,7 +3035,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,जनसंपर्क(PR ) तपशील DocType: Sales Order,Fully Billed,पूर्णतः बिल apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,हातात रोख -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},डिलिव्हरी कोठार स्टॉक आयटम आवश्यक {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},डिलिव्हरी कोठार स्टॉक आयटम आवश्यक {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),संकुल एकूण वजन. सहसा निव्वळ वजन + पॅकेजिंग साहित्य वजन. (मुद्रण) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,कार्यक्रम DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,या भूमिका वापरकर्त्यांनी गोठविलेल्या खात्यांचे विरुद्ध लेखा नोंदी गोठविलेल्या खाती सेट आणि तयार / सुधारित करण्याची अनुमती आहे @@ -3039,7 +3045,7 @@ DocType: Student Group,Group Based On,गट आधारित DocType: Journal Entry,Bill Date,बिल तारीख apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","सेवा बाबींचा, प्रकार, वारंवारता आणि खर्च रक्कम आवश्यक आहे" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","सर्वोच्च प्राधान्य एकाधिक किंमत नियम असतील , तर खालील अंतर्गत प्राधान्यक्रम लागू केले आहेत:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},आपण खरोखर पासून {0} सर्व पगाराच्या स्लिप्स सबमिट करू इच्छिता {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},आपण खरोखर पासून {0} सर्व पगाराच्या स्लिप्स सबमिट करू इच्छिता {1} DocType: Cheque Print Template,Cheque Height,धनादेश उंची DocType: Supplier,Supplier Details,पुरवठादार तपशील DocType: Expense Claim,Approval Status,मंजूरीची स्थिती @@ -3061,7 +3067,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,आघाडी प apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,दर्शविण्यासाठी अधिक काहीही नाही. DocType: Lead,From Customer,ग्राहकासाठी apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,कॉल -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,बॅच +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,बॅच DocType: Project,Total Costing Amount (via Time Logs),एकूण भांडवलाची रक्कम (वेळ नोंदी द्वारे) DocType: Purchase Order Item Supplied,Stock UOM,शेअर UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,खरेदी ऑर्डर {0} सबमिट केलेली नाही @@ -3093,7 +3099,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,विरुद्ध DocType: Item,Warranty Period (in days),(दिवस मध्ये) वॉरंटी कालावधी apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 संबंध apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ऑपरेशन्स निव्वळ रोख -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,उदा व्हॅट +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,उदा व्हॅट apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,आयटम 4 DocType: Student Admission,Admission End Date,प्रवेश अंतिम तारीख apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,उप-करार @@ -3101,7 +3107,7 @@ DocType: Journal Entry Account,Journal Entry Account,जर्नल प्र apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,विद्यार्थी गट DocType: Shopping Cart Settings,Quotation Series,कोटेशन मालिका apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","आयटम त्याच नावाने अस्तित्वात ( {0} ) असेल , तर आयटम गट नाव बदल किंवा आयटम पुनर्नामित करा" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,कृपया ग्राहक निवडा +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,कृपया ग्राहक निवडा DocType: C-Form,I,मी DocType: Company,Asset Depreciation Cost Center,मालमत्ता घसारा खर्च केंद्र DocType: Sales Order Item,Sales Order Date,विक्री ऑर्डर तारीख @@ -3112,6 +3118,7 @@ DocType: Stock Settings,Limit Percent,मर्यादा टक्के ,Payment Period Based On Invoice Date,चलन तारखेला आधारित भरणा कालावधी apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},चलन विनिमय दर {0} साठी गहाळ DocType: Assessment Plan,Examiner,परीक्षक +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया {0} साठी सेट अप> सेटिंग्ज> नाविक शृंखला मार्गे नेमिशन सीरीज सेट करा DocType: Student,Siblings,भावंड DocType: Journal Entry,Stock Entry,शेअर प्रवेश DocType: Payment Entry,Payment References,भरणा संदर्भ @@ -3136,7 +3143,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,उत्पादन ऑपरेशन कोठे नेले जातात. DocType: Asset Movement,Source Warehouse,स्त्रोत कोठार DocType: Installation Note,Installation Date,प्रतिष्ठापन तारीख -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},सलग # {0}: मालमत्ता {1} कंपनी संबंधित नाही {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},सलग # {0}: मालमत्ता {1} कंपनी संबंधित नाही {2} DocType: Employee,Confirmation Date,पुष्टीकरण तारीख DocType: C-Form,Total Invoiced Amount,एकूण Invoiced रक्कम apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,किमान Qty कमाल Qty पेक्षा जास्त असू शकत नाही @@ -3211,7 +3218,7 @@ DocType: Company,Default Letter Head,लेटरहेडवर डीफॉल DocType: Purchase Order,Get Items from Open Material Requests,ओपन साहित्य विनंत्यांचे आयटम मिळवा DocType: Item,Standard Selling Rate,मानक विक्री दर DocType: Account,Rate at which this tax is applied,कर लागू आहे जेथे हा दर -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Qty पुनर्क्रमित करा +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Qty पुनर्क्रमित करा apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,वर्तमान नोकरी संबंधी DocType: Company,Stock Adjustment Account,शेअर समायोजन खाते apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,बंद लिहा @@ -3225,7 +3232,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,पुरवठादार ग्राहक वितरण apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# फॉर्म / आयटम / {0}) स्टॉक बाहेर आहे apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,पुढील तारीख पोस्ट दिनांक पेक्षा जास्त असणे आवश्यक -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},मुळे / संदर्भ तारीख {0} नंतर असू शकत नाही +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},मुळे / संदर्भ तारीख {0} नंतर असू शकत नाही apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,डेटा आयात आणि निर्यात apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,नाही विद्यार्थ्यांनी सापडले apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,अशी यादी तयार करण्यासाठी पोस्ट तारीख @@ -3246,12 +3253,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,हे या विद्यार्थी पोषाख आधारित आहे apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,नाही विद्यार्थी apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,अधिक आयटम किंवा ओपन पूर्ण फॉर्म जोडा -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','अपेक्षित डिलिव्हरी तारीख' प्रविष्ट करा -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,डिलिव्हरी टिपा {0} या विक्री ऑर्डर रद्द आधी रद्द करणे आवश्यक आहे +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,डिलिव्हरी टिपा {0} या विक्री ऑर्डर रद्द आधी रद्द करणे आवश्यक आहे apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,पेड रक्कम + एकूण रक्कमेपेक्षा पेक्षा जास्त असू शकत नाही बंद लिहा apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} आयटम एक वैध बॅच क्रमांक नाही {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},टीप: रजा प्रकार पुरेशी रजा शिल्लक नाही {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,अवैध GSTIN किंवा अनोंदणीकृत साठी लागू प्रविष्ट करा +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,अवैध GSTIN किंवा अनोंदणीकृत साठी लागू प्रविष्ट करा DocType: Training Event,Seminar,सेमिनार DocType: Program Enrollment Fee,Program Enrollment Fee,कार्यक्रम नावनोंदणी फी DocType: Item,Supplier Items,पुरवठादार आयटम @@ -3269,7 +3275,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,शेअर Ageing apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},विद्यार्थी {0} विद्यार्थी अर्जदार विरुद्ध अस्तित्वात {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,वेळ पत्रक -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' अक्षम आहे +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' अक्षम आहे apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,उघडा म्हणून सेट करा DocType: Cheque Print Template,Scanned Cheque,स्कॅन धनादेश DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,व्यवहार सादर केल्यावर संपर्कांना स्वयंचलित ईमेल पाठवा. @@ -3316,7 +3322,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,किंमत सूची विनिमय दर DocType: Purchase Invoice Item,Rate,दर apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,हद्दीच्या -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,पत्ता नाव +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,पत्ता नाव DocType: Stock Entry,From BOM,BOM पासून DocType: Assessment Code,Assessment Code,मूल्यांकन कोड apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,मूलभूत @@ -3329,20 +3335,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,वेतन रचना DocType: Account,Bank,बँक apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,एयरलाईन -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,समस्या साहित्य +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,समस्या साहित्य DocType: Material Request Item,For Warehouse,वखार साठी DocType: Employee,Offer Date,ऑफर तारीख apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,बोली -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,आपण ऑफलाइन मोड मध्ये आहोत. आपण नेटवर्क पर्यंत रीलोड सक्षम होणार नाही. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,आपण ऑफलाइन मोड मध्ये आहोत. आपण नेटवर्क पर्यंत रीलोड सक्षम होणार नाही. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,नाही विद्यार्थी गट निर्माण केले. DocType: Purchase Invoice Item,Serial No,सिरियल नाही apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,मासिक परतफेड रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,पहिले Maintaince तपशील प्रविष्ट करा +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,पंक्ती # {0}: अपेक्षित वितरण तारीख खरेदी ऑर्डर तारखेपूर्वी असू शकत नाही DocType: Purchase Invoice,Print Language,मुद्रण भाषा DocType: Salary Slip,Total Working Hours,एकूण कार्याचे तास DocType: Stock Entry,Including items for sub assemblies,उप विधानसभा आयटम समावेश -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,प्रविष्ट मूल्य सकारात्मक असणे आवश्यक आहे -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,प्रविष्ट मूल्य सकारात्मक असणे आवश्यक आहे apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,सर्व प्रदेश DocType: Purchase Invoice,Items,आयटम apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,विद्यार्थी आधीच नोंदणी केली आहे. @@ -3365,7 +3371,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"'{0}' प्रकार करीता माप मुलभूत युनिट साचा म्हणून समान असणे आवश्यक आहे, '{1}'" DocType: Shipping Rule,Calculate Based On,आधारित असणे DocType: Delivery Note Item,From Warehouse,वखार पासून -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,कारखानदार सामग्रीचा बिल नाही आयटम +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,कारखानदार सामग्रीचा बिल नाही आयटम DocType: Assessment Plan,Supervisor Name,पर्यवेक्षक नाव DocType: Program Enrollment Course,Program Enrollment Course,कार्यक्रम नावनोंदणी कोर्स DocType: Program Enrollment Course,Program Enrollment Course,कार्यक्रम नावनोंदणी कोर्स @@ -3381,23 +3387,23 @@ DocType: Training Event Employee,Attended,उपस्थित apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'गेल्या ऑर्डर असल्याने दिवस' शून्य पेक्षा मोठे किंवा समान असणे आवश्यक आहे DocType: Process Payroll,Payroll Frequency,उपयोग पे रोल वारंवारता DocType: Asset,Amended From,पासून दुरुस्ती -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,कच्चा माल +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,कच्चा माल DocType: Leave Application,Follow via Email,ईमेल द्वारे अनुसरण करा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,वनस्पती आणि यंत्रसामग्री DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,सवलत रक्कम नंतर कर रक्कम DocType: Daily Work Summary Settings,Daily Work Summary Settings,दररोज काम सारांश सेटिंग्ज -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},{0} किंमत सूची चलन निवडले चलन समान नाही {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},{0} किंमत सूची चलन निवडले चलन समान नाही {1} DocType: Payment Entry,Internal Transfer,अंतर्गत ट्रान्सफर apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,बाल खाते हे खाते विद्यमान आहे. आपण हे खाते हटवू शकत नाही. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,एकतर लक्ष्य qty किंवा लक्ष्य रक्कम अनिवार्य आहे apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},डीफॉल्ट BOM आयटम {0} साठी अस्तित्वात नाही -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,कृपया पहले पोस्टिंग तारीख निवडा +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,कृपया पहले पोस्टिंग तारीख निवडा apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,तारीख उघडण्याच्या तारीख बंद करण्यापूर्वी असावे DocType: Leave Control Panel,Carry Forward,कॅरी फॉरवर्ड apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,विद्यमान व्यवहार खर्चाच्या केंद्र लेजर मधे रूपांतरीत केले जाऊ शकत नाही DocType: Department,Days for which Holidays are blocked for this department.,दिवस जे सुट्ट्या या विभागात अवरोधित केलेली आहेत. ,Produced,निर्मिती -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,तयार पगार स्लिप +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,तयार पगार स्लिप DocType: Item,Item Code for Suppliers,पुरवठादारासाठी आयटम कोड DocType: Issue,Raised By (Email),उपस्थित (ईमेल) DocType: Training Event,Trainer Name,प्रशिक्षक नाव @@ -3405,9 +3411,10 @@ DocType: Mode of Payment,General,सामान्य apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,गेल्या कम्युनिकेशन apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,गेल्या कम्युनिकेशन apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',गटात मूल्यांकन 'किंवा' मूल्यांकन आणि एकूण 'आहे तेव्हा वजा करू शकत नाही -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","आपल्या tax headsची आणि त्यांच्या प्रमाण दरांची यादी करा (उदा, व्हॅट , जकात वगैरे त्यांना वेगळी नावे असणे आवश्यक आहे ) . हे मानक टेम्पलेट, तयार करेल, जे आपण संपादित करू शकता आणि नंतर अधिक जोडू शकता." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","आपल्या tax headsची आणि त्यांच्या प्रमाण दरांची यादी करा (उदा, व्हॅट , जकात वगैरे त्यांना वेगळी नावे असणे आवश्यक आहे ) . हे मानक टेम्पलेट, तयार करेल, जे आपण संपादित करू शकता आणि नंतर अधिक जोडू शकता." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},सिरीयलाइज आयटम {0}साठी सिरियल क्रमांक आवश्यक apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,पावत्या सह देयके सामना +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},पंक्ती # {0}: आयटम विरूद्ध वितरण तारीख प्रविष्ट करा {1} DocType: Journal Entry,Bank Entry,बँक प्रवेश DocType: Authorization Rule,Applicable To (Designation),लागू करण्यासाठी (पद) ,Profitability Analysis,नफा विश्लेषण @@ -3423,17 +3430,18 @@ DocType: Quality Inspection,Item Serial No,आयटम सिरियल क apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,कर्मचारी रेकॉर्ड तयार करा apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,एकूण उपस्थित apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,लेखा स्टेटमेन्ट -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,तास +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,तास apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नवीन सिरिअल क्रमांक कोठार असू शकत नाही. कोठार शेअर नोंद किंवा खरेदी पावती सेट करणे आवश्यक आहे DocType: Lead,Lead Type,लीड प्रकार apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,आपल्याला ब्लॉक तारखेवर पाने मंजूर करण्यासाठी अधिकृत नाही -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,या सर्व आयटम आधीच invoiced आहेत +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,या सर्व आयटम आधीच invoiced आहेत +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,मासिक विक्री लक्ष्य apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},मंजूर केले जाऊ शकते {0} DocType: Item,Default Material Request Type,मुलभूत साहित्य विनंती प्रकार apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,अज्ञात DocType: Shipping Rule,Shipping Rule Conditions,शिपिंग नियम अटी DocType: BOM Replace Tool,The new BOM after replacement,बदली नवीन BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,विक्री पॉइंट +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,विक्री पॉइंट DocType: Payment Entry,Received Amount,प्राप्त केलेली रक्कम DocType: GST Settings,GSTIN Email Sent On,GSTIN ईमेल पाठविले DocType: Program Enrollment,Pick/Drop by Guardian,/ पालक ड्रॉप निवडा @@ -3450,8 +3458,8 @@ DocType: Batch,Source Document Name,स्रोत दस्तऐवज ना DocType: Batch,Source Document Name,स्रोत दस्तऐवज नाव DocType: Job Opening,Job Title,कार्य शीर्षक apps/erpnext/erpnext/utilities/activation.py +97,Create Users,वापरकर्ते तयार करा -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,ग्राम -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,उत्पादनासाठीचे प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,ग्राम +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,उत्पादनासाठीचे प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,देखभाल कॉल अहवाल भेट द्या. DocType: Stock Entry,Update Rate and Availability,रेट अद्यतनित करा आणि उपलब्धता DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"टक्केवारी तुम्हांला स्वीकारण्याची किंवा आदेश दिलेल्या प्रमाणा विरुद्ध अधिक वितरीत करण्याची परवानगी आहे. उदाहरणार्थ: जर तुम्ही 100 युनिट्स चा आदेश दिला असेल, आणि आपला भत्ता 10% असेल तर तुम्हाला 110 units प्राप्त करण्याची अनुमती आहे." @@ -3464,7 +3472,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,चलन खरेदी {0} रद्द करा पहिला apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","ई-मेल पत्ता, अद्वितीय असणे आवश्यक आहे आधीच अस्तित्वात आहे {0}" DocType: Serial No,AMC Expiry Date,एएमसी कालावधी समाप्ती तारीख -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,पावती +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,पावती ,Sales Register,विक्री नोंदणी DocType: Daily Work Summary Settings Company,Send Emails At,वेळी ई-मेल पाठवा DocType: Quotation,Quotation Lost Reason,कोटेशन हरवले कारण @@ -3477,14 +3485,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,अद्य apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,रोख फ्लो स्टेटमेंट apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},कर्ज रक्कम कमाल कर्ज रक्कम जास्त असू शकत नाही {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,परवाना -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},सी-फॉर्म{1} मधून चलन {0} काढून टाका +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},सी-फॉर्म{1} मधून चलन {0} काढून टाका DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,आपण देखील मागील आर्थिक वर्षातील शिल्लक रजा या आर्थिक वर्षात समाविष्ट करू इच्छित असल्यास कृपया कॅरी फॉरवर्ड निवडा DocType: GL Entry,Against Voucher Type,व्हाउचर प्रकार विरुद्ध DocType: Item,Attributes,विशेषता apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Write Off खाते प्रविष्ट करा apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,गेल्या ऑर्डर तारीख apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},खाते {0} ला कंपनी {1} मालकीचे नाही -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,{0} सलग मालिका संख्या डिलिव्हरी टीप जुळत नाही +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,{0} सलग मालिका संख्या डिलिव्हरी टीप जुळत नाही DocType: Student,Guardian Details,पालक तपशील DocType: C-Form,C-Form,सी-फॉर्म apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,अनेक कर्मचाऱ्यांना उपस्थिती चिन्ह @@ -3516,16 +3524,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,विक्री DocType: Stock Entry Detail,Basic Amount,मूलभूत रक्कम DocType: Training Event,Exam,परीक्षा -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},स्टॉक आयटम {0} साठी आवश्यक कोठार +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},स्टॉक आयटम {0} साठी आवश्यक कोठार DocType: Leave Allocation,Unused leaves,न वापरलेल्या रजा -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,कोटी +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,कोटी DocType: Tax Rule,Billing State,बिलिंग राज्य apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ट्रान्सफर apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} पार्टी खात्यासह संबद्ध नाही {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(उप-मंडळ्यांना समावेश) स्फोट झाला BOM प्राप्त +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(उप-मंडळ्यांना समावेश) स्फोट झाला BOM प्राप्त DocType: Authorization Rule,Applicable To (Employee),लागू करण्यासाठी (कर्मचारी) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,देय तारीख अनिवार्य आहे apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,विशेषता साठी बढती {0} 0 असू शकत नाही +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश DocType: Journal Entry,Pay To / Recd From,पासून / Recd अदा DocType: Naming Series,Setup Series,सेटअप मालिका DocType: Payment Reconciliation,To Invoice Date,तारीख चलन करण्यासाठी @@ -3552,7 +3561,7 @@ DocType: Journal Entry,Write Off Based On,आधारित Write Off apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,लीड करा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,प्रिंट आणि स्टेशनरी DocType: Stock Settings,Show Barcode Field,बारकोड फिल्ड दर्शवा -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,पुरवठादार ई-मेल पाठवा +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,पुरवठादार ई-मेल पाठवा apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",पगार दरम्यान {0} आणि {1} द्या अनुप्रयोग या कालावधीत तारीख श्रेणी दरम्यान असू शकत नाही कालावधीसाठी आधीपासून प्रक्रिया. apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,एक सिरियल क्रमांकासाठी प्रतिष्ठापन रेकॉर्ड DocType: Guardian Interest,Guardian Interest,पालक व्याज @@ -3566,7 +3575,7 @@ DocType: Offer Letter,Awaiting Response,प्रतिसाद प्रती apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,वर apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},अवैध विशेषता {0} {1} DocType: Supplier,Mention if non-standard payable account,उल्लेख मानक-नसलेला देय खाते तर -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},सारख्या आयटमचा एकाधिक वेळा गेले. {यादी} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},सारख्या आयटमचा एकाधिक वेळा गेले. {यादी} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',कृपया 'सर्व मूल्यांकन गट' ऐवजी मूल्यांकन गट निवडा DocType: Salary Slip,Earning & Deduction,कमाई आणि कपात apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,पर्यायी. हे सेटिंग विविध व्यवहार फिल्टर करण्यासाठी वापरले जाईल. @@ -3585,7 +3594,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,रद्द मालमत्ता खर्च apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: आयटम {2} ला खर्च केंद्र अनिवार्य आहे DocType: Vehicle,Policy No,कोणतेही धोरण नाही -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,उत्पादन बंडलचे आयटम मिळवा +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,उत्पादन बंडलचे आयटम मिळवा DocType: Asset,Straight Line,सरळ रेष DocType: Project User,Project User,प्रकल्प वापरकर्ता apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,स्प्लिट @@ -3600,6 +3609,7 @@ DocType: Bank Reconciliation,Payment Entries,भरणा नोंदी DocType: Production Order,Scrap Warehouse,स्क्रॅप वखार DocType: Production Order,Check if material transfer entry is not required,साहित्य हस्तांतरण नोंद आवश्यक नाही आहे का ते तपासा DocType: Production Order,Check if material transfer entry is not required,साहित्य हस्तांतरण नोंद आवश्यक नाही आहे का ते तपासा +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा DocType: Program Enrollment Tool,Get Students From,पासून विद्यार्थी मिळवा DocType: Hub Settings,Seller Country,विक्रेता देश apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,वेबसाइट वर प्रकाशित आयटम @@ -3618,19 +3628,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,शिपिंग रक्कम गणना अटी निर्देशीत DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,भूमिका फ्रोजन खाती सेट करण्याची परवानगी आणि फ्रोजन नोंदी संपादित करा apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,त्याला child nodes आहेत म्हणून खातेवही खर्च केंद्र रूपांतरित करू शकत नाही -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,उघडण्याचे मूल्य +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,उघडण्याचे मूल्य DocType: Salary Detail,Formula,सुत्र apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,सिरियल # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,विक्री आयोगाने DocType: Offer Letter Term,Value / Description,मूल्य / वर्णन -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","सलग # {0}: मालमत्ता {1} सादर केला जाऊ शकत नाही, तो आधीपासूनच आहे {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","सलग # {0}: मालमत्ता {1} सादर केला जाऊ शकत नाही, तो आधीपासूनच आहे {2}" DocType: Tax Rule,Billing Country,बिलिंग देश DocType: Purchase Order Item,Expected Delivery Date,अपेक्षित वितरण तारीख apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,डेबिट आणि क्रेडिट {0} # समान नाही {1}. फरक आहे {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,मनोरंजन खर्च apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,साहित्य विनंती करा apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},आयटम उघडा {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,हि विक्री ऑर्डर रद्द करण्याआधी विक्री चलन {0} रद्द करणे आवश्यक आहे +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,हि विक्री ऑर्डर रद्द करण्याआधी विक्री चलन {0} रद्द करणे आवश्यक आहे apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,वय DocType: Sales Invoice Timesheet,Billing Amount,बिलिंग रक्कम apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,आयटम {0} साठी निर्दिष्ट अवैध प्रमाण . प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे. @@ -3653,7 +3663,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,नवीन ग्राहक महसूल apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,प्रवास खर्च DocType: Maintenance Visit,Breakdown,यंत्रातील बिघाड -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,खाते: {0} चलन: {1} बरोबर निवडले जाऊ शकत नाही +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,खाते: {0} चलन: {1} बरोबर निवडले जाऊ शकत नाही DocType: Bank Reconciliation Detail,Cheque Date,धनादेश तारीख apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: पालक खाते {1} कंपनी {2} ला संबंधित नाही: DocType: Program Enrollment Tool,Student Applicants,विद्यार्थी अर्जदाराच्या @@ -3673,11 +3683,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,नि DocType: Material Request,Issued,जारी apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,विद्यार्थी क्रियाकलाप DocType: Project,Total Billing Amount (via Time Logs),एकूण बिलिंग रक्कम (वेळ नोंदी द्वारे) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,आम्ही ही आयटम विक्री +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,आम्ही ही आयटम विक्री apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,पुरवठादार आयडी DocType: Payment Request,Payment Gateway Details,पेमेंट गेटवे तपशील -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,नमुना डेटा +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,नमुना डेटा DocType: Journal Entry,Cash Entry,रोख प्रवेश apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,बाल नोडस् फक्त 'ग्रुप' प्रकार नोडस् अंतर्गत तयार केले जाऊ शकते DocType: Leave Application,Half Day Date,अर्धा दिवस तारीख @@ -3686,17 +3696,18 @@ DocType: Sales Partner,Contact Desc,संपर्क desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","प्रासंगिक जसे पाने प्रकार, आजारी इ" DocType: Email Digest,Send regular summary reports via Email.,ईमेल द्वारे नियमित सारांश अहवाल पाठवा. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},खर्च हक्क प्रकार मध्ये डीफॉल्ट खाते सेट करा {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},खर्च हक्क प्रकार मध्ये डीफॉल्ट खाते सेट करा {0} DocType: Assessment Result,Student Name,विद्यार्थी नाव DocType: Brand,Item Manager,आयटम व्यवस्थापक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,उपयोग पे रोल देय DocType: Buying Settings,Default Supplier Type,मुलभूत पुरवठादार प्रकार DocType: Production Order,Total Operating Cost,एकूण ऑपरेटिंग खर्च -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,टीप: आयटम {0} अनेक वेळा प्रवेश केला +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,टीप: आयटम {0} अनेक वेळा प्रवेश केला apps/erpnext/erpnext/config/selling.py +41,All Contacts.,सर्व संपर्क. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,आपले लक्ष्य सेट करा apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,कंपनी Abbreviation apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,सदस्य {0} अस्तित्वात नाही -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,कच्चा माल मुख्य आयटम म्हणून समान असू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,कच्चा माल मुख्य आयटम म्हणून समान असू शकत नाही DocType: Item Attribute Value,Abbreviation,संक्षेप apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,भरणा प्रवेश आधिपासूनच अस्तित्वात आहे apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ने मर्यादा ओलांडल्यापासून authroized नाही @@ -3714,7 +3725,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,भूमिका ग ,Territory Target Variance Item Group-Wise,प्रदेश लक्ष्य फरक आयटम गट निहाय apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,सर्व ग्राहक गट apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,जमा मासिक -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} आवश्यक आहे. कदाचित चलन विनिमय रेकॉर्ड {1} {2} करण्यासाठी तयार केले नाही. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} आवश्यक आहे. कदाचित चलन विनिमय रेकॉर्ड {1} {2} करण्यासाठी तयार केले नाही. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,कर साचा बंधनकारक आहे. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,खाते {0}: पालक खाते {1} अस्तित्वात नाही DocType: Purchase Invoice Item,Price List Rate (Company Currency),किंमत सूची दर (कंपनी चलन) @@ -3725,7 +3736,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,टक्के apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,सचिव DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","अक्षम केला तर, क्षेत्र 'शब्द मध्ये' काही व्यवहार दृश्यमान होणार नाही" DocType: Serial No,Distinct unit of an Item,एक आयटम वेगळा एकक -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,कंपनी सेट करा +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,कंपनी सेट करा DocType: Pricing Rule,Buying,खरेदी DocType: HR Settings,Employee Records to be created by,कर्मचारी रेकॉर्ड करून तयार करणे DocType: POS Profile,Apply Discount On,सवलत लागू @@ -3736,7 +3747,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,आयटमनूसार कर तपशील apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,संस्था संक्षेप ,Item-wise Price List Rate,आयटमनूसार किंमत सूची दर -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,पुरवठादार कोटेशन +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,पुरवठादार कोटेशन DocType: Quotation,In Words will be visible once you save the Quotation.,तुम्ही अवतरण एकदा जतन केल्यावर शब्दा मध्ये दृश्यमान होईल. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},प्रमाण ({0}) एकापाठोपाठ एक अपूर्णांक असू शकत नाही {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},प्रमाण ({0}) एकापाठोपाठ एक अपूर्णांक असू शकत नाही {1} @@ -3760,7 +3771,7 @@ Updated via 'Time Log'",मिनिटे मध्ये 'लॉग इन DocType: Customer,From Lead,लीड पासून apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ऑर्डर उत्पादनासाठी प्रकाशीत. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,आर्थिक वर्ष निवडा ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,पीओएस प्रोफाइल पीओएस नोंद करण्यासाठी आवश्यक +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,पीओएस प्रोफाइल पीओएस नोंद करण्यासाठी आवश्यक DocType: Program Enrollment Tool,Enroll Students,विद्यार्थी ची नोंदणी करा DocType: Hub Settings,Name Token,नाव टोकन apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,मानक विक्री @@ -3778,7 +3789,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,शेअर मूल्य apps/erpnext/erpnext/config/learn.py +234,Human Resource,मानव संसाधन DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,भरणा सलोखा भरणा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,कर मालमत्ता -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},उत्पादन ऑर्डर केले आहे {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},उत्पादन ऑर्डर केले आहे {0} DocType: BOM Item,BOM No,BOM नाही DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,जर्नल प्रवेश {0} इतर व्हाउचर विरुद्ध {1} किंवा आधीच जुळणारे खाते नाही @@ -3792,7 +3803,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,एक apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,बाकी रक्कम DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,या विक्री व्यक्ती साठी item गट निहाय लक्ष्य सेट करा . DocType: Stock Settings,Freeze Stocks Older Than [Days],फ्रीज स्टॉक पेक्षा जुने [दिवस] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,सलग # {0}: मालमत्ता निश्चित मालमत्ता खरेदी / विक्री अनिवार्य आहे +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,सलग # {0}: मालमत्ता निश्चित मालमत्ता खरेदी / विक्री अनिवार्य आहे apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","दोन किंवा अधिक किंमत नियम वरील स्थितीवर आधारित आढळल्यास, अग्रक्रम लागू आहे. डीफॉल्ट मूल्य शून्य (रिक्त) आहे, तर प्राधान्य 0 ते 20 दरम्यान एक नंबर आहे. उच्च संख्येचा अर्थ जर तेथे समान परिस्थितीमधे एकाधिक किंमत नियम असतील तर त्याला प्राधान्य मिळेल" apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,आर्थिक वर्ष: {0} अस्तित्वात नाही DocType: Currency Exchange,To Currency,चलन @@ -3801,7 +3812,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,खर्चा apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"विक्री आयटम दर {0} पेक्षा कमी आहे, त्याच्या {1}. विक्री दर असावे किमान {2}" apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"विक्री आयटम दर {0} पेक्षा कमी आहे, त्याच्या {1}. विक्री दर असावे किमान {2}" DocType: Item,Taxes,कर -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,दिले आणि वितरित नाही +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,दिले आणि वितरित नाही DocType: Project,Default Cost Center,मुलभूत खर्च केंद्र DocType: Bank Guarantee,End Date,शेवटची तारीख apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,शेअर व्यवहार @@ -3818,7 +3829,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,दररोज काम सारांश सेटिंग्ज कंपनी apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,आयटम {0} एक स्टॉक आयटम नसल्यामुळे दुर्लक्षित केला आहे DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,पुढील प्रक्रियेसाठी ही उत्पादन मागणी सबमिट करा. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,पुढील प्रक्रियेसाठी ही उत्पादन मागणी सबमिट करा. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","एका विशिष्ट व्यवहारात किंमत नियम लागू न करण्यासाठी, सर्व लागू किंमत नियम अक्षम करणे आवश्यक आहे." DocType: Assessment Group,Parent Assessment Group,पालक मूल्यांकन गट apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,नोकरी @@ -3826,10 +3837,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,नोकर DocType: Employee,Held On,आयोजित रोजी apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,उत्पादन आयटम ,Employee Information,कर्मचारी माहिती -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),दर (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),दर (%) DocType: Stock Entry Detail,Additional Cost,अतिरिक्त खर्च apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","व्हाउचर नाही आधारित फिल्टर करू शकत नाही, व्हाउचर प्रमाणे गटात समाविष्ट केले तर" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,पुरवठादार कोटेशन करा +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,पुरवठादार कोटेशन करा DocType: Quality Inspection,Incoming,येणार्या DocType: BOM,Materials Required (Exploded),साहित्य आवश्यक(स्फोट झालेले ) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","स्वत: पेक्षा इतर, आपल्या संस्थेसाठी वापरकर्ते जोडा" @@ -3845,7 +3856,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,खाते: {0} केवळ शेअर व्यवहार द्वारे अद्यतनित केले जाऊ शकतात DocType: Student Group Creation Tool,Get Courses,अभ्यासक्रम मिळवा DocType: GL Entry,Party,पार्टी -DocType: Sales Order,Delivery Date,डिलिव्हरी तारीख +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,डिलिव्हरी तारीख DocType: Opportunity,Opportunity Date,संधी तारीख DocType: Purchase Receipt,Return Against Purchase Receipt,खरेदी पावती विरुद्ध परत DocType: Request for Quotation Item,Request for Quotation Item,अवतरण आयटम विनंती @@ -3859,7 +3870,7 @@ DocType: Task,Actual Time (in Hours),(तास) वास्तविक वे DocType: Employee,History In Company,कंपनी मध्ये इतिहास apps/erpnext/erpnext/config/learn.py +107,Newsletters,वृत्तपत्रे DocType: Stock Ledger Entry,Stock Ledger Entry,शेअर खतावणीत नोंद -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,त्याच आयटम अनेक वेळा केलेला आहे +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,त्याच आयटम अनेक वेळा केलेला आहे DocType: Department,Leave Block List,रजा ब्लॉक यादी DocType: Sales Invoice,Tax ID,कर आयडी apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} आयटम सिरियल क्रमांकासाठी सेटअप केलेला नाही. स्तंभ रिक्त असणे आवश्यक आहे @@ -3877,25 +3888,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ब्लॅक DocType: BOM Explosion Item,BOM Explosion Item,BOM स्फोट आयटम DocType: Account,Auditor,लेखापरीक्षक -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} आयटम उत्पादन +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} आयटम उत्पादन DocType: Cheque Print Template,Distance from top edge,शीर्ष किनार अंतर apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,दर सूची {0} अक्षम असल्यास किंवा अस्तित्वात नाही DocType: Purchase Invoice,Return,परत DocType: Production Order Operation,Production Order Operation,उत्पादन ऑर्डर ऑपरेशन DocType: Pricing Rule,Disable,अक्षम करा -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,भरण्याची पध्दत देयक आवश्यक आहे +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,भरण्याची पध्दत देयक आवश्यक आहे DocType: Project Task,Pending Review,प्रलंबित पुनरावलोकन apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} बॅच नोंदणी केलेली नाही आहे {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","मालमत्ता {0} तो आधीपासूनच आहे म्हणून, रद्द जाऊ शकत नाही {1}" DocType: Task,Total Expense Claim (via Expense Claim),(खर्च दावा द्वारे) एकूण खर्च दावा apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,मार्क अनुपिस्थत -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},सलग {0}: BOM # चलन {1} निवडले चलन समान असावी {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},सलग {0}: BOM # चलन {1} निवडले चलन समान असावी {2} DocType: Journal Entry Account,Exchange Rate,विनिमय दर -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,"विक्री ऑर्डर {0} सबमिट केलेली नाही," +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,"विक्री ऑर्डर {0} सबमिट केलेली नाही," DocType: Homepage,Tag Line,टॅग लाइन DocType: Fee Component,Fee Component,शुल्क घटक apps/erpnext/erpnext/config/hr.py +195,Fleet Management,वेगवान व्यवस्थापन -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,आयटम जोडा +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,आयटम जोडा DocType: Cheque Print Template,Regular,नियमित apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,सर्व मूल्यांकन निकष एकूण वजन 100% असणे आवश्यक आहे DocType: BOM,Last Purchase Rate,गेल्या खरेदी दर @@ -3916,12 +3927,12 @@ DocType: Employee,Reports to,अहवाल DocType: SMS Settings,Enter url parameter for receiver nos,स्वीकारणारा नग साठी मापदंड प्रविष्ट करा DocType: Payment Entry,Paid Amount,पेड रक्कम DocType: Assessment Plan,Supervisor,पर्यवेक्षक -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,ऑनलाइन +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ऑनलाइन ,Available Stock for Packing Items,पॅकिंग आयटम उपलब्ध शेअर DocType: Item Variant,Item Variant,आयटम व्हेरियंट DocType: Assessment Result Tool,Assessment Result Tool,मूल्यांकन निकाल साधन DocType: BOM Scrap Item,BOM Scrap Item,BOM स्क्रॅप बाबींचा -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,सबमिट आदेश हटविले जाऊ शकत नाही +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,सबमिट आदेश हटविले जाऊ शकत नाही apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","आधीच डेबिट मध्ये खाते शिल्लक आहे , आपल्याला ' क्रेडिट ' म्हणून ' शिल्लक असणे आवश्यक आहे ' सेट करण्याची परवानगी नाही" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,गुणवत्ता व्यवस्थापन apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} आयटम अक्षम केले गेले आहे @@ -3953,7 +3964,7 @@ DocType: Item Group,Default Expense Account,मुलभूत खर्च ख apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,विद्यार्थी ईमेल आयडी DocType: Employee,Notice (days),सूचना (दिवस) DocType: Tax Rule,Sales Tax Template,विक्री कर साचा -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,अशी यादी तयार करणे जतन करण्यासाठी आयटम निवडा +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,अशी यादी तयार करणे जतन करण्यासाठी आयटम निवडा DocType: Employee,Encashment Date,एनकॅशमेंट तारीख DocType: Training Event,Internet,इंटरनेट DocType: Account,Stock Adjustment,शेअर समायोजन @@ -4002,10 +4013,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,पा apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,आयटम: {0} साठी कमाल {1} % सवलतिची परवानगी आहे apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,म्हणून नेट असेट व्हॅल्यू DocType: Account,Receivable,प्राप्त -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,रो # {0}: पर्चेस आधिपासूनच अस्तित्वात आहे म्हणून पुरवठादार बदलण्याची परवानगी नाही +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,रो # {0}: पर्चेस आधिपासूनच अस्तित्वात आहे म्हणून पुरवठादार बदलण्याची परवानगी नाही DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,भूमिका ज्याला सेट क्रेडिट मर्यादा ओलांडत व्यवहार सादर करण्याची परवानगी आहे . -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,उत्पादन करण्यासाठी आयटम निवडा -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","मास्टर डेटा समक्रमित करणे, तो काही वेळ लागू शकतो" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,उत्पादन करण्यासाठी आयटम निवडा +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","मास्टर डेटा समक्रमित करणे, तो काही वेळ लागू शकतो" DocType: Item,Material Issue,साहित्य अंक DocType: Hub Settings,Seller Description,विक्रेता वर्णन DocType: Employee Education,Qualification,पात्रता @@ -4026,11 +4037,10 @@ DocType: BOM,Rate Of Materials Based On,दर साहित्य आधा apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,समर्थन Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,सर्व अनचेक करा DocType: POS Profile,Terms and Conditions,अटी आणि शर्ती -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},तारीखे पर्यंत आर्थिक वर्षाच्या आत असावे. तारीख पर्यंत= {0}गृहीत धरून DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","येथे आपण इ उंची, वजन, अॅलर्जी, वैद्यकीय चिंता राखण्यास मदत करू शकता" DocType: Leave Block List,Applies to Company,कंपनीसाठी लागू -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,सादर शेअर प्रवेश {0} अस्तित्वात असल्याने रद्द करू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,सादर शेअर प्रवेश {0} अस्तित्वात असल्याने रद्द करू शकत नाही DocType: Employee Loan,Disbursement Date,खर्च तारीख DocType: Vehicle,Vehicle,वाहन DocType: Purchase Invoice,In Words,शब्द मध्ये @@ -4069,7 +4079,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,ग्लोबल स DocType: Assessment Result Detail,Assessment Result Detail,मूल्यांकन निकाल तपशील DocType: Employee Education,Employee Education,कर्मचारी शिक्षण apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,आयटम गट टेबल मध्ये आढळले डुप्लिकेट आयटम गट -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,हा आयटम तपशील प्राप्त करण्यासाठी आवश्यक आहे. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,हा आयटम तपशील प्राप्त करण्यासाठी आवश्यक आहे. DocType: Salary Slip,Net Pay,नेट पे DocType: Account,Account,खाते apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,सिरियल क्रमांक {0} आधीच प्राप्त झाला आहे @@ -4077,7 +4087,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,वाहन लॉग DocType: Purchase Invoice,Recurring Id,आवर्ती आयडी DocType: Customer,Sales Team Details,विक्री कार्यसंघ तपशील -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,कायमचे हटवा? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,कायमचे हटवा? DocType: Expense Claim,Total Claimed Amount,एकूण हक्क सांगितला रक्कम apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,विक्री संभाव्य संधी. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},अवैध {0} @@ -4089,7 +4099,7 @@ DocType: Warehouse,PIN,पिन apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext आपल्या शाळा सेटअप DocType: Sales Invoice,Base Change Amount (Company Currency),बेस बदला रक्कम (कंपनी चलन) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,खालील गोदामांची लेखा नोंदी नाहीत -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,पहिला दस्तऐवज जतन करा. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,पहिला दस्तऐवज जतन करा. DocType: Account,Chargeable,आकारण्यास DocType: Company,Change Abbreviation,बदला Abbreviation DocType: Expense Claim Detail,Expense Date,खर्च तारीख @@ -4103,7 +4113,6 @@ DocType: BOM,Manufacturing User,उत्पादन सदस्य DocType: Purchase Invoice,Raw Materials Supplied,कच्चा माल प्रदान DocType: Purchase Invoice,Recurring Print Format,आवर्ती प्रिंट स्वरूप DocType: C-Form,Series,मालिका -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,अपेक्षित वितरण तारीख पर्चेस तारखेच्या आधी असू शकत नाही DocType: Appraisal,Appraisal Template,मूल्यांकन साचा DocType: Item Group,Item Classification,आयटम वर्गीकरण apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,व्यवसाय विकास व्यवस्थापक @@ -4142,12 +4151,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ब्र apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,आगामी कार्यक्रम / परिणाम प्रशिक्षण apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,म्हणून घसारा जमा DocType: Sales Invoice,C-Form Applicable,सी-फॉर्म लागू -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},ऑपरेशन वेळ ऑपरेशन {0} साठी 0 पेक्षा जास्त असणे आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},ऑपरेशन वेळ ऑपरेशन {0} साठी 0 पेक्षा जास्त असणे आवश्यक आहे apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,वखार अनिवार्य आहे DocType: Supplier,Address and Contacts,पत्ता आणि संपर्क DocType: UOM Conversion Detail,UOM Conversion Detail,UOM रुपांतर तपशील DocType: Program,Program Abbreviation,कार्यक्रम संक्षेप -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,उत्पादन ऑर्डर एक आयटम साचा निषेध जाऊ शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,उत्पादन ऑर्डर एक आयटम साचा निषेध जाऊ शकत नाही apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,शुल्क प्रत्येक आयटम विरुद्ध खरेदी पावती मध्ये अद्यतनित केले जातात DocType: Warranty Claim,Resolved By,ने निराकरण DocType: Bank Guarantee,Start Date,प्रारंभ तारीख @@ -4182,6 +4191,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,प्रशिक्षण अभिप्राय apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,उत्पादन ऑर्डर {0} सादर करणे आवश्यक आहे apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},कृपया आयटम {0} साठी प्रारंभ तारीख आणि अंतिम तारीख निवडा +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,आपण प्राप्त करू इच्छित विक्री लक्ष्य सेट करा apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},अर्थात सलग आवश्यक आहे {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,तारीखे पर्यंत तारखेपासूनच्या आधी असू शकत नाही DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4200,7 +4210,7 @@ DocType: Account,Income,उत्पन्न DocType: Industry Type,Industry Type,उद्योग प्रकार apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,काहीतरी चूक झाली! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,चेतावणी: रजा अर्जा मधे खालील ब्लॉक तारखा समाविष्टीत आहेत -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,विक्री चलन {0} आधीच सादर केला गेला आहे +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,विक्री चलन {0} आधीच सादर केला गेला आहे DocType: Assessment Result Detail,Score,धावसंख्या apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,आर्थिक वर्ष {0} अस्तित्वात नाही apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,पूर्ण तारीख @@ -4230,7 +4240,7 @@ DocType: Naming Series,Help HTML,मदत HTML DocType: Student Group Creation Tool,Student Group Creation Tool,विद्यार्थी गट तयार साधन DocType: Item,Variant Based On,चल आधारित apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},एकूण नियुक्त वजन 100% असावे. हे {0} आहे -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,आपले पुरवठादार +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,आपले पुरवठादार apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,विक्री आदेश केली आहे म्हणून गमावले म्हणून सेट करू शकत नाही. DocType: Request for Quotation Item,Supplier Part No,पुरवठादार भाग नाही apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',गटात मूल्यांकन 'किंवा' Vaulation आणि एकूण 'करिता वजा करू शकत नाही @@ -4240,14 +4250,14 @@ DocType: Item,Has Serial No,सिरियल क्रमांक आहे DocType: Employee,Date of Issue,समस्येच्या तारीख apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} पासून {1} साठी apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","प्रति खरेदी सेटिंग्ज Reciept खरेदी आवश्यक == 'होय', नंतर चलन खरेदी तयार करण्यासाठी, वापरकर्ता आयटम प्रथम खरेदी पावती तयार करण्याची आवश्यकता असल्यास {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},रो # {0}: पुरवठादार {1} साठी आयटम सेट करा -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,सलग {0}: तास मूल्य शून्य पेक्षा जास्त असणे आवश्यक आहे. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},रो # {0}: पुरवठादार {1} साठी आयटम सेट करा +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,सलग {0}: तास मूल्य शून्य पेक्षा जास्त असणे आवश्यक आहे. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,आयटम {1} ला संलग्न वेबसाइट प्रतिमा {0} सापडू शकत नाही DocType: Issue,Content Type,सामग्री प्रकार apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,संगणक DocType: Item,List this Item in multiple groups on the website.,वेबसाइट वर अनेक गट मधे हे आयटम सूचीबद्ध . apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,इतर चलनबरोबरचे account परवानगी देण्यासाठी कृपया मल्टी चलन पर्याय तपासा -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,आयटम: {0} प्रणालीत अस्तित्वात नाही +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,आयटम: {0} प्रणालीत अस्तित्वात नाही apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,आपल्याला गोठविलेले मूल्य सेट करण्यासाठी अधिकृत नाही DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled नोंदी मिळवा DocType: Payment Reconciliation,From Invoice Date,चलन तारखेपासून @@ -4273,7 +4283,7 @@ DocType: Stock Entry,Default Source Warehouse,मुलभूत स्रोत DocType: Item,Customer Code,ग्राहक कोड apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},साठी जन्मदिवस अनुस्मरण {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,गेल्या ऑर्डर असल्याने दिवस -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,खाते करण्यासाठी डेबिट एक ताळेबंद खाते असणे आवश्यक आहे +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,खाते करण्यासाठी डेबिट एक ताळेबंद खाते असणे आवश्यक आहे DocType: Buying Settings,Naming Series,नामांकन मालिका DocType: Leave Block List,Leave Block List Name,रजा ब्लॉक यादी नाव apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,विमा प्रारंभ तारखेच्या विमा समाप्ती तारीख कमी असावे @@ -4290,7 +4300,7 @@ DocType: Vehicle Log,Odometer,ओडोमीटर DocType: Sales Order Item,Ordered Qty,आदेश दिलेली Qty apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,आयटम {0} अक्षम आहे DocType: Stock Settings,Stock Frozen Upto,शेअर फ्रोजन पर्यंत -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM कोणत्याही शेअर आयटम असणे नाही +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM कोणत्याही शेअर आयटम असणे नाही apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},कालावधी पासून आणि कालावधी पर्यंत तारखा कालावधी आवर्ती {0} साठी बंधनकारक apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,प्रकल्प क्रियाकलाप / कार्य. DocType: Vehicle Log,Refuelling Details,Refuelling तपशील @@ -4300,7 +4310,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,गेल्या खरेदी दर आढळले नाही DocType: Purchase Invoice,Write Off Amount (Company Currency),Write Off रक्कम (कंपनी चलन) DocType: Sales Invoice Timesheet,Billing Hours,बिलिंग तास -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,साठी {0} आढळले नाही मुलभूत BOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,साठी {0} आढळले नाही मुलभूत BOM apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,रो # {0}: पुनर्क्रमित प्रमाणात सेट करा apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,त्यांना येथे जोडण्यासाठी आयटम टॅप करा DocType: Fees,Program Enrollment,कार्यक्रम नावनोंदणी @@ -4334,6 +4344,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing श्रेणी 2 DocType: SG Creation Tool Course,Max Strength,कमाल शक्ती apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM बदलले +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,वितरण तारीख वर आधारित आयटम निवडा ,Sales Analytics,विक्री Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},उपलब्ध {0} ,Prospects Engaged But Not Converted,प्रॉस्पेक्ट व्यस्त पण रूपांतरित नाही @@ -4382,7 +4393,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise सवलत apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,कार्ये Timesheet. DocType: Purchase Invoice,Against Expense Account,खर्चाचे खाते विरुद्ध DocType: Production Order,Production Order,उत्पादन ऑर्डर -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,प्रतिष्ठापन टीप {0} आधीच सादर केला गेला आहे +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,प्रतिष्ठापन टीप {0} आधीच सादर केला गेला आहे DocType: Bank Reconciliation,Get Payment Entries,भरणा नोंदी मिळवा DocType: Quotation Item,Against Docname,Docname विरुद्ध DocType: SMS Center,All Employee (Active),सर्व कर्मचारी (सक्रिय) @@ -4391,7 +4402,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,कच्चा माल खर्च DocType: Item Reorder,Re-Order Level,पुन्हा-क्रम स्तर DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,आपण उत्पादन आदेश वाढवण्याची किंवा विश्लेषण कच्चा माल डाउनलोड करू इच्छित असलेल्या आयटम आणि नियोजित प्रमाण प्रविष्ट करा. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt चार्ट +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt चार्ट apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,भाग-वेळ DocType: Employee,Applicable Holiday List,लागू सुट्टी यादी DocType: Employee,Cheque,धनादेश @@ -4449,11 +4460,11 @@ DocType: Bin,Reserved Qty for Production,उत्पादन प्रमा DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,आपण अर्थातच आधारित गटांमध्ये करताना बॅच विचार करू इच्छित नाही तर अनचेक. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,आपण अर्थातच आधारित गटांमध्ये करताना बॅच विचार करू इच्छित नाही तर अनचेक. DocType: Asset,Frequency of Depreciation (Months),घसारा वारंवारता (महिने) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,क्रेडिट खाते +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,क्रेडिट खाते DocType: Landed Cost Item,Landed Cost Item,स्थावर खर्च आयटम apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,शून्य मूल्ये दर्शवा DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,आयटम प्रमाण कच्चा माल दिलेल्या प्रमाणात repacking / उत्पादन नंतर प्राप्त -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,सेटअप माझ्या संस्थेसाठी एक साधी वेबसाइट +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,सेटअप माझ्या संस्थेसाठी एक साधी वेबसाइट DocType: Payment Reconciliation,Receivable / Payable Account,प्राप्त / देय खाते DocType: Delivery Note Item,Against Sales Order Item,विक्री ऑर्डर आयटम विरुद्ध apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},कृपया विशेषता{0} साठी विशेषतेसाठी मूल्य निर्दिष्ट करा @@ -4518,22 +4529,22 @@ DocType: Student,Nationality,राष्ट्रीयत्व ,Items To Be Requested,आयटम विनंती करण्यासाठी DocType: Purchase Order,Get Last Purchase Rate,गेल्या खरेदी दर मिळवा DocType: Company,Company Info,कंपनी माहिती -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,निवडा किंवा नवीन ग्राहक जोडणे -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,खर्च केंद्र खर्च दावा बुक करणे आवश्यक आहे +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,निवडा किंवा नवीन ग्राहक जोडणे +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,खर्च केंद्र खर्च दावा बुक करणे आवश्यक आहे apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),निधी मालमत्ता (assets) अर्ज apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,हे या कर्मचा उपस्थिती आधारित आहे -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,डेबिट खाते +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,डेबिट खाते DocType: Fiscal Year,Year Start Date,वर्ष प्रारंभ तारीख DocType: Attendance,Employee Name,कर्मचारी नाव DocType: Sales Invoice,Rounded Total (Company Currency),गोळाबेरीज एकूण (कंपनी चलन) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,खाते प्रकार निवडले आहे कारण खाते प्रकार निवडले आहे. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} सुधारणा करण्यात आली आहे. रिफ्रेश करा. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} सुधारणा करण्यात आली आहे. रिफ्रेश करा. DocType: Leave Block List,Stop users from making Leave Applications on following days.,खालील दिवस रजा अनुप्रयोग बनवण्यासाठी वापरकर्त्यांना थांबवा. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,खरेदी रक्कम apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,पुरवठादार अवतरण {0} तयार apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,समाप्त वर्ष प्रारंभ वर्ष असू शकत नाही apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,कर्मचारी फायदे -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},पॅक प्रमाणात सलग आयटम {0} ची संख्या समान असणे आवश्यक आहे {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},पॅक प्रमाणात सलग आयटम {0} ची संख्या समान असणे आवश्यक आहे {1} DocType: Production Order,Manufactured Qty,उत्पादित Qty DocType: Purchase Receipt Item,Accepted Quantity,स्वीकृत प्रमाण apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},एक मुलभूत कर्मचारी सुट्टी यादी सेट करा {0} किंवा कंपनी {1} @@ -4544,11 +4555,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},रो नाही {0}: रक्कम खर्च दावा {1} विरुद्ध रक्कम प्रलंबित पेक्षा जास्त असू शकत नाही. प्रलंबित रक्कम {2} आहे DocType: Maintenance Schedule,Schedule,वेळापत्रक DocType: Account,Parent Account,पालक खाते -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,उपलब्ध +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,उपलब्ध DocType: Quality Inspection Reading,Reading 3,3 वाचन ,Hub,हब DocType: GL Entry,Voucher Type,प्रमाणक प्रकार -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,किंमत सूची आढळली किंवा अकार्यान्वीत केलेली नाही +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,किंमत सूची आढळली किंवा अकार्यान्वीत केलेली नाही DocType: Employee Loan Application,Approved,मंजूर DocType: Pricing Rule,Price,किंमत apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} वर मुक्त केलेले कर्मचारी 'Left' म्हणून set करणे आवश्यक आहे @@ -4618,7 +4629,7 @@ DocType: SMS Settings,Static Parameters,स्थिर बाबी DocType: Assessment Plan,Room,खोली DocType: Purchase Order,Advance Paid,आगाऊ अदा DocType: Item,Item Tax,आयटम कर -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,पुरवठादार साहित्य +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,पुरवठादार साहित्य apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,उत्पादन शुल्क चलन apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,थ्रेशोल्ड {0}% एकदा एकापेक्षा जास्त वेळा दिसून DocType: Expense Claim,Employees Email Id,कर्मचारी ई मेल आयडी @@ -4658,7 +4669,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,मॉडेल DocType: Production Order,Actual Operating Cost,वास्तविक ऑपरेटिंग खर्च DocType: Payment Entry,Cheque/Reference No,धनादेश / संदर्भ नाही -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,रूट संपादित केले जाऊ शकत नाही. DocType: Item,Units of Measure,माप युनिट DocType: Manufacturing Settings,Allow Production on Holidays,सुट्टीच्या दिवशी उत्पादन परवानगी द्या @@ -4691,12 +4701,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,क्रेडिट दिवस apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,विद्यार्थी बॅच करा DocType: Leave Type,Is Carry Forward,कॅरी फॉरवर्ड आहे -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM चे आयटम मिळवा +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM चे आयटम मिळवा apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,आघाडी वेळ दिवस -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},सलग # {0}: पोस्ट दिनांक खरेदी तारीख एकच असणे आवश्यक आहे {1} मालमत्ता {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},सलग # {0}: पोस्ट दिनांक खरेदी तारीख एकच असणे आवश्यक आहे {1} मालमत्ता {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,विद्यार्थी संस्थेचे वसतिगृह येथे राहत आहे तर हे तपासा. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,वरील टेबलमधे विक्री आदेश प्रविष्ट करा -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,सबमिट नाही पगार स्लिप +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,सबमिट नाही पगार स्लिप ,Stock Summary,शेअर सारांश apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,एकमेकांना कोठार एक मालमत्ता हस्तांतरण DocType: Vehicle,Petrol,पेट्रोल diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv index ef2f626dd3d..d420fcf6e0d 100644 --- a/erpnext/translations/ms.csv +++ b/erpnext/translations/ms.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Peniaga DocType: Employee,Rented,Disewa DocType: Purchase Order,PO-,po- DocType: POS Profile,Applicable for User,Digunakan untuk Pengguna -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Perintah Pengeluaran berhenti tidak boleh dibatalkan, Unstop terlebih dahulu untuk membatalkan" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Perintah Pengeluaran berhenti tidak boleh dibatalkan, Unstop terlebih dahulu untuk membatalkan" DocType: Vehicle Service,Mileage,Jarak tempuh apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Adakah anda benar-benar mahu menghapuskan aset ini? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Pilih Pembekal Lalai @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Dibilkan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Kadar pertukaran mestilah sama dengan {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Nama Pelanggan DocType: Vehicle,Natural Gas,Gas asli -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Akaun bank tidak boleh dinamakan sebagai {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Akaun bank tidak boleh dinamakan sebagai {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kepala (atau kumpulan) terhadap yang Penyertaan Perakaunan dibuat dan baki dikekalkan. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Cemerlang untuk {0} tidak boleh kurang daripada sifar ({1}) DocType: Manufacturing Settings,Default 10 mins,Default 10 minit @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Tinggalkan Nama Jenis apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Tunjukkan terbuka apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Siri Dikemaskini Berjaya apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Checkout -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Kemasukan Dihantar +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Kemasukan Dihantar DocType: Pricing Rule,Apply On,Memohon Pada DocType: Item Price,Multiple Item prices.,Harga Item berbilang. ,Purchase Order Items To Be Received,Item Pesanan Belian Akan Diterima @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Cara Pembayaran Akaun apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Show Kelainan DocType: Academic Term,Academic Term,Jangka akademik apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,bahan -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Kuantiti +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Kuantiti apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Jadual account tidak boleh kosong. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Pinjaman (Liabiliti) DocType: Employee Education,Year of Passing,Tahun Pemergian @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Penjagaan Kesihatan apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Kelewatan dalam pembayaran (Hari) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Perbelanjaan perkhidmatan -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Nombor siri: {0} sudah dirujuk dalam Sales Invoice: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Invois +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Nombor siri: {0} sudah dirujuk dalam Sales Invoice: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Invois DocType: Maintenance Schedule Item,Periodicity,Jangka masa apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Tahun fiskal {0} diperlukan -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Dijangka Tarikh penghantaran adalah menjadi sebelum Pesanan Jualan Tarikh apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Pertahanan DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),Score (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Jumlah Kos DocType: Delivery Note,Vehicle No,Kenderaan Tiada -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Sila pilih Senarai Harga +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Sila pilih Senarai Harga apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Dokumen Bayaran diperlukan untuk melengkapkan trasaction yang DocType: Production Order Operation,Work In Progress,Kerja Dalam Kemajuan apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Sila pilih tarikh @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} tidak dalam apa-apa aktif Tahun Anggaran. DocType: Packed Item,Parent Detail docname,Detail Ibu Bapa docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Rujukan: {0}, Kod Item: {1} dan Pelanggan: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Membuka pekerjaan. DocType: Item Attribute,Increment,Kenaikan @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Berkahwin apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Tidak dibenarkan untuk {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Mendapatkan barangan dari -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Saham tidak boleh dikemaskini terhadap Penghantaran Nota {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Saham tidak boleh dikemaskini terhadap Penghantaran Nota {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produk {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Tiada perkara yang disenaraikan DocType: Payment Reconciliation,Reconcile,Mendamaikan @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Dana apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Selepas Tarikh Susut nilai tidak boleh sebelum Tarikh Pembelian DocType: SMS Center,All Sales Person,Semua Orang Jualan DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Pengagihan Bulanan ** membantu anda mengedarkan Bajet / sasaran seluruh bulan jika anda mempunyai bermusim dalam perniagaan anda. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Bukan perkakas yang terdapat +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Bukan perkakas yang terdapat apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Struktur Gaji Hilang DocType: Lead,Person Name,Nama Orang DocType: Sales Invoice Item,Sales Invoice Item,Perkara Invois Jualan @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Adakah Aset Tetap" tidak boleh dibiarkan, kerana rekod aset wujud terhadap item" DocType: Vehicle Service,Brake Oil,Brek Minyak DocType: Tax Rule,Tax Type,Jenis Cukai -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Amaun yang dikenakan cukai +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Amaun yang dikenakan cukai apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Anda tidak dibenarkan untuk menambah atau update entri sebelum {0} DocType: BOM,Item Image (if not slideshow),Perkara imej (jika tidak menayang) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Satu Pelanggan wujud dengan nama yang sama DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Kadar sejam / 60) * Masa Operasi Sebenar -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Pilih BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Pilih BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kos Item Dihantar apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Cuti pada {0} bukan antara Dari Tarikh dan To Date @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,sekolah DocType: School Settings,Validate Batch for Students in Student Group,Mengesahkan Batch untuk Pelajar dalam Kumpulan Pelajar apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Tiada rekod cuti dijumpai untuk pekerja {0} untuk {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Sila masukkan syarikat pertama -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Sila pilih Syarikat pertama +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Sila pilih Syarikat pertama DocType: Employee Education,Under Graduate,Di bawah Siswazah apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Sasaran Pada DocType: BOM,Total Cost,Jumlah Kos DocType: Journal Entry Account,Employee Loan,Pinjaman pekerja -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Log Aktiviti: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Perkara {0} tidak wujud di dalam sistem atau telah tamat +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Log Aktiviti: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Perkara {0} tidak wujud di dalam sistem atau telah tamat apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Harta Tanah apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Penyata Akaun apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Pharmaceuticals @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Tuntutan Amaun apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,kumpulan pelanggan Duplicate dijumpai di dalam jadual kumpulan cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Jenis pembekal / Pembekal DocType: Naming Series,Prefix,Awalan -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,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/public/js/setup_wizard.js +294,Consumable,Guna habis +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Guna habis DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Import Log DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Tarik Bahan Permintaan jenis Pembuatan berdasarkan kriteria di atas DocType: Training Result Employee,Grade,gred DocType: Sales Invoice Item,Delivered By Supplier,Dihantar Oleh Pembekal DocType: SMS Center,All Contact,Semua Contact -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Order Production telah dicipta untuk semua item dengan BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Order Production telah dicipta untuk semua item dengan BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Gaji Tahunan DocType: Daily Work Summary,Daily Work Summary,Ringkasan Kerja Harian DocType: Period Closing Voucher,Closing Fiscal Year,Penutup Tahun Anggaran -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} dibekukan +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} dibekukan apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Sila pilih Syarikat Sedia Ada untuk mewujudkan Carta Akaun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Perbelanjaan saham apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Pilih Warehouse sasaran @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty Diterima + Ditolak mestilah sama dengan kuantiti yang Diterima untuk Perkara {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Bahan mentah untuk bekalan Pembelian -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Sekurang-kurangnya satu cara pembayaran adalah diperlukan untuk POS invois. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Sekurang-kurangnya satu cara pembayaran adalah diperlukan untuk POS invois. DocType: Products Settings,Show Products as a List,Show Produk sebagai Senarai yang DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Muat Template, isikan data yang sesuai dan melampirkan fail yang diubah suai. Semua tarikh dan pekerja gabungan dalam tempoh yang dipilih akan datang dalam template, dengan rekod kehadiran yang sedia ada" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Perkara {0} tidak aktif atau akhir hayat telah dicapai -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Contoh: Matematik Asas -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk memasukkan cukai berturut-turut {0} dalam kadar Perkara, cukai dalam baris {1} hendaklah juga disediakan" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Contoh: Matematik Asas +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk memasukkan cukai berturut-turut {0} dalam kadar Perkara, cukai dalam baris {1} hendaklah juga disediakan" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Tetapan untuk HR Modul DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,Tukar Jumlah @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Tarikh pemasangan tidak boleh sebelum tarikh penghantaran untuk Perkara {0} DocType: Pricing Rule,Discount on Price List Rate (%),Diskaun Senarai Harga Kadar (%) DocType: Offer Letter,Select Terms and Conditions,Pilih Terma dan Syarat -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Nilai keluar +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Nilai keluar DocType: Production Planning Tool,Sales Orders,Jualan Pesanan DocType: Purchase Taxes and Charges,Valuation,Penilaian ,Purchase Order Trends,Membeli Trend Pesanan @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Apakah Membuka Entry DocType: Customer Group,Mention if non-standard receivable account applicable,Sebut jika akaun belum terima tidak standard yang diguna pakai DocType: Course Schedule,Instructor Name,pengajar Nama -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Hantar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Hantar apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Diterima Dalam DocType: Sales Partner,Reseller,Penjual Semula DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Jika disemak, Akan termasuk barangan tanpa saham dalam Permintaan Bahan." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Terhadap Jualan Invois Perkara ,Production Orders in Progress,Pesanan Pengeluaran di Kemajuan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Tunai bersih daripada Pembiayaan -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyelamatkan" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyelamatkan" DocType: Lead,Address & Contact,Alamat DocType: Leave Allocation,Add unused leaves from previous allocations,Tambahkan daun yang tidak digunakan dari peruntukan sebelum apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Seterusnya berulang {0} akan diwujudkan pada {1} DocType: Sales Partner,Partner website,laman web rakan kongsi apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Tambah Item -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nama Kenalan +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nama Kenalan DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteria Penilaian Kursus DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Mencipta slip gaji untuk kriteria yang dinyatakan di atas. DocType: POS Customer Group,POS Customer Group,POS Kumpulan Pelanggan @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Sila semak 'Adakah Advance' terhadap Akaun {1} jika ini adalah suatu catatan terlebih dahulu. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Gudang {0} bukan milik syarikat {1} DocType: Email Digest,Profit & Loss,Untung rugi -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),Jumlah Kos Jumlah (melalui Lembaran Time) DocType: Item Website Specification,Item Website Specification,Spesifikasi Item Laman Web apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Tinggalkan Disekat @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Jualan Invois No DocType: Material Request Item,Min Order Qty,Min Order Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursus Kumpulan Pelajar Creation Tool DocType: Lead,Do Not Contact,Jangan Hubungi -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Orang yang mengajar di organisasi anda +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Orang yang mengajar di organisasi anda DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id unik untuk mengesan semua invois berulang. Ia dihasilkan di hantar. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Perisian Pemaju DocType: Item,Minimum Order Qty,Minimum Kuantiti Pesanan @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Menyiarkan dalam Hab DocType: Student Admission,Student Admission,Kemasukan pelajar ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Perkara {0} dibatalkan -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Permintaan bahan +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Permintaan bahan DocType: Bank Reconciliation,Update Clearance Date,Update Clearance Tarikh DocType: Item,Purchase Details,Butiran Pembelian apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Perkara {0} tidak dijumpai dalam 'Bahan Mentah Dibekalkan' meja dalam Pesanan Belian {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Pengurus Fleet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} tidak boleh negatif untuk item {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Salah Kata Laluan DocType: Item,Variant Of,Varian Daripada -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Siap Qty tidak boleh lebih besar daripada 'Kuantiti untuk Pengeluaran' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Siap Qty tidak boleh lebih besar daripada 'Kuantiti untuk Pengeluaran' DocType: Period Closing Voucher,Closing Account Head,Penutup Kepala Akaun DocType: Employee,External Work History,Luar Sejarah Kerja apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Ralat Rujukan Pekeliling @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Jarak dari tepi kiri apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unit [{1}] (# Borang / Item / {1}) yang terdapat di [{2}] (# Borang / Gudang / {2}) DocType: Lead,Industry,Industri DocType: Employee,Job Profile,Profil kerja +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Ini berdasarkan urusniaga terhadap Syarikat ini. Lihat garis masa di bawah untuk maklumat lanjut DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Memberitahu melalui e-mel pada penciptaan Permintaan Bahan automatik DocType: Journal Entry,Multi Currency,Mata Multi DocType: Payment Reconciliation Invoice,Invoice Type,Jenis invois -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Penghantaran Nota +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Penghantaran Nota apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Menubuhkan Cukai apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kos Aset Dijual apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Entry pembayaran telah diubah suai selepas anda ditarik. Sila tarik lagi. @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Sila masukkan 'Ulangi pada hari Bulan' nilai bidang DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Kadar di mana mata wang Pelanggan ditukar kepada mata wang asas pelanggan DocType: Course Scheduling Tool,Course Scheduling Tool,Kursus Alat Penjadualan -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Invois Belian tidak boleh dibuat terhadap aset yang sedia ada {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Invois Belian tidak boleh dibuat terhadap aset yang sedia ada {1} DocType: Item Tax,Tax Rate,Kadar Cukai apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} telah diperuntukkan untuk pekerja {1} untuk tempoh {2} kepada {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Pilih Item +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Pilih Item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Membeli Invois {0} telah dikemukakan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch No mestilah sama dengan {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Tukar ke Kumpulan bukan- @@ -447,7 +446,7 @@ DocType: Employee,Widowed,Janda DocType: Request for Quotation,Request for Quotation,Permintaan untuk sebut harga DocType: Salary Slip Timesheet,Working Hours,Waktu Bekerja DocType: Naming Series,Change the starting / current sequence number of an existing series.,Menukar nombor yang bermula / semasa urutan siri yang sedia ada. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Buat Pelanggan baru +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Buat Pelanggan baru apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jika beberapa Peraturan Harga terus diguna pakai, pengguna diminta untuk menetapkan Keutamaan secara manual untuk menyelesaikan konflik." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Buat Pesanan Pembelian ,Purchase Register,Pembelian Daftar @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Nama pemeriksa DocType: Purchase Invoice Item,Quantity and Rate,Kuantiti dan Kadar DocType: Delivery Note,% Installed,% Dipasang -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Bilik darjah / Laboratories dan lain-lain di mana kuliah boleh dijadualkan. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Bilik darjah / Laboratories dan lain-lain di mana kuliah boleh dijadualkan. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Sila masukkan nama syarikat pertama DocType: Purchase Invoice,Supplier Name,Nama Pembekal apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Baca Manual ERPNext yang @@ -490,7 +489,7 @@ DocType: Account,Old Parent,Old Ibu Bapa apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,medan mandatori - Academic Year apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,medan mandatori - Academic Year DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Menyesuaikan teks pengenalan yang berlaku sebagai sebahagian daripada e-mel itu. Setiap transaksi mempunyai teks pengenalan yang berasingan. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Sila menetapkan akaun dibayar lalai bagi syarikat itu {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Sila menetapkan akaun dibayar lalai bagi syarikat itu {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Tetapan global untuk semua proses pembuatan. DocType: Accounts Settings,Accounts Frozen Upto,Akaun-akaun Dibekukan Sehingga DocType: SMS Log,Sent On,Dihantar Pada @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,Akaun-akaun Boleh diBayar apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,The boms dipilih bukan untuk item yang sama DocType: Pricing Rule,Valid Upto,Sah Upto DocType: Training Event,Workshop,bengkel -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Senarai beberapa pelanggan anda. Mereka boleh menjadi organisasi atau individu. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Senarai beberapa pelanggan anda. Mereka boleh menjadi organisasi atau individu. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Bahagian Cukup untuk Membina apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Pendapatan Langsung apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Tidak boleh menapis di Akaun, jika dikumpulkan oleh Akaun" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Sila pilih Course apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Sila pilih Course DocType: Timesheet Detail,Hrs,Hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Sila pilih Syarikat +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Sila pilih Syarikat DocType: Stock Entry Detail,Difference Account,Akaun perbezaan DocType: Purchase Invoice,Supplier GSTIN,GSTIN pembekal apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Tidak boleh tugas sedekat tugas takluknya {0} tidak ditutup. @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Sila menentukan gred bagi Ambang 0% DocType: Sales Order,To Deliver,Untuk Menyampaikan DocType: Purchase Invoice Item,Item,Perkara -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serial tiada perkara tidak boleh menjadi sebahagian kecil +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serial tiada perkara tidak boleh menjadi sebahagian kecil DocType: Journal Entry,Difference (Dr - Cr),Perbezaan (Dr - Cr) DocType: Account,Profit and Loss,Untung dan Rugi apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Urusan subkontrak @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),Tempoh Waranti (Hari) DocType: Installation Note Item,Installation Note Item,Pemasangan Nota Perkara DocType: Production Plan Item,Pending Qty,Menunggu Kuantiti DocType: Budget,Ignore,Abaikan -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} tidak aktif +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} tidak aktif apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS yang dihantar ke nombor berikut: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,dimensi Persediaan cek percetakan DocType: Salary Slip,Salary Slip Timesheet,Slip Gaji Timesheet @@ -687,8 +686,8 @@ DocType: Installation Note,IN-,di- DocType: Production Order Operation,In minutes,Dalam beberapa minit DocType: Issue,Resolution Date,Resolusi Tarikh DocType: Student Batch Name,Batch Name,Batch Nama -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet dicipta: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Sila tetapkan lalai Tunai atau akaun Bank dalam Mod Bayaran {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet dicipta: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Sila tetapkan lalai Tunai atau akaun Bank dalam Mod Bayaran {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,mendaftar DocType: GST Settings,GST Settings,Tetapan GST DocType: Selling Settings,Customer Naming By,Menamakan Dengan Pelanggan @@ -708,7 +707,7 @@ DocType: Activity Cost,Projects User,Projek pengguna apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Digunakan apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} tidak terdapat dalam jadual Butiran Invois DocType: Company,Round Off Cost Center,Bundarkan PTJ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Lawatan penyelenggaraan {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Lawatan penyelenggaraan {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini DocType: Item,Material Transfer,Pemindahan bahan apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Pembukaan (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Penempatan tanda waktu mesti selepas {0} @@ -717,7 +716,7 @@ DocType: Employee Loan,Total Interest Payable,Jumlah Faedah yang Perlu Dibayar DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Cukai Tanah Kos dan Caj DocType: Production Order Operation,Actual Start Time,Masa Mula Sebenar DocType: BOM Operation,Operation Time,Masa Operasi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Selesai +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Selesai apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,base DocType: Timesheet,Total Billed Hours,Jumlah Jam Diiktiraf DocType: Journal Entry,Write Off Amount,Tulis Off Jumlah @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),Nilai Odometer (Akhir) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Pemasaran apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Kemasukan bayaran telah membuat DocType: Purchase Receipt Item Supplied,Current Stock,Saham Semasa -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} tidak dikaitkan dengan Perkara {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} tidak dikaitkan dengan Perkara {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Preview Slip Gaji apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Akaun {0} telah dibuat beberapa kali DocType: Account,Expenses Included In Valuation,Perbelanjaan Termasuk Dalam Penilaian @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aeroangkas DocType: Journal Entry,Credit Card Entry,Entry Kad Kredit apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Syarikat dan Akaun apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Barangan yang diterima daripada Pembekal. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,dalam Nilai +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,dalam Nilai DocType: Lead,Campaign Name,Nama Kempen DocType: Selling Settings,Close Opportunity After Days,Tutup Peluang Selepas Hari ,Reserved,Cipta Terpelihara @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Tenaga DocType: Opportunity,Opportunity From,Peluang Daripada apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Kenyataan gaji bulanan. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Baris {0}: {1} Nombor Siri diperlukan untuk Item {2}. Anda telah menyediakan {3}. DocType: BOM,Website Specifications,Laman Web Spesifikasi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Dari {0} dari jenis {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Faktor penukaran adalah wajib DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Peraturan Harga pelbagai wujud dengan kriteria yang sama, sila menyelesaikan konflik dengan memberikan keutamaan. Peraturan Harga: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak boleh menyahaktifkan atau membatalkan BOM kerana ia dikaitkan dengan BOMs lain +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak boleh menyahaktifkan atau membatalkan BOM kerana ia dikaitkan dengan BOMs lain DocType: Opportunity,Maintenance,Penyelenggaraan DocType: Item Attribute Value,Item Attribute Value,Perkara Atribut Nilai apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Kempen jualan. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,membuat Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,membuat Timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -838,7 +838,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Menyediakan Akaun E-mel apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Sila masukkan Perkara pertama DocType: Account,Liability,Liabiliti -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Amaun yang dibenarkan tidak boleh lebih besar daripada Tuntutan Jumlah dalam Row {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Amaun yang dibenarkan tidak boleh lebih besar daripada Tuntutan Jumlah dalam Row {0}. DocType: Company,Default Cost of Goods Sold Account,Kos Default Akaun Barangan Dijual apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Senarai Harga tidak dipilih DocType: Employee,Family Background,Latar Belakang Keluarga @@ -849,10 +849,10 @@ DocType: Company,Default Bank Account,Akaun Bank Default apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Untuk menapis berdasarkan Parti, pilih Parti Taipkan pertama" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Update Stock' tidak boleh disemak kerana perkara yang tidak dihantar melalui {0} DocType: Vehicle,Acquisition Date,perolehan Tarikh -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Item dengan wajaran yang lebih tinggi akan ditunjukkan tinggi DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detail Penyesuaian Bank -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} hendaklah dikemukakan +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} hendaklah dikemukakan apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Tiada pekerja didapati DocType: Supplier Quotation,Stopped,Berhenti DocType: Item,If subcontracted to a vendor,Jika subkontrak kepada vendor @@ -869,7 +869,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Amaun Invois Minimum apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: PTJ {2} bukan milik Syarikat {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Akaun {2} tidak boleh menjadi Kumpulan apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Perkara Row {IDX}: {DOCTYPE} {} DOCNAME tidak wujud dalam di atas '{DOCTYPE}' meja -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} sudah selesai atau dibatalkan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} sudah selesai atau dibatalkan apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Tiada tugasan DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Hari dalam bulan di mana invois automatik akan dijana contohnya 05, 28 dan lain-lain" DocType: Asset,Opening Accumulated Depreciation,Membuka Susut Nilai Terkumpul @@ -928,7 +928,7 @@ DocType: SMS Log,Requested Numbers,Nombor diminta DocType: Production Planning Tool,Only Obtain Raw Materials,Hanya Dapatkan Bahan Mentah apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Penilaian prestasi. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Mendayakan 'Gunakan untuk Shopping Cart', kerana Troli didayakan dan perlu ada sekurang-kurangnya satu Peraturan cukai bagi Troli Membeli-belah" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Kemasukan Pembayaran {0} dikaitkan terhadap Perintah {1}, semak sama ada ia perlu ditarik sebagai pendahuluan dalam invois ini." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Kemasukan Pembayaran {0} dikaitkan terhadap Perintah {1}, semak sama ada ia perlu ditarik sebagai pendahuluan dalam invois ini." DocType: Sales Invoice Item,Stock Details,Stok apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Nilai Projek apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Tempat jualan @@ -951,15 +951,15 @@ DocType: Naming Series,Update Series,Update Siri DocType: Supplier Quotation,Is Subcontracted,Apakah Subkontrak DocType: Item Attribute,Item Attribute Values,Nilai Perkara Sifat DocType: Examination Result,Examination Result,Keputusan peperiksaan -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Resit Pembelian +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Resit Pembelian ,Received Items To Be Billed,Barangan yang diterima dikenakan caj -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Dihantar Gaji Slip +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Dihantar Gaji Slip apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Mata Wang Kadar pertukaran utama. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Rujukan DOCTYPE mesti menjadi salah satu {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Tidak dapat mencari Slot Masa di akhirat {0} hari untuk Operasi {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Tidak dapat mencari Slot Masa di akhirat {0} hari untuk Operasi {1} DocType: Production Order,Plan material for sub-assemblies,Bahan rancangan untuk sub-pemasangan apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Jualan rakan-rakan dan Wilayah -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} mesti aktif +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} mesti aktif DocType: Journal Entry,Depreciation Entry,Kemasukan susutnilai apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Sila pilih jenis dokumen pertama apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Batal Bahan Lawatan {0} sebelum membatalkan Lawatan Penyelenggaraan ini @@ -969,7 +969,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Jumlah apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Penerbitan Internet DocType: Production Planning Tool,Production Orders,Pesanan Pengeluaran -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Nilai Baki +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Nilai Baki apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Senarai Harga Jualan apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publish untuk menyegerakkan item DocType: Bank Reconciliation,Account Currency,Mata Wang Akaun @@ -994,12 +994,12 @@ DocType: Employee,Exit Interview Details,Butiran Keluar Temuduga DocType: Item,Is Purchase Item,Adalah Pembelian Item DocType: Asset,Purchase Invoice,Invois Belian DocType: Stock Ledger Entry,Voucher Detail No,Detail baucar Tiada -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,New Invois Jualan +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,New Invois Jualan DocType: Stock Entry,Total Outgoing Value,Jumlah Nilai Keluar apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Tarikh dan Tarikh Tutup merasmikan perlu berada dalam sama Tahun Anggaran DocType: Lead,Request for Information,Permintaan Maklumat ,LeaderBoard,Leaderboard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline Invois +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Invois DocType: Payment Request,Paid,Dibayar DocType: Program Fee,Program Fee,Yuran program DocType: Salary Slip,Total in words,Jumlah dalam perkataan @@ -1007,7 +1007,7 @@ DocType: Material Request Item,Lead Time Date,Lead Tarikh Masa DocType: Guardian,Guardian Name,Nama Guardian DocType: Cheque Print Template,Has Print Format,Mempunyai Format Cetak DocType: Employee Loan,Sanctioned,Diiktiraf -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,adalah wajib. Mungkin rekod pertukaran mata wang tidak dicipta untuk +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,adalah wajib. Mungkin rekod pertukaran mata wang tidak dicipta untuk apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Sila nyatakan Serial No untuk Perkara {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk item 'Bundle Produk', Gudang, No Serial dan batch Tidak akan dipertimbangkan dari 'Packing List' meja. Jika Gudang dan Batch No adalah sama untuk semua barangan pembungkusan untuk item apa-apa 'Bundle Produk', nilai-nilai boleh dimasukkan dalam jadual Perkara utama, nilai akan disalin ke 'Packing List' meja." DocType: Job Opening,Publish on website,Menerbitkan di laman web @@ -1020,7 +1020,7 @@ DocType: Cheque Print Template,Date Settings,tarikh Tetapan apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varian ,Company Name,Nama Syarikat DocType: SMS Center,Total Message(s),Jumlah Mesej (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Pilih Item Pemindahan +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Pilih Item Pemindahan DocType: Purchase Invoice,Additional Discount Percentage,Peratus Diskaun tambahan apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Lihat senarai semua video bantuan DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Pilih kepala akaun bank di mana cek didepositkan. @@ -1035,7 +1035,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Bahan mentah Kos (Syarikat Mata apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Semua barang-barang telah dipindahkan bagi Perintah Pengeluaran ini. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Kadar tidak boleh lebih besar daripada kadar yang digunakan dalam {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Kadar tidak boleh lebih besar daripada kadar yang digunakan dalam {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,meter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,meter DocType: Workstation,Electricity Cost,Kos Elektrik DocType: HR Settings,Don't send Employee Birthday Reminders,Jangan hantar Pekerja Hari Lahir Peringatan DocType: Item,Inspection Criteria,Kriteria Pemeriksaan @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Mendapatkan Pendahuluan Dibayar DocType: Item,Automatically Create New Batch,Secara automatik Buat Batch New DocType: Item,Automatically Create New Batch,Secara automatik Buat Batch New -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Buat +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Buat DocType: Student Admission,Admission Start Date,Kemasukan Tarikh Mula DocType: Journal Entry,Total Amount in Words,Jumlah Amaun dalam Perkataan apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Terdapat ralat. Yang berkemungkinan boleh bahawa anda belum menyimpan borang. Sila hubungi support@erpnext.com jika masalah berterusan. @@ -1058,7 +1058,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Keranjang saya apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Perintah Jenis mestilah salah seorang daripada {0} DocType: Lead,Next Contact Date,Hubungi Seterusnya Tarikh apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Membuka Qty -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Sila masukkan Akaun untuk Perubahan Jumlah +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Sila masukkan Akaun untuk Perubahan Jumlah DocType: Student Batch Name,Student Batch Name,Pelajar Batch Nama DocType: Holiday List,Holiday List Name,Nama Senarai Holiday DocType: Repayment Schedule,Balance Loan Amount,Jumlah Baki Pinjaman @@ -1066,7 +1066,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Pilihan Saham DocType: Journal Entry Account,Expense Claim,Perbelanjaan Tuntutan apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Adakah anda benar-benar mahu memulihkan aset dilupuskan ini? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Qty untuk {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Qty untuk {0} DocType: Leave Application,Leave Application,Cuti Permohonan apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Tinggalkan Alat Peruntukan DocType: Leave Block List,Leave Block List Dates,Tinggalkan Tarikh Sekat Senarai @@ -1117,7 +1117,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Terhadap DocType: Item,Default Selling Cost Center,Default Jualan Kos Pusat DocType: Sales Partner,Implementation Partner,Rakan Pelaksanaan -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Poskod +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Poskod apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Pesanan Jualan {0} ialah {1} DocType: Opportunity,Contact Info,Maklumat perhubungan apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Membuat Kemasukan Stok @@ -1136,14 +1136,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,P DocType: School Settings,Attendance Freeze Date,Kehadiran Freeze Tarikh DocType: School Settings,Attendance Freeze Date,Kehadiran Freeze Tarikh DocType: Opportunity,Your sales person who will contact the customer in future,Orang jualan anda yang akan menghubungi pelanggan pada masa akan datang -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Senarai beberapa pembekal anda. Mereka boleh menjadi organisasi atau individu. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Senarai beberapa pembekal anda. Mereka boleh menjadi organisasi atau individu. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Lihat Semua Produk apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead Minimum Umur (Hari) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead Minimum Umur (Hari) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,semua boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,semua boms DocType: Company,Default Currency,Mata wang lalai DocType: Expense Claim,From Employee,Dari Pekerja -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Amaran: Sistem tidak akan semak overbilling sejak jumlah untuk Perkara {0} dalam {1} adalah sifar +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Amaran: Sistem tidak akan semak overbilling sejak jumlah untuk Perkara {0} dalam {1} adalah sifar DocType: Journal Entry,Make Difference Entry,Membawa Perubahan Entry DocType: Upload Attendance,Attendance From Date,Kehadiran Dari Tarikh DocType: Appraisal Template Goal,Key Performance Area,Kawasan Prestasi Utama @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Nombor pendaftaran syarikat untuk rujukan anda. Nombor cukai dan lain-lain DocType: Sales Partner,Distributor,Pengedar DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Membeli-belah Troli Penghantaran Peraturan -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Pengeluaran Pesanan {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Pengeluaran Pesanan {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Sila menetapkan 'Guna Diskaun tambahan On' ,Ordered Items To Be Billed,Item Diperintah dibilkan apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Dari Range mempunyai kurang daripada Untuk Julat @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Potongan DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Mula Tahun -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Pertama 2 digit GSTIN harus sepadan dengan nombor Negeri {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Pertama 2 digit GSTIN harus sepadan dengan nombor Negeri {0} DocType: Purchase Invoice,Start date of current invoice's period,Tarikh tempoh invois semasa memulakan DocType: Salary Slip,Leave Without Pay,Tinggalkan Tanpa Gaji -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapasiti Ralat Perancangan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kapasiti Ralat Perancangan ,Trial Balance for Party,Baki percubaan untuk Parti DocType: Lead,Consultant,Perunding DocType: Salary Slip,Earnings,Pendapatan @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,Tetapan pembayar DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ini akan dilampirkan Kod Item bagi varian. Sebagai contoh, jika anda adalah singkatan "SM", dan kod item adalah "T-SHIRT", kod item varian akan "T-SHIRT-SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Gaji bersih (dengan perkataan) akan dapat dilihat selepas anda menyimpan Slip Gaji. DocType: Purchase Invoice,Is Return,Tempat kembalinya -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Pulangan / Nota Debit +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Pulangan / Nota Debit DocType: Price List Country,Price List Country,Senarai harga Negara DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} nombor siri sah untuk Perkara {1} @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,sebahagiannya Dikeluarkan apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Pangkalan data pembekal. DocType: Account,Balance Sheet,Kunci Kira-kira apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Pusat Kos Bagi Item Kod Item ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode bayaran tidak dikonfigurasikan. Sila semak, sama ada akaun ini tidak ditetapkan Mod Pembayaran atau POS Profil." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode bayaran tidak dikonfigurasikan. Sila semak, sama ada akaun ini tidak ditetapkan Mod Pembayaran atau POS Profil." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Orang jualan anda akan mendapat peringatan pada tarikh ini untuk menghubungi pelanggan apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,item yang sama tidak boleh dimasukkan beberapa kali. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Akaun lanjut boleh dibuat di bawah Kumpulan, tetapi penyertaan boleh dibuat terhadap bukan Kumpulan" @@ -1231,7 +1231,7 @@ DocType: Employee Loan Application,Repayment Info,Maklumat pembayaran balik apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Penyertaan' tidak boleh kosong apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Salinan barisan {0} dengan sama {1} ,Trial Balance,Imbangan Duga -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Tahun Anggaran {0} tidak dijumpai +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Tahun Anggaran {0} tidak dijumpai apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Menubuhkan Pekerja DocType: Sales Order,SO-,demikian- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Sila pilih awalan pertama @@ -1246,11 +1246,11 @@ DocType: Grading Scale,Intervals,selang apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Terawal apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Satu Kumpulan Item wujud dengan nama yang sama, sila tukar nama item atau menamakan semula kumpulan item" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Pelajar Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Rest Of The World +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Rest Of The World apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The Perkara {0} tidak boleh mempunyai Batch ,Budget Variance Report,Belanjawan Laporan Varian DocType: Salary Slip,Gross Pay,Gaji kasar -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Jenis Aktiviti adalah wajib. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Row {0}: Jenis Aktiviti adalah wajib. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividen Dibayar apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Perakaunan Lejar DocType: Stock Reconciliation,Difference Amount,Perbezaan Amaun @@ -1273,18 +1273,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Pekerja Cuti Baki apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Baki untuk Akaun {0} mesti sentiasa {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Kadar Penilaian diperlukan untuk Item berturut-turut {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Contoh: Sarjana Sains Komputer +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Contoh: Sarjana Sains Komputer DocType: Purchase Invoice,Rejected Warehouse,Gudang Ditolak DocType: GL Entry,Against Voucher,Terhadap Baucar DocType: Item,Default Buying Cost Center,Default Membeli Kos Pusat apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Untuk mendapatkan yang terbaik daripada ERPNext, kami menyarankan anda mengambil sedikit masa dan menonton video bantuan." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,kepada +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,kepada DocType: Supplier Quotation Item,Lead Time in days,Masa utama dalam hari apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Ringkasan Akaun Boleh Dibayar -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Pembayaran gaji daripada {0} kepada {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Pembayaran gaji daripada {0} kepada {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Tiada kebenaran untuk mengedit Akaun beku {0} DocType: Journal Entry,Get Outstanding Invoices,Dapatkan Invois Cemerlang -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Pesanan Jualan {0} tidak sah +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Pesanan Jualan {0} tidak sah apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,pesanan pembelian membantu anda merancang dan mengambil tindakan susulan ke atas pembelian anda apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Maaf, syarikat tidak boleh digabungkan" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1306,8 +1306,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Perbelanjaan tidak langsung apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Pertanian -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Produk atau Perkhidmatan anda +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Produk atau Perkhidmatan anda DocType: Mode of Payment,Mode of Payment,Cara Pembayaran apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Laman web Image perlu fail awam atau URL laman web DocType: Student Applicant,AP,AP @@ -1327,18 +1327,18 @@ DocType: Student Group Student,Group Roll Number,Kumpulan Nombor Roll DocType: Student Group Student,Group Roll Number,Kumpulan Nombor Roll apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Untuk {0}, hanya akaun kredit boleh dikaitkan terhadap kemasukan debit lain" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Jumlah semua berat tugas harus 1. Laraskan berat semua tugas Projek sewajarnya -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Penghantaran Nota {0} tidak dikemukakan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Penghantaran Nota {0} tidak dikemukakan apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Perkara {0} mestilah Sub-kontrak Perkara apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Peralatan Modal apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Peraturan harga mula-mula dipilih berdasarkan 'Guna Mengenai' bidang, yang boleh menjadi Perkara, Perkara Kumpulan atau Jenama." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Sila nyatakan Kod Item terlebih dahulu +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Sila nyatakan Kod Item terlebih dahulu DocType: Hub Settings,Seller Website,Penjual Laman Web DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Jumlah peratusan yang diperuntukkan bagi pasukan jualan harus 100 DocType: Appraisal Goal,Goal,Matlamat DocType: Sales Invoice Item,Edit Description,Edit Penerangan ,Team Updates,Pasukan Terbaru -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Untuk Pembekal +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Untuk Pembekal DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Menetapkan Jenis Akaun membantu dalam memilih Akaun ini dalam urus niaga. DocType: Purchase Invoice,Grand Total (Company Currency),Jumlah Besar (Syarikat mata wang) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Buat Format Cetak @@ -1352,12 +1352,12 @@ DocType: Item,Website Item Groups,Kumpulan Website Perkara DocType: Purchase Invoice,Total (Company Currency),Jumlah (Syarikat mata wang) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Nombor siri {0} memasuki lebih daripada sekali DocType: Depreciation Schedule,Journal Entry,Jurnal Entry -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} item dalam kemajuan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} item dalam kemajuan DocType: Workstation,Workstation Name,Nama stesen kerja DocType: Grading Scale Interval,Grade Code,Kod gred DocType: POS Item Group,POS Item Group,POS Item Kumpulan apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mel Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} bukan milik Perkara {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} bukan milik Perkara {1} DocType: Sales Partner,Target Distribution,Pengagihan Sasaran 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 @@ -1415,7 +1415,7 @@ DocType: Quotation,Shopping Cart,Troli Membeli-belah apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Purata harian Keluar DocType: POS Profile,Campaign,Kempen DocType: Supplier,Name and Type,Nama dan Jenis -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Kelulusan Status mesti 'diluluskan' atau 'Ditolak' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Kelulusan Status mesti 'diluluskan' atau 'Ditolak' DocType: Purchase Invoice,Contact Person,Dihubungi apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Jangkaan Tarikh Bermula' tidak boleh menjadi lebih besar daripada 'Jangkaan Tarikh Tamat' DocType: Course Scheduling Tool,Course End Date,Kursus Tarikh Akhir @@ -1427,8 +1427,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,diinginkan Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Perubahan Bersih dalam Aset Tetap DocType: Leave Control Panel,Leave blank if considered for all designations,Tinggalkan kosong jika dipertimbangkan untuk semua jawatan -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Penjaga jenis 'sebenar' di baris {0} tidak boleh dimasukkan dalam Kadar Perkara -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Penjaga jenis 'sebenar' di baris {0} tidak boleh dimasukkan dalam Kadar Perkara +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Dari datetime DocType: Email Digest,For Company,Bagi Syarikat apps/erpnext/erpnext/config/support.py +17,Communication log.,Log komunikasi. @@ -1469,7 +1469,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profil kerja, DocType: Journal Entry Account,Account Balance,Baki Akaun apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Peraturan cukai bagi urus niaga. DocType: Rename Tool,Type of document to rename.,Jenis dokumen untuk menamakan semula. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Kami membeli Perkara ini +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Kami membeli Perkara ini apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Pelanggan dikehendaki terhadap akaun Belum Terima {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Jumlah Cukai dan Caj (Mata Wang Syarikat) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Tunjukkan P & baki L tahun fiskal unclosed ini @@ -1480,7 +1480,7 @@ DocType: Quality Inspection,Readings,Bacaan DocType: Stock Entry,Total Additional Costs,Jumlah Kos Tambahan DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Kos Scrap bahan (Syarikat Mata Wang) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Dewan Sub +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Dewan Sub DocType: Asset,Asset Name,Nama aset DocType: Project,Task Weight,tugas Berat DocType: Shipping Rule Condition,To Value,Untuk Nilai @@ -1509,7 +1509,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Kelainan Perkara DocType: Company,Services,Perkhidmatan DocType: HR Settings,Email Salary Slip to Employee,Email Slip Gaji kepada Pekerja DocType: Cost Center,Parent Cost Center,Kos Pusat Ibu Bapa -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Pilih Pembekal Kemungkinan +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Pilih Pembekal Kemungkinan DocType: Sales Invoice,Source,Sumber apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show ditutup DocType: Leave Type,Is Leave Without Pay,Apakah Tinggalkan Tanpa Gaji @@ -1521,7 +1521,7 @@ DocType: POS Profile,Apply Discount,Gunakan Diskaun DocType: GST HSN Code,GST HSN Code,GST Kod HSN DocType: Employee External Work History,Total Experience,Jumlah Pengalaman apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Projek Terbuka -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Slip pembungkusan (s) dibatalkan +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Slip pembungkusan (s) dibatalkan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Aliran tunai daripada Pelaburan DocType: Program Course,Program Course,Kursus program apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Freight Forwarding dan Caj @@ -1562,9 +1562,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,pendaftaran program DocType: Sales Invoice Item,Brand Name,Nama jenama DocType: Purchase Receipt,Transporter Details,Butiran Transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,gudang lalai diperlukan untuk item yang dipilih -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Box -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Pembekal mungkin +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,gudang lalai diperlukan untuk item yang dipilih +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Box +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Pembekal mungkin DocType: Budget,Monthly Distribution,Pengagihan Bulanan apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Penerima Senarai kosong. Sila buat Penerima Senarai DocType: Production Plan Sales Order,Production Plan Sales Order,Rancangan Pengeluaran Jualan Pesanan @@ -1597,7 +1597,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Tuntutan perb apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Pelajar di tengah-tengah sistem, menambah semua pelajar anda" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Tarikh Clearance {1} tidak boleh sebelum Tarikh Cek {2} DocType: Company,Default Holiday List,Default Senarai Holiday -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Liabiliti saham DocType: Purchase Invoice,Supplier Warehouse,Gudang Pembekal DocType: Opportunity,Contact Mobile No,Hubungi Mobile No @@ -1613,18 +1613,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Cuti jenis {0} tidak boleh lebih panjang daripada {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Cuba merancang operasi untuk hari X terlebih dahulu. DocType: HR Settings,Stop Birthday Reminders,Stop Hari Lahir Peringatan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Sila menetapkan Payroll Akaun Belum Bayar Lalai dalam Syarikat {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Sila menetapkan Payroll Akaun Belum Bayar Lalai dalam Syarikat {0} DocType: SMS Center,Receiver List,Penerima Senarai -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Cari Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Cari Item apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Jumlah dimakan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Perubahan Bersih dalam Tunai DocType: Assessment Plan,Grading Scale,Skala penggredan apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unit Langkah {0} telah memasuki lebih daripada sekali dalam Factor Penukaran Jadual -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,sudah selesai +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,sudah selesai apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock In Hand apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Permintaan Bayaran sudah wujud {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kos Item Dikeluarkan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Kuantiti mestilah tidak lebih daripada {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Kuantiti mestilah tidak lebih daripada {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Sebelum Tahun Kewangan tidak ditutup apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Umur (Hari) DocType: Quotation Item,Quotation Item,Sebut Harga Item @@ -1638,6 +1638,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Dokumen rujukan apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan DocType: Accounts Settings,Credit Controller,Pengawal Kredit +DocType: Sales Order,Final Delivery Date,Tarikh Penghantaran Akhir DocType: Delivery Note,Vehicle Dispatch Date,Kenderaan Dispatch Tarikh DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Pembelian Resit {0} tidak dikemukakan @@ -1730,9 +1731,9 @@ DocType: Employee,Date Of Retirement,Tarikh Persaraan DocType: Upload Attendance,Get Template,Dapatkan Template DocType: Material Request,Transferred,dipindahkan DocType: Vehicle,Doors,Doors -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Persediaan Selesai! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Persediaan Selesai! DocType: Course Assessment Criteria,Weightage,Wajaran -DocType: Sales Invoice,Tax Breakup,Breakup cukai +DocType: Purchase Invoice,Tax Breakup,Breakup cukai DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Pusat Kos yang diperlukan untuk akaun 'Untung Rugi' {2}. Sila menubuhkan Pusat Kos lalai untuk Syarikat. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Satu Kumpulan Pelanggan sudah wujud dengan nama yang sama, sila tukar nama Pelanggan atau menamakan semula Kumpulan Pelanggan" @@ -1745,14 +1746,14 @@ DocType: Announcement,Instructor,pengajar DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jika perkara ini mempunyai varian, maka ia tidak boleh dipilih dalam pesanan jualan dan lain-lain" DocType: Lead,Next Contact By,Hubungi Seterusnya By -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Kuantiti yang diperlukan untuk Perkara {0} berturut-turut {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Kuantiti yang diperlukan untuk Perkara {0} berturut-turut {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak boleh dihapuskan sebagai kuantiti wujud untuk Perkara {1} DocType: Quotation,Order Type,Perintah Jenis DocType: Purchase Invoice,Notification Email Address,Pemberitahuan Alamat E-mel ,Item-wise Sales Register,Perkara-bijak Jualan Daftar DocType: Asset,Gross Purchase Amount,Jumlah Pembelian Kasar DocType: Asset,Depreciation Method,Kaedah susut nilai -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Cukai ini adalah termasuk dalam Kadar Asas? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Jumlah Sasaran DocType: Job Applicant,Applicant for a Job,Pemohon untuk pekerjaan yang @@ -1774,7 +1775,7 @@ DocType: Employee,Leave Encashed?,Cuti ditunaikan? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Peluang Daripada bidang adalah wajib DocType: Email Digest,Annual Expenses,Perbelanjaan tahunan DocType: Item,Variants,Kelainan -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Buat Pesanan Belian +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Buat Pesanan Belian DocType: SMS Center,Send To,Hantar Kepada apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Tidak ada baki cuti yang cukup untuk Cuti Jenis {0} DocType: Payment Reconciliation Payment,Allocated amount,Jumlah yang diperuntukkan @@ -1782,7 +1783,7 @@ DocType: Sales Team,Contribution to Net Total,Sumbangan kepada Jumlah Bersih DocType: Sales Invoice Item,Customer's Item Code,Kod Item Pelanggan DocType: Stock Reconciliation,Stock Reconciliation,Saham Penyesuaian DocType: Territory,Territory Name,Wilayah Nama -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Kerja dalam Kemajuan Gudang diperlukan sebelum Hantar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Kerja dalam Kemajuan Gudang diperlukan sebelum Hantar apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Pemohon pekerjaan. DocType: Purchase Order Item,Warehouse and Reference,Gudang dan Rujukan DocType: Supplier,Statutory info and other general information about your Supplier,Maklumat berkanun dan maklumat umum lain mengenai pembekal anda @@ -1795,16 +1796,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,penilaian apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Salinan No Serial masuk untuk Perkara {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Satu syarat untuk Peraturan Penghantaran apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Sila masukkan -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Tidak dapat overbill untuk item {0} berturut-turut {1} lebih {2}. Untuk membolehkan lebih-bil, sila tetapkan dalam Membeli Tetapan" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Sila menetapkan penapis di Perkara atau Warehouse +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Tidak dapat overbill untuk item {0} berturut-turut {1} lebih {2}. Untuk membolehkan lebih-bil, sila tetapkan dalam Membeli Tetapan" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Sila menetapkan penapis di Perkara atau Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih pakej ini. (Dikira secara automatik sebagai jumlah berat bersih item) DocType: Sales Order,To Deliver and Bill,Untuk Menghantar dan Rang Undang-undang DocType: Student Group,Instructors,pengajar DocType: GL Entry,Credit Amount in Account Currency,Jumlah Kredit dalam Mata Wang Akaun -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} hendaklah dikemukakan +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} hendaklah dikemukakan DocType: Authorization Control,Authorization Control,Kawalan Kuasa apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Warehouse Telah adalah wajib terhadap Perkara ditolak {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Pembayaran +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Pembayaran apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} tidak dikaitkan dengan mana-mana akaun, sila sebutkan akaun dalam rekod gudang atau menetapkan akaun inventori lalai dalam syarikat {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Menguruskan pesanan anda DocType: Production Order Operation,Actual Time and Cost,Masa sebenar dan Kos @@ -1820,12 +1821,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Baranga DocType: Quotation Item,Actual Qty,Kuantiti Sebenar DocType: Sales Invoice Item,References,Rujukan DocType: Quality Inspection Reading,Reading 10,Membaca 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Senarai produk atau perkhidmatan anda bahawa anda membeli atau menjual. Pastikan untuk memeriksa Kumpulan Item, Unit Ukur dan hartanah lain apabila anda mula." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Senarai produk atau perkhidmatan anda bahawa anda membeli atau menjual. Pastikan untuk memeriksa Kumpulan Item, Unit Ukur dan hartanah lain apabila anda mula." DocType: Hub Settings,Hub Node,Hub Nod apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Anda telah memasukkan perkara yang sama. Sila membetulkan dan cuba lagi. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Madya +DocType: Company,Sales Target,Target pasaran DocType: Asset Movement,Asset Movement,Pergerakan aset -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Troli baru +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Troli baru apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Perkara {0} bukan Item bersiri DocType: SMS Center,Create Receiver List,Cipta Senarai Penerima DocType: Vehicle,Wheels,Wheels @@ -1867,13 +1869,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Menguruskan Projek DocType: Supplier,Supplier of Goods or Services.,Pembekal Barangan atau Perkhidmatan. DocType: Budget,Fiscal Year,Tahun Anggaran DocType: Vehicle Log,Fuel Price,Harga bahan api +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan> Penomboran Siri DocType: Budget,Budget,Bajet apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Asset Item tetap perlu menjadi item tanpa saham. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bajet tidak boleh diberikan terhadap {0}, kerana ia bukan satu akaun Pendapatan atau Perbelanjaan" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Tercapai DocType: Student Admission,Application Form Route,Borang Permohonan Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Wilayah / Pelanggan -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,contohnya 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,contohnya 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Tinggalkan Jenis {0} tidak boleh diperuntukkan sejak ia meninggalkan tanpa gaji apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Jumlah Peruntukan {1} mesti kurang daripada atau sama dengan invois Jumlah tertunggak {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Invois Jualan. @@ -1882,11 +1885,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Perkara {0} tidak ditetapkan untuk Serial No. Semak Item induk DocType: Maintenance Visit,Maintenance Time,Masa penyelenggaraan ,Amount to Deliver,Jumlah untuk Menyampaikan -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Satu Produk atau Perkhidmatan +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Satu Produk atau Perkhidmatan apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Permulaan Term Tarikh tidak boleh lebih awal daripada Tarikh Tahun Permulaan Tahun Akademik mana istilah ini dikaitkan (Akademik Tahun {}). Sila betulkan tarikh dan cuba lagi. DocType: Guardian,Guardian Interests,Guardian minat DocType: Naming Series,Current Value,Nilai semasa -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,tahun fiskal Pelbagai wujud untuk tarikh {0}. Sila menetapkan syarikat dalam Tahun Anggaran +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,tahun fiskal Pelbagai wujud untuk tarikh {0}. Sila menetapkan syarikat dalam Tahun Anggaran apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} dihasilkan DocType: Delivery Note Item,Against Sales Order,Terhadap Perintah Jualan ,Serial No Status,Serial No Status @@ -1899,7 +1902,7 @@ DocType: Pricing Rule,Selling,Jualan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Jumlah {0} {1} ditolak daripada {2} DocType: Employee,Salary Information,Maklumat Gaji DocType: Sales Person,Name and Employee ID,Nama dan ID Pekerja -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Tarikh Akhir tidak boleh sebelum Tarikh Pos +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Tarikh Akhir tidak boleh sebelum Tarikh Pos DocType: Website Item Group,Website Item Group,Laman Web Perkara Kumpulan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Tugas dan Cukai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Sila masukkan tarikh Rujukan @@ -1956,9 +1959,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Sila menetapkan Tarikh Of Menyertai untuk pekerja {0} DocType: Task,Total Billing Amount (via Time Sheet),Jumlah Bil (melalui Lembaran Time) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ulang Hasil Pelanggan -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) mesti mempunyai peranan 'Pelulus Perbelanjaan' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pasangan -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Pilih BOM dan Kuantiti untuk Pengeluaran +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) mesti mempunyai peranan 'Pelulus Perbelanjaan' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Pasangan +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Pilih BOM dan Kuantiti untuk Pengeluaran DocType: Asset,Depreciation Schedule,Jadual susutnilai apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Alamat Partner Sales And Hubungi DocType: Bank Reconciliation Detail,Against Account,Terhadap Akaun @@ -1968,7 +1971,7 @@ DocType: Item,Has Batch No,Mempunyai Batch No apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Billing Tahunan: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Cukai Barang dan Perkhidmatan (GST India) DocType: Delivery Note,Excise Page Number,Eksais Bilangan Halaman -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Syarikat, Dari Tarikh dan Untuk Tarikh adalah wajib" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Syarikat, Dari Tarikh dan Untuk Tarikh adalah wajib" DocType: Asset,Purchase Date,Tarikh pembelian DocType: Employee,Personal Details,Maklumat Peribadi apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Sila set 'Asset Susutnilai Kos Center' dalam Syarikat {0} @@ -1977,9 +1980,9 @@ DocType: Task,Actual End Date (via Time Sheet),Sebenar Tarikh Akhir (melalui Lem apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Jumlah {0} {1} daripada {2} {3} ,Quotation Trends,Trend Sebut Harga apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Perkara Kumpulan tidak dinyatakan dalam perkara induk untuk item {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debit Untuk akaun mestilah akaun Belum Terima +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debit Untuk akaun mestilah akaun Belum Terima DocType: Shipping Rule Condition,Shipping Amount,Penghantaran Jumlah -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,menambah Pelanggan +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,menambah Pelanggan apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Sementara menunggu Jumlah DocType: Purchase Invoice Item,Conversion Factor,Faktor penukaran DocType: Purchase Order,Delivered,Dihantar @@ -2002,7 +2005,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Termasuk Penyertaan berd DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kursus Ibu Bapa (Tinggalkan kosong, jika ini bukan sebahagian daripada ibu bapa Kursus)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kursus Ibu Bapa (Tinggalkan kosong, jika ini bukan sebahagian daripada ibu bapa Kursus)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Tinggalkan kosong jika dipertimbangkan untuk semua jenis pekerja -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah DocType: Landed Cost Voucher,Distribute Charges Based On,Mengedarkan Caj Berasaskan apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,Tetapan HR @@ -2010,7 +2012,7 @@ DocType: Salary Slip,net pay info,maklumat gaji bersih apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Perbelanjaan Tuntutan sedang menunggu kelulusan. Hanya Pelulus Perbelanjaan yang boleh mengemas kini status. DocType: Email Digest,New Expenses,Perbelanjaan baru DocType: Purchase Invoice,Additional Discount Amount,Jumlah Diskaun tambahan -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty mesti menjadi 1, sebagai item adalah aset tetap. Sila gunakan baris berasingan untuk berbilang qty." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty mesti menjadi 1, sebagai item adalah aset tetap. Sila gunakan baris berasingan untuk berbilang qty." DocType: Leave Block List Allow,Leave Block List Allow,Tinggalkan Sekat Senarai Benarkan apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr tidak boleh kosong atau senggang apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Kumpulan kepada Bukan Kumpulan @@ -2018,7 +2020,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sukan DocType: Loan Type,Loan Name,Nama Loan apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Jumlah Sebenar DocType: Student Siblings,Student Siblings,Adik-beradik pelajar -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Unit +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Unit apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Sila nyatakan Syarikat ,Customer Acquisition and Loyalty,Perolehan Pelanggan dan Kesetiaan DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Gudang di mana anda mengekalkan stok barangan ditolak @@ -2037,12 +2039,12 @@ DocType: Workstation,Wages per hour,Upah sejam apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Baki saham dalam batch {0} akan menjadi negatif {1} untuk Perkara {2} di Gudang {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Mengikuti Permintaan Bahan telah dibangkitkan secara automatik berdasarkan pesanan semula tahap Perkara ini DocType: Email Digest,Pending Sales Orders,Sementara menunggu Jualan Pesanan -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Akaun {0} tidak sah. Mata Wang Akaun mesti {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Akaun {0} tidak sah. Mata Wang Akaun mesti {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM Penukaran diperlukan berturut-turut {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Perintah Jualan, Jualan Invois atau Kemasukan Journal" DocType: Salary Component,Deduction,Potongan -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Dari Masa dan Untuk Masa adalah wajib. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Row {0}: Dari Masa dan Untuk Masa adalah wajib. DocType: Stock Reconciliation Item,Amount Difference,jumlah Perbezaan apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Perkara Harga ditambah untuk {0} dalam senarai harga {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Sila masukkan ID Pekerja orang jualan ini @@ -2052,11 +2054,11 @@ DocType: Project,Gross Margin,Margin kasar apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Sila masukkan Pengeluaran Perkara pertama apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Dikira-kira Penyata Bank apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,pengguna orang kurang upaya -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Sebut Harga +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Sebut Harga DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Jumlah Potongan ,Production Analytics,Analytics pengeluaran -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kos Dikemaskini +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Kos Dikemaskini DocType: Employee,Date of Birth,Tarikh Lahir apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Perkara {0} telah kembali DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Tahun Fiskal ** mewakili Tahun Kewangan. Semua kemasukan perakaunan dan transaksi utama yang lain dijejak terhadap Tahun Fiskal ** **. @@ -2102,18 +2104,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Pilih Syarikat ... DocType: Leave Control Panel,Leave blank if considered for all departments,Tinggalkan kosong jika dipertimbangkan untuk semua jabatan apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Jenis pekerjaan (tetap, kontrak, pelatih dan lain-lain)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} adalah wajib bagi Perkara {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} adalah wajib bagi Perkara {1} DocType: Process Payroll,Fortnightly,setiap dua minggu DocType: Currency Exchange,From Currency,Dari Mata Wang apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Kos Pembelian New -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Pesanan Jualan diperlukan untuk Perkara {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Pesanan Jualan diperlukan untuk Perkara {0} DocType: Purchase Invoice Item,Rate (Company Currency),Kadar (Syarikat mata wang) DocType: Student Guardian,Others,Lain DocType: Payment Entry,Unallocated Amount,Jumlah yang tidak diperuntukkan apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Tidak dapat mencari item yang sepadan. Sila pilih beberapa nilai lain untuk {0}. DocType: POS Profile,Taxes and Charges,Cukai dan Caj DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Satu Produk atau Perkhidmatan yang dibeli, dijual atau disimpan dalam stok." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Tiada lagi kemas kini apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Tidak boleh pilih jenis bayaran sebagai 'Pada Row Jumlah Sebelumnya' atau 'Pada Sebelumnya Row Jumlah' untuk baris pertama apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Kanak-kanak Item tidak seharusnya menjadi Fail Produk. Sila keluarkan item `{0}` dan menyelamatkan @@ -2141,7 +2144,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Jumlah Bil apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Mesti ada Akaun E-mel lalai yang diterima dan diaktifkan untuk ini untuk bekerja. Sila persediaan Akaun E-mel yang diterima default (POP / IMAP) dan cuba lagi. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Akaun Belum Terima -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} sudah {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} sudah {2} DocType: Quotation Item,Stock Balance,Baki saham apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Perintah Jualan kepada Pembayaran apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Ketua Pegawai Eksekutif @@ -2166,10 +2169,11 @@ DocType: C-Form,Received Date,Tarikh terima DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Jika anda telah mencipta satu template standard dalam Jualan Cukai dan Caj Template, pilih satu dan klik pada butang di bawah." DocType: BOM Scrap Item,Basic Amount (Company Currency),Jumlah Asas (Syarikat Mata Wang) DocType: Student,Guardians,penjaga +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Pembekal> Jenis Pembekal DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Harga tidak akan dipaparkan jika Senarai Harga tidak ditetapkan apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Sila nyatakan negara untuk Peraturan Penghantaran ini atau daftar Penghantaran di seluruh dunia DocType: Stock Entry,Total Incoming Value,Jumlah Nilai masuk -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debit Untuk diperlukan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debit Untuk diperlukan apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets membantu menjejaki masa, kos dan bil untuk kegiatan yang dilakukan oleh pasukan anda" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Pembelian Senarai Harga DocType: Offer Letter Term,Offer Term,Tawaran Jangka @@ -2188,11 +2192,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cari DocType: Timesheet Detail,To Time,Untuk Masa DocType: Authorization Rule,Approving Role (above authorized value),Meluluskan Peranan (di atas nilai yang diberi kuasa) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredit Untuk akaun mestilah akaun Dibayar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursi: {0} tidak boleh menjadi ibu bapa atau kanak-kanak {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekursi: {0} tidak boleh menjadi ibu bapa atau kanak-kanak {2} DocType: Production Order Operation,Completed Qty,Siap Qty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Untuk {0}, akaun debit hanya boleh dikaitkan dengan kemasukan kredit lain" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Senarai Harga {0} adalah orang kurang upaya -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Bidang Qty tidak boleh lebih daripada {1} untuk operasi {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Bidang Qty tidak boleh lebih daripada {1} untuk operasi {2} DocType: Manufacturing Settings,Allow Overtime,Benarkan kerja lebih masa apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Perkara bersiri {0} tidak boleh dikemas kini menggunakan Stock Perdamaian, sila gunakan Kemasukan Stock" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Perkara bersiri {0} tidak boleh dikemas kini menggunakan Stock Perdamaian, sila gunakan Kemasukan Stock" @@ -2211,10 +2215,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Luar apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Pengguna dan Kebenaran DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Pesanan Pengeluaran Ditubuhkan: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Pesanan Pengeluaran Ditubuhkan: {0} DocType: Branch,Branch,Cawangan DocType: Guardian,Mobile Number,Nombor telefon apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Percetakan dan Penjenamaan +DocType: Company,Total Monthly Sales,Jumlah Jualan Bulanan DocType: Bin,Actual Quantity,Kuantiti sebenar DocType: Shipping Rule,example: Next Day Shipping,contoh: Penghantaran Hari Seterusnya apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,No siri {0} tidak dijumpai @@ -2245,7 +2250,7 @@ DocType: Payment Request,Make Sales Invoice,Buat Jualan Invois apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Hubungi Selepas Tarikh tidak boleh pada masa lalu DocType: Company,For Reference Only.,Untuk Rujukan Sahaja. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Pilih Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Pilih Batch No apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Tidak sah {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Advance Jumlah @@ -2258,7 +2263,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No Perkara dengan Barcode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Perkara No. tidak boleh 0 DocType: Item,Show a slideshow at the top of the page,Menunjukkan tayangan slaid di bahagian atas halaman -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Kedai DocType: Serial No,Delivery Time,Masa penghantaran apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Penuaan Berasaskan @@ -2272,16 +2277,16 @@ DocType: Rename Tool,Rename Tool,Nama semula Tool apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Update Kos DocType: Item Reorder,Item Reorder,Perkara Reorder apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Show Slip Gaji -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Pemindahan Bahan +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Pemindahan Bahan DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Nyatakan operasi, kos operasi dan memberikan Operasi unik tidak kepada operasi anda." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dokumen ini melebihi had oleh {0} {1} untuk item {4}. Adakah anda membuat terhadap yang sama satu lagi {3} {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Sila menetapkan berulang selepas menyimpan -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Pilih perubahan kira jumlah +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Sila menetapkan berulang selepas menyimpan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Pilih perubahan kira jumlah DocType: Purchase Invoice,Price List Currency,Senarai Harga Mata Wang DocType: Naming Series,User must always select,Pengguna perlu sentiasa pilih DocType: Stock Settings,Allow Negative Stock,Benarkan Saham Negatif DocType: Installation Note,Installation Note,Pemasangan Nota -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Tambah Cukai +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Tambah Cukai DocType: Topic,Topic,Topic apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Aliran tunai daripada pembiayaan DocType: Budget Account,Budget Account,anggaran Akaun @@ -2295,7 +2300,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,kebol apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Sumber Dana (Liabiliti) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kuantiti berturut-turut {0} ({1}) mestilah sama dengan kuantiti yang dikeluarkan {2} DocType: Appraisal,Employee,Pekerja -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Pilih Batch +DocType: Company,Sales Monthly History,Sejarah Bulanan Jualan +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Pilih Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} telah dibil sepenuhnya DocType: Training Event,End Time,Akhir Masa apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Struktur Gaji aktif {0} dijumpai untuk pekerja {1} pada tarikh yang diberikan @@ -2303,15 +2309,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Potongan bayaran atau Kehilang apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Terma kontrak standard untuk Jualan atau Beli. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Kumpulan dengan Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline jualan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Sila menetapkan akaun lalai dalam Komponen Gaji {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Sila menetapkan akaun lalai dalam Komponen Gaji {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Diperlukan Pada DocType: Rename Tool,File to Rename,Fail untuk Namakan semula apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Sila pilih BOM untuk Item dalam Row {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Akaun {0} tidak sepadan dengan Syarikat {1} dalam Kaedah akaun: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Dinyatakan BOM {0} tidak wujud untuk Perkara {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadual Penyelenggaraan {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadual Penyelenggaraan {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini DocType: Notification Control,Expense Claim Approved,Perbelanjaan Tuntutan Diluluskan -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Sila persediaan siri penomboran untuk Kehadiran melalui Persediaan> Penomboran Siri apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Slip gaji pekerja {0} telah dicipta untuk tempoh ini apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmasi apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kos Item Dibeli @@ -2328,7 +2333,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. untuk Perka DocType: Upload Attendance,Attendance To Date,Kehadiran Untuk Tarikh DocType: Warranty Claim,Raised By,Dibangkitkan Oleh DocType: Payment Gateway Account,Payment Account,Akaun Pembayaran -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Sila nyatakan Syarikat untuk meneruskan +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Sila nyatakan Syarikat untuk meneruskan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Perubahan Bersih dalam Akaun Belum Terima apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Pampasan Off DocType: Offer Letter,Accepted,Diterima @@ -2338,12 +2343,12 @@ DocType: SG Creation Tool Course,Student Group Name,Nama Kumpulan Pelajar apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Sila pastikan anda benar-benar ingin memadam semua urus niaga bagi syarikat ini. Data induk anda akan kekal kerana ia adalah. Tindakan ini tidak boleh dibuat asal. DocType: Room,Room Number,Nombor bilik apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Rujukan tidak sah {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) tidak boleh lebih besar dari kuantiti yang dirancang ({2}) dalam Pesanan Pengeluaran {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) tidak boleh lebih besar dari kuantiti yang dirancang ({2}) dalam Pesanan Pengeluaran {3} DocType: Shipping Rule,Shipping Rule Label,Peraturan Penghantaran Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum pengguna -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Bahan mentah tidak boleh kosong. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Tidak dapat kemas kini saham, invois mengandungi drop item penghantaran." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Pantas Journal Kemasukan +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Bahan mentah tidak boleh kosong. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Tidak dapat kemas kini saham, invois mengandungi drop item penghantaran." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Pantas Journal Kemasukan apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Anda tidak boleh mengubah kadar jika BOM disebut agianst sebarang perkara DocType: Employee,Previous Work Experience,Pengalaman Kerja Sebelumnya DocType: Stock Entry,For Quantity,Untuk Kuantiti @@ -2400,7 +2405,7 @@ DocType: SMS Log,No of Requested SMS,Jumlah SMS yang diminta apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Cuti Tanpa Gaji tidak sepadan dengan rekod Cuti Permohonan diluluskan DocType: Campaign,Campaign-.####,Kempen -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Langkah seterusnya -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Sila membekalkan barangan tertentu pada kadar terbaik mungkin +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Sila membekalkan barangan tertentu pada kadar terbaik mungkin DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Peluang dekat selepas 15 hari apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,akhir Tahun apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2438,7 +2443,7 @@ DocType: Homepage,Homepage,Homepage DocType: Purchase Receipt Item,Recd Quantity,Recd Kuantiti apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Rekod Bayaran Dibuat - {0} DocType: Asset Category Account,Asset Category Account,Akaun Kategori Asset -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Tidak boleh menghasilkan Perkara lebih {0} daripada kuantiti Sales Order {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Tidak boleh menghasilkan Perkara lebih {0} daripada kuantiti Sales Order {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Saham Entry {0} tidak dikemukakan DocType: Payment Reconciliation,Bank / Cash Account,Akaun Bank / Tunai apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Seterusnya Hubungi Dengan tidak boleh menjadi sama seperti Alamat E-mel Lead @@ -2471,7 +2476,7 @@ DocType: Salary Structure,Total Earning,Jumlah Pendapatan DocType: Purchase Receipt,Time at which materials were received,Masa di mana bahan-bahan yang telah diterima DocType: Stock Ledger Entry,Outgoing Rate,Kadar keluar apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Master cawangan organisasi. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,atau +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,atau DocType: Sales Order,Billing Status,Bil Status apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Laporkan Isu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Perbelanjaan utiliti @@ -2479,7 +2484,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Kemasukan {1} tidak mempunyai akaun {2} atau sudah dipadankan dengan baucar lain DocType: Buying Settings,Default Buying Price List,Default Senarai Membeli Harga DocType: Process Payroll,Salary Slip Based on Timesheet,Slip Gaji Berdasarkan Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Tiada pekerja bagi kriteria ATAU penyata gaji dipilih di atas telah membuat +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Tiada pekerja bagi kriteria ATAU penyata gaji dipilih di atas telah membuat DocType: Notification Control,Sales Order Message,Pesanan Jualan Mesej apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Nilai Default Tetapkan seperti Syarikat, mata wang, fiskal semasa Tahun, dan lain-lain" DocType: Payment Entry,Payment Type,Jenis Pembayaran @@ -2504,7 +2509,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,dokumen Resit hendaklah dikemukakan DocType: Purchase Invoice Item,Received Qty,Diterima Qty DocType: Stock Entry Detail,Serial No / Batch,Serial No / batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Not Paid dan Tidak Dihantar +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Not Paid dan Tidak Dihantar DocType: Product Bundle,Parent Item,Perkara Ibu Bapa DocType: Account,Account Type,Jenis Akaun DocType: Delivery Note,DN-RET-,DN-RET- @@ -2535,8 +2540,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Jumlah Diperuntukkan apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Menetapkan akaun inventori lalai untuk inventori yang berterusan DocType: Item Reorder,Material Request Type,Permintaan Jenis Bahan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Kemasukan Journal bagi gaji dari {0} kepada {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyelamatkan" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Kemasukan Journal bagi gaji dari {0} kepada {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyelamatkan" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Faktor Penukaran UOM adalah wajib apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,PTJ @@ -2554,7 +2559,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Cukai apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jika Peraturan Harga dipilih dibuat untuk 'Harga', ia akan menulis ganti Senarai Harga. Harga Peraturan Harga adalah harga akhir, jadi tidak ada diskaun lagi boleh diguna pakai. Oleh itu, dalam urus niaga seperti Perintah Jualan, Pesanan Belian dan lain-lain, ia akan berjaya meraih jumlah dalam bidang 'Rate', daripada bidang 'Senarai Harga Rate'." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track Leads mengikut Jenis Industri. DocType: Item Supplier,Item Supplier,Perkara Pembekal -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Sila masukkan Kod Item untuk mendapatkan kumpulan tidak +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Sila masukkan Kod Item untuk mendapatkan kumpulan tidak apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Sila pilih nilai untuk {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Semua Alamat. DocType: Company,Stock Settings,Tetapan saham @@ -2581,7 +2586,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Kuantiti Sebenar Selepa apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Tiada slip gaji mendapati antara {0} dan {1} ,Pending SO Items For Purchase Request,Sementara menunggu SO Item Untuk Pembelian Permintaan apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Kemasukan pelajar -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} dilumpuhkan +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} dilumpuhkan DocType: Supplier,Billing Currency,Bil Mata Wang DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Lebih Besar @@ -2611,7 +2616,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Status permohonan DocType: Fees,Fees,yuran DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Nyatakan Kadar Pertukaran untuk menukar satu matawang kepada yang lain -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Sebut Harga {0} dibatalkan +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Sebut Harga {0} dibatalkan apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Jumlah Cemerlang DocType: Sales Partner,Targets,Sasaran DocType: Price List,Price List Master,Senarai Harga Master @@ -2628,7 +2633,7 @@ DocType: POS Profile,Ignore Pricing Rule,Abaikan Peraturan Harga DocType: Employee Education,Graduate,Siswazah DocType: Leave Block List,Block Days,Hari blok DocType: Journal Entry,Excise Entry,Eksais Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Amaran: Sales Order {0} telah wujud terhadap Perintah Pembelian Pelanggan {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Amaran: Sales Order {0} telah wujud terhadap Perintah Pembelian Pelanggan {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2655,7 +2660,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Jika ,Salary Register,gaji Daftar DocType: Warehouse,Parent Warehouse,Warehouse Ibu Bapa DocType: C-Form Invoice Detail,Net Total,Jumlah bersih -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Lalai BOM tidak dijumpai untuk Perkara {0} dan Projek {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Lalai BOM tidak dijumpai untuk Perkara {0} dan Projek {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Tentukan pelbagai jenis pinjaman DocType: Bin,FCFS Rate,Kadar FCFS DocType: Payment Reconciliation Invoice,Outstanding Amount,Jumlah yang tertunggak @@ -2692,7 +2697,7 @@ DocType: Salary Detail,Condition and Formula Help,Keadaan dan Formula Bantuan apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Mengurus Wilayah Tree. DocType: Journal Entry Account,Sales Invoice,Invois jualan DocType: Journal Entry Account,Party Balance,Baki pihak -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Sila pilih Memohon Diskaun Pada +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Sila pilih Memohon Diskaun Pada DocType: Company,Default Receivable Account,Default Akaun Belum Terima DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Buat Bank Entry untuk jumlah gaji yang dibayar bagi kriteria yang dipilih di atas DocType: Stock Entry,Material Transfer for Manufacture,Pemindahan Bahan untuk Pembuatan @@ -2706,7 +2711,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Alamat Pelanggan DocType: Employee Loan,Loan Details,Butiran pinjaman DocType: Company,Default Inventory Account,Akaun Inventori lalai -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Bidang Qty mesti lebih besar daripada sifar. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Row {0}: Bidang Qty mesti lebih besar daripada sifar. DocType: Purchase Invoice,Apply Additional Discount On,Memohon Diskaun tambahan On DocType: Account,Root Type,Jenis akar DocType: Item,FIFO,FIFO @@ -2723,7 +2728,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Pemeriksaan Kualiti apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Tambahan Kecil DocType: Company,Standard Template,Template standard DocType: Training Event,Theory,teori -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Amaran: Bahan Kuantiti yang diminta adalah kurang daripada Minimum Kuantiti Pesanan +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Amaran: Bahan Kuantiti yang diminta adalah kurang daripada Minimum Kuantiti Pesanan apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Akaun {0} dibekukan DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Undang-undang Entiti / Anak Syarikat dengan Carta berasingan Akaun milik Pertubuhan. DocType: Payment Request,Mute Email,Senyapkan E-mel @@ -2747,7 +2752,7 @@ DocType: Training Event,Scheduled,Berjadual apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Permintaan untuk sebut harga. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Sila pilih Item mana "Apakah Saham Perkara" adalah "Tidak" dan "Adakah Item Jualan" adalah "Ya" dan tidak ada Bundle Produk lain DocType: Student Log,Academic,akademik -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Pendahuluan ({0}) terhadap Perintah {1} tidak boleh lebih besar daripada Jumlah Besar ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Pendahuluan ({0}) terhadap Perintah {1} tidak boleh lebih besar daripada Jumlah Besar ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Pilih Pengagihan Bulanan untuk tidak sekata mengedarkan sasaran seluruh bulan. DocType: Purchase Invoice Item,Valuation Rate,Kadar penilaian DocType: Stock Reconciliation,SR/,SR / @@ -2813,6 +2818,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Masukkan nama kempen jika sumber siasatan adalah kempen apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Akhbar Penerbit apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Pilih Tahun Anggaran +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Tarikh Penghantaran yang Diharapkan hendaklah selepas Tarikh Pesanan Jualan apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Pesanan semula Level DocType: Company,Chart Of Accounts Template,Carta Of Akaun Template DocType: Attendance,Attendance Date,Kehadiran Tarikh @@ -2844,7 +2850,7 @@ DocType: Pricing Rule,Discount Percentage,Peratus diskaun DocType: Payment Reconciliation Invoice,Invoice Number,Nombor invois DocType: Shopping Cart Settings,Orders,Pesanan DocType: Employee Leave Approver,Leave Approver,Tinggalkan Pelulus -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Sila pilih satu kelompok +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Sila pilih satu kelompok DocType: Assessment Group,Assessment Group Name,Nama Kumpulan Penilaian DocType: Manufacturing Settings,Material Transferred for Manufacture,Bahan Dipindahkan untuk Pembuatan DocType: Expense Claim,"A user with ""Expense Approver"" role","Pengguna dengan Peranan ""Pelulus Perbelanjaan""" @@ -2881,7 +2887,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Hari terakhir Bulan Depan DocType: Support Settings,Auto close Issue after 7 days,Auto Issue dekat selepas 7 hari apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Cuti yang tidak boleh diperuntukkan sebelum {0}, sebagai baki cuti telah pun dibawa dikemukakan dalam rekod peruntukan cuti masa depan {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: Disebabkan Tarikh / Rujukan melebihi dibenarkan hari kredit pelanggan dengan {0} hari (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: Disebabkan Tarikh / Rujukan melebihi dibenarkan hari kredit pelanggan dengan {0} hari (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Pemohon pelajar DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL UNTUK RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Akaun Susut Nilai Terkumpul @@ -2892,7 +2898,7 @@ DocType: Item,Reorder level based on Warehouse,Tahap pesanan semula berdasarkan DocType: Activity Cost,Billing Rate,Kadar bil ,Qty to Deliver,Qty untuk Menyampaikan ,Stock Analytics,Saham Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operasi tidak boleh dibiarkan kosong +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operasi tidak boleh dibiarkan kosong DocType: Maintenance Visit Purpose,Against Document Detail No,Terhadap Detail Dokumen No apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Jenis Parti adalah wajib DocType: Quality Inspection,Outgoing,Keluar @@ -2935,15 +2941,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Kuantiti didapati di Gudang apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Jumlah dibilkan DocType: Asset,Double Declining Balance,Baki Penurunan Double -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,perintah tertutup tidak boleh dibatalkan. Unclose untuk membatalkan. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,perintah tertutup tidak boleh dibatalkan. Unclose untuk membatalkan. DocType: Student Guardian,Father,Bapa -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' tidak boleh diperiksa untuk jualan aset tetap +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' tidak boleh diperiksa untuk jualan aset tetap DocType: Bank Reconciliation,Bank Reconciliation,Penyesuaian Bank DocType: Attendance,On Leave,Bercuti apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Dapatkan Maklumat Terbaru apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Akaun {2} bukan milik Syarikat {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Permintaan bahan {0} dibatalkan atau dihentikan -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Tambah rekod sampel beberapa +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Tambah rekod sampel beberapa apps/erpnext/erpnext/config/hr.py +301,Leave Management,Tinggalkan Pengurusan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Kumpulan dengan Akaun DocType: Sales Order,Fully Delivered,Dihantar sepenuhnya @@ -2952,12 +2958,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Akaun perbezaan mestilah akaun jenis Aset / Liabiliti, kerana ini adalah Penyesuaian Saham Masuk Pembukaan" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Amaun yang dikeluarkan tidak boleh lebih besar daripada Jumlah Pinjaman {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Membeli nombor Perintah diperlukan untuk Perkara {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Order Production tidak dicipta +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Order Production tidak dicipta apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Dari Tarikh' mesti selepas 'Sehingga' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},tidak boleh menukar status sebagai pelajar {0} dikaitkan dengan permohonan pelajar {1} DocType: Asset,Fully Depreciated,disusutnilai sepenuhnya ,Stock Projected Qty,Saham Unjuran Qty -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Pelanggan {0} bukan milik projek {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Pelanggan {0} bukan milik projek {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Kehadiran ketara HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Sebutharga cadangan, bida yang telah anda hantar kepada pelanggan anda" DocType: Sales Order,Customer's Purchase Order,Pesanan Pelanggan @@ -2967,7 +2973,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Sila menetapkan Bilangan penurunan nilai Ditempah apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Nilai atau Qty apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Pesanan Productions tidak boleh dibangkitkan untuk: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Saat +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Saat DocType: Purchase Invoice,Purchase Taxes and Charges,Membeli Cukai dan Caj ,Qty to Receive,Qty untuk Menerima DocType: Leave Block List,Leave Block List Allowed,Tinggalkan Sekat Senarai Dibenarkan @@ -2981,7 +2987,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Semua Jenis Pembekal DocType: Global Defaults,Disable In Words,Matikan Dalam Perkataan apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Kod Item adalah wajib kerana Perkara tidak bernombor secara automatik -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Sebut Harga {0} bukan jenis {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Sebut Harga {0} bukan jenis {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Item Jadual Penyelenggaraan DocType: Sales Order,% Delivered,% Dihantar DocType: Production Order,PRO-,PRO- @@ -3004,7 +3010,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Penjual E-mel DocType: Project,Total Purchase Cost (via Purchase Invoice),Jumlah Kos Pembelian (melalui Invois Belian) DocType: Training Event,Start Time,Waktu Mula -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Pilih Kuantiti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Pilih Kuantiti DocType: Customs Tariff Number,Customs Tariff Number,Kastam Nombor Tarif apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Meluluskan Peranan tidak boleh sama dengan peranan peraturan adalah Terpakai Untuk apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Menghentikan langganan E-Digest @@ -3028,7 +3034,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,Detail PR DocType: Sales Order,Fully Billed,Membilkan sepenuhnya apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Tunai Dalam Tangan -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Gudang penghantaran diperlukan untuk item stok {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Gudang penghantaran diperlukan untuk item stok {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Berat kasar pakej. Biasanya berat bersih + pembungkusan berat badan yang ketara. (Untuk cetak) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Pengguna dengan peranan ini dibenarkan untuk menetapkan akaun beku dan mencipta / mengubahsuai entri perakaunan terhadap akaun beku @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Pada Based Group DocType: Journal Entry,Bill Date,Rang Undang-Undang Tarikh apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Perkhidmatan Item, Jenis, kekerapan dan jumlah perbelanjaan yang diperlukan" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Walaupun terdapat beberapa Peraturan Harga dengan keutamaan tertinggi, keutamaan dalaman maka berikut digunakan:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Adakah anda benar-benar mahu Mengemukakan semua Slip Gaji dari {0} kepada {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Adakah anda benar-benar mahu Mengemukakan semua Slip Gaji dari {0} kepada {1} DocType: Cheque Print Template,Cheque Height,Cek Tinggi DocType: Supplier,Supplier Details,Butiran Pembekal DocType: Expense Claim,Approval Status,Kelulusan Status @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Membawa kepada Sebut apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Apa-apa untuk menunjukkan. DocType: Lead,From Customer,Daripada Pelanggan apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Panggilan -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,kelompok +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,kelompok DocType: Project,Total Costing Amount (via Time Logs),Jumlah Kos (melalui Time Log) DocType: Purchase Order Item Supplied,Stock UOM,Saham UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Pesanan Pembelian {0} tidak dikemukakan @@ -3092,7 +3098,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Kembali Terhadap Invoi DocType: Item,Warranty Period (in days),Tempoh jaminan (dalam hari) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Berhubung dengan Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Tunai bersih daripada Operasi -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,contohnya VAT +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,contohnya VAT apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Perkara 4 DocType: Student Admission,Admission End Date,Kemasukan Tarikh Tamat apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-kontrak @@ -3100,7 +3106,7 @@ DocType: Journal Entry Account,Journal Entry Account,Akaun Entry jurnal apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Kumpulan pelajar DocType: Shopping Cart Settings,Quotation Series,Sebutharga Siri apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Item wujud dengan nama yang sama ({0}), sila tukar nama kumpulan item atau menamakan semula item" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Sila pilih pelanggan +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Sila pilih pelanggan DocType: C-Form,I,Saya DocType: Company,Asset Depreciation Cost Center,Aset Pusat Susutnilai Kos DocType: Sales Order Item,Sales Order Date,Pesanan Jualan Tarikh @@ -3111,6 +3117,7 @@ DocType: Stock Settings,Limit Percent,had Peratus ,Payment Period Based On Invoice Date,Tempoh Pembayaran Berasaskan Tarikh Invois apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Hilang Mata Wang Kadar Pertukaran untuk {0} DocType: Assessment Plan,Examiner,pemeriksa +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila tetapkan Siri Penamaan untuk {0} melalui Persediaan> Tetapan> Penamaan Siri DocType: Student,Siblings,Adik-beradik DocType: Journal Entry,Stock Entry,Saham Entry DocType: Payment Entry,Payment References,Rujukan pembayaran @@ -3135,7 +3142,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Tempat operasi pembuatan dijalankan. DocType: Asset Movement,Source Warehouse,Sumber Gudang DocType: Installation Note,Installation Date,Tarikh pemasangan -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} bukan milik syarikat {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} bukan milik syarikat {2} DocType: Employee,Confirmation Date,Pengesahan Tarikh DocType: C-Form,Total Invoiced Amount,Jumlah Invois apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty tidak boleh lebih besar daripada Max Qty @@ -3210,7 +3217,7 @@ DocType: Company,Default Letter Head,Surat Ketua Default DocType: Purchase Order,Get Items from Open Material Requests,Dapatkan Item daripada Permintaan terbuka bahan DocType: Item,Standard Selling Rate,Kadar Jualan Standard DocType: Account,Rate at which this tax is applied,Kadar yang cukai ini dikenakan -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Pesanan semula Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Pesanan semula Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Lowongan Kerja Semasa DocType: Company,Stock Adjustment Account,Akaun Pelarasan saham apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Tulis Off @@ -3224,7 +3231,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Pembekal menyampaikan kepada Pelanggan apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Borang / Item / {0}) kehabisan stok apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Tarikh akan datang mesti lebih besar daripada Pos Tarikh -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Oleh kerana / Rujukan Tarikh dan boleh dikenakan {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Oleh kerana / Rujukan Tarikh dan boleh dikenakan {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Data Import dan Eksport apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Tiada pelajar Terdapat apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Posting Invois Tarikh @@ -3245,12 +3252,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ini adalah berdasarkan kepada kehadiran Pelajar ini apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,No Pelajar dalam apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Tambah lagi item atau bentuk penuh terbuka -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Sila masukkan 'Jangkaan Tarikh Penghantaran' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota Penghantaran {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota Penghantaran {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Amaun yang dibayar + Tulis Off Jumlah tidak boleh lebih besar daripada Jumlah Besar apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} bukan Nombor Kumpulan sah untuk Perkara {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Nota: Tidak ada baki cuti yang cukup untuk Cuti Jenis {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN tidak sah atau Masukkan NA untuk tidak berdaftar +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN tidak sah atau Masukkan NA untuk tidak berdaftar DocType: Training Event,Seminar,Seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Program Bayaran Pendaftaran DocType: Item,Supplier Items,Item Pembekal @@ -3268,7 +3274,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Saham Penuaan apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Pelajar {0} wujud terhadap pemohon pelajar {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' dinyahupayakan +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' dinyahupayakan apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Ditetapkan sebagai Open DocType: Cheque Print Template,Scanned Cheque,diimbas Cek DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Hantar e-mel automatik ke Kenalan ke atas urus niaga Mengemukakan. @@ -3315,7 +3321,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Senarai Harga Kadar Pertukaran DocType: Purchase Invoice Item,Rate,Kadar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Pelatih -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,alamat Nama +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,alamat Nama DocType: Stock Entry,From BOM,Dari BOM DocType: Assessment Code,Assessment Code,Kod penilaian apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Asas @@ -3328,20 +3334,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Struktur gaji DocType: Account,Bank,Bank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Syarikat Penerbangan -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Isu Bahan +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Isu Bahan DocType: Material Request Item,For Warehouse,Untuk Gudang DocType: Employee,Offer Date,Tawaran Tarikh apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Sebut Harga -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Anda berada di dalam mod luar talian. Anda tidak akan dapat untuk menambah nilai sehingga anda mempunyai rangkaian. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Anda berada di dalam mod luar talian. Anda tidak akan dapat untuk menambah nilai sehingga anda mempunyai rangkaian. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Tiada Kumpulan Pelajar diwujudkan. DocType: Purchase Invoice Item,Serial No,No siri apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Jumlah Pembayaran balik bulanan tidak boleh lebih besar daripada Jumlah Pinjaman apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Sila masukkan Maintaince Butiran pertama +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Baris # {0}: Tarikh Penghantaran Yang Diharapkan tidak boleh sebelum Tarikh Pesanan Pembelian DocType: Purchase Invoice,Print Language,Cetak Bahasa DocType: Salary Slip,Total Working Hours,Jumlah Jam Kerja DocType: Stock Entry,Including items for sub assemblies,Termasuk perkara untuk sub perhimpunan -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Masukkan nilai mesti positif -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Masukkan nilai mesti positif apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Semua Wilayah DocType: Purchase Invoice,Items,Item apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Pelajar sudah mendaftar. @@ -3364,7 +3370,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unit keingkaran Langkah untuk Variant '{0}' hendaklah sama seperti dalam Template '{1}' DocType: Shipping Rule,Calculate Based On,Kira Based On DocType: Delivery Note Item,From Warehouse,Dari Gudang -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Tiada item dengan Bill Bahan untuk pembuatan +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Tiada item dengan Bill Bahan untuk pembuatan DocType: Assessment Plan,Supervisor Name,Nama penyelia DocType: Program Enrollment Course,Program Enrollment Course,Kursus Program Pendaftaran DocType: Program Enrollment Course,Program Enrollment Course,Kursus Program Pendaftaran @@ -3380,23 +3386,23 @@ DocType: Training Event Employee,Attended,dihadiri apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Hari Sejak Pesanan Terakhir' mesti lebih besar daripada atau sama dengan sifar DocType: Process Payroll,Payroll Frequency,Kekerapan Payroll DocType: Asset,Amended From,Pindaan Dari -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Bahan mentah +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Bahan mentah DocType: Leave Application,Follow via Email,Ikut melalui E-mel apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Tumbuhan dan Jentera DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Amaun Cukai Selepas Jumlah Diskaun DocType: Daily Work Summary Settings,Daily Work Summary Settings,Harian Tetapan Ringkasan Kerja -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Mata wang senarai harga {0} tidak sama dengan mata wang yang dipilih {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Mata wang senarai harga {0} tidak sama dengan mata wang yang dipilih {1} DocType: Payment Entry,Internal Transfer,Pindahan dalaman apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Akaun kanak-kanak wujud untuk akaun ini. Anda tidak boleh memadam akaun ini. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Sama ada qty sasaran atau jumlah sasaran adalah wajib apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Tidak lalai BOM wujud untuk Perkara {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Sila pilih Penempatan Tarikh pertama +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Sila pilih Penempatan Tarikh pertama apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Tarikh pembukaan perlu sebelum Tarikh Tutup DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,PTJ dengan urus niaga yang sedia ada tidak boleh ditukar ke dalam lejar DocType: Department,Days for which Holidays are blocked for this department.,Hari yang mana Holidays disekat untuk jabatan ini. ,Produced,Dihasilkan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Dicipta Gaji Slip +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Dicipta Gaji Slip DocType: Item,Item Code for Suppliers,Kod Item untuk Pembekal DocType: Issue,Raised By (Email),Dibangkitkan Oleh (E-mel) DocType: Training Event,Trainer Name,Nama Trainer @@ -3404,9 +3410,10 @@ DocType: Mode of Payment,General,Ketua apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikasi lalu apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikasi lalu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak boleh memotong apabila kategori adalah untuk 'Penilaian' atau 'Penilaian dan Jumlah' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Senarai kepala cukai anda (contohnya VAT, Kastam dan lain-lain, mereka harus mempunyai nama-nama yang unik) dan kadar standard mereka. Ini akan mewujudkan templat standard, yang anda boleh menyunting dan menambah lebih kemudian." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Senarai kepala cukai anda (contohnya VAT, Kastam dan lain-lain, mereka harus mempunyai nama-nama yang unik) dan kadar standard mereka. Ini akan mewujudkan templat standard, yang anda boleh menyunting dan menambah lebih kemudian." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial No Diperlukan untuk Perkara bersiri {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Pembayaran perlawanan dengan Invois +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Baris # {0}: Sila masukkan Tarikh Penghantaran terhadap item {1} DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Terpakai Untuk (Jawatan) ,Profitability Analysis,Analisis keuntungan @@ -3422,17 +3429,18 @@ DocType: Quality Inspection,Item Serial No,Item No Serial apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Cipta Rekod pekerja apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Jumlah Hadir apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Penyata perakaunan -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Jam +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Jam apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,No Siri baru tidak boleh mempunyai Gudang. Gudang mesti digunakan Saham Masuk atau Resit Pembelian DocType: Lead,Lead Type,Jenis Lead apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Anda tiada kebenaran untuk meluluskan daun pada Tarikh Sekat -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Semua barang-barang ini telah diinvois +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Semua barang-barang ini telah diinvois +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Sasaran Jualan Bulanan apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Boleh diluluskan oleh {0} DocType: Item,Default Material Request Type,Lalai Bahan Jenis Permintaan apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,tidak diketahui DocType: Shipping Rule,Shipping Rule Conditions,Penghantaran Peraturan Syarat DocType: BOM Replace Tool,The new BOM after replacement,The BOM baru selepas penggantian -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Tempat Jualan +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Tempat Jualan DocType: Payment Entry,Received Amount,Pendapatan daripada DocType: GST Settings,GSTIN Email Sent On,GSTIN Penghantaran Email On DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop oleh Guardian @@ -3449,8 +3457,8 @@ DocType: Batch,Source Document Name,Source Document Nama DocType: Batch,Source Document Name,Source Document Nama DocType: Job Opening,Job Title,Tajuk Kerja apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Buat Pengguna -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Kuantiti untuk pembuatan mesti lebih besar daripada 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Kuantiti untuk pembuatan mesti lebih besar daripada 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Lawati laporan untuk panggilan penyelenggaraan. DocType: Stock Entry,Update Rate and Availability,Kadar Update dan Ketersediaan DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Peratus anda dibenarkan untuk menerima atau menyampaikan lebih daripada kuantiti yang ditempah. Sebagai contoh: Jika anda telah menempah 100 unit. dan Elaun anda adalah 10% maka anda dibenarkan untuk menerima 110 unit. @@ -3463,7 +3471,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Sila membatalkan Invois Belian {0} pertama apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Alamat e-mel mesti menjadi unik, sudah wujud untuk {0}" DocType: Serial No,AMC Expiry Date,AMC Tarikh Tamat -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,resit +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,resit ,Sales Register,Jualan Daftar DocType: Daily Work Summary Settings Company,Send Emails At,Menghantar e-mel di DocType: Quotation,Quotation Lost Reason,Sebut Harga Hilang Akal @@ -3476,14 +3484,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,No Pelanggan apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Penyata aliran tunai apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak boleh melebihi Jumlah Pinjaman maksimum {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,lesen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Sila mengeluarkan Invois ini {0} dari C-Borang {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Sila mengeluarkan Invois ini {0} dari C-Borang {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Sila pilih Carry Forward jika anda juga mahu termasuk baki tahun fiskal yang lalu daun untuk tahun fiskal ini DocType: GL Entry,Against Voucher Type,Terhadap Jenis Baucar DocType: Item,Attributes,Sifat-sifat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Sila masukkan Tulis Off Akaun apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Lepas Tarikh Perintah apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Akaun {0} tidak dimiliki oleh syarikat {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Nombor siri berturut-turut {0} tidak sepadan dengan penghantaran Nota +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Nombor siri berturut-turut {0} tidak sepadan dengan penghantaran Nota DocType: Student,Guardian Details,Guardian Butiran DocType: C-Form,C-Form,C-Borang apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Kehadiran beberapa pekerja @@ -3515,16 +3523,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Je DocType: Tax Rule,Sales,Jualan DocType: Stock Entry Detail,Basic Amount,Jumlah Asas DocType: Training Event,Exam,peperiksaan -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Gudang diperlukan untuk saham Perkara {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Gudang diperlukan untuk saham Perkara {0} DocType: Leave Allocation,Unused leaves,Daun yang tidak digunakan -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Negeri Bil apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Pemindahan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} tidak berkaitan dengan Akaun Pihak {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Kutip BOM meletup (termasuk sub-pemasangan) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Kutip BOM meletup (termasuk sub-pemasangan) DocType: Authorization Rule,Applicable To (Employee),Terpakai Untuk (Pekerja) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Tarikh Akhir adalah wajib apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Kenaikan untuk Atribut {0} tidak boleh 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah DocType: Journal Entry,Pay To / Recd From,Bayar Untuk / Recd Dari DocType: Naming Series,Setup Series,Persediaan Siri DocType: Payment Reconciliation,To Invoice Date,Untuk invois Tarikh @@ -3551,7 +3560,7 @@ DocType: Journal Entry,Write Off Based On,Tulis Off Based On apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,membuat Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Cetak dan Alat Tulis DocType: Stock Settings,Show Barcode Field,Show Barcode Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Hantar Email Pembekal +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Hantar Email Pembekal apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gaji sudah diproses untuk tempoh antara {0} dan {1}, Tinggalkan tempoh permohonan tidak boleh di antara julat tarikh ini." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Rekod pemasangan untuk No. Siri DocType: Guardian Interest,Guardian Interest,Guardian Faedah @@ -3565,7 +3574,7 @@ DocType: Offer Letter,Awaiting Response,Menunggu Response apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Di atas apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},sifat yang tidak sah {0} {1} DocType: Supplier,Mention if non-standard payable account,Menyebut jika tidak standard akaun yang perlu dibayar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},item yang sama telah dimasukkan beberapa kali. {Senarai} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},item yang sama telah dimasukkan beberapa kali. {Senarai} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Sila pilih kumpulan penilaian selain daripada 'Semua Kumpulan Penilaian' DocType: Salary Slip,Earning & Deduction,Pendapatan & Potongan apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Pilihan. Tetapan ini akan digunakan untuk menapis dalam pelbagai transaksi. @@ -3584,7 +3593,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kos Aset Dihapuskan apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Pusat Kos adalah wajib bagi Perkara {2} DocType: Vehicle,Policy No,Polisi Tiada -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Dapatkan Item daripada Fail Produk +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Dapatkan Item daripada Fail Produk DocType: Asset,Straight Line,Garis lurus DocType: Project User,Project User,projek Pengguna apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Split @@ -3599,6 +3608,7 @@ DocType: Bank Reconciliation,Payment Entries,Penyertaan pembayaran DocType: Production Order,Scrap Warehouse,Scrap Warehouse DocType: Production Order,Check if material transfer entry is not required,Periksa sama ada kemasukan pemindahan bahan tidak diperlukan DocType: Production Order,Check if material transfer entry is not required,Periksa sama ada kemasukan pemindahan bahan tidak diperlukan +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Sila sediakan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR DocType: Program Enrollment Tool,Get Students From,Dapatkan Pelajar Dari DocType: Hub Settings,Seller Country,Penjual Negara apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Terbitkan Item dalam Laman Web @@ -3617,19 +3627,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Menentukan syarat-syarat untuk mengira jumlah penghantaran DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Peranan Dibenarkan untuk Set Akaun Frozen & Frozen Edit Entri apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Nilai pembukaan +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Nilai pembukaan DocType: Salary Detail,Formula,formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Suruhanjaya Jualan DocType: Offer Letter Term,Value / Description,Nilai / Penerangan -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} tidak boleh dikemukakan, ia sudah {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} tidak boleh dikemukakan, ia sudah {2}" DocType: Tax Rule,Billing Country,Bil Negara DocType: Purchase Order Item,Expected Delivery Date,Jangkaan Tarikh Penghantaran apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debit dan Kredit tidak sama untuk {0} # {1}. Perbezaan adalah {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Perbelanjaan hiburan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Buat Permintaan Bahan apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Terbuka Item {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Jualan Invois {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Jualan Invois {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Umur DocType: Sales Invoice Timesheet,Billing Amount,Bil Jumlah apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Kuantiti yang ditentukan tidak sah untuk item {0}. Kuantiti perlu lebih besar daripada 0. @@ -3652,7 +3662,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,New Hasil Pelanggan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Perbelanjaan Perjalanan DocType: Maintenance Visit,Breakdown,Pecahan -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Akaun: {0} dengan mata wang: {1} tidak boleh dipilih +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Akaun: {0} dengan mata wang: {1} tidak boleh dipilih DocType: Bank Reconciliation Detail,Cheque Date,Cek Tarikh apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Akaun {0}: akaun Induk {1} bukan milik syarikat: {2} DocType: Program Enrollment Tool,Student Applicants,Pemohon pelajar @@ -3672,11 +3682,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Peranc DocType: Material Request,Issued,Isu apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Aktiviti pelajar DocType: Project,Total Billing Amount (via Time Logs),Jumlah Bil (melalui Time Log) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Kami menjual Perkara ini +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Kami menjual Perkara ini apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id Pembekal DocType: Payment Request,Payment Gateway Details,Pembayaran Gateway Butiran -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Kuantiti harus lebih besar daripada 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Sample Data +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Kuantiti harus lebih besar daripada 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Sample Data DocType: Journal Entry,Cash Entry,Entry Tunai apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,nod kanak-kanak hanya boleh diwujudkan di bawah nod jenis 'Kumpulan DocType: Leave Application,Half Day Date,Half Day Tarikh @@ -3685,17 +3695,18 @@ DocType: Sales Partner,Contact Desc,Hubungi Deskripsi apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Jenis daun seperti biasa, sakit dan lain-lain" DocType: Email Digest,Send regular summary reports via Email.,Hantar laporan ringkasan tetap melalui E-mel. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Sila menetapkan akaun lalai dalam Jenis Perbelanjaan Tuntutan {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Sila menetapkan akaun lalai dalam Jenis Perbelanjaan Tuntutan {0} DocType: Assessment Result,Student Name,Nama pelajar DocType: Brand,Item Manager,Perkara Pengurus apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,gaji Dibayar DocType: Buying Settings,Default Supplier Type,Default Jenis Pembekal DocType: Production Order,Total Operating Cost,Jumlah Kos Operasi -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Nota: Perkara {0} memasuki beberapa kali +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Nota: Perkara {0} memasuki beberapa kali apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Semua Kenalan. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Tetapkan Sasaran anda apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Singkatan Syarikat apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Pengguna {0} tidak wujud -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Bahan mentah tidak boleh sama dengan Perkara utama +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Bahan mentah tidak boleh sama dengan Perkara utama DocType: Item Attribute Value,Abbreviation,Singkatan apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Kemasukan bayaran yang sudah wujud apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Tidak authroized sejak {0} melebihi had @@ -3713,7 +3724,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Peranan dibenarkan unt ,Territory Target Variance Item Group-Wise,Wilayah Sasaran Varian Perkara Kumpulan Bijaksana apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Semua Kumpulan Pelanggan apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,terkumpul Bulanan -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin rekod Pertukaran Matawang tidak dihasilkan untuk {1} hingga {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin rekod Pertukaran Matawang tidak dihasilkan untuk {1} hingga {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Template cukai adalah wajib. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Akaun {0}: akaun Induk {1} tidak wujud DocType: Purchase Invoice Item,Price List Rate (Company Currency),Senarai Harga Kadar (Syarikat mata wang) @@ -3724,7 +3735,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Peratus Peruntuka apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Setiausaha DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Jika melumpuhkan, 'Dalam Perkataan' bidang tidak akan dapat dilihat dalam mana-mana transaksi" DocType: Serial No,Distinct unit of an Item,Unit yang berbeza Perkara yang -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Sila tetapkan Syarikat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Sila tetapkan Syarikat DocType: Pricing Rule,Buying,Membeli DocType: HR Settings,Employee Records to be created by,Rekod Pekerja akan diwujudkan oleh DocType: POS Profile,Apply Discount On,Memohon Diskaun Pada @@ -3735,7 +3746,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Perkara Bijaksana Cukai Detail apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut Singkatan ,Item-wise Price List Rate,Senarai Harga Kadar Perkara-bijak -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Sebutharga Pembekal +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Sebutharga Pembekal DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Sebut Harga tersebut. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kuantiti ({0}) tidak boleh menjadi sebahagian kecil berturut-turut {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kuantiti ({0}) tidak boleh menjadi sebahagian kecil berturut-turut {1} @@ -3759,7 +3770,7 @@ Updated via 'Time Log'",dalam minit dikemaskini melalui 'Time Log' DocType: Customer,From Lead,Dari Lead apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Perintah dikeluarkan untuk pengeluaran. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Pilih Tahun Anggaran ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profil dikehendaki membuat POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profil dikehendaki membuat POS Entry DocType: Program Enrollment Tool,Enroll Students,Daftarkan Pelajar DocType: Hub Settings,Name Token,Nama Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Jualan Standard @@ -3777,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Nilai saham Perbezaan apps/erpnext/erpnext/config/learn.py +234,Human Resource,Sumber Manusia DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Penyesuaian Pembayaran Pembayaran apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Aset Cukai -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Pengeluaran Pesanan itu telah {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Pengeluaran Pesanan itu telah {0} DocType: BOM Item,BOM No,BOM Tiada DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Jurnal Entry {0} tidak mempunyai akaun {1} atau sudah dipadankan dengan baucar lain @@ -3791,7 +3802,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Memuat apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,AMT Cemerlang DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Sasaran yang ditetapkan Perkara Kumpulan-bijak untuk Orang Jualan ini. DocType: Stock Settings,Freeze Stocks Older Than [Days],Stok Freeze Lama Than [Hari] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Aset adalah wajib bagi aset tetap pembelian / penjualan +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Aset adalah wajib bagi aset tetap pembelian / penjualan apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jika dua atau lebih Peraturan Harga yang didapati berdasarkan syarat-syarat di atas, Keutamaan digunakan. Keutamaan adalah nombor antara 0 hingga 20 manakala nilai lalai adalah sifar (kosong). Jumlah yang lebih tinggi bermakna ia akan diberi keutamaan jika terdapat berbilang Peraturan Harga dengan keadaan yang sama." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Tahun fiskal: {0} tidak wujud DocType: Currency Exchange,To Currency,Untuk Mata Wang @@ -3800,7 +3811,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Jenis-jenis Tuntu apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Kadar untuk item menjual {0} adalah lebih rendah berbanding {1}. Kadar menjual harus atleast {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Kadar untuk item menjual {0} adalah lebih rendah berbanding {1}. Kadar menjual harus atleast {2} DocType: Item,Taxes,Cukai -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Dibayar dan Tidak Dihantar +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Dibayar dan Tidak Dihantar DocType: Project,Default Cost Center,Kos Pusat Default DocType: Bank Guarantee,End Date,Tarikh akhir apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Urusniaga saham @@ -3817,7 +3828,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daily Kerja Tetapan Ringkasan Syarikat apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Perkara {0} diabaikan kerana ia bukan satu perkara saham DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Hantar Pesanan Pengeluaran ini untuk proses seterusnya. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Hantar Pesanan Pengeluaran ini untuk proses seterusnya. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Tidak memohon Peraturan Harga dalam transaksi tertentu, semua Peraturan Harga berkenaan perlu dimatikan." DocType: Assessment Group,Parent Assessment Group,Persatuan Ibu Bapa Penilaian apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Pekerjaan @@ -3825,10 +3836,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Pekerjaan DocType: Employee,Held On,Diadakan Pada apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Pengeluaran Item ,Employee Information,Maklumat Kakitangan -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Kadar (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Kadar (%) DocType: Stock Entry Detail,Additional Cost,Kos tambahan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Tidak boleh menapis berdasarkan Baucer Tidak, jika dikumpulkan oleh Baucar" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Membuat Sebutharga Pembekal +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Membuat Sebutharga Pembekal DocType: Quality Inspection,Incoming,Masuk DocType: BOM,Materials Required (Exploded),Bahan yang diperlukan (Meletup) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Tambah pengguna kepada organisasi anda, selain daripada diri sendiri" @@ -3844,7 +3855,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Akaun: {0} hanya boleh dikemaskini melalui Urusniaga Stok DocType: Student Group Creation Tool,Get Courses,Dapatkan Kursus DocType: GL Entry,Party,Parti -DocType: Sales Order,Delivery Date,Tarikh Penghantaran +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Tarikh Penghantaran DocType: Opportunity,Opportunity Date,Peluang Tarikh DocType: Purchase Receipt,Return Against Purchase Receipt,Kembali Terhadap Resit Pembelian DocType: Request for Quotation Item,Request for Quotation Item,Sebut Harga Item @@ -3858,7 +3869,7 @@ DocType: Task,Actual Time (in Hours),Masa sebenar (dalam jam) DocType: Employee,History In Company,Sejarah Dalam Syarikat apps/erpnext/erpnext/config/learn.py +107,Newsletters,Surat Berita DocType: Stock Ledger Entry,Stock Ledger Entry,Saham Lejar Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,item yang sama telah dimasukkan beberapa kali +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,item yang sama telah dimasukkan beberapa kali DocType: Department,Leave Block List,Tinggalkan Sekat Senarai DocType: Sales Invoice,Tax ID,ID Cukai apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Perkara {0} tidak ditetapkan untuk Serial No. Column boleh kosong @@ -3876,25 +3887,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Black DocType: BOM Explosion Item,BOM Explosion Item,Letupan BOM Perkara DocType: Account,Auditor,Audit -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} barangan yang dihasilkan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} barangan yang dihasilkan DocType: Cheque Print Template,Distance from top edge,Jarak dari tepi atas apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Senarai Harga {0} dilumpuhkan atau tidak wujud DocType: Purchase Invoice,Return,Pulangan DocType: Production Order Operation,Production Order Operation,Pengeluaran Operasi Pesanan DocType: Pricing Rule,Disable,Melumpuhkan -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Cara pembayaran adalah dikehendaki untuk membuat pembayaran +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Cara pembayaran adalah dikehendaki untuk membuat pembayaran DocType: Project Task,Pending Review,Sementara menunggu Review apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} tidak mendaftar dalam Batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} tidak boleh dimansuhkan, kerana ia sudah {1}" DocType: Task,Total Expense Claim (via Expense Claim),Jumlah Tuntutan Perbelanjaan (melalui Perbelanjaan Tuntutan) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Tidak Hadir -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Matawang BOM # {1} hendaklah sama dengan mata wang yang dipilih {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Matawang BOM # {1} hendaklah sama dengan mata wang yang dipilih {2} DocType: Journal Entry Account,Exchange Rate,Kadar pertukaran -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Sales Order {0} tidak dikemukakan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Sales Order {0} tidak dikemukakan DocType: Homepage,Tag Line,Line tag DocType: Fee Component,Fee Component,Komponen Bayaran apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Pengurusan Fleet -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Tambah item dari +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Tambah item dari DocType: Cheque Print Template,Regular,biasa apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Jumlah Wajaran semua Kriteria Penilaian mesti 100% DocType: BOM,Last Purchase Rate,Kadar Pembelian lalu @@ -3915,12 +3926,12 @@ DocType: Employee,Reports to,Laporan kepada DocType: SMS Settings,Enter url parameter for receiver nos,Masukkan parameter url untuk penerima nos DocType: Payment Entry,Paid Amount,Jumlah yang dibayar DocType: Assessment Plan,Supervisor,penyelia -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,talian +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,talian ,Available Stock for Packing Items,Saham tersedia untuk Item Pembungkusan DocType: Item Variant,Item Variant,Perkara Varian DocType: Assessment Result Tool,Assessment Result Tool,Penilaian Keputusan Tool DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,penghantaran pesanan tidak boleh dihapuskan +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,penghantaran pesanan tidak boleh dihapuskan apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Baki akaun sudah dalam Debit, anda tidak dibenarkan untuk menetapkan 'Baki Mestilah' sebagai 'Kredit'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Pengurusan Kualiti apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Perkara {0} telah dilumpuhkan @@ -3952,7 +3963,7 @@ DocType: Item Group,Default Expense Account,Akaun Perbelanjaan Default apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Pelajar Email ID DocType: Employee,Notice (days),Notis (hari) DocType: Tax Rule,Sales Tax Template,Template Cukai Jualan -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Pilih item untuk menyelamatkan invois +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Pilih item untuk menyelamatkan invois DocType: Employee,Encashment Date,Penunaian Tarikh DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Pelarasan saham @@ -4001,10 +4012,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatc apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max diskaun yang dibenarkan untuk item: {0} adalah {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Nilai Aset Bersih pada DocType: Account,Receivable,Belum Terima -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Tidak dibenarkan untuk menukar pembekal sebagai Perintah Pembelian sudah wujud +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Tidak dibenarkan untuk menukar pembekal sebagai Perintah Pembelian sudah wujud DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Peranan yang dibenarkan menghantar transaksi yang melebihi had kredit ditetapkan. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Pilih item untuk mengeluarkan -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master penyegerakan data, ia mungkin mengambil sedikit masa" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Pilih item untuk mengeluarkan +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master penyegerakan data, ia mungkin mengambil sedikit masa" DocType: Item,Material Issue,Isu Bahan DocType: Hub Settings,Seller Description,Penjual Penerangan DocType: Employee Education,Qualification,Kelayakan @@ -4025,11 +4036,10 @@ DocType: BOM,Rate Of Materials Based On,Kadar Bahan Based On apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics Sokongan apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Nyahtanda semua DocType: POS Profile,Terms and Conditions,Terma dan Syarat -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Sila sediakan Sistem Penamaan Pekerja dalam Sumber Manusia> Tetapan HR apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Tarikh perlu berada dalam Tahun Fiskal. Dengan mengandaikan Untuk Tarikh = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Di sini anda boleh mengekalkan ketinggian, berat badan, alahan, masalah kesihatan dan lain-lain" DocType: Leave Block List,Applies to Company,Terpakai kepada Syarikat -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Tidak boleh membatalkan kerana dikemukakan Saham Entry {0} wujud +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Tidak boleh membatalkan kerana dikemukakan Saham Entry {0} wujud DocType: Employee Loan,Disbursement Date,Tarikh pembayaran DocType: Vehicle,Vehicle,kenderaan DocType: Purchase Invoice,In Words,Dalam Perkataan @@ -4068,7 +4078,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Tetapan Global DocType: Assessment Result Detail,Assessment Result Detail,Penilaian Keputusan terperinci DocType: Employee Education,Employee Education,Pendidikan Pekerja apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,kumpulan item Duplicate dijumpai di dalam jadual kumpulan item -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Ia diperlukan untuk mengambil Butiran Item. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Ia diperlukan untuk mengambil Butiran Item. DocType: Salary Slip,Net Pay,Gaji bersih DocType: Account,Account,Akaun apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,No siri {0} telah diterima @@ -4076,7 +4086,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,kenderaan Log DocType: Purchase Invoice,Recurring Id,Id berulang DocType: Customer,Sales Team Details,Butiran Pasukan Jualan -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Padam selama-lamanya? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Padam selama-lamanya? DocType: Expense Claim,Total Claimed Amount,Jumlah Jumlah Tuntutan apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Peluang yang berpotensi untuk jualan. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Tidak sah {0} @@ -4088,7 +4098,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Persediaan Sekolah anda di ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Tukar Jumlah Asas (Syarikat Mata Wang) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Tiada catatan perakaunan bagi gudang berikut -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Simpan dokumen pertama. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Simpan dokumen pertama. DocType: Account,Chargeable,Boleh dikenakan cukai DocType: Company,Change Abbreviation,Perubahan Singkatan DocType: Expense Claim Detail,Expense Date,Perbelanjaan Tarikh @@ -4102,7 +4112,6 @@ DocType: BOM,Manufacturing User,Pembuatan pengguna DocType: Purchase Invoice,Raw Materials Supplied,Bahan mentah yang dibekalkan DocType: Purchase Invoice,Recurring Print Format,Format Cetak berulang DocType: C-Form,Series,Siri -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Jangkaan Tarikh Penghantaran tidak boleh sebelum Pesanan Belian Tarikh DocType: Appraisal,Appraisal Template,Templat Penilaian DocType: Item Group,Item Classification,Item Klasifikasi apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Pengurus Pembangunan Perniagaan @@ -4141,12 +4150,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Pilih Jena apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Latihan Events / Keputusan apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Susutnilai Terkumpul seperti pada DocType: Sales Invoice,C-Form Applicable,C-Borang Berkaitan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Masa operasi mesti lebih besar daripada 0 untuk operasi {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Masa operasi mesti lebih besar daripada 0 untuk operasi {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse adalah wajib DocType: Supplier,Address and Contacts,Alamat dan Kenalan DocType: UOM Conversion Detail,UOM Conversion Detail,Detail UOM Penukaran DocType: Program,Program Abbreviation,Singkatan program -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Perintah Pengeluaran tidak boleh dibangkitkan terhadap Templat Perkara +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Perintah Pengeluaran tidak boleh dibangkitkan terhadap Templat Perkara apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Caj akan dikemas kini di Resit Pembelian terhadap setiap item DocType: Warranty Claim,Resolved By,Diselesaikan oleh DocType: Bank Guarantee,Start Date,Tarikh Mula @@ -4181,6 +4190,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Maklum balas latihan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Pengeluaran Pesanan {0} hendaklah dikemukakan apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Sila pilih Mula Tarikh dan Tarikh Akhir untuk Perkara {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Tetapkan sasaran jualan yang anda ingin capai. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kursus adalah wajib berturut-turut {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Setakat ini tidak boleh sebelum dari tarikh DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4199,7 +4209,7 @@ DocType: Account,Income,Pendapatan DocType: Industry Type,Industry Type,Jenis industri apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Sesuatu telah berlaku! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Amaran: Tinggalkan permohonan mengandungi tarikh blok berikut -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Jualan Invois {0} telah diserahkan +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Jualan Invois {0} telah diserahkan DocType: Assessment Result Detail,Score,Rata apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Tahun Anggaran {0} tidak wujud apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Tarikh Siap @@ -4229,7 +4239,7 @@ DocType: Naming Series,Help HTML,Bantuan HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Pelajar Kumpulan Tool Creation DocType: Item,Variant Based On,Based On Variant apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Jumlah wajaran yang diberikan harus 100%. Ia adalah {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Pembekal anda +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Pembekal anda apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Tidak boleh ditetapkan sebagai Kalah sebagai Sales Order dibuat. DocType: Request for Quotation Item,Supplier Part No,Pembekal bahagian No apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Tidak dapat menolak apabila kategori adalah untuk 'Penilaian' atau 'Vaulation dan Jumlah' @@ -4239,14 +4249,14 @@ DocType: Item,Has Serial No,Mempunyai No Siri DocType: Employee,Date of Issue,Tarikh Keluaran apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Dari {0} untuk {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sebagai satu Tetapan Membeli jika Pembelian penerimaannya Diperlukan == 'YA', maka untuk mewujudkan Invois Belian, pengguna perlu membuat Pembelian Resit pertama bagi item {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Tetapkan Pembekal untuk item {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Nilai Waktu mesti lebih besar daripada sifar. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Tetapkan Pembekal untuk item {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Row {0}: Nilai Waktu mesti lebih besar daripada sifar. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Laman web Image {0} melekat Perkara {1} tidak boleh didapati DocType: Issue,Content Type,Jenis kandungan apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Komputer DocType: Item,List this Item in multiple groups on the website.,Senarai Item ini dalam pelbagai kumpulan di laman web. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Sila semak pilihan mata Multi untuk membolehkan akaun dengan mata wang lain -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Perkara: {0} tidak wujud dalam sistem +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Perkara: {0} tidak wujud dalam sistem apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Anda tiada kebenaran untuk menetapkan nilai Beku DocType: Payment Reconciliation,Get Unreconciled Entries,Dapatkan belum disatukan Penyertaan DocType: Payment Reconciliation,From Invoice Date,Dari Invois Tarikh @@ -4272,7 +4282,7 @@ DocType: Stock Entry,Default Source Warehouse,Default Sumber Gudang DocType: Item,Customer Code,Kod Pelanggan apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Peringatan hari jadi untuk {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Sejak hari Perintah lepas -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debit Untuk akaun perlu menjadi akaun Kunci Kira-kira +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debit Untuk akaun perlu menjadi akaun Kunci Kira-kira DocType: Buying Settings,Naming Series,Menamakan Siri DocType: Leave Block List,Leave Block List Name,Tinggalkan Nama Sekat Senarai apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Insurance Mula Tarikh harus kurang daripada tarikh Insurance End @@ -4289,7 +4299,7 @@ DocType: Vehicle Log,Odometer,odometer DocType: Sales Order Item,Ordered Qty,Mengarahkan Qty apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Perkara {0} dilumpuhkan DocType: Stock Settings,Stock Frozen Upto,Saham beku Upto -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM tidak mengandungi apa-apa butiran saham +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM tidak mengandungi apa-apa butiran saham apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Tempoh Dari dan Musim Ke tarikh wajib untuk berulang {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Aktiviti projek / tugasan. DocType: Vehicle Log,Refuelling Details,Refuelling Butiran @@ -4299,7 +4309,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Kadar pembelian seluruh dunia: terdapat DocType: Purchase Invoice,Write Off Amount (Company Currency),Tulis Off Jumlah (Syarikat Mata Wang) DocType: Sales Invoice Timesheet,Billing Hours,Waktu Billing -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM lalai untuk {0} tidak dijumpai +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM lalai untuk {0} tidak dijumpai apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Row # {0}: Sila menetapkan kuantiti pesanan semula apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Ketik item untuk menambah mereka di sini DocType: Fees,Program Enrollment,program Pendaftaran @@ -4333,6 +4343,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Range Penuaan 2 DocType: SG Creation Tool Course,Max Strength,Max Kekuatan apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM digantikan +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Pilih Item berdasarkan Tarikh Penghantaran ,Sales Analytics,Jualan Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Terdapat {0} ,Prospects Engaged But Not Converted,Prospek Terlibat Tetapi Tidak Ditukar @@ -4381,7 +4392,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Diskaun apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet untuk tugas-tugas. DocType: Purchase Invoice,Against Expense Account,Terhadap Akaun Perbelanjaan DocType: Production Order,Production Order,Perintah Pengeluaran -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Pemasangan Nota {0} telah diserahkan +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Pemasangan Nota {0} telah diserahkan DocType: Bank Reconciliation,Get Payment Entries,Dapatkan Penyertaan Pembayaran DocType: Quotation Item,Against Docname,Terhadap Docname DocType: SMS Center,All Employee (Active),Semua Pekerja (Aktif) @@ -4390,7 +4401,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Kos bahan mentah DocType: Item Reorder,Re-Order Level,Re-Order Level DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Masukkan item dan qty dirancang yang mana anda mahu untuk meningkatkan pesanan pengeluaran atau memuat turun bahan-bahan mentah untuk analisis. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Carta Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Carta Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Sambilan DocType: Employee,Applicable Holiday List,Senarai Holiday berkenaan DocType: Employee,Cheque,Cek @@ -4448,11 +4459,11 @@ DocType: Bin,Reserved Qty for Production,Cipta Terpelihara Kuantiti untuk Pengel DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Biarkan tak bertanda jika anda tidak mahu mempertimbangkan kumpulan semasa membuat kumpulan kursus berasaskan. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Biarkan tak bertanda jika anda tidak mahu mempertimbangkan kumpulan semasa membuat kumpulan kursus berasaskan. DocType: Asset,Frequency of Depreciation (Months),Kekerapan Susutnilai (Bulan) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Akaun Kredit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Akaun Kredit DocType: Landed Cost Item,Landed Cost Item,Tanah Kos Item apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Menunjukkan nilai-nilai sifar DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Kuantiti item diperolehi selepas pembuatan / pembungkusan semula daripada kuantiti diberi bahan mentah -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Persediaan sebuah laman web yang mudah untuk organisasi saya +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Persediaan sebuah laman web yang mudah untuk organisasi saya DocType: Payment Reconciliation,Receivable / Payable Account,Belum Terima / Akaun Belum Bayar DocType: Delivery Note Item,Against Sales Order Item,Terhadap Sales Order Item apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Sila nyatakan Atribut Nilai untuk atribut {0} @@ -4517,22 +4528,22 @@ DocType: Student,Nationality,Warganegara ,Items To Be Requested,Item Akan Diminta DocType: Purchase Order,Get Last Purchase Rate,Dapatkan lepas Kadar Pembelian DocType: Company,Company Info,Maklumat Syarikat -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Pilih atau menambah pelanggan baru -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,pusat kos diperlukan untuk menempah tuntutan perbelanjaan +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Pilih atau menambah pelanggan baru +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,pusat kos diperlukan untuk menempah tuntutan perbelanjaan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Permohonan Dana (Aset) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ini adalah berdasarkan kepada kehadiran pekerja ini -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Akaun Debit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Akaun Debit DocType: Fiscal Year,Year Start Date,Tahun Tarikh Mula DocType: Attendance,Employee Name,Nama Pekerja DocType: Sales Invoice,Rounded Total (Company Currency),Bulat Jumlah (Syarikat mata wang) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Tidak boleh Covert kepada Kumpulan kerana Jenis Akaun dipilih. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} telah diubah suai. Sila muat semula. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} telah diubah suai. Sila muat semula. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Menghentikan pengguna daripada membuat Permohonan Cuti pada hari-hari berikut. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Jumlah pembelian apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Sebutharga Pembekal {0} dicipta apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Akhir Tahun tidak boleh sebelum Start Tahun apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Manfaat Pekerja -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Makan kuantiti mestilah sama dengan kuantiti untuk Perkara {0} berturut-turut {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Makan kuantiti mestilah sama dengan kuantiti untuk Perkara {0} berturut-turut {1} DocType: Production Order,Manufactured Qty,Dikilangkan Qty DocType: Purchase Receipt Item,Accepted Quantity,Kuantiti Diterima apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Sila menetapkan lalai Senarai Holiday untuk pekerja {0} atau Syarikat {1} @@ -4543,11 +4554,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Tiada {0}: Jumlah tidak boleh lebih besar daripada Pending Jumlah Perbelanjaan terhadap Tuntutan {1}. Sementara menunggu Amaun adalah {2} DocType: Maintenance Schedule,Schedule,Jadual DocType: Account,Parent Account,Akaun Ibu Bapa -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Tersedia +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Tersedia DocType: Quality Inspection Reading,Reading 3,Membaca 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Baucer Jenis -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Senarai Harga tidak dijumpai atau orang kurang upaya +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Senarai Harga tidak dijumpai atau orang kurang upaya DocType: Employee Loan Application,Approved,Diluluskan DocType: Pricing Rule,Price,Harga apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Pekerja lega pada {0} mesti ditetapkan sebagai 'kiri' @@ -4617,7 +4628,7 @@ DocType: SMS Settings,Static Parameters,Parameter statik DocType: Assessment Plan,Room,bilik DocType: Purchase Order,Advance Paid,Advance Dibayar DocType: Item,Item Tax,Perkara Cukai -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Bahan kepada Pembekal +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Bahan kepada Pembekal apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Cukai Invois apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Ambang {0}% muncul lebih daripada sekali DocType: Expense Claim,Employees Email Id,Id Pekerja E-mel @@ -4657,7 +4668,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,model DocType: Production Order,Actual Operating Cost,Kos Sebenar Operasi DocType: Payment Entry,Cheque/Reference No,Cek / Rujukan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Pembekal> Jenis Pembekal apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Akar tidak boleh diedit. DocType: Item,Units of Measure,Unit ukuran DocType: Manufacturing Settings,Allow Production on Holidays,Benarkan Pengeluaran pada Cuti @@ -4690,12 +4700,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Hari Kredit apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Buat Batch Pelajar DocType: Leave Type,Is Carry Forward,Apakah Carry Forward -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Dapatkan Item dari BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Dapatkan Item dari BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Membawa Hari Masa -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Pos Tarikh mesti sama dengan tarikh pembelian {1} aset {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Pos Tarikh mesti sama dengan tarikh pembelian {1} aset {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Semak ini jika Pelajar itu yang menetap di Institut Hostel. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Sila masukkan Pesanan Jualan dalam jadual di atas -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Belum Menghantar Gaji Slip +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Belum Menghantar Gaji Slip ,Stock Summary,Ringkasan Stock apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Pemindahan aset dari satu gudang yang lain DocType: Vehicle,Petrol,petrol diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv index 68c5d2bb1fe..3bb62d620d1 100644 --- a/erpnext/translations/my.csv +++ b/erpnext/translations/my.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,အရောင်းကိုယ်စားလ DocType: Employee,Rented,ငှားရမ်းထားသော DocType: Purchase Order,PO-,ရည်ညွှန်း DocType: POS Profile,Applicable for User,အသုံးပြုသူများအတွက်သက်ဆိုင်သော -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ထုတ်လုပ်မှုအမိန့်ကိုပယ်ဖျက်ဖို့ပထမဦးဆုံးက Unstop ဖျက်သိမ်းလိုက်ရမရနိုင်ပါရပ်တန့် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ထုတ်လုပ်မှုအမိန့်ကိုပယ်ဖျက်ဖို့ပထမဦးဆုံးက Unstop ဖျက်သိမ်းလိုက်ရမရနိုင်ပါရပ်တန့် DocType: Vehicle Service,Mileage,မိုင်အကွာအဝေး apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,သင်အမှန်တကယ်ဒီပိုင်ဆိုင်မှုဖျက်သိမ်းရန်ချင်ပါသလား apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,ပုံမှန်ပေးသွင်းကို Select လုပ်ပါ @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Bill apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),ချိန်း Rate {1} {0} အဖြစ်အတူတူဖြစ်ရမည် ({2}) DocType: Sales Invoice,Customer Name,ဖောက်သည်အမည် DocType: Vehicle,Natural Gas,သဘာဝဓာတ်ငွေ့ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},ဘဏ်အကောင့် {0} အဖြစ်အမည်ရှိသောမရနိုင်ပါ +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},ဘဏ်အကောင့် {0} အဖြစ်အမည်ရှိသောမရနိုင်ပါ DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ဦးခေါင်း (သို့မဟုတ်အုပ်စုများ) စာရင်းကိုင် Entries စေကြနှင့်ချိန်ခွင်ထိန်းသိမ်းထားသည့်ဆန့်ကျင်။ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ထူးချွန် {0} သုည ({1}) ထက်နည်းမဖြစ်နိုင် DocType: Manufacturing Settings,Default 10 mins,10 မိနစ် default @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Type အမည် Leave apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ပွင့်လင်းပြရန် apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,စီးရီးအောင်မြင်စွာကျင်းပပြီးစီး Updated apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,ထွက်ခွာသည် -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Submitted တိကျစွာဂျာနယ် Entry ' +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Submitted တိကျစွာဂျာနယ် Entry ' DocType: Pricing Rule,Apply On,တွင် Apply DocType: Item Price,Multiple Item prices.,အကွိမျမြားစှာ Item ဈေးနှုန်းများ။ ,Purchase Order Items To Be Received,ရရှိထားသည့်ခံရဖို့အမိန့်ပစ္စည်းများဝယ်ယူရန် @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,ငွေပေးခ apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Show ကို Variant DocType: Academic Term,Academic Term,ပညာရေးဆိုင်ရာ Term apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ပစ္စည်း -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,အရေအတွက် +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,အရေအတွက် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,စားပွဲအလွတ်မဖွစျနိုငျအကောင့်။ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ချေးငွေများ (စိစစ်) DocType: Employee Education,Year of Passing,Pass ၏တစ်နှစ်တာ @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ကျန်းမာရေးစောင့်ရှောက်မှု apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ငွေပေးချေမှုအတွက်နှောင့်နှေး (နေ့ရက်များ) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ဝန်ဆောင်မှုကုန်ကျစရိတ် -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ပြီးသားအရောင်းပြေစာအတွက်ရည်ညွှန်းသည်: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,ဝယ်ကုန်စာရင်း +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ပြီးသားအရောင်းပြေစာအတွက်ရည်ညွှန်းသည်: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,ဝယ်ကုန်စာရင်း DocType: Maintenance Schedule Item,Periodicity,ကာလ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} လိုအပ်သည် -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,မျှော်လင့်ထားသည့် Delivery နေ့စွဲအရောင်းအမိန့်နေ့စွဲမတိုင်မီဖြစ်ဖြစ်ပါသည် apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,ကာကွယ်မှု DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),ရမှတ် (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,row # {0}: DocType: Timesheet,Total Costing Amount,စုစုပေါင်းကုန်ကျငွေပမာဏ DocType: Delivery Note,Vehicle No,မော်တော်ယာဉ်မရှိပါ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,စျေးနှုန်း List ကို select လုပ်ပါ ကျေးဇူးပြု. +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,စျေးနှုန်း List ကို select လုပ်ပါ ကျေးဇူးပြု. apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,အတန်း # {0}: ငွေပေးချေမှုရမည့်စာရွက်စာတမ်း trasaction ဖြည့်စွက်ရန်လိုအပ်ပါသည် DocType: Production Order Operation,Work In Progress,တိုးတက်မှုများတွင်အလုပ် apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ရက်စွဲကို select လုပ်ပါကျေးဇူးပြုပြီး @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} မတက်ကြွဘဏ္ဍာရေးတစ်နှစ်တာ။ DocType: Packed Item,Parent Detail docname,မိဘ Detail docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ကိုးကားစရာ: {0}, Item Code ကို: {1} နှင့်ဖောက်သည်: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,ကီလိုဂရမ် +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,ကီလိုဂရမ် DocType: Student Log,Log,တုံး apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,တစ်ဦးယောဘသည်အဖွင့်။ DocType: Item Attribute,Increment,increment @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,အိမ်ထောင်သည် apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},{0} ဘို့ခွင့်မပြု apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,အထဲကပစ္စည်းတွေကို Get -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},စတော့အိတ် Delivery မှတ်ချက် {0} ဆန့်ကျင် updated မရနိုင်ပါ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},စတော့အိတ် Delivery မှတ်ချက် {0} ဆန့်ကျင် updated မရနိုင်ပါ apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ကုန်ပစ္စည်း {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ဖော်ပြထားသောအရာများမရှိပါ DocType: Payment Reconciliation,Reconcile,ပြန်လည်သင့်မြတ် @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,ပ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Next ကိုတန်ဖိုးနေ့စွဲဝယ်ယူနေ့စွဲမတိုင်မီမဖွစျနိုငျ DocType: SMS Center,All Sales Person,အားလုံးသည်အရောင်းပုဂ္ဂိုလ် DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** လစဉ်ဖြန့်ဖြူး ** သင်သည်သင်၏စီးပွားရေးလုပ်ငန်းမှာရာသီအလိုက်ရှိပါကသင်သည်လအတွင်းဖြတ်ပြီးဘတ်ဂျက် / Target ကဖြန့်ဝေကူညီပေးသည်။ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,မတွေ့ရှိပစ္စည်းများ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,မတွေ့ရှိပစ္စည်းများ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,လစာဖွဲ့စည်းပုံပျောက်ဆုံး DocType: Lead,Person Name,လူတစ်ဦးအမည် DocType: Sales Invoice Item,Sales Invoice Item,အရောင်းပြေစာ Item @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ပိုင်ဆိုင်မှုစံချိန်ပစ္စည်းဆန့်ကျင်တည်ရှိအဖြစ်, ထိနျးခြုပျမဖွစျနိုငျ "Fixed Asset ရှိ၏"" DocType: Vehicle Service,Brake Oil,ဘရိတ်ရေနံ DocType: Tax Rule,Tax Type,အခွန် Type အမျိုးအစား -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Taxable ငွေပမာဏ +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Taxable ငွေပမာဏ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},သင် {0} ခင် entries တွေကို add သို့မဟုတ် update ကိုမှခွင့်ပြုမထား DocType: BOM,Item Image (if not slideshow),item ပုံရိပ် (Slideshow မလျှင်) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,တစ်ဦးဖုန်းဆက်သူအမည်တူနှင့်အတူတည်ရှိ DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(အချိန်နာရီနှုန်း / 60) * အမှန်တကယ်စစ်ဆင်ရေးအချိန် -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,BOM ကို Select လုပ်ပါ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,BOM ကို Select လုပ်ပါ DocType: SMS Log,SMS Log,SMS ကိုအထဲ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ကယ်နှုတ်တော်မူ၏ပစ္စည်းများ၏ကုန်ကျစရိတ် apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} အပေါ်အားလပ်ရက်နေ့စွဲ မှစ. နှင့်နေ့စွဲစေရန်အကြားမဖြစ် @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,ကျောင်းများ DocType: School Settings,Validate Batch for Students in Student Group,ကျောင်းသားအုပ်စုအတွက်ကျောင်းသားများအဘို့အသုတ်လိုက်မှန်ကန်ကြောင်းသက်သေပြ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},{1} များအတွက် {0} ဝန်ထမ်းများအတွက်မျှမတွေ့ခွင့်စံချိန်တင် apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ပထမဦးဆုံးကုမ္ပဏီတစ်ခုကိုရိုက်ထည့်ပေးပါ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,ကုမ္ပဏီပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု. +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,ကုမ္ပဏီပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု. DocType: Employee Education,Under Graduate,ဘွဲ့လွန်အောက်မှာ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target ကတွင် DocType: BOM,Total Cost,စုစုပေါင်းကုန်ကျစရိတ် DocType: Journal Entry Account,Employee Loan,ဝန်ထမ်းချေးငွေ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,လုပ်ဆောင်ချက်အထဲ: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,item {0} system ကိုအတွက်မတည်ရှိပါဘူးသို့မဟုတ်သက်တမ်း +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,လုပ်ဆောင်ချက်အထဲ: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,item {0} system ကိုအတွက်မတည်ရှိပါဘူးသို့မဟုတ်သက်တမ်း apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,အိမ်ခြံမြေရောင်းဝယ်ရေးလုပ်ငန်း apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,အကောင့်၏ထုတ်ပြန်ကြေညာချက် apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ဆေးဝါးများ @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,ပြောဆိုချက်က apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,အ cutomer အုပ်စု table ထဲမှာကိုတွေ့မိတ္တူပွားဖောက်သည်အုပ်စု apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,ပေးသွင်း Type / ပေးသွင်း DocType: Naming Series,Prefix,ရှေ့ဆကျတှဲ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup ကို> Setting> အမည်ဖြင့်သမုတ်စီးရီးကနေတဆင့် {0} များအတွက်စီးရီးအမည်ဖြင့်သမုတ်သတ်မှတ်ထား ကျေးဇူးပြု. -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumer +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumer DocType: Employee,B-,ပါဘူးရှငျ DocType: Upload Attendance,Import Log,သွင်းကုန်အထဲ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,အထက်ပါသတ်မှတ်ချက်ပေါ်အခြေခံပြီးအမျိုးအစားထုတ်လုပ်ခြင်း၏ပစ္စည်းတောင်းဆိုမှု Pull DocType: Training Result Employee,Grade,grade DocType: Sales Invoice Item,Delivered By Supplier,ပေးသွင်းခြင်းအားဖြင့်ကယ်နှုတ်တော်မူ၏ DocType: SMS Center,All Contact,အားလုံးသည်ဆက်သွယ်ရန် -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,ပြီးသား BOM နှင့်အတူပစ္စည်းများအားလုံးဖန်တီးထုတ်လုပ်မှုအမိန့် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,ပြီးသား BOM နှင့်အတူပစ္စည်းများအားလုံးဖန်တီးထုတ်လုပ်မှုအမိန့် apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,နှစ်ပတ်လည်လစာ DocType: Daily Work Summary,Daily Work Summary,Daily သတင်းစာလုပ်ငန်းခွင်အကျဉ်းချုပ် DocType: Period Closing Voucher,Closing Fiscal Year,နိဂုံးချုပ်ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} အေးစက်နေတဲ့ဖြစ်ပါသည် +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} အေးစက်နေတဲ့ဖြစ်ပါသည် apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,ငွေစာရင်းဇယားအတွက်ဖြစ်တည်မှုကုမ္ပဏီကို select လုပ်ပါကျေးဇူးပြုပြီး apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,စတော့အိတ်အသုံးစရိတ်များ apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ပစ်မှတ်ဂိုဒေါင်ကို Select လုပ်ပါ @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},လက်ခံထားတဲ့ + Qty Item {0} သည်ရရှိထားသည့်အရေအတွက်နှင့်ညီမျှဖြစ်ရမည်ငြင်းပယ် DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,ဝယ်ယူခြင်းအဘို့အ supply ကုန်ကြမ်း -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,ငွေပေးချေမှု၏အနည်းဆုံး mode ကို POS ငွေတောင်းခံလွှာဘို့လိုအပ်ပါသည်။ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,ငွေပေးချေမှု၏အနည်းဆုံး mode ကို POS ငွေတောင်းခံလွှာဘို့လိုအပ်ပါသည်။ DocType: Products Settings,Show Products as a List,တစ်ဦးစာရင်းအဖြစ် Show ကိုထုတ်ကုန်များ DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Template ကို Download, သင့်လျော်သောအချက်အလက်ဖြည့်စွက်ခြင်းနှင့်ပြုပြင်ထားသောဖိုင်ပူးတွဲ။ ရွေးချယ်ထားတဲ့ကာလအတွက်အားလုံးသည်ရက်စွဲများနှင့်ဝန်ထမ်းပေါင်းစပ်လက်ရှိတက်ရောက်သူမှတ်တမ်းများနှင့်တကွ, template မှာရောက်လိမ့်မည်" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,item {0} တက်ကြွသို့မဟုတ်အသက်၏အဆုံးသည်မဖြစ်သေးရောက်ရှိခဲ့သည် -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,ဥပမာ: အခြေခံပညာသင်္ချာ -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","အခွန်ကိုထည့်သွင်းရန်အတန်းအတွက် {0} Item မှုနှုန်း, အတန်း {1} အတွက်အခွန်ကိုလည်းထည့်သွင်းရပါမည်" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,ဥပမာ: အခြေခံပညာသင်္ချာ +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","အခွန်ကိုထည့်သွင်းရန်အတန်းအတွက် {0} Item မှုနှုန်း, အတန်း {1} အတွက်အခွန်ကိုလည်းထည့်သွင်းရပါမည်" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,HR Module သည် Settings ကို DocType: SMS Center,SMS Center,SMS ကို Center က DocType: Sales Invoice,Change Amount,ပြောင်းလဲမှုပမာဏ @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Installation လုပ်တဲ့နေ့စွဲ Item {0} သည်ပို့ဆောင်မှုနေ့စွဲခင်မဖွစျနိုငျ DocType: Pricing Rule,Discount on Price List Rate (%),စျေးနှုန်း List ကို Rate (%) အပေါ်လျှော့စျေး DocType: Offer Letter,Select Terms and Conditions,စည်းကမ်းသတ်မှတ်ချက်များကိုရွေးပါ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Value တစ်ခုအထဲက +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Value တစ်ခုအထဲက DocType: Production Planning Tool,Sales Orders,အရောင်းအမှာ DocType: Purchase Taxes and Charges,Valuation,အဘိုးထားခြင်း ,Purchase Order Trends,အမိန့်ခေတ်ရေစီးကြောင်းဝယ်ယူ @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Entry 'ဖွင့်လှစ်တာဖြစ်ပါတယ် DocType: Customer Group,Mention if non-standard receivable account applicable,Non-စံကိုရရန်အကောင့်ကိုသက်ဆိုင်လျှင်ဖော်ပြထားခြင်း DocType: Course Schedule,Instructor Name,သှအမည် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,ဂိုဒေါင်လိုအပ်သည်သည်ခင် Submit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,ဂိုဒေါင်လိုအပ်သည်သည်ခင် Submit apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,တွင်ရရှိထားသည့် DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","check လုပ်ထားလျှင်, ပစ္စည်းတောင်းဆိုချက်များတွင် non-စတော့ရှယ်ယာပစ္စည်းများပါဝင်တော်မူမည်။" @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,အရောင်းပြေစာ Item ဆန့်ကျင် ,Production Orders in Progress,တိုးတက်မှုအတွက်ထုတ်လုပ်မှုကိုအမိန့် apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,ဘဏ္ဍာရေးကနေ Net ကငွေ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage ပြည့်ဝ၏, မကယ်တင်ခဲ့" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage ပြည့်ဝ၏, မကယ်တင်ခဲ့" DocType: Lead,Address & Contact,လိပ်စာ & ဆက်သွယ်ရန် DocType: Leave Allocation,Add unused leaves from previous allocations,ယခင်ခွဲတမ်းအနေဖြင့်အသုံးမပြုတဲ့အရွက် Add apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Next ကိုထပ်တလဲလဲ {0} {1} အပေါ်နေသူများကဖန်တီးလိမ့်မည် DocType: Sales Partner,Partner website,မိတ်ဖက်ဝက်ဘ်ဆိုက် apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Item Add -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,ဆက်သွယ်ရန်အမည် +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,ဆက်သွယ်ရန်အမည် DocType: Course Assessment Criteria,Course Assessment Criteria,သင်တန်းအမှတ်စဥ်အကဲဖြတ်လိုအပ်ချက် DocType: Process Payroll,Creates salary slip for above mentioned criteria.,အထက်တွင်ဖော်ပြခဲ့သောစံသတ်မှတ်ချက်များသည်လစာစလစ်ဖန်တီးပေးပါတယ်။ DocType: POS Customer Group,POS Customer Group,POS ဖောက်သည်အုပ်စု @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,row {0}: ဤအနေနဲ့ကြိုတင် entry ကိုဖြစ်လျှင် {1} အကောင့်ဆန့်ကျင် '' ကြိုတင်ထုတ် Is '' စစ်ဆေးပါ။ apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},ဂိုဒေါင် {0} ကုမ္ပဏီမှ {1} ပိုင်ပါဘူး DocType: Email Digest,Profit & Loss,အမြတ်အစွန်း & ဆုံးရှုံးမှု -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) စုစုပေါင်းကုန်ကျငွေပမာဏ DocType: Item Website Specification,Item Website Specification,item ဝက်ဘ်ဆိုက် Specification apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Leave Blocked @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,အရောင်းပြေစာမရ DocType: Material Request Item,Min Order Qty,min မိန့် Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ကျောင်းသားအုပ်စုဖန်ဆင်းခြင်း Tool ကိုသင်တန်းအမှတ်စဥ် DocType: Lead,Do Not Contact,ဆက်သွယ်ရန်မ -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,သင်၏အဖွဲ့အစည်းမှာသင်ပေးတဲ့သူကလူ +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,သင်၏အဖွဲ့အစည်းမှာသင်ပေးတဲ့သူကလူ DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,အားလုံးထပ်တလဲလဲကုန်ပို့လွှာ tracking များအတွက်ထူးခြားသော id ။ ဒါဟာတင်ပြရန်အပေါ် generated ဖြစ်ပါတယ်။ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software ကို Developer DocType: Item,Minimum Order Qty,နိမ့်ဆုံးအမိန့် Qty @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Hub အတွက်ထုတ်ဝေ DocType: Student Admission,Student Admission,ကျောင်းသားသမဂ္ဂင်ခွင့် ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,item {0} ဖျက်သိမ်းလိုက် -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,material တောင်းဆိုခြင်း +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,material တောင်းဆိုခြင်း DocType: Bank Reconciliation,Update Clearance Date,Update ကိုရှင်းလင်းရေးနေ့စွဲ DocType: Item,Purchase Details,အသေးစိတ်ဝယ်ယူ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},item {0} ဝယ်ယူခြင်းအမိန့် {1} အတွက် '' ကုန်ကြမ်းထောက်ပံ့ '' table ထဲမှာမတှေ့ @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,ရေယာဉ်စု Manager ကို apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},အတန်း # {0}: {1} ကို item {2} ဘို့အနုတ်လက္ခဏာမဖွစျနိုငျ apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,မှားယွင်းနေ Password ကို DocType: Item,Variant Of,အမျိုးမျိုးမူကွဲ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',ပြီးစီး Qty '' Qty ထုတ်လုပ်ခြင်းမှ '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',ပြီးစီး Qty '' Qty ထုတ်လုပ်ခြင်းမှ '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Period Closing Voucher,Closing Account Head,နိဂုံးချုပ်အကောင့်ဌာနမှူး DocType: Employee,External Work History,ပြင်ပလုပ်ငန်းခွင်သမိုင်း apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,မြို့ပတ်ရထားကိုးကားစရာအမှား @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,ကျန်ရစ်အ apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),[{2}] (# Form ကို / ဂိုဒေါင် / {2}) ၌တွေ့ [{1}] ၏ {0} ယူနစ် (# Form ကို / ပစ္စည်း / {1}) DocType: Lead,Industry,စက်မှုလုပ်ငန်း DocType: Employee,Job Profile,ယောဘ၏ကိုယ်ရေးအချက်အလက်များ profile +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,ဒီကုမ္ပဏီဆန့်ကျင်အရောင်းအပေါ်တွင်အခြေခံထားသည်။ အသေးစိတ်အချက်အလက်များကိုအောက်ပါအချိန်ဇယားကိုကြည့်ပါ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,အော်တိုပစ္စည်းတောင်းဆိုမှု၏ဖန်တီးမှုအပေါ်အီးမေးလ်ကိုအကြောင်းကြား DocType: Journal Entry,Multi Currency,multi ငွေကြေးစနစ် DocType: Payment Reconciliation Invoice,Invoice Type,ကုန်ပို့လွှာ Type -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Delivery မှတ်ချက် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Delivery မှတ်ချက် apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,အခွန်ကိုတည်ဆောက်ခြင်း apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,ရောင်းချပိုင်ဆိုင်မှု၏ကုန်ကျစရိတ် apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,သင်ကထွက်ခွာသွားပြီးနောက်ငွေပေးချေမှုရမည့် Entry modified သိရသည်။ တဖန်ဆွဲပေးပါ။ @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,လယ်ပြင်၌တန်ဖိုးကို '' Day ကို Month ရဲ့အပေါ် Repeat '' ကိုရိုက်ထည့်ပေးပါ DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ဖောက်သည်ငွေကြေးဖောက်သည်ရဲ့အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate DocType: Course Scheduling Tool,Course Scheduling Tool,သင်တန်းစီစဉ်ခြင်း Tool ကို -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},အတန်း # {0}: အရစ်ကျငွေတောင်းခံလွှာရှိပြီးသားပိုင်ဆိုင်မှု {1} ဆန့်ကျင်ရာ၌မရနိုငျ +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},အတန်း # {0}: အရစ်ကျငွေတောင်းခံလွှာရှိပြီးသားပိုင်ဆိုင်မှု {1} ဆန့်ကျင်ရာ၌မရနိုငျ DocType: Item Tax,Tax Rate,အခွန်နှုန်း apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ပြီးသားကာလထမ်း {1} များအတွက်ခွဲဝေ {2} {3} မှ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Item ကိုရွေးပါ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Item ကိုရွေးပါ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ဝယ်ယူခြင်းပြေစာ {0} ပြီးသားတင်သွင်းတာဖြစ်ပါတယ် apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},row # {0}: Batch မရှိပါ {1} {2} အဖြစ်အတူတူဖြစ်ရပါမည် apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Non-Group ကမှ convert @@ -447,7 +446,7 @@ DocType: Employee,Widowed,မုဆိုးမ DocType: Request for Quotation,Request for Quotation,စျေးနှုန်းအဘို့တောင်းဆိုခြင်း DocType: Salary Slip Timesheet,Working Hours,အလုပ်လုပ်နာရီ DocType: Naming Series,Change the starting / current sequence number of an existing series.,ရှိပြီးသားစီးရီး၏စတင်ကာ / လက်ရှိ sequence number ကိုပြောင်းပါ။ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,အသစ်တစ်ခုကိုဖောက်သည် Create +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,အသစ်တစ်ခုကိုဖောက်သည် Create apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","မျိုးစုံစျေးနှုန်းများနည်းဥပဒေများနိုင်မှတည်လျှင်, အသုံးပြုသူများပဋိပက္ခဖြေရှင်းရန်ကို manually ဦးစားပေးသတ်မှတ်ဖို့တောင်းနေကြသည်။" apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,အရစ်ကျမိန့် Create ,Purchase Register,မှတ်ပုံတင်မည်ဝယ်ယူ @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,စစျဆေးသူအမည် DocType: Purchase Invoice Item,Quantity and Rate,အရေအတွက်နှင့် Rate DocType: Delivery Note,% Installed,% Installed -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,စာသင်ခန်း / Laboratories စသည်တို့ကိုပို့ချချက်စီစဉ်ထားနိုင်ပါတယ်ဘယ်မှာ။ +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,စာသင်ခန်း / Laboratories စသည်တို့ကိုပို့ချချက်စီစဉ်ထားနိုင်ပါတယ်ဘယ်မှာ။ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,ကုမ္ပဏီအမည်ကိုပထမဦးဆုံးရိုက်ထည့်ပေးပါ DocType: Purchase Invoice,Supplier Name,ပေးသွင်းအမည် apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ထို ERPNext လက်စွဲစာအုပ် Read @@ -490,7 +489,7 @@ DocType: Account,Old Parent,စာဟောငျးမိဘ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,မသင်မနေရကိုလယ် - ပညာရေးဆိုင်ရာတစ်နှစ်တာ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,မသင်မနေရကိုလယ် - ပညာရေးဆိုင်ရာတစ်နှစ်တာ DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,အီးမေးလ်ရဲ့တစ်စိတ်တစ်ပိုင်းအဖြစ်ဝင်သောနိဒါန်းစာသားစိတ်ကြိုက်ပြုလုပ်ပါ။ အသီးအသီးအရောင်းအဝယ်သီးခြားနိဒါန်းစာသားရှိပါတယ်။ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},ကုမ္ပဏီ {0} များအတွက် default အနေနဲ့ပေးဆောင်အကောင့်ကိုသတ်မှတ်ပေးပါ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},ကုမ္ပဏီ {0} များအတွက် default အနေနဲ့ပေးဆောင်အကောင့်ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,အားလုံးထုတ်လုပ်မှုလုပ်ငန်းစဉ်များသည်ကမ္ဘာလုံးဆိုင်ရာ setting ကို။ DocType: Accounts Settings,Accounts Frozen Upto,Frozen ထိအကောင့် DocType: SMS Log,Sent On,တွင် Sent @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,ပေးရန်ရှိသောစ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,ရွေးချယ်ထားတဲ့ BOMs တူညီတဲ့အရာအတွက်မဟုတ် DocType: Pricing Rule,Valid Upto,သက်တမ်းရှိအထိ DocType: Training Event,Workshop,အလုပ်ရုံ -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,သင့်ရဲ့ဖောက်သည်၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။ +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,သင့်ရဲ့ဖောက်သည်၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Build ဖို့လုံလောက်တဲ့အစိတ်အပိုင်းများ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,တိုက်ရိုက်ဝင်ငွေခွန် apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","အကောင့်အားဖြင့်အုပ်စုဖွဲ့လျှင်, အကောင့်ပေါ်မှာအခြေခံပြီး filter နိုင်ဘူး" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,သင်တန်းကို select ပေးပါ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,သင်တန်းကို select ပေးပါ DocType: Timesheet Detail,Hrs,နာရီ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,ကုမ္ပဏီကို select ကျေးဇူးပြု. +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,ကုမ္ပဏီကို select ကျေးဇူးပြု. DocType: Stock Entry Detail,Difference Account,ခြားနားချက်အကောင့် DocType: Purchase Invoice,Supplier GSTIN,ပေးသွင်း GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,၎င်း၏မှီခိုအလုပ်တစ်ခုကို {0} တံခါးပိတ်မဟုတ်ပါအဖြစ်အနီးကပ်အလုပ်တစ်ခုကိုမနိုင်သလား။ @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Threshold 0% များအတွက်တန်းသတ်မှတ်ပေးပါ DocType: Sales Order,To Deliver,လှတျတျောမူရန် DocType: Purchase Invoice Item,Item,အချက် -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,serial မရှိ item ကိုတစ်အစိတ်အပိုင်းမဖွစျနိုငျ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,serial မရှိ item ကိုတစ်အစိတ်အပိုင်းမဖွစျနိုငျ DocType: Journal Entry,Difference (Dr - Cr),ခြားနားချက် (ဒေါက်တာ - Cr) DocType: Account,Profit and Loss,အမြတ်နှင့်အရှုံး apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,စီမံခန့်ခွဲ Subcontracting @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),အာမခံကာလ (Days) DocType: Installation Note Item,Installation Note Item,Installation မှတ်ချက် Item DocType: Production Plan Item,Pending Qty,ဆိုင်းငံ့ထား Qty DocType: Budget,Ignore,ဂရုမပြု -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} တက်ကြွမဟုတ်ပါဘူး +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} တက်ကြွမဟုတ်ပါဘူး apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},အောက်ပါနံပါတ်များကိုစလှေတျ SMS ကို: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ပုံနှိပ်ခြင်းအဘို့အ Setup ကိုစစ်ဆေးမှုများရှုထောင့် DocType: Salary Slip,Salary Slip Timesheet,လစာစလစ်ဖြတ်ပိုင်းပုံစံ Timesheet @@ -687,8 +686,8 @@ DocType: Installation Note,IN-,ဖွယ်ရှိ DocType: Production Order Operation,In minutes,မိနစ် DocType: Issue,Resolution Date,resolution နေ့စွဲ DocType: Student Batch Name,Batch Name,batch အမည် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet ကဖန်တီး: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},ငွေပေးချေမှုရမည့်၏ Mode ကို {0} အတွက် default အနေနဲ့ငွေသို့မဟုတ်ဘဏ်မှအကောင့်ကိုသတ်မှတ်ပေးပါ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet ကဖန်တီး: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},ငွေပေးချေမှုရမည့်၏ Mode ကို {0} အတွက် default အနေနဲ့ငွေသို့မဟုတ်ဘဏ်မှအကောင့်ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,စာရင်းသွင်း DocType: GST Settings,GST Settings,GST က Settings DocType: Selling Settings,Customer Naming By,အားဖြင့်ဖောက်သည် Name @@ -708,7 +707,7 @@ DocType: Activity Cost,Projects User,စီမံကိန်းများအ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,ကျွမ်းလောင် apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} ပြေစာအသေးစိတ် table ထဲမှာမတှေ့ DocType: Company,Round Off Cost Center,ကုန်ကျစရိတ် Center ကပိတ် round -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ပြုပြင်ထိန်းသိမ်းမှုခရီးစဉ် {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,ပြုပြင်ထိန်းသိမ်းမှုခရီးစဉ် {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် DocType: Item,Material Transfer,ပစ္စည်းလွှဲပြောင်း apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ဖွင့်ပွဲ (ဒေါက်တာ) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Post Timestamp ကို {0} နောက်မှာဖြစ်ရပါမည် @@ -717,7 +716,7 @@ DocType: Employee Loan,Total Interest Payable,စုစုပေါင်းအ DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ကုန်ကျစရိတ်အခွန်နှင့်စွပ်စွဲချက်ဆင်းသက် DocType: Production Order Operation,Actual Start Time,အမှန်တကယ် Start ကိုအချိန် DocType: BOM Operation,Operation Time,စစ်ဆင်ရေးအချိန် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,အပြီးသတ် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,အပြီးသတ် apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,base DocType: Timesheet,Total Billed Hours,စုစုပေါင်းကောက်ခံခဲ့နာရီ DocType: Journal Entry,Write Off Amount,ငွေပမာဏပိတ်ရေးထား @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),Odometer Value ကို (နောက် apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ငွေပေးချေမှုရမည့် Entry 'ပြီးသားနေသူများကဖန်တီး DocType: Purchase Receipt Item Supplied,Current Stock,လက်ရှိစတော့အိတ် -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} Item {2} နှင့်ဆက်စပ်ပါဘူး +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} Item {2} နှင့်ဆက်စပ်ပါဘူး apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,ကို Preview လစာစလစ်ဖြတ်ပိုင်းပုံစံ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,အကောင့် {0} အကြိမ်ပေါင်းများစွာသို့ဝင်ခဲ့ DocType: Account,Expenses Included In Valuation,အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်တွင်ထည့်သွင်းကုန်ကျစရိတ် @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Credit Card ကို Entry ' apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,ကုမ္ပဏီနှင့်ငွေစာရင်း apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,ကုန်ပစ္စည်းများပေးသွင်းထံမှလက်ခံရရှိခဲ့သည်။ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,Value တစ်ခုအတွက် +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,Value တစ်ခုအတွက် DocType: Lead,Campaign Name,ကင်ပိန်းအမည် DocType: Selling Settings,Close Opportunity After Days,နေ့ရက်များပြီးနောက်နီးကပ်အခွင့်အလမ်း ,Reserved,Reserved @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,စွမ်းအင်ဝန်ကြီးဌာန DocType: Opportunity,Opportunity From,မှစ. အခွင့်အလမ်း apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,လစဉ်လစာကြေငြာချက်။ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,အတန်း {0}: {1} Serial နံပါတ်များကို Item {2} ဘို့လိုအပ်သည်။ သင် {3} ထောက်ပံ့ပေးခဲ့ကြသည်။ DocType: BOM,Website Specifications,website သတ်မှတ်ချက်များ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: {1} အမျိုးအစား {0} မှစ. DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,row {0}: ကူးပြောင်းခြင်း Factor မသင်မနေရ DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","အကွိမျမြားစှာစျေးစည်းကမ်းများတူညီတဲ့စံနှင့်အတူတည်ရှိ, ဦးစားပေးတာဝန်ပေးဖို့ခြင်းဖြင့်ပဋိပက္ခဖြေရှင်းရန်ပါ။ စျေးစည်းကမ်းများ: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,ဒါကြောင့်အခြား BOMs နှင့်အတူဆက်စပ်အဖြစ် BOM ရပ်ဆိုင်းနိုင်သို့မဟုတ်ပယ်ဖျက်ခြင်းနိုင်ဘူး +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,ဒါကြောင့်အခြား BOMs နှင့်အတူဆက်စပ်အဖြစ် BOM ရပ်ဆိုင်းနိုင်သို့မဟုတ်ပယ်ဖျက်ခြင်းနိုင်ဘူး DocType: Opportunity,Maintenance,ပြုပြင်ထိန်းသိမ်းမှု DocType: Item Attribute Value,Item Attribute Value,item Attribute Value တစ်ခု apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,အရောင်းစည်းရုံးလှုံ့ဆော်မှုများ။ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Timesheet Make +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Timesheet Make DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -838,7 +838,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,အီးမေးလ်အကောင့်ကိုဖွင့်သတ်မှတ် apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,ပထမဦးဆုံးပစ္စည်းကိုရိုက်ထည့်ပေးပါ DocType: Account,Liability,တာဝန် -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ပိတ်ဆို့ငွေပမာဏ Row {0} အတွက်တောင်းဆိုမှုများငွေပမာဏထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ပိတ်ဆို့ငွေပမာဏ Row {0} အတွက်တောင်းဆိုမှုများငွေပမာဏထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။ DocType: Company,Default Cost of Goods Sold Account,ကုန်စည်၏ default ကုန်ကျစရိတ်အကောင့်ရောင်းချ apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,စျေးနှုန်း List ကိုမရွေးချယ် DocType: Employee,Family Background,မိသားစုနောက်ခံသမိုင်း @@ -849,10 +849,10 @@ DocType: Company,Default Bank Account,default ဘဏ်မှအကောင် apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",ပါတီအပေါ်အခြေခံပြီး filter မှပထမဦးဆုံးပါတီ Type ကိုရွေးပါ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"ပစ္စည်းများကို {0} ကနေတဆင့်ကယ်နှုတ်တော်မူ၏မဟုတ်သောကြောင့်, '' Update ကိုစတော့အိတ် '' checked မရနိုင်ပါ" DocType: Vehicle,Acquisition Date,သိမ်းယူမှုနေ့စွဲ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,nos DocType: Item,Items with higher weightage will be shown higher,ပိုမိုမြင့်မားသော weightage နှင့်အတူပစ္စည်းများပိုမိုမြင့်မားပြသပါလိမ့်မည် DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ဘဏ်မှပြန်လည်ရင်ကြားစေ့ရေး Detail -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းရဦးမည် +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းရဦးမည် apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ဝန်ထမ်းမျှမတွေ့ပါ DocType: Supplier Quotation,Stopped,ရပ်တန့် DocType: Item,If subcontracted to a vendor,တစ်ရောင်းချသူမှ subcontracted မယ်ဆိုရင် @@ -869,7 +869,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,နိမ့်ဆုံ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ကုန်ကျစရိတ်စင်တာ {2} ကုမ္ပဏီ {3} ပိုင်ပါဘူး apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: အကောင့် {2} တဲ့ Group ကိုမဖွစျနိုငျ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,item Row {idx}: {DOCTYPE} {DOCNAME} အထက် '' {DOCTYPE} '' table ထဲမှာမတည်ရှိပါဘူး -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} ပြီးသားပြီးစီးခဲ့သို့မဟုတ်ဖျက်သိမ်းလိုက် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} ပြီးသားပြီးစီးခဲ့သို့မဟုတ်ဖျက်သိမ်းလိုက် apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,အဘယ်သူမျှမတာဝန်များကို DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","အော်တိုကုန်ပို့လွှာ 05, 28 စသည်တို့ကိုဥပမာ generated လိမ့်မည်ဟူသောရက်နေ့တွင်လ၏နေ့" DocType: Asset,Opening Accumulated Depreciation,စုဆောင်းတန်ဖိုးဖွင့်လှစ် @@ -928,7 +928,7 @@ DocType: SMS Log,Requested Numbers,တောင်းဆိုထားသော DocType: Production Planning Tool,Only Obtain Raw Materials,ကုန်ကြမ်းကိုသာရယူ apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,စွမ်းဆောင်ရည်အကဲဖြတ်။ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","စျေးဝယ်လှည်း enabled အတိုင်း, '' စျေးဝယ်လှည်းများအတွက်သုံးပါ '' ကို Enable နှင့်စျေးဝယ်လှည်းဘို့အနည်းဆုံးအခွန်စည်းမျဉ်းရှိသင့်တယ်" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ဒါကြောင့်ဒီငွေတောင်းခံလွှာအတွက်ကြိုတင်မဲအဖြစ်ဆွဲထုတ်ထားရမည်ဆိုပါကငွေပေးချေမှုရမည့် Entry '{0} အမိန့် {1} ဆန့်ကျင်နှင့်ဆက်စပ်နေသည်, စစ်ဆေးပါ။" +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ဒါကြောင့်ဒီငွေတောင်းခံလွှာအတွက်ကြိုတင်မဲအဖြစ်ဆွဲထုတ်ထားရမည်ဆိုပါကငွေပေးချေမှုရမည့် Entry '{0} အမိန့် {1} ဆန့်ကျင်နှင့်ဆက်စပ်နေသည်, စစ်ဆေးပါ။" DocType: Sales Invoice Item,Stock Details,စတော့အိတ် Details ကို apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,စီမံကိန်း Value တစ်ခု apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,point-of-Sale @@ -951,15 +951,15 @@ DocType: Naming Series,Update Series,Update ကိုစီးရီး DocType: Supplier Quotation,Is Subcontracted,Subcontracted ဖြစ်ပါတယ် DocType: Item Attribute,Item Attribute Values,item Attribute တန်ဖိုးများ DocType: Examination Result,Examination Result,စာမေးပွဲရလဒ် -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,ဝယ်ယူခြင်း Receipt +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,ဝယ်ယူခြင်း Receipt ,Received Items To Be Billed,ကြေညာတဲ့ခံရဖို့ရရှိထားသည့်ပစ္စည်းများ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Submitted လစာစလစ် +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Submitted လစာစလစ် apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,ငွေကြေးလဲလှယ်မှုနှုန်းမာစတာ။ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},ကိုးကားစရာ DOCTYPE {0} တယောက်ဖြစ်ရပါမည် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},စစ်ဆင်ရေး {1} သည်လာမည့် {0} လက်ထက်ကာလ၌အချိန်အပေါက်ရှာတွေ့ဖို့မအောင်မြင်ဘူး +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},စစ်ဆင်ရေး {1} သည်လာမည့် {0} လက်ထက်ကာလ၌အချိန်အပေါက်ရှာတွေ့ဖို့မအောင်မြင်ဘူး DocType: Production Order,Plan material for sub-assemblies,က sub-အသင်းတော်တို့အဘို့အစီအစဉ်ကိုပစ္စည်း apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,အရောင်းအပေါင်းအဖေါ်များနှင့်နယ်မြေတွေကို -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} တက်ကြွဖြစ်ရမည် +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} တက်ကြွဖြစ်ရမည် DocType: Journal Entry,Depreciation Entry,တန်ဖိုး Entry ' apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,ပထမဦးဆုံး Document အမျိုးအစားကိုရွေးချယ်ပါ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ဒီ Maintenance ခရီးစဉ်ပယ်ဖျက်မီပစ္စည်းလည်ပတ်သူ {0} Cancel @@ -969,7 +969,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,စုစုပေါင်းတန်ဘိုး apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,အင်တာနက်ထုတ်ဝေရေး DocType: Production Planning Tool,Production Orders,ထုတ်လုပ်မှုအမိန့် -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,ချိန်ခွင် Value တစ်ခု +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,ချိန်ခွင် Value တစ်ခု apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,အရောင်းစျေးနှုန်းများစာရင်း apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,ပစ္စည်းများကိုတစ်ပြိုင်တည်းချိန်ကိုက်ရန် Publish DocType: Bank Reconciliation,Account Currency,အကောင့်ကိုငွေကြေးစနစ် @@ -994,12 +994,12 @@ DocType: Employee,Exit Interview Details,Exit ကိုအင်တာဗျူ DocType: Item,Is Purchase Item,ဝယ်ယူခြင်း Item ဖြစ်ပါတယ် DocType: Asset,Purchase Invoice,ဝယ်ယူခြင်းပြေစာ DocType: Stock Ledger Entry,Voucher Detail No,ဘောက်ချာ Detail မရှိပါ -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,နယူးအရောင်းပြေစာ +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,နယူးအရောင်းပြေစာ DocType: Stock Entry,Total Outgoing Value,စုစုပေါင်းအထွက် Value တစ်ခု apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,နေ့စွဲနှင့်ပိတ်ရက်ဖွင့်လှစ်အတူတူဘဏ္ဍာရေးနှစ်တစ်နှစ်တာအတွင်းဖြစ်သင့် DocType: Lead,Request for Information,ပြန်ကြားရေးဝန်ကြီးဌာနတောင်းဆိုခြင်း ,LeaderBoard,LEADERBOARD -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync ကိုအော့ဖ်လိုင်းဖြင့်ငွေတောင်းခံလွှာ +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync ကိုအော့ဖ်လိုင်းဖြင့်ငွေတောင်းခံလွှာ DocType: Payment Request,Paid,Paid DocType: Program Fee,Program Fee,Program ကိုလျှောက်လွှာကြေး DocType: Salary Slip,Total in words,စကားစုစုပေါင်း @@ -1007,7 +1007,7 @@ DocType: Material Request Item,Lead Time Date,ခဲအချိန်နေ့ DocType: Guardian,Guardian Name,ဂါးဒီးယန်းသတင်းစာအမည် DocType: Cheque Print Template,Has Print Format,ရှိပါတယ်ပရင့်ထုတ်ရန် Format ကို DocType: Employee Loan,Sanctioned,ဒဏ်ခတ်အရေးယူ -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,မဖြစ်မနေဖြစ်ပါတယ်။ ဒီတစ်ခါလည်းငွေကြေးစနစ်အိတ်ချိန်းစံချိန်ဖန်တီးသည်မ +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,မဖြစ်မနေဖြစ်ပါတယ်။ ဒီတစ်ခါလည်းငွေကြေးစနစ်အိတ်ချိန်းစံချိန်ဖန်တီးသည်မ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},row # {0}: Item {1} သည် Serial No ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'' ကုန်ပစ္စည်း Bundle ကို '' ပစ္စည်းများကို, ဂိုဒေါင်, Serial No နှင့် Batch for မရှိ '' List ကိုထုပ်ပိုး '' စားပွဲကနေစဉ်းစားကြလိမ့်မည်။ ဂိုဒေါင်နှင့် Batch မရှိဆို '' ကုန်ပစ္စည်း Bundle ကို '' တဲ့ item ပေါင်းသည်တလုံးထုပ်ပိုးပစ္စည်းများသည်အတူတူပင်ဖြစ်ကြောင်း အကယ်. အဲဒီတန်ဖိုးတွေကိုအဓိက Item table ထဲမှာသို့ဝင်နိုင်ပါတယ်, တန်ဖိုးများကို '' Pack များစာရင်း '' စားပွဲကိုမှကူးယူလိမ့်မည်။" DocType: Job Opening,Publish on website,website တွင် Publish @@ -1020,7 +1020,7 @@ DocType: Cheque Print Template,Date Settings,နေ့စွဲက Settings apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ကှဲလှဲ ,Company Name,ကုမ္ပဏီအမည် DocType: SMS Center,Total Message(s),စုစုပေါင်း Message (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,လွှဲပြောင်းသည် Item ကိုရွေးပါ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,လွှဲပြောင်းသည် Item ကိုရွေးပါ DocType: Purchase Invoice,Additional Discount Percentage,အပိုဆောင်းလျှော့ရာခိုင်နှုန်း apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,အားလုံးအကူအညီနဲ့ဗီဒီယိုစာရင်းကိုကြည့်ခြင်း DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,စစ်ဆေးမှုများအနည်ရာဘဏ်အကောင့်ဖွင့်ဦးခေါင်းကိုရွေးချယ်ပါ။ @@ -1035,7 +1035,7 @@ DocType: BOM,Raw Material Cost(Company Currency),ကုန်ကြမ်းပ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,ပစ္စည်းများအားလုံးပြီးပြီဒီထုတ်လုပ်မှုအမိန့်သည်ပြောင်းရွှေ့ခဲ့တာဖြစ်ပါတယ်။ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},အတန်း # {0}: နှုန်း {1} {2} များတွင်အသုံးပြုနှုန်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},အတန်း # {0}: နှုန်း {1} {2} များတွင်အသုံးပြုနှုန်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,မီတာ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,မီတာ DocType: Workstation,Electricity Cost,လျှပ်စစ်မီးကုန်ကျစရိတ် DocType: HR Settings,Don't send Employee Birthday Reminders,န်ထမ်းမွေးနေသတိပေးချက်များမပို့ပါနဲ့ DocType: Item,Inspection Criteria,စစ်ဆေးရေးလိုအပ်ချက် @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,ကြိုတင်ငွေ Paid Get DocType: Item,Automatically Create New Batch,နယူးသုတ်အလိုအလျှောက် Create DocType: Item,Automatically Create New Batch,နယူးသုတ်အလိုအလျှောက် Create -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,လုပ်ပါ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,လုပ်ပါ DocType: Student Admission,Admission Start Date,ဝန်ခံချက် Start ကိုနေ့စွဲ DocType: Journal Entry,Total Amount in Words,စကားအတွက်စုစုပေါင်းပမာဏ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ဆိုတဲ့ error ရှိခဲ့သည်။ တစျခုဖြစ်နိုင်သည်ဟုအကြောင်းပြချက်ကိုသင်ပုံစံကယ်တင်ခြင်းသို့မရောက်ကြပြီဖြစ်နိုင်ပါတယ်။ ပြဿနာရှိနေသေးလျှင် support@erpnext.com ကိုဆက်သွယ်ပါ။ @@ -1058,7 +1058,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,အကြှနျု apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},အမိန့် Type {0} တယောက်ဖြစ်ရပါမည် DocType: Lead,Next Contact Date,Next ကိုဆက်သွယ်ရန်နေ့စွဲ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty ဖွင့်လှစ် -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,ပြောင်းလဲမှုပမာဏအဘို့အကောင့်ရိုက်ထည့်ပေးပါ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,ပြောင်းလဲမှုပမာဏအဘို့အကောင့်ရိုက်ထည့်ပေးပါ DocType: Student Batch Name,Student Batch Name,ကျောင်းသားအသုတ်လိုက်အမည် DocType: Holiday List,Holiday List Name,အားလပ်ရက် List ကိုအမည် DocType: Repayment Schedule,Balance Loan Amount,balance ချေးငွေပမာဏ @@ -1066,7 +1066,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,စတော့အိတ် Options ကို DocType: Journal Entry Account,Expense Claim,စရိတ်တောင်းဆိုမှုများ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,သင်အမှန်တကယ်ဒီဖျက်သိမ်းပိုင်ဆိုင်မှု restore ချင်ပါသလား? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},{0} သည် Qty +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},{0} သည် Qty DocType: Leave Application,Leave Application,လျှောက်လွှာ Leave apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,ဖြန့်ဝေ Tool ကို Leave DocType: Leave Block List,Leave Block List Dates,Block List ကိုနေ့ရက်များ Leave @@ -1117,7 +1117,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,ဆန့်ကျင် DocType: Item,Default Selling Cost Center,default ရောင်းချသည့်ကုန်ကျစရိတ် Center က DocType: Sales Partner,Implementation Partner,အကောင်အထည်ဖော်ရေး Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,စာပို့သင်္ကေတ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,စာပို့သင်္ကေတ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},အရောင်းအမှာစာ {0} {1} ဖြစ်ပါသည် DocType: Opportunity,Contact Info,Contact Info apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,စတော့အိတ် Entries ဖော်ဆောင်ရေး @@ -1136,14 +1136,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,တက်ရောက်သူ Freeze နေ့စွဲ DocType: School Settings,Attendance Freeze Date,တက်ရောက်သူ Freeze နေ့စွဲ DocType: Opportunity,Your sales person who will contact the customer in future,အနာဂတ်အတွက်ဖောက်သည်ဆက်သွယ်ပါလိမ့်မည်တော်မူသောသင်တို့ရောင်းအားလူတစ်ဦး -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,သင့်ရဲ့ပေးသွင်းသူများ၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။ +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,သင့်ရဲ့ပေးသွင်းသူများ၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။ apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,အားလုံးကုန်ပစ္စည်းများ View apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),နိမ့်ဆုံးခဲခေတ် (နေ့ရက်များ) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),နိမ့်ဆုံးခဲခေတ် (နေ့ရက်များ) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,အားလုံး BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,အားလုံး BOMs DocType: Company,Default Currency,default ငွေကြေးစနစ် DocType: Expense Claim,From Employee,န်ထမ်းအနေဖြင့် -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,သတိပေးချက်: စနစ် Item {0} သည်ငွေပမာဏကတည်းက overbilling စစ်ဆေးမည်မဟုတ် {1} သုညဖြစ်ပါသည်အတွက် +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,သတိပေးချက်: စနစ် Item {0} သည်ငွေပမာဏကတည်းက overbilling စစ်ဆေးမည်မဟုတ် {1} သုညဖြစ်ပါသည်အတွက် DocType: Journal Entry,Make Difference Entry,Difference Entry 'ပါစေ DocType: Upload Attendance,Attendance From Date,နေ့စွဲ မှစ. တက်ရောက် DocType: Appraisal Template Goal,Key Performance Area,Key ကိုစွမ်းဆောင်ရည်ဧရိယာ @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,သင့်ရဲ့ကိုးကားနိုင်ရန်ကုမ္ပဏီမှတ်ပုံတင်နံပါတ်များ။ အခွန်နံပါတ်များစသည်တို့ DocType: Sales Partner,Distributor,ဖြန့်ဖြူး DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,စျေးဝယ်တွန်းလှည်း Shipping Rule -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,ထုတ်လုပ်မှုအမိန့် {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,ထုတ်လုပ်မှုအမိန့် {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On','' Apply ဖြည့်စွက်လျှော့တွင် '' set ကျေးဇူးပြု. ,Ordered Items To Be Billed,ကြေညာတဲ့ခံရဖို့အမိန့်ထုတ်ပစ္စည်းများ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Range ထဲထဲကနေ A မျိုးမျိုးရန်ထက်လျော့နည်းဖြစ်ဖို့ရှိပါတယ် @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,ဖြတ်ငွေများ DocType: Leave Allocation,LAL/,Lal / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start ကိုတစ်နှစ်တာ -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN ၏ပထမဦးဆုံး 2 ဂဏန်းပြည်နယ်အရေအတွက်သည် {0} နှင့်အတူကိုက်ညီသင့်တယ် +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN ၏ပထမဦးဆုံး 2 ဂဏန်းပြည်နယ်အရေအတွက်သည် {0} နှင့်အတူကိုက်ညီသင့်တယ် DocType: Purchase Invoice,Start date of current invoice's period,လက်ရှိကုန်ပို့လွှာရဲ့ကာလ၏နေ့စွဲ Start DocType: Salary Slip,Leave Without Pay,Pay ကိုမရှိရင် Leave -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,စွမ်းဆောင်ရည်မြှင့်စီမံကိန်းအမှား +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,စွမ်းဆောင်ရည်မြှင့်စီမံကိန်းအမှား ,Trial Balance for Party,ပါတီများအတွက် trial Balance ကို DocType: Lead,Consultant,အကြံပေး DocType: Salary Slip,Earnings,င်ငွေ @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,အခွန်ထမ်းက Set DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ဤသည်မူကွဲ၏ Item Code ကိုမှ appended လိမ့်မည်။ သင့်ရဲ့အတိုကောက် "SM" ဖြစ်ပြီး, ပစ္စည်း code ကို "သည် T-shirt" ဖြစ်ပါတယ်လျှင်ဥပမာ, ကိုမူကွဲ၏ပစ္စည်း code ကို "သည် T-shirt-SM" ဖြစ်လိမ့်မည်" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,သင်လစာစလစ်ဖြတ်ပိုင်းပုံစံကိုကယ်တင်တခါ (စကား) Net က Pay ကိုမြင်နိုင်ပါလိမ့်မည်။ DocType: Purchase Invoice,Is Return,သို့ပြန်သွားသည်ဖြစ်ပါသည် -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,ပြန်သွား / မြီစားမှတ်ချက် +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,ပြန်သွား / မြီစားမှတ်ချက် DocType: Price List Country,Price List Country,စျေးနှုန်းကိုစာရင်းနိုင်ငံ DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},Item {1} သည် {0} တရားဝင် serial nos @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,တစ်စိတ်တစ်ပိ apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ပေးသွင်းဒေတာဘေ့စ။ DocType: Account,Balance Sheet,ချိန်ခွင် Sheet apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Item Code ကိုအတူ Item သည်ကုန်ကျစရိတ် Center က '' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ငွေပေးချေမှုရမည့် Mode ကို configured ကိုမရ။ အကောင့်ငွေပေးချေ၏ Mode ကိုအပေါ်သို့မဟုတ် POS Profile ကိုအပေါ်သတ်မှတ်ပြီးပါပြီဖြစ်စေ, စစ်ဆေးပါ။" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ငွေပေးချေမှုရမည့် Mode ကို configured ကိုမရ။ အကောင့်ငွေပေးချေ၏ Mode ကိုအပေါ်သို့မဟုတ် POS Profile ကိုအပေါ်သတ်မှတ်ပြီးပါပြီဖြစ်စေ, စစ်ဆေးပါ။" DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,သင့်ရဲ့ရောင်းအားလူတစ်ဦးကိုဖောက်သည်ကိုဆက်သွယ်ရန်ဤနေ့စွဲအပေါ်တစ်ဦးသတိပေးရလိမ့်မည် apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ရနိုင်မှာမဟုတ်ဘူး။ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",နောက်ထပ်အကောင့်အဖွဲ့များအောက်မှာလုပ်နိုင်ပေမယ့် entries တွေကို Non-အဖွဲ့များဆန့်ကျင်စေနိုင်ပါတယ် @@ -1231,7 +1231,7 @@ DocType: Employee Loan Application,Repayment Info,ပြန်ဆပ်အင် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'' Entries 'လွတ်နေတဲ့မဖွစျနိုငျ apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},{1} တူညီနှင့်အတူအတန်း {0} Duplicate ,Trial Balance,ရုံးတင်စစ်ဆေး Balance -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} မတွေ့ရှိ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} မတွေ့ရှိ apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,ဝန်ထမ်းများကိုတည်ဆောက်ခြင်း DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,ပထမဦးဆုံးရှေ့ဆက်ကိုရွေးပါ ကျေးဇူးပြု. @@ -1246,11 +1246,11 @@ DocType: Grading Scale,Intervals,အကြား apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,အစောဆုံး apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","တစ်ဦး Item Group မှအမည်တူနှင့်အတူရှိနေတယ်, ပစ္စည်းအမည်ကိုပြောင်းလဲသို့မဟုတ်ပစ္စည်းအုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ကျောင်းသားသမဂ္ဂမိုဘိုင်းအမှတ် -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ကမ္ဘာ့အရာကြွင်းလေ +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,ကမ္ဘာ့အရာကြွင်းလေ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,အဆိုပါ Item {0} Batch ရှိသည်မဟုတ်နိုင် ,Budget Variance Report,ဘဏ္ဍာငွေအရအသုံးကှဲလှဲအစီရင်ခံစာ DocType: Salary Slip,Gross Pay,gross Pay ကို -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,အတန်း {0}: Activity ကိုအမျိုးအစားမဖြစ်မနေဖြစ်ပါတယ်။ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,အတန်း {0}: Activity ကိုအမျိုးအစားမဖြစ်မနေဖြစ်ပါတယ်။ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Paid အမြတ်ဝေစု apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,လယ်ဂျာစာရင်းကိုင် DocType: Stock Reconciliation,Difference Amount,ကွာခြားချက်ပမာဏ @@ -1273,18 +1273,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,ဝန်ထမ်းထွက်ခွာ Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},အကောင့်သည်ချိန်ခွင် {0} အမြဲ {1} ဖြစ်ရမည် apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},အတန်း {0} အတွက် Item များအတွက်လိုအပ်သောအဘိုးပြတ်နှုန်း -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ဥပမာ: ကွန်ပျူတာသိပ္ပံအတွက်မာစတာ +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,ဥပမာ: ကွန်ပျူတာသိပ္ပံအတွက်မာစတာ DocType: Purchase Invoice,Rejected Warehouse,ပယ်ချဂိုဒေါင် DocType: GL Entry,Against Voucher,ဘောက်ချာဆန့်ကျင် DocType: Item,Default Buying Cost Center,default ဝယ်ယူကုန်ကျစရိတ် Center က apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext ထဲကအကောင်းဆုံးကိုရဖို့ရန်, အကြှနျုပျတို့သညျအခြို့သောအချိန်ယူနှင့်ဤအကူအညီဗီဒီယိုများစောင့်ကြည့်ဖို့အကြံပြုလိုပါတယ်။" -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,ရန် +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,ရန် DocType: Supplier Quotation Item,Lead Time in days,လက်ထက်ကာလ၌အချိန်ကိုဦးဆောင် apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Accounts ကိုပေးဆောင်အကျဉ်းချုပ် -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},{1} မှ {0} ကနေလစာ၏ငွေပေးချေမှုရမည့် +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},{1} မှ {0} ကနေလစာ၏ငွေပေးချေမှုရမည့် apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},အေးခဲအကောင့် {0} တည်းဖြတ်ခွင့်ပြုချက်မရ DocType: Journal Entry,Get Outstanding Invoices,ထူးချွန်ငွေတောင်းခံလွှာကိုရယူပါ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,အရောင်းအမှာစာ {0} တရားဝင်မဟုတ် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,အရောင်းအမှာစာ {0} တရားဝင်မဟုတ် apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,အရစ်ကျအမိန့်သင်သည်သင်၏ဝယ်ယူမှုအပေါ်စီစဉ်ထားခြင်းနှင့်ဖွင့်အတိုင်းလိုက်နာကူညီ apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","စိတ်မကောင်းပါဘူး, ကုမ္ပဏီများပေါင်းစည်းမရနိုင်ပါ" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1306,8 +1306,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,သွယ်ဝိုက်ကုန်ကျစရိတ် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,row {0}: Qty မသင်မနေရ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,လယ်ယာစိုက်ပျိုးရေး -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync ကိုမာစတာ Data ကို -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,သင့်ရဲ့ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync ကိုမာစတာ Data ကို +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,သင့်ရဲ့ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ DocType: Mode of Payment,Mode of Payment,ငွေပေးချေမှုရမည့်၏ Mode ကို apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,website က Image ကိုအများသုံးတဲ့ဖိုင်သို့မဟုတ် website ကို URL ကိုဖြစ်သင့် DocType: Student Applicant,AP,အေပီ @@ -1327,18 +1327,18 @@ DocType: Student Group Student,Group Roll Number,Group မှ Roll နံပါ DocType: Student Group Student,Group Roll Number,Group မှ Roll နံပါတ် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} သည်ကိုသာအကြွေးအကောင့်အသစ်များ၏အခြား debit entry ကိုဆန့်ကျင်နှင့်ဆက်စပ်နိုင် apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,အားလုံး task ကိုအလေးစုစုပေါင်း 1. အညီအားလုံးစီမံကိန်းအလုပ်များကိုအလေးချိန်ညှိပေးပါရပါမည် -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Delivery မှတ်ချက် {0} တင်သွင်းသည်မဟုတ် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Delivery မှတ်ချက် {0} တင်သွင်းသည်မဟုတ် apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,item {0} တစ် Sub-စာချုပ်ချုပ်ဆို Item ဖြစ်ရမည် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,မြို့တော်ပစ္စည်းများ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","စျေးနှုန်း Rule ပထမဦးဆုံး Item, Item အုပ်စုသို့မဟုတ်အမှတ်တံဆိပ်ဖြစ်နိုငျသောလယ်ပြင်၌, '' တွင် Apply '' အပေါ်အခြေခံပြီးရွေးချယ်ထားဖြစ်ပါတယ်။" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,ပထမဦးဆုံးပစ္စည်း Code ကိုသတ်မှတ်ပေးပါ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,ပထမဦးဆုံးပစ္စည်း Code ကိုသတ်မှတ်ပေးပါ DocType: Hub Settings,Seller Website,ရောင်းချသူဝက်ဘ်ဆိုက် DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,အရောင်းအဖွဲ့မှာသည်စုစုပေါင်းခွဲဝေရာခိုင်နှုန်းက 100 ဖြစ်သင့် DocType: Appraisal Goal,Goal,ရည်မှန်းချက် DocType: Sales Invoice Item,Edit Description,Edit ကိုဖော်ပြချက် ,Team Updates,အသင်းကိုအပ်ဒိတ်များ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,ပေးသွင်းအကြောင်းမူကား +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,ပေးသွင်းအကြောင်းမူကား DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Account Type ကိုချိန်ညှိခြင်းကိစ္စများကို၌ဤအကောင့်ကိုရွေးချယ်ခြင်းအတွက်ကူညီပေးသည်။ DocType: Purchase Invoice,Grand Total (Company Currency),က Grand စုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,ပုံနှိပ်ပါ Format ကို Create @@ -1352,12 +1352,12 @@ DocType: Item,Website Item Groups,website Item အဖွဲ့များ DocType: Purchase Invoice,Total (Company Currency),စုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,serial number ကို {0} တစ်ကြိမ်ထက်ပိုပြီးဝသို့ဝင် DocType: Depreciation Schedule,Journal Entry,ဂျာနယ် Entry ' -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,တိုးတက်မှုအတွက် {0} ပစ္စည်းများ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,တိုးတက်မှုအတွက် {0} ပစ္စည်းများ DocType: Workstation,Workstation Name,Workstation နှင့်အမည် DocType: Grading Scale Interval,Grade Code,grade Code ကို DocType: POS Item Group,POS Item Group,POS ပစ္စည်းအုပ်စု apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,အီးမေးလ် Digest မဂ္ဂဇင်း: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} Item မှ {1} ပိုင်ပါဘူး +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} Item မှ {1} ပိုင်ပါဘူး DocType: Sales Partner,Target Distribution,Target ကဖြန့်ဖြူး DocType: Salary Slip,Bank Account No.,ဘဏ်မှအကောင့်အမှတ် DocType: Naming Series,This is the number of the last created transaction with this prefix,ဤရှေ့ဆက်အတူပြီးခဲ့သည့်နေသူများကဖန်တီးအရောင်းအဝယ်အရေအတွက်သည် @@ -1415,7 +1415,7 @@ DocType: Quotation,Shopping Cart,စျေးဝယ်တွန်းလှည apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,AVG Daily သတင်းစာအထွက် DocType: POS Profile,Campaign,ကင်ပိန်း DocType: Supplier,Name and Type,အမည်နှင့်အမျိုးအစား -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',ခွင့်ပြုချက်နဲ့ Status '' Approved 'သို့မဟုတ်' 'ငြင်းပယ်' 'ရမည် +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',ခွင့်ပြုချက်နဲ့ Status '' Approved 'သို့မဟုတ်' 'ငြင်းပယ်' 'ရမည် DocType: Purchase Invoice,Contact Person,ဆက်သွယ်ရမည့်သူ apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','' မျှော်မှန်း Start ကိုနေ့စွဲ '' မျှော်မှန်း End Date ကို '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Course Scheduling Tool,Course End Date,သင်တန်းပြီးဆုံးရက်စွဲ @@ -1427,8 +1427,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Preferences အီးမေးလ် apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Fixed Asset အတွက်ပိုက်ကွန်ကိုပြောင်းရန် DocType: Leave Control Panel,Leave blank if considered for all designations,အားလုံးပုံစံတခုစဉ်းစားလျှင်အလွတ် Leave -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,'' အမှန်တကယ် '' အမျိုးအစားတာဝန်ခံအတန်းအတွက် {0} Item နှုန်းတွင်ထည့်သွင်းမရနိုင်ပါ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,'' အမှန်တကယ် '' အမျိုးအစားတာဝန်ခံအတန်းအတွက် {0} Item နှုန်းတွင်ထည့်သွင်းမရနိုင်ပါ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime ကနေ DocType: Email Digest,For Company,ကုမ္ပဏီ apps/erpnext/erpnext/config/support.py +17,Communication log.,ဆက်သွယ်ရေးမှတ်တမ်း။ @@ -1469,7 +1469,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","ယောဘ DocType: Journal Entry Account,Account Balance,အကောင့်ကို Balance apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ငွေပေးငွေယူဘို့အခွန်နည်းဥပဒေ။ DocType: Rename Tool,Type of document to rename.,အမည်ပြောင်းရန်စာရွက်စာတမ်းအမျိုးအစား။ -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,ကျွန်ုပ်တို့သည်ဤ Item ကိုဝယ် +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,ကျွန်ုပ်တို့သည်ဤ Item ကိုဝယ် apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ဖောက်သည် receiver အကောင့် {2} ဆန့်ကျင်လိုအပ်ပါသည် DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),စုစုပေါင်းအခွန်နှင့်စွပ်စွဲချက် (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,မပိတ်ထားသည့်ဘဏ္ဍာနှစ်ရဲ့ P & L ကိုချိန်ခွင်ပြရန် @@ -1480,7 +1480,7 @@ DocType: Quality Inspection,Readings,ဖတ် DocType: Stock Entry,Total Additional Costs,စုစုပေါင်းအထပ်ဆောင်းကုန်ကျစရိတ် DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),အပိုင်းအစပစ္စည်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,sub စညျးဝေး +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,sub စညျးဝေး DocType: Asset,Asset Name,ပိုင်ဆိုင်မှုအမည် DocType: Project,Task Weight,task ကိုအလေးချိန် DocType: Shipping Rule Condition,To Value,Value တစ်ခုမှ @@ -1509,7 +1509,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,item Variant DocType: Company,Services,န်ဆောင်မှုများ DocType: HR Settings,Email Salary Slip to Employee,ထမ်းအီးမေးလ်လစာစလစ်ဖြတ်ပိုင်းပုံစံ DocType: Cost Center,Parent Cost Center,မိဘကုန်ကျစရိတ် Center က -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်းကို Select လုပ်ပါ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်းကို Select လုပ်ပါ DocType: Sales Invoice,Source,အရင်းအမြစ် apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,show ကိုပိတ်ထား DocType: Leave Type,Is Leave Without Pay,Pay ကိုမရှိရင် Leave ဖြစ်ပါတယ် @@ -1521,7 +1521,7 @@ DocType: POS Profile,Apply Discount,လျှော့ Apply DocType: GST HSN Code,GST HSN Code,GST HSN Code ကို DocType: Employee External Work History,Total Experience,စုစုပေါင်းအတွေ့အကြုံ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ပွင့်လင်းစီမံကိန်းများ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,ထုပ်ပိုးစလစ်ဖြတ်ပိုင်းပုံစံ (s) ဖျက်သိမ်း +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,ထုပ်ပိုးစလစ်ဖြတ်ပိုင်းပုံစံ (s) ဖျက်သိမ်း apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ရင်းနှီးမြုပ်နှံထံမှငွေကြေးစီးဆင်းမှု DocType: Program Course,Program Course,Program ကိုသင်တန်းအမှတ်စဥ် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ကုန်တင်နှင့် Forwarding စွပ်စွဲချက် @@ -1562,9 +1562,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Program ကိုကျောင်းအပ် DocType: Sales Invoice Item,Brand Name,ကုန်အမှတ်တံဆိပ်အမည် DocType: Purchase Receipt,Transporter Details,Transporter Details ကို -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,default ဂိုဒေါင်ရွေးချယ်ထားသောအရာအတွက်လိုအပ်သည် -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,သေတ္တာ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်း +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,default ဂိုဒေါင်ရွေးချယ်ထားသောအရာအတွက်လိုအပ်သည် +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,သေတ္တာ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်း DocType: Budget,Monthly Distribution,လစဉ်ဖြန့်ဖြူး apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,receiver List ကိုအချည်းနှီးပါပဲ။ Receiver များစာရင်းဖန်တီး ကျေးဇူးပြု. DocType: Production Plan Sales Order,Production Plan Sales Order,ထုတ်လုပ်မှုစီမံကိန်းအရောင်းအမိန့် @@ -1597,7 +1597,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,ကုမ္ apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","ကျောင်းသားများသည်စနစ်၏နှလုံးမှာဖြစ်ကြောင်း, ရှိသမျှကိုသင်၏ကျောင်းသားများကို add" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},အတန်း # {0}: ရှင်းလင်းခြင်းနေ့စွဲ {1} {2} Cheque တစ်စောင်လျှင်နေ့စွဲမတိုင်မီမဖွစျနိုငျ DocType: Company,Default Holiday List,default အားလပ်ရက်များစာရင်း -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},အတန်း {0}: အချိန်နှင့်ရန်ကနေ {1} ၏အချိန် {2} နှင့်အတူထပ်ဖြစ်ပါတယ် +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},အတန်း {0}: အချိန်နှင့်ရန်ကနေ {1} ၏အချိန် {2} နှင့်အတူထပ်ဖြစ်ပါတယ် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,စတော့အိတ်မှုစိစစ် DocType: Purchase Invoice,Supplier Warehouse,ပေးသွင်းဂိုဒေါင် DocType: Opportunity,Contact Mobile No,မိုဘိုင်းလ်မရှိဆက်သွယ်ရန် @@ -1613,18 +1613,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},{0} တော့ဘူး {1} ထက်မဖွစျနိုငျအမျိုးအစား Leave DocType: Manufacturing Settings,Try planning operations for X days in advance.,ကြိုတင်မဲအတွက် X ကိုနေ့ရက်ကာလအဘို့စစ်ဆင်ရေးစီစဉ်ကြိုးစားပါ။ DocType: HR Settings,Stop Birthday Reminders,မွေးနေသတိပေးချက်များကိုရပ်တန့် -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},ကုမ္ပဏီ {0} အတွက်ပုံမှန်လစာပေးချေအကောင့်ကိုသတ်မှတ်ပေးပါ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},ကုမ္ပဏီ {0} အတွက်ပုံမှန်လစာပေးချေအကောင့်ကိုသတ်မှတ်ပေးပါ DocType: SMS Center,Receiver List,receiver များစာရင်း -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,ရှာရန် Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,ရှာရန် Item apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,စားသုံးသည့်ပမာဏ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,ငွေအတွက်ပိုက်ကွန်ကိုပြောင်းရန် DocType: Assessment Plan,Grading Scale,grade စကေး apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,တိုင်း {0} ၏ယူနစ်တခါကူးပြောင်းခြင်း Factor ဇယားအတွက်ထက်ပိုပြီးဝသို့ဝင်ခဲ့သည် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,ယခုပင်လျှင်ပြီးစီး +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,ယခုပင်လျှင်ပြီးစီး apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,လက်ခုနှစ်တွင်စတော့အိတ် apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ငွေပေးချေမှုရမည့်တောင်းခံခြင်းပြီးသား {0} ရှိတယ်ဆိုတဲ့ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,ထုတ်ပေးခြင်းပစ္စည်းများ၏ကုန်ကျစရိတ် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},အရေအတွက် {0} ထက်ပိုပြီးမဖြစ်ရပါမည် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},အရေအတွက် {0} ထက်ပိုပြီးမဖြစ်ရပါမည် apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,ယခင်ဘဏ္ဍာရေးတစ်နှစ်တာပိတ်လိုက်သည်မဟုတ် apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),အသက်အရွယ် (နေ့ရက်များ) DocType: Quotation Item,Quotation Item,စျေးနှုန်း Item @@ -1638,6 +1638,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,ကိုးကားစရာစာရွက်စာတမ်း apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ကိုဖျက်သိမ်းသို့မဟုတ်ရပ်တန့်နေသည် DocType: Accounts Settings,Credit Controller,ခရက်ဒစ် Controller +DocType: Sales Order,Final Delivery Date,ဗိုလ်လုပွဲ Delivery နေ့စွဲ DocType: Delivery Note,Vehicle Dispatch Date,မော်တော်ယာဉ် Dispatch နေ့စွဲ DocType: Purchase Invoice Item,HSN/SAC,HSN / sac apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ဝယ်ယူခြင်း Receipt {0} တင်သွင်းသည်မဟုတ် @@ -1730,9 +1731,9 @@ DocType: Employee,Date Of Retirement,အငြိမ်းစားအမျိ DocType: Upload Attendance,Get Template,Template: Get DocType: Material Request,Transferred,လွှဲပြောင်း DocType: Vehicle,Doors,တံခါးပေါက် -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,အပြီးအစီး ERPNext Setup ကို! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,အပြီးအစီး ERPNext Setup ကို! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,အခွန်အဖွဲ့ဟာ +DocType: Purchase Invoice,Tax Breakup,အခွန်အဖွဲ့ဟာ DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ကုန်ကျစရိတ်စင်တာ '' အကျိုးအမြတ်နှင့်ဆုံးရှုံးမှု '' အကောင့် {2} ဘို့လိုအပ်ပါသည်။ ကုမ္ပဏီတစ်ခုက default ကုန်ကျစရိတ်စင်တာထူထောင်ပေးပါ။ apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,တစ်ဖောက်သည်အုပ်စုနာမည်တူနှင့်အတူတည်ရှိသုံးစွဲသူအမည်ကိုပြောင်းလဲဒါမှမဟုတ်ဖောက်သည်အုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ @@ -1745,14 +1746,14 @@ DocType: Announcement,Instructor,နည်းပြဆရာ DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",ဒီအချက်ကိုမျိုးကွဲရှိပါတယ်လျှင်စသည်တို့အရောင်းအမိန့်အတွက်ရွေးချယ်ထားမပြနိုင် DocType: Lead,Next Contact By,Next ကိုဆက်သွယ်ရန်အားဖြင့် -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},အတန်းအတွက် Item {0} သည်လိုအပ်သောအရေအတွက် {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},အတန်းအတွက် Item {0} သည်လိုအပ်သောအရေအတွက် {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},အရေအတွက် Item {1} သည်တည်ရှိအဖြစ်ဂိုဒေါင် {0} ဖျက်ပြီးမရနိုင်ပါ DocType: Quotation,Order Type,အမိန့် Type DocType: Purchase Invoice,Notification Email Address,အမိန့်ကြော်ငြာစာအီးမေးလ်လိပ်စာ ,Item-wise Sales Register,item-ပညာရှိသအရောင်းမှတ်ပုံတင်မည် DocType: Asset,Gross Purchase Amount,စုစုပေါင်းအရစ်ကျငွေပမာဏ DocType: Asset,Depreciation Method,တန်ဖိုး Method ကို -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,အော့ဖ်လိုင်း +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,အော့ဖ်လိုင်း DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,အခြေခံပညာနှုန်းတွင်ထည့်သွင်းဒီအခွန်ဖြစ်သနည်း apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,စုစုပေါင်း Target က DocType: Job Applicant,Applicant for a Job,တစ်ဦးယောဘသည်လျှောက်ထားသူ @@ -1774,7 +1775,7 @@ DocType: Employee,Leave Encashed?,Encashed Leave? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,လယ်ပြင်၌ မှစ. အခွင့်အလမ်းမသင်မနေရ DocType: Email Digest,Annual Expenses,နှစ်ပတ်လည်ကုန်ကျစရိတ် DocType: Item,Variants,မျိုးကွဲ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,ဝယ်ယူခြင်းအမိန့်လုပ်ပါ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,ဝယ်ယူခြင်းအမိန့်လုပ်ပါ DocType: SMS Center,Send To,ရန် Send apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ထွက်ခွာ Type {0} လုံလောက်ခွင့်ချိန်ခွင်မရှိ DocType: Payment Reconciliation Payment,Allocated amount,ခွဲဝေပမာဏ @@ -1782,7 +1783,7 @@ DocType: Sales Team,Contribution to Net Total,Net ကစုစုပေါင် DocType: Sales Invoice Item,Customer's Item Code,customer ရဲ့ Item Code ကို DocType: Stock Reconciliation,Stock Reconciliation,စတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေး DocType: Territory,Territory Name,နယ်မြေတွေကိုအမည် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,အလုပ်-In-တိုးတက်ရေးပါတီဂိုဒေါင်ခင် Submit လိုအပ်သည် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,အလုပ်-In-တိုးတက်ရေးပါတီဂိုဒေါင်ခင် Submit လိုအပ်သည် apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,တစ်ဦးယောဘသည်လျှောက်ထားသူ။ DocType: Purchase Order Item,Warehouse and Reference,ဂိုဒေါင်နှင့်ကိုးကားစရာ DocType: Supplier,Statutory info and other general information about your Supplier,ပြဋ္ဌာန်းဥပဒေအချက်အလက်နှင့်သင်၏ပေးသွင်းအကြောင်းကိုအခြားအထွေထွေသတင်းအချက်အလက် @@ -1795,16 +1796,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,တန်ဖိုးခြင apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Serial No Item {0} သည်သို့ဝင် Duplicate DocType: Shipping Rule Condition,A condition for a Shipping Rule,တစ် Shipping Rule များအတွက်အခြေအနေ apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ကျေးဇူးပြု. ထည့်သွင်းပါ -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","{2} ထက် {0} အတန်းအတွက် {1} ကပိုပစ္စည်းများအတွက် overbill လို့မရပါဘူး။ Over-ငွေတောင်းခံခွင့်ပြုပါရန်, Settings များဝယ်ယူထားကျေးဇူးပြုပြီး" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,ပစ္စည်းသို့မဟုတ်ဂိုဒေါင်အပေါ်အခြေခံပြီး filter ကိုသတ်မှတ်ထားပေးပါ +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","{2} ထက် {0} အတန်းအတွက် {1} ကပိုပစ္စည်းများအတွက် overbill လို့မရပါဘူး။ Over-ငွေတောင်းခံခွင့်ပြုပါရန်, Settings များဝယ်ယူထားကျေးဇူးပြုပြီး" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,ပစ္စည်းသို့မဟုတ်ဂိုဒေါင်အပေါ်အခြေခံပြီး filter ကိုသတ်မှတ်ထားပေးပါ DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ဒီအထုပ်၏ကျော့ကွင်းကိုအလေးချိန်။ (ပစ္စည်းပိုက်ကွန်ကိုအလေးချိန်၏အချုပ်အခြာအဖြစ်ကိုအလိုအလျောက်တွက်ချက်) DocType: Sales Order,To Deliver and Bill,လှတျတျောမူနှင့်ဘီလ်မှ DocType: Student Group,Instructors,နည်းပြဆရာ DocType: GL Entry,Credit Amount in Account Currency,အကောင့်ကိုငွေကြေးစနစ်အတွက်အကြွေးပမာဏ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} တင်သွင်းရမည် +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} တင်သွင်းရမည် DocType: Authorization Control,Authorization Control,authorization ထိန်းချုပ်ရေး apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},row # {0}: ငြင်းပယ်ဂိုဒေါင်ပယ်ချခဲ့ Item {1} ဆန့်ကျင်မဖြစ်မနေဖြစ်ပါသည် -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,ငွေပေးချေမှုရမည့် +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,ငွေပေးချေမှုရမည့် apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","ဂိုဒေါင် {0} မည်သည့်အကောင့်နှင့်ဆက်စပ်သည်မ, ကုမ္ပဏီ {1} အတွက်ဂိုဒေါင်စံချိန်သို့မဟုတ် set ကို default စာရင်းအကောင့်ထဲမှာအကောင့်ဖော်ပြထားခြင်းပါ။" apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,သင့်ရဲ့အမိန့်ကိုစီမံခန့်ခွဲ DocType: Production Order Operation,Actual Time and Cost,အမှန်တကယ်အချိန်နှင့်ကုန်ကျစရိတ် @@ -1820,12 +1821,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,ရေ DocType: Quotation Item,Actual Qty,အမှန်တကယ် Qty DocType: Sales Invoice Item,References,ကိုးကား DocType: Quality Inspection Reading,Reading 10,10 Reading -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","သင်ယ်ယူရန်သို့မဟုတ်ရောင်းချကြောင်းသင့်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှုစာရင်း။ သင်စတင်သောအခါ Item အုပ်စု, တိုင်းနှင့်အခြားဂုဏ်သတ္တိ၏ယူနစ်ကိုစစ်ဆေးသေချာအောင်လုပ်ပါ။" +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","သင်ယ်ယူရန်သို့မဟုတ်ရောင်းချကြောင်းသင့်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှုစာရင်း။ သင်စတင်သောအခါ Item အုပ်စု, တိုင်းနှင့်အခြားဂုဏ်သတ္တိ၏ယူနစ်ကိုစစ်ဆေးသေချာအောင်လုပ်ပါ။" DocType: Hub Settings,Hub Node,hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,သင်ကထပ်နေပစ္စည်းများကိုသို့ဝင်ပါပြီ။ ဆန်းစစ်နှင့်ထပ်ကြိုးစားပါ။ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,အပေါင်းအဖေါ် +DocType: Company,Sales Target,အရောင်းပစ်မှတ် DocType: Asset Movement,Asset Movement,ပိုင်ဆိုင်မှုလပ်ြရြားမြ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,နယူးလှည်း +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,နယူးလှည်း apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,item {0} တဲ့နံပါတ်စဉ်အလိုက် Item မဟုတ်ပါဘူး DocType: SMS Center,Create Receiver List,Receiver များစာရင်း Create DocType: Vehicle,Wheels,ရထားဘီး @@ -1867,13 +1869,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,စီမံခန DocType: Supplier,Supplier of Goods or Services.,ကုန်စည်သို့မဟုတ်န်ဆောင်မှုများ၏ပေးသွင်း။ DocType: Budget,Fiscal Year,ဘဏ္ဍာရေးနှစ် DocType: Vehicle Log,Fuel Price,လောင်စာစျေးနှုန်း +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု. Setup ကို> နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး DocType: Budget,Budget,ဘတ်ဂျက် apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုပစ္စည်း non-စတော့ရှယ်ယာကို item ဖြစ်ရပါမည်။ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ဒါကြောင့်တစ်ဦးဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုအကောင့်ကိုဖွင့်မရအဖြစ်ဘတ်ဂျက်, {0} ဆန့်ကျင်တာဝန်ပေးအပ်ရနိုင်မှာမဟုတ်ဘူး" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,အောင်မြင် DocType: Student Admission,Application Form Route,လျှောက်လွှာ Form ကိုလမ်းကြောင်း apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,နယ်မြေတွေကို / ဖောက်သည် -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,ဥပမာ 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,ဥပမာ 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,အမျိုးအစား {0} Leave ကြောင့်လစာမပါဘဲထွက်သွားသည်ကတည်းကခွဲဝေမရနိုငျ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},row {0}: ခွဲဝေငွေပမာဏ {1} ထက်လျော့နည်းသို့မဟုတ်ထူးချွန်ငွေပမာဏ {2} ငွေတောင်းပြေစာပို့ဖို့နဲ့ညီမျှပါတယ်ဖြစ်ရမည် DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,သင်အရောင်းပြေစာကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။ @@ -1882,11 +1885,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,item {0} Serial အမှတ်သည် setup ကိုမဟုတ်ပါဘူး။ Item မာစတာ Check DocType: Maintenance Visit,Maintenance Time,ပြုပြင်ထိန်းသိမ်းမှုအချိန် ,Amount to Deliver,လှတျတျောမူရန်ငွေပမာဏ -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,အဖြေထုတ်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှု +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,အဖြေထုတ်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှု apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,အဆိုပါ Term Start ကိုနေ့စွဲဟူသောဝေါဟာရ (Academic တစ်နှစ်တာ {}) နှင့်ဆက်စပ်သောမှပညာရေးဆိုင်ရာတစ်နှစ်တာ၏တစ်နှစ်တာ Start ကိုနေ့စွဲထက်အစောပိုင်းမှာမဖြစ်နိုင်ပါ။ အရက်စွဲများပြင်ဆင်ရန်နှင့်ထပ်ကြိုးစားပါ။ DocType: Guardian,Guardian Interests,ဂါးဒီးယန်းစိတ်ဝင်စားမှုများ DocType: Naming Series,Current Value,လက်ရှိ Value တစ်ခု -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,အကွိမျမြားစှာဘဏ္ဍာရေးနှစ်အနှစ်ရက်စွဲ {0} အဘို့တည်ရှိတယ်။ ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာအတွက်ကုမ္ပဏီသတ်မှတ်ထားပေးပါ +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,အကွိမျမြားစှာဘဏ္ဍာရေးနှစ်အနှစ်ရက်စွဲ {0} အဘို့တည်ရှိတယ်။ ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာအတွက်ကုမ္ပဏီသတ်မှတ်ထားပေးပါ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} နေသူများကဖန်တီး DocType: Delivery Note Item,Against Sales Order,အရောင်းအမိန့်ဆန့်ကျင် ,Serial No Status,serial မရှိပါနဲ့ Status @@ -1899,7 +1902,7 @@ DocType: Pricing Rule,Selling,အရောင်းရဆုံး apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},ငွေပမာဏ {0} {1} {2} ဆန့်ကျင်နုတ်ယူ DocType: Employee,Salary Information,လစာပြန်ကြားရေး DocType: Sales Person,Name and Employee ID,အမည်နှင့်ထမ်း ID ကို -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,ကြောင့်နေ့စွဲနေ့စွဲများသို့တင်ပြခြင်းမပြုမီမဖွစျနိုငျ +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,ကြောင့်နေ့စွဲနေ့စွဲများသို့တင်ပြခြင်းမပြုမီမဖွစျနိုငျ DocType: Website Item Group,Website Item Group,website Item Group က apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,တာဝန်နှင့်အခွန် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,ကိုးကားစရာနေ့စွဲကိုရိုက်ထည့်ပေးပါ @@ -1956,9 +1959,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},ဝန်ထမ်း {0} အဘို့အချိတ်တွဲ၏နေ့စွဲသတ်မှတ်ပေးပါ DocType: Task,Total Billing Amount (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) စုစုပေါင်းငွေတောင်းခံလွှာပမာဏ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,repeat ဖောက်သည်အခွန်ဝန်ကြီးဌာန -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) အခန်းကဏ္ဍ '' သုံးစွဲမှုအတည်ပြုချက် '' ရှိရမယ် -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,လင်မယား -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,ထုတ်လုပ်မှုများအတွက် BOM နှင့်အရည်အတွက်ကို Select လုပ်ပါ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) အခန်းကဏ္ဍ '' သုံးစွဲမှုအတည်ပြုချက် '' ရှိရမယ် +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,လင်မယား +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,ထုတ်လုပ်မှုများအတွက် BOM နှင့်အရည်အတွက်ကို Select လုပ်ပါ DocType: Asset,Depreciation Schedule,တန်ဖိုးဇယား apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,အရောင်း Partner လိပ်စာနှင့်ဆက်သွယ်ရန် DocType: Bank Reconciliation Detail,Against Account,အကောင့်ဆန့်ကျင် @@ -1968,7 +1971,7 @@ DocType: Item,Has Batch No,Batch မရှိရှိပါတယ် apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},နှစ်ပတ်လည်ငွေတောင်းခံလွှာ: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ကုန်ပစ္စည်းများနှင့်ဝန်ဆောင်မှုများကိုအခွန် (GST အိန္ဒိယ) DocType: Delivery Note,Excise Page Number,ယစ်မျိုးစာမျက်နှာနံပါတ် -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","ကုမ္ပဏီ, နေ့စွဲ မှစ. နှင့်နေ့စွဲရန်မဖြစ်မနေဖြစ်ပါသည်" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","ကုမ္ပဏီ, နေ့စွဲ မှစ. နှင့်နေ့စွဲရန်မဖြစ်မနေဖြစ်ပါသည်" DocType: Asset,Purchase Date,အရစ်ကျနေ့စွဲ DocType: Employee,Personal Details,ပုဂ္ဂိုလ်ရေးအသေးစိတ် apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},ကုမ္ပဏီ {0} ၌ 'ပိုင်ဆိုင်မှုတန်ဖိုးကုန်ကျစရိတ်စင်တာ' 'set ကျေးဇူးပြု. @@ -1977,9 +1980,9 @@ DocType: Task,Actual End Date (via Time Sheet),(အချိန်စာရွ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},ငွေပမာဏ {0} {1} {2} {3} ဆန့်ကျင် ,Quotation Trends,စျေးနှုန်းခေတ်ရေစီးကြောင်း apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ကို item {0} သည်ကို item မာစတာတှငျဖျောပွမ item Group က -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,အကောင့်ဖွင့်ရန် debit တစ် receiver အကောင့်ကိုရှိရမည် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,အကောင့်ဖွင့်ရန် debit တစ် receiver အကောင့်ကိုရှိရမည် DocType: Shipping Rule Condition,Shipping Amount,သဘောင်္တင်ခပမာဏ -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Customer များ Add +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Customer များ Add apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ဆိုင်းငံ့ထားသောငွေပမာဏ DocType: Purchase Invoice Item,Conversion Factor,ကူးပြောင်းခြင်း Factor DocType: Purchase Order,Delivered,ကယ်နှုတ်တော်မူ၏ @@ -2002,7 +2005,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,ပြန်. Entries In DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","မိဘသင်တန်းအမှတ်စဥ် (ဒီမိဘသင်တန်း၏အစိတ်အပိုင်းမပါလျှင်, အလွတ် Leave)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","မိဘသင်တန်းအမှတ်စဥ် (ဒီမိဘသင်တန်း၏အစိတ်အပိုင်းမပါလျှင်, အလွတ် Leave)" DocType: Leave Control Panel,Leave blank if considered for all employee types,အားလုံးန်ထမ်းအမျိုးအစားစဉ်းစားလျှင်အလွတ် Leave -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို DocType: Landed Cost Voucher,Distribute Charges Based On,တွင် အခြေခံ. စွပ်စွဲချက်ဖြန့်ဝေ apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,HR Settings ကို @@ -2010,7 +2012,7 @@ DocType: Salary Slip,net pay info,အသားတင်လစာအချက် apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,စရိတ်တောင်းဆိုမှုများအတည်ပြုချက်ဆိုင်းငံ့ထားတာဖြစ်ပါတယ်။ ကိုသာသုံးစွဲမှုအတည်ပြုချက် status ကို update ပြုလုပ်နိုင်ပါသည်။ DocType: Email Digest,New Expenses,နယူးကုန်ကျစရိတ် DocType: Purchase Invoice,Additional Discount Amount,အပိုဆောင်းလျှော့ငွေပမာဏ -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","အတန်း # {0}: item ကိုသတ်မှတ်ထားတဲ့အရာတစ်ခုပါပဲအဖြစ်အရည်အတွက်, 1 ဖြစ်ရမည်။ မျိုးစုံအရည်အတွက်ကိုခွဲတန်းကိုသုံးပေးပါ။" +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","အတန်း # {0}: item ကိုသတ်မှတ်ထားတဲ့အရာတစ်ခုပါပဲအဖြစ်အရည်အတွက်, 1 ဖြစ်ရမည်။ မျိုးစုံအရည်အတွက်ကိုခွဲတန်းကိုသုံးပေးပါ။" DocType: Leave Block List Allow,Leave Block List Allow,Allow Block List ကို Leave apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr အလွတ်သို့မဟုတ်အာကာသမဖွစျနိုငျ apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,က Non-Group ကိုမှ Group က @@ -2018,7 +2020,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,အားက DocType: Loan Type,Loan Name,ချေးငွေအမည် apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,အမှန်တကယ်စုစုပေါင်း DocType: Student Siblings,Student Siblings,ကျောင်းသားမောင်နှမ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,ယူနစ် +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,ယူနစ် apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,ကုမ္ပဏီသတ်မှတ် ကျေးဇူးပြု. ,Customer Acquisition and Loyalty,customer သိမ်းယူမှုနှင့်သစ္စာ DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,သင်ပယ်ချပစ္စည်းများစတော့ရှယ်ယာကိုထိန်းသိမ်းရာဂိုဒေါင် @@ -2037,12 +2039,12 @@ DocType: Workstation,Wages per hour,တစ်နာရီလုပ်ခ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Batch အတွက်စတော့အိတ်ချိန်ခွင် {0} ဂိုဒေါင် {3} မှာ Item {2} သည် {1} အနုတ်လက္ခဏာဖြစ်လိမ့်မည် apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,အောက်ပါပစ္စည်းများတောင်းဆိုမှုများပစ္စည်းရဲ့ Re-အမိန့် level ကိုအပေါ်အခြေခံပြီးအလိုအလြောကျထမြောက်ကြပါပြီ DocType: Email Digest,Pending Sales Orders,ဆိုင်းငံ့အရောင်းအမိန့် -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},အကောင့်ကို {0} မမှန်ကန်ဘူး။ အကောင့်ကိုငွေကြေးစနစ် {1} ဖြစ်ရပါမည် +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},အကောင့်ကို {0} မမှန်ကန်ဘူး။ အကောင့်ကိုငွေကြေးစနစ် {1} ဖြစ်ရပါမည် apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM ကူးပြောင်းခြင်းအချက်အတန်း {0} အတွက်လိုအပ်သည် DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရောင်းအမိန့်အရောင်းပြေစာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည် DocType: Salary Component,Deduction,သဘောအယူအဆ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,အတန်း {0}: အချိန်နှင့်ရန်အချိန် မှစ. မဖြစ်မနေဖြစ်ပါတယ်။ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,အတန်း {0}: အချိန်နှင့်ရန်အချိန် မှစ. မဖြစ်မနေဖြစ်ပါတယ်။ DocType: Stock Reconciliation Item,Amount Difference,ငွေပမာဏ Difference apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},item စျေးနှုန်းကိုစျေးနှုန်းကိုစာရင်း {1} အတွက် {0} များအတွက်ဖြည့်စွက် apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ဒီအရောင်းလူတစ်ဦး၏န်ထမ်း Id ကိုရိုက်ထည့်ပေးပါ @@ -2052,11 +2054,11 @@ DocType: Project,Gross Margin,gross Margin apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,ထုတ်လုပ်မှု Item ပထမဦးဆုံးရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,တွက်ချက် Bank မှဖော်ပြချက်ချိန်ခွင်လျှာ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,မသန်မစွမ်းအသုံးပြုသူ -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,ကိုးကာချက် +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,ကိုးကာချက် DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,စုစုပေါင်းထုတ်ယူ ,Production Analytics,ထုတ်လုပ်မှု Analytics မှ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ကုန်ကျစရိတ် Updated +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,ကုန်ကျစရိတ် Updated DocType: Employee,Date of Birth,မွေးနေ့ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,item {0} ပြီးသားပြန်ထားပြီ DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ ** တစ်ဘဏ္ဍာရေးတစ်နှစ်တာကိုကိုယ်စားပြုပါတယ်။ အားလုံးသည်စာရင်းကိုင် posts များနှင့်အခြားသောအဓိကကျသည့်ကိစ္စများကို ** ** ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာဆန့်ကျင်ခြေရာခံထောက်လှမ်းနေကြပါတယ်။ @@ -2102,18 +2104,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,ကုမ္ပဏီကိုရွေးချယ်ပါ ... DocType: Leave Control Panel,Leave blank if considered for all departments,အားလုံးဌာနများစဉ်းစားလျှင်အလွတ် Leave apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","အလုပ်အကိုင်အခွင့်အအမျိုးအစားများ (ရာသက်ပန်, စာချုပ်, အလုပ်သင်ဆရာဝန်စသည်တို့) ။" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} Item {1} သည်မသင်မနေရ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} Item {1} သည်မသင်မနေရ DocType: Process Payroll,Fortnightly,နှစ်ပတ်တ DocType: Currency Exchange,From Currency,ငွေကြေးစနစ်ကနေ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","atleast တယောက်အတန်းအတွက်ခွဲဝေငွေပမာဏ, ပြေစာ Type နှင့်ပြေစာနံပါတ်ကို select ကျေးဇူးပြု." apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,နယူးအရစ်ကျ၏ကုန်ကျစရိတ် -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Item {0} လိုအပ်အရောင်းအမိန့် +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Item {0} လိုအပ်အရောင်းအမိန့် DocType: Purchase Invoice Item,Rate (Company Currency),rate (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Student Guardian,Others,အခြားသူများ DocType: Payment Entry,Unallocated Amount,ထဲကအသုံးမပြုတဲ့ငွေပမာဏ apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,တစ်ကိုက်ညီတဲ့ပစ္စည်းရှာမတှေ့နိုငျပါသညျ။ {0} များအတွက်အချို့သောအခြား value ကို select လုပ်ပါကိုကျေးဇူးတင်ပါ။ DocType: POS Profile,Taxes and Charges,အခွန်နှင့်စွပ်စွဲချက် DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",အဖြေထုတ်ကုန်ပစ္စည်းသို့မဟုတ်စတော့ရှယ်ယာအတွက်ဝယ်ရောင်းမစောင့်ဘဲပြုလုပ်ထားတဲ့န်ဆောင်မှု။ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ် apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,အဘယ်သူမျှမကပို updates များကို apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,ပထမဦးဆုံးအတန်းအတွက် 'ယခင် Row ပမာဏတွင်' သို့မဟုတ် '' ယခင် Row စုစုပေါင်းတွင် 'အဖြစ်တာဝန်ခံ type ကိုရွေးချယ်လို့မရပါဘူး apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,ကလေး Item တစ်ကုန်ပစ္စည်း Bundle ကိုမဖြစ်သင့်ပါဘူး။ `{0} ကို item ကိုဖယ်ရှား` ကယ်တင်ပေးပါ @@ -2141,7 +2144,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,စုစုပေါင်း Billing ငွေပမာဏ apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,အလုပ်အားဤအဘို့အဖွင့်ထားတဲ့ default အနေနဲ့ဝင်လာသောအီးမေးလ်အကောင့်ရှိပါတယ်ဖြစ်ရမည်။ ကျေးဇူးပြု. setup ကိုတစ်ဦးက default အဝင်အီးမေးလ်အကောင့် (POP / IMAP) ကိုထပ်ကြိုးစားပါ။ apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,receiver အကောင့် -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} {2} ပြီးသားဖြစ်ပါတယ် +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} {2} ပြီးသားဖြစ်ပါတယ် DocType: Quotation Item,Stock Balance,စတော့အိတ် Balance apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ငွေပေးချေမှုရမည့်မှအရောင်းအမိန့် apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,စီအီးအို @@ -2166,10 +2169,11 @@ DocType: C-Form,Received Date,ရရှိထားသည့်နေ့စွ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","သင်အရောင်းအခွန်နှင့်စွပ်စွဲချက် Template ထဲမှာတစ်ဦးစံ template ကိုဖန်တီးခဲ့လျှင်, တယောက်ရွေးပြီးအောက်တွင်ဖော်ပြထားသော button ကို click လုပ်ပါ။" DocType: BOM Scrap Item,Basic Amount (Company Currency),အခြေခံပညာငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Student,Guardians,အုပ်ထိန်းသူများ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,စျေးစာရင်းမသတ်မှတ်လျှင်စျေးနှုန်းများပြလိမ့်မည်မဟုတ် apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ဒီအသဘောင်္တင်စိုးမိုးရေးများအတွက်တိုင်းပြည် specify သို့မဟုတ် Worldwide မှသဘောင်္တင်စစ်ဆေးပါ DocType: Stock Entry,Total Incoming Value,စုစုပေါင်း Incoming Value တစ်ခု -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,debit ရန်လိုအပ်သည် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,debit ရန်လိုအပ်သည် apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets သင့်ရဲ့အဖွဲ့ကအမှုကိုပြု Activite ဘို့အချိန်, ကုန်ကျစရိတ်နှင့်ငွေတောင်းခံခြေရာခံစောင့်ရှောက်ကူညီပေးရန်" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ဝယ်ယူစျေးနှုန်းများစာရင်း DocType: Offer Letter Term,Offer Term,ကမ်းလှမ်းမှုကို Term @@ -2188,11 +2192,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,က DocType: Timesheet Detail,To Time,အချိန်မှ DocType: Authorization Rule,Approving Role (above authorized value),(ခွင့်ပြုချက် value ကိုအထက်) အတည်ပြုအခန်းက္ပ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,အကောင့်ဖွင့်ရန်အကြွေးတစ်ပေးဆောင်အကောင့်ကိုရှိရမည် -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} {2} ၏မိဘသို့မဟုတ်ကလေးမဖွစျနိုငျ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} {2} ၏မိဘသို့မဟုတ်ကလေးမဖွစျနိုငျ DocType: Production Order Operation,Completed Qty,ပြီးစီး Qty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0} အဘို့, သာ debit အကောင့်အသစ်များ၏အခြားအကြွေး entry ကိုဆန့်ကျင်နှင့်ဆက်စပ်နိုင်" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,စျေးနှုန်းစာရင်း {0} ပိတ်ထားတယ် -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},အတန်း {0}: Completed အရည်အတွက် {2} စစ်ဆင်ရေးများအတွက် {1} ထက်ပိုပြီးမဖွစျနိုငျ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},အတန်း {0}: Completed အရည်အတွက် {2} စစ်ဆင်ရေးများအတွက် {1} ထက်ပိုပြီးမဖွစျနိုငျ DocType: Manufacturing Settings,Allow Overtime,အချိန်ပို Allow apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serial Item {0} စတော့အိတ်ပြန်လည်သင့်မြတ်ရေးကို အသုံးပြု. updated မရနိုငျသညျ, စတော့အိတ် Entry 'ကိုသုံးပါ" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serial Item {0} စတော့အိတ်ပြန်လည်သင့်မြတ်ရေးကို အသုံးပြု. updated မရနိုငျသညျ, စတော့အိတ် Entry 'ကိုသုံးပါ" @@ -2211,10 +2215,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,external apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,အသုံးပြုသူများနှင့်ခွင့်ပြုချက် DocType: Vehicle Log,VLOG.,ရုပ်ရှင်ဘလော့ဂ်။ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Created ထုတ်လုပ်မှုအမိန့်: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Created ထုတ်လုပ်မှုအမိန့်: {0} DocType: Branch,Branch,အညွန့ DocType: Guardian,Mobile Number,လက်ကိုင်ဖုန်းနာပတ် apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ပုံနှိပ်နှင့် Branding +DocType: Company,Total Monthly Sales,စုစုပေါင်းလစဉ်အရောင်း DocType: Bin,Actual Quantity,အမှန်တကယ်ပမာဏ DocType: Shipping Rule,example: Next Day Shipping,ဥပမာအား: Next ကိုနေ့ Shipping apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,{0} မတွေ့ရှိ serial No @@ -2245,7 +2250,7 @@ DocType: Payment Request,Make Sales Invoice,အရောင်းပြေစာ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Next ကိုဆက်သွယ်ပါနေ့စွဲအတိတ်ထဲမှာမဖွစျနိုငျ DocType: Company,For Reference Only.,သာလျှင်ကိုးကားစရာသည်။ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,ကို Select လုပ်ပါအသုတ်လိုက်အဘယ်သူမျှမ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,ကို Select လုပ်ပါအသုတ်လိုက်အဘယ်သူမျှမ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},မမှန်ကန်ခြင်း {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,ကြိုတင်ငွေပမာဏ @@ -2258,7 +2263,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Barcode {0} နှင့်အတူမရှိပါ Item apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,အမှုနံပါတ် 0 မဖြစ်နိုင် DocType: Item,Show a slideshow at the top of the page,စာမျက်နှာ၏ထိပ်မှာတစ်ဆလိုက်ရှိုးပြရန် -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,စတိုးဆိုင်များ DocType: Serial No,Delivery Time,ပို့ဆောင်ချိန် apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Ageing အခြေပြုတွင် @@ -2272,16 +2277,16 @@ DocType: Rename Tool,Rename Tool,Tool ကို Rename apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Update ကိုကုန်ကျစရိတ် DocType: Item Reorder,Item Reorder,item Reorder apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Show ကိုလစာစလစ်ဖြတ်ပိုင်းပုံစံ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,ပစ္စည်းလွှဲပြောင်း +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,ပစ္စည်းလွှဲပြောင်း DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",အဆိုပါစစ်ဆင်ရေးကိုသတ်မှတ်မှာ operating ကုန်ကျစရိတ်နှင့်သင်တို့၏စစ်ဆင်ရေးမှတစ်မူထူးခြားစစ်ဆင်ရေးမျှမပေး။ apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ဤစာရွက်စာတမ်းကို item {4} ဘို့ {0} {1} အားဖြင့်ကန့်သတ်ကျော်ပြီဖြစ်ပါသည်။ သငျသညျ {2} အတူတူဆန့်ကျင်သည်အခြား {3} လုပ်နေပါတယ်? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,ချွေပြီးနောက်ထပ်တလဲလဲသတ်မှတ်ထားပေးပါ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,ပြောင်းလဲမှုငွေပမာဏကိုအကောင့်ကို Select လုပ်ပါ +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,ချွေပြီးနောက်ထပ်တလဲလဲသတ်မှတ်ထားပေးပါ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,ပြောင်းလဲမှုငွေပမာဏကိုအကောင့်ကို Select လုပ်ပါ DocType: Purchase Invoice,Price List Currency,စျေးနှုန်း List ကိုငွေကြေးစနစ် DocType: Naming Series,User must always select,အသုံးပြုသူအမြဲရွေးချယ်ရမည် DocType: Stock Settings,Allow Negative Stock,အပြုသဘောမဆောင်သောစတော့အိတ် Allow DocType: Installation Note,Installation Note,Installation မှတ်ချက် -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,အခွန် Add +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,အခွန် Add DocType: Topic,Topic,အကွောငျး apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,ဘဏ္ဍာရေးထံမှငွေကြေးစီးဆင်းမှု DocType: Budget Account,Budget Account,ဘတ်ဂျက်အကောင့် @@ -2295,7 +2300,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Trace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ရန်ပုံငွေ၏ source (စိစစ်) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},အတန်းအတွက်အရေအတွက် {0} ({1}) ထုတ်လုပ်သောအရေအတွက် {2} အဖြစ်အတူတူသာဖြစ်ရမည် DocType: Appraisal,Employee,လုပ်သား -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,ကို Select လုပ်ပါအသုတ်လိုက် +DocType: Company,Sales Monthly History,အရောင်းလစဉ်သမိုင်း +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,ကို Select လုပ်ပါအသုတ်လိုက် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} အပြည့်အဝကြေညာတာဖြစ်ပါတယ် DocType: Training Event,End Time,အဆုံးအချိန် apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ပေးထားသောရက်စွဲများများအတွက်ဝန်ထမ်း {1} တွေ့ရှိ active လစာဖွဲ့စည်းပုံ {0} @@ -2303,15 +2309,14 @@ DocType: Payment Entry,Payment Deductions or Loss,ငွေပေးချေမ apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,အရောင်းသို့မဟုတ်ဝယ်ယူခြင်းအဘို့အစံစာချုပ်ဝေါဟာရများ။ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,ဘောက်ချာအားဖြင့်အုပ်စု apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,အရောင်းပိုက်လိုင်း -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},လစာစိတျအပိုငျး {0} အတွက် default အနေနဲ့အကောင့်သတ်မှတ်ထားပေးပါ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},လစာစိတျအပိုငျး {0} အတွက် default အနေနဲ့အကောင့်သတ်မှတ်ထားပေးပါ apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,တွင်လိုအပ်သော DocType: Rename Tool,File to Rename,Rename မှ File apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Row {0} အတွက် Item ဘို့ BOM ကို select လုပ်ပါကျေးဇူးပြုပြီး apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},အကောင့် {0} အကောင့်၏ Mode တွင်ကုမ္ပဏီ {1} နှင့်အတူမကိုက်ညီ: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},သတ်မှတ်ထားသော BOM {0} Item {1} သည်မတည်ရှိပါဘူး -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ပြုပြင်ထိန်းသိမ်းမှုဇယား {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ပြုပြင်ထိန်းသိမ်းမှုဇယား {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် DocType: Notification Control,Expense Claim Approved,စရိတ်တောင်းဆိုမှုများ Approved -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု. Setup ကို> နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ဝန်ထမ်း၏လစာစလစ်ဖြတ်ပိုင်းပုံစံ {0} ပြီးသားဤကာလအဘို့ဖန်တီး apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ဆေးဝါး apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ဝယ်ယူပစ္စည်းများ၏ကုန်ကျစရိတ် @@ -2328,7 +2333,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,တစ် Finished DocType: Upload Attendance,Attendance To Date,နေ့စွဲရန်တက်ရောက် DocType: Warranty Claim,Raised By,By ထမြောက်စေတော် DocType: Payment Gateway Account,Payment Account,ငွေပေးချေမှုရမည့်အကောင့် -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,ဆက်လက်ဆောင်ရွက်ရန်ကုမ္ပဏီသတ်မှတ် ကျေးဇူးပြု. +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,ဆက်လက်ဆောင်ရွက်ရန်ကုမ္ပဏီသတ်မှတ် ကျေးဇူးပြု. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Accounts ကို receiver များတွင် Net က Change ကို apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ပိတ် Compensatory DocType: Offer Letter,Accepted,လက်ခံထားတဲ့ @@ -2338,12 +2343,12 @@ DocType: SG Creation Tool Course,Student Group Name,ကျောင်းသာ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,သင်အမှန်တကယ်ဒီကုမ္ပဏီပေါင်းသည်တလုံးငွေကြေးလွှဲပြောင်းပယ်ဖျက်လိုသေချာအောင်လေ့လာပါ။ ထိုသို့အဖြစ်သင်၏သခင်ဒေတာဖြစ်နေလိမ့်မယ်။ ဤ action ပြင်. မရပါ။ DocType: Room,Room Number,အခန်းနံပတ် apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},မမှန်ကန်ခြင်းရည်ညွှန်းကိုးကား {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ထုတ်လုပ်မှုအမိန့် {3} အတွက်စီစဉ်ထား quanitity ({2}) ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ထုတ်လုပ်မှုအမိန့် {3} အတွက်စီစဉ်ထား quanitity ({2}) ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Shipping Rule,Shipping Rule Label,သဘောင်္တင်ခ Rule Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,အသုံးပြုသူဖိုရမ် -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,ကုန်ကြမ်းပစ္စည်းများအလွတ်မဖြစ်နိုင်။ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","ငွေတောင်းခံလွှာတစ်စက်ရေကြောင်းကို item များပါရှိသည်, စတော့ရှယ်ယာကို update မရနိုင်ပါ။" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,လျင်မြန်စွာ Journal မှ Entry ' +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,ကုန်ကြမ်းပစ္စည်းများအလွတ်မဖြစ်နိုင်။ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","ငွေတောင်းခံလွှာတစ်စက်ရေကြောင်းကို item များပါရှိသည်, စတော့ရှယ်ယာကို update မရနိုင်ပါ။" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,လျင်မြန်စွာ Journal မှ Entry ' apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,BOM ဆိုတဲ့ item agianst ဖော်ပြခဲ့သောဆိုရင်နှုန်းကိုမပြောင်းနိုင်ပါ DocType: Employee,Previous Work Experience,ယခင်လုပ်ငန်းအတွေ့အကြုံ DocType: Stock Entry,For Quantity,ပမာဏများအတွက် @@ -2400,7 +2405,7 @@ DocType: SMS Log,No of Requested SMS,တောင်းဆိုထားသေ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Pay ကိုမရှိရင် Leave အတည်ပြုခွင့်လျှောက်လွှာမှတ်တမ်းများနှင့်အတူမကိုက်ညီ DocType: Campaign,Campaign-.####,ကင်ပိန်း - ။ #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Next ကိုခြေလှမ်းများ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,အကောငျးဆုံးနှုန်းထားများမှာသတ်မှတ်ထားသောပစ္စည်းများထောက်ပံ့ပေးပါ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,အကောငျးဆုံးနှုန်းထားများမှာသတ်မှတ်ထားသောပစ္စည်းများထောက်ပံ့ပေးပါ DocType: Selling Settings,Auto close Opportunity after 15 days,15 ရက်အကြာမှာအော်တိုနီးစပ်အခွင့်အလမ်း apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,အဆုံးတစ်နှစ်တာ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quote /% ကိုပို့ဆောငျ @@ -2438,7 +2443,7 @@ DocType: Homepage,Homepage,ပင်မစာမျက်နှာ DocType: Purchase Receipt Item,Recd Quantity,Recd ပမာဏ apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Created ကြေး Records ကို - {0} DocType: Asset Category Account,Asset Category Account,ပိုင်ဆိုင်မှုအမျိုးအစားအကောင့် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},အရောင်းအမိန့်အရေအတွက် {1} ထက်ပိုပစ္စည်း {0} မထုတ်လုပ်နိုင်သ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},အရောင်းအမိန့်အရေအတွက် {1} ထက်ပိုပစ္စည်း {0} မထုတ်လုပ်နိုင်သ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,စတော့အိတ် Entry '{0} တင်သွင်းသည်မဟုတ် DocType: Payment Reconciliation,Bank / Cash Account,ဘဏ်မှ / ငွေအကောင့် apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Next ကိုဆက်သွယ်ပါအားဖြင့်ခဲအီးမေးလ်လိပ်စာအတိုင်းအတူတူမဖွစျနိုငျ @@ -2471,7 +2476,7 @@ DocType: Salary Structure,Total Earning,စုစုပေါင်းဝင် DocType: Purchase Receipt,Time at which materials were received,ပစ္စည်းများလက်ခံရရှိခဲ့ကြသည်မှာအချိန် DocType: Stock Ledger Entry,Outgoing Rate,outgoing Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,"အစည်းအရုံး, အခက်အလက်မာစတာ။" -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,သို့မဟုတ် +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,သို့မဟုတ် DocType: Sales Order,Billing Status,ငွေတောင်းခံနဲ့ Status apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,တစ်ဦး Issue သတင်းပို့ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility ကိုအသုံးစရိတ်များ @@ -2479,7 +2484,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,အတန်း # {0}: ဂျာနယ် Entry '{1} အကောင့် {2} ရှိသည်သို့မဟုတ်ပြီးသားအခြားဘောက်ချာဆန့်ကျင်လိုက်ဖက်ပါဘူး DocType: Buying Settings,Default Buying Price List,default ဝယ်ယူစျေးနှုန်းများစာရင်း DocType: Process Payroll,Salary Slip Based on Timesheet,Timesheet အပေါ်အခြေခံပြီးလစာစလစ်ဖြတ်ပိုင်းပုံစံ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,အထက်ပါရွေးချယ်ထားသောစံနှုန်းများကို OR လစာစလစ်အဘို့အဘယ်သူမျှမကန်ထမ်းပြီးသားနေသူများကဖန်တီး +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,အထက်ပါရွေးချယ်ထားသောစံနှုန်းများကို OR လစာစလစ်အဘို့အဘယ်သူမျှမကန်ထမ်းပြီးသားနေသူများကဖန်တီး DocType: Notification Control,Sales Order Message,အရောင်းအမှာစာ apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ကုမ္ပဏီ, ငွေကြေးစနစ်, လက်ရှိဘဏ္ဍာရေးနှစ်တစ်နှစ်တာစသည်တို့ကိုတူ Set Default တန်ဖိုးများ" DocType: Payment Entry,Payment Type,ငွေပေးချေမှုရမည့် Type @@ -2504,7 +2509,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ငွေလက်ခံပြေစာစာရွက်စာတမ်းတင်ပြရဦးမည် DocType: Purchase Invoice Item,Received Qty,Qty ရရှိထားသည့် DocType: Stock Entry Detail,Serial No / Batch,serial No / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ်မရ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ်မရ DocType: Product Bundle,Parent Item,မိဘ Item DocType: Account,Account Type,Account Type DocType: Delivery Note,DN-RET-,DN-RET- @@ -2535,8 +2540,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,စုစုပေါင်းခွဲဝေပမာဏ apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,အစဉ်အမြဲစာရင်းမဘို့ရာခန့်က default စာရင်းအကောင့် DocType: Item Reorder,Material Request Type,material တောင်းဆိုမှုကအမျိုးအစား -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} {1} မှလစာများအတွက်တိကျမှန်ကန်ဂျာနယ် Entry ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage အပြည့်အဝဖြစ်ပါသည်, မကယ်တင်ခဲ့ဘူး" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},{0} {1} မှလစာများအတွက်တိကျမှန်ကန်ဂျာနယ် Entry ' +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage အပြည့်အဝဖြစ်ပါသည်, မကယ်တင်ခဲ့ဘူး" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,row {0}: UOM ကူးပြောင်းခြင်း Factor နဲ့မဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,ကုန်ကျစရိတ် Center က @@ -2554,7 +2559,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ဝ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ရွေးချယ်ထားသည့်စျေးနှုန်းများ Rule 'စျေးနှုန်း' 'အဘို့သည်ဆိုပါကစျေးနှုန်း List ကို overwrite လုပ်သွားမှာ။ စျေးနှုန်း Rule စျေးနှုန်းနောက်ဆုံးစျေးနှုန်းဖြစ်ပါတယ်, ဒါကြောင့်အဘယ်သူမျှမကနောက်ထပ်လျှော့စျေးလျှောက်ထားရပါမည်။ ဒါကွောငျ့, အရောင်းအမိန့်, ဝယ်ယူခြင်းအမိန့်စသည်တို့ကဲ့သို့သောကိစ္စများကိုအတွက်ကြောင့်မဟုတ်ဘဲ '' စျေးနှုန်း List ကို Rate '' လယ်ပြင်ထက်, '' Rate '' လယ်ပြင်၌ခေါ်ယူသောအခါလိမ့်မည်။" apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track စက်မှုလက်မှုလုပ်ငန်းရှင်များကအမျိုးအစားအားဖြင့် Leads ။ DocType: Item Supplier,Item Supplier,item ပေးသွင်း -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,အဘယ်သူမျှမသုတ်ရ Item Code ကိုရိုက်ထည့်ပေးပါ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,အဘယ်သူမျှမသုတ်ရ Item Code ကိုရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},{1} quotation_to {0} လို့တန်ဖိုးကို select ကျေးဇူးပြု. apps/erpnext/erpnext/config/selling.py +46,All Addresses.,အားလုံးသည်လိပ်စာ။ DocType: Company,Stock Settings,စတော့အိတ် Settings ကို @@ -2581,7 +2586,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Transaction ပြီ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},{0} နှင့် {1} အကြားမျှမတွေ့လစာစလစ် ,Pending SO Items For Purchase Request,ဝယ်ယူခြင်းတောင်းဆိုခြင်းသည်ဆိုင်းငံ SO ပစ္စည်းများ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,ကျောင်းသားသမဂ္ဂအဆင့်လက်ခံရေး -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} ကိုပိတ်ထားသည် +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} ကိုပိတ်ထားသည် DocType: Supplier,Billing Currency,ငွေတောင်းခံငွေကြေးစနစ် DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,အပိုအကြီးစား @@ -2611,7 +2616,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,လျှောက်လွှာအခြေအနေ DocType: Fees,Fees,အဖိုးအခ DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,အခြားသို့တစျငွေကြေး convert မှချိန်း Rate ကိုသတ်မှတ် -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,စျေးနှုန်း {0} ဖျက်သိမ်းလိုက် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,စျေးနှုန်း {0} ဖျက်သိမ်းလိုက် apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,စုစုပေါင်းထူးချွန်ငွေပမာဏ DocType: Sales Partner,Targets,ပစ်မှတ် DocType: Price List,Price List Master,စျေးနှုန်း List ကိုမဟာ @@ -2628,7 +2633,7 @@ DocType: POS Profile,Ignore Pricing Rule,စျေးနှုန်းမျာ DocType: Employee Education,Graduate,ဘွဲ့ရသည် DocType: Leave Block List,Block Days,block Days DocType: Journal Entry,Excise Entry,ယစ်မျိုး Entry ' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},သတိပေးချက်: အရောင်းအမိန့် {0} ပြီးသားဖောက်သည်ရဲ့ဝယ်ယူမိန့် {1} ဆန့်ကျင်ရှိတယ်ဆိုတဲ့ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},သတိပေးချက်: အရောင်းအမိန့် {0} ပြီးသားဖောက်သည်ရဲ့ဝယ်ယူမိန့် {1} ဆန့်ကျင်ရှိတယ်ဆိုတဲ့ DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2655,7 +2660,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),(ပ ,Salary Register,လစာမှတ်ပုံတင်မည် DocType: Warehouse,Parent Warehouse,မိဘဂိုဒေါင် DocType: C-Form Invoice Detail,Net Total,Net ကစုစုပေါင်း -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},default Item {0} ဘို့မတွေ့ရှိ BOM နှင့်စီမံကိန်း {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},default Item {0} ဘို့မတွေ့ရှိ BOM နှင့်စီမံကိန်း {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,အမျိုးမျိုးသောချေးငွေအမျိုးအစားများကိုသတ်မှတ် DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,ထူးချွန်ငွေပမာဏ @@ -2692,7 +2697,7 @@ DocType: Salary Detail,Condition and Formula Help,အခြေအနေနှင apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,နယ်မြေတွေကို Tree Manage ။ DocType: Journal Entry Account,Sales Invoice,အရောင်းပြေစာ DocType: Journal Entry Account,Party Balance,ပါတီ Balance -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,လျှော့တွင် Apply ကို select ကျေးဇူးပြု. +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,လျှော့တွင် Apply ကို select ကျေးဇူးပြု. DocType: Company,Default Receivable Account,default receiver အကောင့် DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,အထက်ပါရွေးချယ်ထားသောသတ်မှတ်ချက်များသည်ပေးဆောင်စုစုပေါင်းလစာများအတွက်ဘဏ်မှ Entry Create DocType: Stock Entry,Material Transfer for Manufacture,Manufacturing သည်ပစ္စည်းလွှဲပြောင်း @@ -2706,7 +2711,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,customer လိပ်စာ DocType: Employee Loan,Loan Details,ချေးငွေအသေးစိတ် DocType: Company,Default Inventory Account,default Inventory အကောင့် -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,အတန်း {0}: Completed အရည်အတွက်သုညထက်ကြီးမြတ်ဖြစ်ရပါမည်။ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,အတန်း {0}: Completed အရည်အတွက်သုညထက်ကြီးမြတ်ဖြစ်ရပါမည်။ DocType: Purchase Invoice,Apply Additional Discount On,Apply နောက်ထပ်လျှော့တွင် DocType: Account,Root Type,အမြစ်ကအမျိုးအစား DocType: Item,FIFO,FIFO @@ -2723,7 +2728,7 @@ DocType: Purchase Invoice Item,Quality Inspection,အရည်အသွေးအ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,အပိုအသေးစား DocType: Company,Standard Template,စံ Template DocType: Training Event,Theory,သဘောတရား -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,သတိပေးချက်: Qty တောင်းဆိုထားသောပစ္စည်းအနည်းဆုံးအမိန့် Qty ထက်နည်းသော +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,သတိပေးချက်: Qty တောင်းဆိုထားသောပစ္စည်းအနည်းဆုံးအမိန့် Qty ထက်နည်းသော apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,အကောင့်ကို {0} အေးခဲသည် DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,အဖွဲ့ပိုင်ငွေစာရင်း၏သီးခြားဇယားနှင့်အတူဥပဒေကြောင်းအရ Entity / လုပ်ငန်းခွဲများ။ DocType: Payment Request,Mute Email,အသံတိတ်အီးမေးလ် @@ -2747,7 +2752,7 @@ DocType: Training Event,Scheduled,Scheduled apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,quotation အဘို့တောင်းဆိုခြင်း။ apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","စတော့အိတ် Item ရှိ၏" ဘယ်မှာ Item ကို select "No" ဖြစ်ပါတယ်နှင့် "အရောင်း Item ရှိ၏" "ဟုတ်တယ်" ဖြစ်ပါတယ်မှတပါးအခြားသောကုန်ပစ္စည်း Bundle ကိုလည်းရှိ၏ ကျေးဇူးပြု. DocType: Student Log,Academic,ပညာရပ်ဆိုင်ရာ -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),အမိန့်ဆန့်ကျင်စုစုပေါင်းကြိုတင်မဲ ({0}) {1} ({2}) ကိုဂရန်းစုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),အမိန့်ဆန့်ကျင်စုစုပေါင်းကြိုတင်မဲ ({0}) {1} ({2}) ကိုဂရန်းစုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ညီလအတွင်းအနှံ့ပစ်မှတ်ဖြန့်ဝေရန်လစဉ်ဖြန့်ဖြူးကိုရွေးချယ်ပါ။ DocType: Purchase Invoice Item,Valuation Rate,အဘိုးပြတ် Rate DocType: Stock Reconciliation,SR/,SR / @@ -2813,6 +2818,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,စုံစမ်းရေးအရင်းအမြစ်မဲဆွယ်စည်းရုံးရေးလျှင်ကင်ပိန်းအမည်ကိုထည့် apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,သတင်းစာထုတ်ဝေသူများ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာကိုရွေးပါ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,မျှော်လင့်ထားသည့် Delivery နေ့စွဲအရောင်းအမိန့်နေ့စွဲနောက်မှာဖြစ်သင့်ပါတယ် apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Reorder အဆင့် DocType: Company,Chart Of Accounts Template,Accounts ကို Template ၏ဇယား DocType: Attendance,Attendance Date,တက်ရောက်သူနေ့စွဲ @@ -2844,7 +2850,7 @@ DocType: Pricing Rule,Discount Percentage,လျော့စျေးရာခ DocType: Payment Reconciliation Invoice,Invoice Number,ကုန်ပို့လွှာနံပါတ် DocType: Shopping Cart Settings,Orders,အမိန့် DocType: Employee Leave Approver,Leave Approver,ခွင့်ပြုချက် Leave -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,တစ်သုတ်ကို select ပေးပါ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,တစ်သုတ်ကို select ပေးပါ DocType: Assessment Group,Assessment Group Name,အကဲဖြတ် Group မှအမည် DocType: Manufacturing Settings,Material Transferred for Manufacture,ထုတ်လုပ်ခြင်းများအတွက်သို့လွှဲပြောင်း material DocType: Expense Claim,"A user with ""Expense Approver"" role","သုံးစွဲမှုအတည်ပြုချက်" အခန်းကဏ္ဍနှင့်အတူအသုံးပြုသူတစ်ဦး @@ -2881,7 +2887,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,နောက်လ၏နောက်ဆုံးနေ့ DocType: Support Settings,Auto close Issue after 7 days,7 ရက်အတွင်းအပြီးအော်တိုအနီးကပ်ပြဿနာ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ခွင့်ချိန်ခွင်လျှာထားပြီးအနာဂတ်ခွင့်ခွဲဝေစံချိန် {1} အတွက် PPP ဖြင့်ချဉ်းကပ်-forward နိုင်သည်သိရသည်အဖြစ် Leave, {0} မီကခွဲဝေမရနိုငျ" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),မှတ်ချက်: ကြောင့် / ကိုးကားစရာနေ့စွဲ {0} တနေ့ (များ) ကခွင့်ပြုဖောက်သည်အကြွေးရက်ပတ်လုံးထက်ကျော်လွန် +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),မှတ်ချက်: ကြောင့် / ကိုးကားစရာနေ့စွဲ {0} တနေ့ (များ) ကခွင့်ပြုဖောက်သည်အကြွေးရက်ပတ်လုံးထက်ကျော်လွန် apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ကျောင်းသားသမဂ္ဂလျှောက်ထားသူ DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,RECIPIENT FOR ORIGINAL DocType: Asset Category Account,Accumulated Depreciation Account,စုဆောင်းတန်ဖိုးအကောင့် @@ -2892,7 +2898,7 @@ DocType: Item,Reorder level based on Warehouse,ဂိုဒေါင်အပေ DocType: Activity Cost,Billing Rate,ငွေတောင်းခံ Rate ,Qty to Deliver,လှတျတျောမူဖို့ Qty ,Stock Analytics,စတော့အိတ် Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,စစ်ဆင်ရေးအလွတ်ကျန်ရစ်မရနိုငျ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,စစ်ဆင်ရေးအလွတ်ကျန်ရစ်မရနိုငျ DocType: Maintenance Visit Purpose,Against Document Detail No,Document ဖိုင် Detail မရှိဆန့်ကျင် apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,ပါတီအမျိုးအစားမဖြစ်မနေဖြစ်ပါသည် DocType: Quality Inspection,Outgoing,outgoing @@ -2935,15 +2941,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,ဂိုဒေါင်ကနေရယူနိုင်ပါတယ် Qty apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,ကြေညာတဲ့ငွေပမာဏ DocType: Asset,Double Declining Balance,နှစ်ချက်ကျဆင်းနေ Balance -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,ပိတ်ထားသောအမိန့်ကိုဖျက်သိမ်းမရနိုင်ပါ။ ဖျက်သိမ်းဖို့မပိတ်ထားသည့်။ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,ပိတ်ထားသောအမိန့်ကိုဖျက်သိမ်းမရနိုင်ပါ။ ဖျက်သိမ်းဖို့မပိတ်ထားသည့်။ DocType: Student Guardian,Father,ဖခင် -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'' Update ကိုစတော့အိတ် '' သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုရောင်းမည်အမှန်ခြစ်မရနိုငျ +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'' Update ကိုစတော့အိတ် '' သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုရောင်းမည်အမှန်ခြစ်မရနိုငျ DocType: Bank Reconciliation,Bank Reconciliation,ဘဏ်မှပြန်လည်ရင်ကြားစေ့ရေး DocType: Attendance,On Leave,Leave တွင် apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Updates ကိုရယူပါ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: အကောင့် {2} ကုမ္ပဏီ {3} ပိုင်ပါဘူး apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,material တောင်းဆိုမှု {0} ကိုပယ်ဖျက်သို့မဟုတ်ရပ်တန့်နေသည် -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,အနည်းငယ်နမူနာမှတ်တမ်းများ Add +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,အနည်းငယ်နမူနာမှတ်တမ်းများ Add apps/erpnext/erpnext/config/hr.py +301,Leave Management,စီမံခန့်ခွဲမှု Leave apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,အကောင့်အားဖြင့်အုပ်စု DocType: Sales Order,Fully Delivered,အပြည့်အဝကိုကယ်နှုတ် @@ -2952,12 +2958,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",ဒီစတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေးတစ်ဦးဖွင့်ပွဲ Entry ဖြစ်ပါတယ်ကတည်းကခြားနားချက်အကောင့်တစ်ခု Asset / ဆိုက်အမျိုးအစားအကောင့်ကိုရှိရမည် apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},ထုတ်ချေးငွေပမာဏချေးငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Item {0} လိုအပ်ဝယ်ယူခြင်းအမိန့်အရေအတွက် -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,ထုတ်လုပ်မှုအမိန့်နေသူများကဖန်တီးမပေး +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,ထုတ်လုပ်မှုအမိန့်နေသူများကဖန်တီးမပေး apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','' နေ့စွဲ မှစ. '' နေ့စွဲရန် '' နောက်မှာဖြစ်ရပါမည် apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ကျောင်းသား {0} ကျောင်းသားလျှောက်လွှာ {1} နှင့်အတူဆက်စပ်အဖြစ်အဆင့်အတန်းမပြောင်းနိုင်သ DocType: Asset,Fully Depreciated,အပြည့်အဝတန်ဖိုးလျော့ကျ ,Stock Projected Qty,စတော့အိတ် Qty စီမံကိန်း -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},customer {0} {1} သည်စီမံကိန်းပိုင်ပါဘူး +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},customer {0} {1} သည်စီမံကိန်းပိုင်ပါဘူး DocType: Employee Attendance Tool,Marked Attendance HTML,တခုတ်တရတက်ရောက် HTML ကို apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","ကိုးကားအဆိုပြုချက်, သင်သည်သင်၏ဖောက်သည်များစေလွှတ်ပြီလေလံများမှာ" DocType: Sales Order,Customer's Purchase Order,customer ရဲ့အမိန့်ကိုဝယ်ယူ @@ -2967,7 +2973,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,ကြိုတင်ဘွတ်ကင်တန်ဖိုးအရေအတွက်သတ်မှတ်ထားပေးပါ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Value တစ်ခုသို့မဟုတ် Qty apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions အမိန့်သည်အထမြောက်စေတော်မရနိုင်သည် -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,မိနစ် +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,မိနစ် DocType: Purchase Invoice,Purchase Taxes and Charges,အခွန်နှင့်စွပ်စွဲချက်ယ်ယူ ,Qty to Receive,လက်ခံမှ Qty DocType: Leave Block List,Leave Block List Allowed,Block List ကို Allowed Leave @@ -2981,7 +2987,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,အားလုံးသည်ပေးသွင်းအမျိုးအစားများ DocType: Global Defaults,Disable In Words,စကားထဲမှာ disable apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Item တွေကိုအလိုအလျောက်နံပါတ်အမကဘယ်ကြောင့်ဆိုသော် item Code ကိုမသင်မနေရ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},{0} မဟုတ်အမျိုးအစားစျေးနှုန်း {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},{0} မဟုတ်အမျိုးအစားစျေးနှုန်း {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,ပြုပြင်ထိန်းသိမ်းမှုဇယား Item DocType: Sales Order,% Delivered,% ကယ်နှုတ်တော်မူ၏ DocType: Production Order,PRO-,လုံးတွင် @@ -3004,7 +3010,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,ရောင်းချသူအီးမေးလ် DocType: Project,Total Purchase Cost (via Purchase Invoice),(ဝယ်ယူခြင်းပြေစာကနေတဆင့်) စုစုပေါင်းဝယ်ယူကုန်ကျစရိတ် DocType: Training Event,Start Time,Start ကိုအချိန် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,ပမာဏကိုရွေးပါ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,ပမာဏကိုရွေးပါ DocType: Customs Tariff Number,Customs Tariff Number,အကောက်ခွန် Tariff အရေအတွက် apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,အခန်းက္ပအတည်ပြုပေးသောစိုးမိုးရေးသက်ဆိုင်သည်အခန်းကဏ္ဍအဖြစ်အတူတူမဖွစျနိုငျ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ဒီအအီးမေးလ် Digest မဂ္ဂဇင်းထဲကနေနှုတ်ထွက် @@ -3028,7 +3034,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR စနစ် Detail DocType: Sales Order,Fully Billed,အပြည့်အဝကြေညာ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,လက်၌ငွေသား -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},စတော့ရှယ်ယာကို item {0} များအတွက်လိုအပ်သော delivery ဂိုဒေါင် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},စတော့ရှယ်ယာကို item {0} များအတွက်လိုအပ်သော delivery ဂိုဒေါင် DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),အထုပ်၏စုစုပေါင်းအလေးချိန်။ ပိုက်ကွန်ကိုအလေးချိန် + ထုပ်ပိုးပစ္စည်းအလေးချိန်များသောအားဖြင့်။ (ပုံနှိပ်သည်) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,အစီအစဉ် DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ဒီအခန်းကဏ္ဍနှင့်အတူအသုံးပြုသူများကအေးခဲအကောင့်အသစ်များ၏ ထား. ဖန်တီး / အေးစက်နေတဲ့အကောင့်အသစ်များ၏ဆန့်ကျင်စာရင်းကိုင် entries တွေကိုပြုပြင်မွမ်းမံဖို့ခွင့်ပြုနေကြတယ် @@ -3038,7 +3044,7 @@ DocType: Student Group,Group Based On,Group မှအခြေပြုတွင DocType: Journal Entry,Bill Date,ဘီလ်နေ့စွဲ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Service ကိုပစ္စည်း, အမျိုးအစား, ကြိမ်နှုန်းနှင့်စရိတ်ငွေပမာဏကိုလိုအပ်သည်" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","အမြင့်ဆုံးဦးစားပေးနှင့်အတူမျိုးစုံစျေးနှုန်းများနည်းဥပဒေများရှိပါတယ်တောင်မှလျှင်, အောက်ပါပြည်တွင်းရေးဦးစားပေးလျှောက်ထားနေကြပါတယ်:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},သင်အမှန်တကယ် {0} ကနေ {1} ဖို့အားလုံးကိုလစာစလစ်ဖြတ်ပိုင်းပုံစံ Submit ချင်ပါနဲ့ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},သင်အမှန်တကယ် {0} ကနေ {1} ဖို့အားလုံးကိုလစာစလစ်ဖြတ်ပိုင်းပုံစံ Submit ချင်ပါနဲ့ DocType: Cheque Print Template,Cheque Height,Cheque တစ်စောင်လျှင်အမြင့် DocType: Supplier,Supplier Details,ပေးသွင်းအသေးစိတ်ကို DocType: Expense Claim,Approval Status,ခွင့်ပြုချက်နဲ့ Status @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,စျေးနှ apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ပြသနိုင်ဖို့ကိုပိုပြီးအဘယ်အရာကိုမျှ။ DocType: Lead,From Customer,ဖောက်သည်ထံမှ apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ဖုန်းခေါ်ဆိုမှု -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,batch +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,batch DocType: Project,Total Costing Amount (via Time Logs),(အချိန် Logs ကနေတဆင့်) စုစုပေါင်းကုန်ကျငွေပမာဏ DocType: Purchase Order Item Supplied,Stock UOM,စတော့အိတ် UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ဝယ်ယူခြင်းအမိန့် {0} တင်သွင်းသည်မဟုတ် @@ -3092,7 +3098,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,ဝယ်ယူခြ DocType: Item,Warranty Period (in days),(ရက်) ကိုအာမခံကာလ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 နှင့်အတူ relation apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,စစ်ဆင်ရေးကနေ Net ကငွေ -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,ဥပမာ VAT +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,ဥပမာ VAT apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,item 4 DocType: Student Admission,Admission End Date,ဝန်ခံချက်အဆုံးနေ့စွဲ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,sub-စာချုပ်ကိုချုပ်ဆို @@ -3100,7 +3106,7 @@ DocType: Journal Entry Account,Journal Entry Account,ဂျာနယ် Entry apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,ကျောင်းသားအုပ်စု DocType: Shopping Cart Settings,Quotation Series,စျေးနှုန်းစီးရီး apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","တစ်ဦးကို item နာမည်တူ ({0}) နှင့်အတူရှိနေတယ်, ပစ္စည်းအုပ်စုအမည်ကိုပြောင်းလဲသို့မဟုတ်ပစ္စည်းကိုအမည်ပြောင်းကျေးဇူးတင်ပါ" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,ဖောက်သည်ကို select လုပ်ပါကျေးဇူးပြုပြီး +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,ဖောက်သည်ကို select လုပ်ပါကျေးဇူးပြုပြီး DocType: C-Form,I,ငါ DocType: Company,Asset Depreciation Cost Center,ပိုင်ဆိုင်မှုတန်ဖိုးကုန်ကျစရိတ်စင်တာ DocType: Sales Order Item,Sales Order Date,အရောင်းအမှာစာနေ့စွဲ @@ -3111,6 +3117,7 @@ DocType: Stock Settings,Limit Percent,ရာခိုင်နှုန်းက ,Payment Period Based On Invoice Date,ပြေစာနေ့စွဲတွင် အခြေခံ. ငွေပေးချေမှုရမည့်ကာလ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0} သည်ငွေကြေးစနစ်ငွေလဲနှုန်းဦးပျောက်ဆုံးနေ DocType: Assessment Plan,Examiner,စစျဆေးသူ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup ကို> Setting> အမည်ဖြင့်သမုတ်စီးရီးကနေတဆင့် {0} များအတွက်စီးရီးအမည်ဖြင့်သမုတ်သတ်မှတ်ထား ကျေးဇူးပြု. DocType: Student,Siblings,မောင်နှမ DocType: Journal Entry,Stock Entry,စတော့အိတ် Entry ' DocType: Payment Entry,Payment References,ငွေပေးချေမှုရမည့်ကိုးကား @@ -3135,7 +3142,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,အဘယ်မှာရှိကုန်ထုတ်လုပ်မှုလုပ်ငန်းများကိုသယ်ဆောင်ကြသည်။ DocType: Asset Movement,Source Warehouse,source ဂိုဒေါင် DocType: Installation Note,Installation Date,Installation လုပ်တဲ့နေ့စွဲ -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} ကုမ္ပဏီမှ {2} ပိုင်ပါဘူး +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} ကုမ္ပဏီမှ {2} ပိုင်ပါဘူး DocType: Employee,Confirmation Date,အတည်ပြုချက်နေ့စွဲ DocType: C-Form,Total Invoiced Amount,စုစုပေါင်း Invoiced ငွေပမာဏ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,min Qty Max Qty ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ @@ -3210,7 +3217,7 @@ DocType: Company,Default Letter Head,default ပေးစာဌာနမှူ DocType: Purchase Order,Get Items from Open Material Requests,ပွင့်လင်းပစ္စည်းတောင်းဆိုမှုများထံမှပစ္စည်းများ Get DocType: Item,Standard Selling Rate,စံရောင်းအားနှုန်း DocType: Account,Rate at which this tax is applied,ဒီအခွန်လျှောက်ထားသောအချိန်တွင် rate -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Reorder Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Reorder Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,လက်ရှိယောဘသည်င့် DocType: Company,Stock Adjustment Account,စတော့အိတ်ချိန်ညှိအကောင့် apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,အကြွေးလျှော်ပစ်ခြင်း @@ -3224,7 +3231,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,ပေးသွင်းဖောက်သည်မှကယ်တင် apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form ကို / ပစ္စည်း / {0}) စတော့ရှယ်ယာထဲကဖြစ်ပါတယ် apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Next ကိုနေ့စွဲနေ့စွဲပို့စ်တင်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည် -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},ကြောင့် / ကိုးကားစရာနေ့စွဲ {0} ပြီးနောက်မဖွစျနိုငျ +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},ကြောင့် / ကိုးကားစရာနေ့စွဲ {0} ပြီးနောက်မဖွစျနိုငျ apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ဒေတာပို့ကုန်သွင်းကုန် apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ကျောင်းသားများကို Found ဘယ်သူမျှမက apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ငွေတောင်းခံလွှာ Post date @@ -3245,12 +3252,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ဒီကျောင်းသားသမဂ္ဂများ၏တက်ရောက်သူအပေါ်အခြေခံသည် apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,မကျောင်းသားများ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,ပိုပြီးပစ္စည်းသို့မဟုတ်ဖွင့်အပြည့်အဝ form ကို Add -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','' မျှော်မှန်း Delivery Date ကို '' ကိုရိုက်ထည့်ပေးပါ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Delivery မှတ်စုများ {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Delivery မှတ်စုများ {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Paid ပမာဏ + ငွေပမာဏက Grand စုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျပိတ်ရေးထား apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} Item {1} သည်မှန်ကန်သော Batch နံပါတ်မဟုတ်ပါဘူး apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},မှတ်ချက်: လုံလောက်တဲ့ခွင့်ချိန်ခွင်လျှာထွက်ခွာ Type {0} သည်မရှိ -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,မှားနေသော GSTIN သို့မဟုတ်မှတ်ပုံမတင်ထားသောများအတွက် NA Enter +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,မှားနေသော GSTIN သို့မဟုတ်မှတ်ပုံမတင်ထားသောများအတွက် NA Enter DocType: Training Event,Seminar,ညှိနှိုငျးဖလှယျပှဲ DocType: Program Enrollment Fee,Program Enrollment Fee,Program ကိုကျောင်းအပ်ကြေး DocType: Item,Supplier Items,ပေးသွင်းပစ္စည်းများ @@ -3268,7 +3274,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,စတော့အိတ် Ageing apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},ကျောင်းသား {0} ကျောင်းသားလျှောက်ထား {1} ဆန့်ကျင်တည်ရှိ apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,အချိန်ဇယား -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} {1} '' ပိတ်ထားတယ် +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} {1} '' ပိတ်ထားတယ် apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ပွင့်လင်းအဖြစ် Set DocType: Cheque Print Template,Scanned Cheque,Scan Cheque တစ်စောင်လျှင် DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,မ့အရောင်းအပေါ်ဆက်သွယ်ရန်မှအလိုအလျှောက်အီးမေးလ်များကိုပေးပို့ပါ။ @@ -3315,7 +3321,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,စျေးနှုန်း List ကိုချိန်း Rate DocType: Purchase Invoice Item,Rate,rate apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,အလုပ်သင်ဆရာဝန် -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,လိပ်စာအမည် +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,လိပ်စာအမည် DocType: Stock Entry,From BOM,BOM ကနေ DocType: Assessment Code,Assessment Code,အကဲဖြတ် Code ကို apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,အခြေခံပညာ @@ -3328,20 +3334,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,လစာဖွဲ့စည်းပုံ DocType: Account,Bank,ကမ်း apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,လကွောငျး -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,ပြဿနာပစ္စည်း +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,ပြဿနာပစ္စည်း DocType: Material Request Item,For Warehouse,ဂိုဒေါင်အကြောင်းမူကား DocType: Employee,Offer Date,ကမ်းလှမ်းမှုကိုနေ့စွဲ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ကိုးကား -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,သငျသညျအော့ဖ်လိုင်း mode မှာရှိပါတယ်။ သငျသညျကှနျယရှိသည်သည်အထိသင်ပြန်ဖွင့်နိုင်ပါလိမ့်မည်မဟုတ်။ +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,သငျသညျအော့ဖ်လိုင်း mode မှာရှိပါတယ်။ သငျသညျကှနျယရှိသည်သည်အထိသင်ပြန်ဖွင့်နိုင်ပါလိမ့်မည်မဟုတ်။ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,အဘယ်သူမျှမကျောင်းသားသမဂ္ဂအဖွဲ့များကိုဖန်တီးခဲ့တယ်။ DocType: Purchase Invoice Item,Serial No,serial No apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,လစဉ်ပြန်ဆပ်ငွေပမာဏချေးငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Maintaince အသေးစိတ်ပထမဦးဆုံးရိုက်ထည့်ပေးပါ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,အတန်း # {0}: မျှော်မှန်း Delivery နေ့စွဲဝယ်ယူမိန့်နေ့စွဲမတိုင်မီမဖွစျနိုငျ DocType: Purchase Invoice,Print Language,ပုံနှိပ်ပါဘာသာစကားများ DocType: Salary Slip,Total Working Hours,စုစုပေါင်းအလုပ်အဖွဲ့နာရီ DocType: Stock Entry,Including items for sub assemblies,ခွဲများအသင်းတော်တို့အဘို့ပစ္စည်းများအပါအဝင် -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,တန်ဖိုးအားအပြုသဘောဆောင်သူဖြစ်ရမည် Enter -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ် +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,တန်ဖိုးအားအပြုသဘောဆောင်သူဖြစ်ရမည် Enter apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,အားလုံးသည် Territories DocType: Purchase Invoice,Items,items apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ကျောင်းသားသမဂ္ဂပြီးသားစာရင်းသွင်းသည်။ @@ -3364,7 +3370,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant များအတွက်တိုင်း၏ default အနေနဲ့ Unit မှ '' {0} '' Template: ထဲမှာရှိသကဲ့သို့တူညီသူဖြစ်ရမည် '' {1} '' DocType: Shipping Rule,Calculate Based On,အခြေတွင်တွက်ချက် DocType: Delivery Note Item,From Warehouse,ဂိုဒေါင်ထဲကနေ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများ၏ဘီလ်နှင့်အတူပစ္စည်းများအဘယ်သူမျှမ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများ၏ဘီလ်နှင့်အတူပစ္စည်းများအဘယ်သူမျှမ DocType: Assessment Plan,Supervisor Name,ကြီးကြပ်ရေးမှူးအမည် DocType: Program Enrollment Course,Program Enrollment Course,Program ကိုကျောင်းအပ်သင်တန်းအမှတ်စဥ် DocType: Program Enrollment Course,Program Enrollment Course,Program ကိုကျောင်းအပ်သင်တန်းအမှတ်စဥ် @@ -3380,23 +3386,23 @@ DocType: Training Event Employee,Attended,တက်ရောက်ခဲ့သ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,ထက် သာ. ကြီးမြတ်သို့မဟုတ်သုညနဲ့ညီမျှဖြစ်ရမည် '' ပြီးခဲ့သည့်အမိန့် ခုနှစ်မှစ. Days 'ဟူ. DocType: Process Payroll,Payroll Frequency,လစာကြိမ်နှုန်း DocType: Asset,Amended From,မှစ. ပြင်ဆင် -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,ကုန်ကြမ်း +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,ကုန်ကြမ်း DocType: Leave Application,Follow via Email,အီးမေးလ်ကနေတဆင့် Follow apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,အပင်များနှင့်သုံးစက်ပစ္စည်း DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,လျှော့ငွေပမာဏပြီးနောက်အခွန်ပမာဏ DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daily သတင်းစာလုပ်ငန်းခွင်အနှစ်ချုပ်က Settings -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},စျေးနှုန်းစာရင်း၏ငွေကြေး {0} ရွေးချယ်ထားတဲ့ငွေကြေး {1} နှင့်အတူအလားတူမဟုတ်ပါဘူး +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},စျေးနှုန်းစာရင်း၏ငွေကြေး {0} ရွေးချယ်ထားတဲ့ငွေကြေး {1} နှင့်အတူအလားတူမဟုတ်ပါဘူး DocType: Payment Entry,Internal Transfer,ပြည်တွင်းလွှဲပြောင်း apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,ကလေးသူငယ်အကောင့်ကိုဒီအကောင့်ရှိနေပြီ။ သင်သည်ဤအကောင့်ကိုမဖျက်နိုင်ပါ။ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ပစ်မှတ် qty သို့မဟုတ်ပစ်မှတ်ပမာဏကိုဖြစ်စေမဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},BOM Item {0} သည်တည်ရှိမရှိပါက default -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Post date ပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု. +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Post date ပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု. apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,နေ့စွဲဖွင့်လှစ်နေ့စွဲပိတ်ပြီးမတိုင်မှီဖြစ်သင့် DocType: Leave Control Panel,Carry Forward,Forward သယ် apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,လက်ရှိအရောင်းအနှင့်အတူကုန်ကျစရိတ် Center ကလယ်ဂျာမှပြောင်းလဲမပြနိုင် DocType: Department,Days for which Holidays are blocked for this department.,အားလပ်ရက်ဒီဌာနကိုပိတ်ဆို့ထားသောနေ့ရကျ။ ,Produced,ထုတ်လုပ် -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Created လစာစလစ် +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Created လစာစလစ် DocType: Item,Item Code for Suppliers,ပေးသွင်းသည် item Code ကို DocType: Issue,Raised By (Email),(အီးမေးလ်) အားဖြင့်ထမြောက်စေတော် DocType: Training Event,Trainer Name,သင်တန်းပေးသူအမည် @@ -3404,9 +3410,10 @@ DocType: Mode of Payment,General,ယေဘုယျ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,နောက်ဆုံးဆက်သွယ်ရေး apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,နောက်ဆုံးဆက်သွယ်ရေး apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',အမျိုးအစား '' အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် 'သို့မဟုတ်' 'အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှင့်စုစုပေါင်း' 'အဘို့ဖြစ်၏သောအခါအနှိမ်မချနိုင် -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","သင့်ရဲ့အခှနျဦးခေါင်းစာရင်း (ဥပမာ VAT, အကောက်ခွန်စသည်တို့ကိုကြ၏ထူးခြားသောအမည်များရှိသင့်) နှင့်သူတို့၏စံနှုန်းထားများ။ ဒါဟာသင်တည်းဖြတ်များနှင့်ပိုမိုအကြာတွင်ထည့်နိုင်သည်ဟူသောတစ်ဦးစံ template တွေဖန်တီးပေးလိမ့်မည်။" +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","သင့်ရဲ့အခှနျဦးခေါင်းစာရင်း (ဥပမာ VAT, အကောက်ခွန်စသည်တို့ကိုကြ၏ထူးခြားသောအမည်များရှိသင့်) နှင့်သူတို့၏စံနှုန်းထားများ။ ဒါဟာသင်တည်းဖြတ်များနှင့်ပိုမိုအကြာတွင်ထည့်နိုင်သည်ဟူသောတစ်ဦးစံ template တွေဖန်တီးပေးလိမ့်မည်။" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Item {0} သည် serial အမှတ်လိုအပ်ပါသည် apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ငွေတောင်းခံလွှာနှင့်အတူပွဲစဉ်ငွေပေးချေ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},အတန်း # {0}: item ကို {1} ဆန့်ကျင် Delivery နေ့စွဲကိုရိုက်ထည့်ပေးပါ DocType: Journal Entry,Bank Entry,ဘဏ်မှ Entry ' DocType: Authorization Rule,Applicable To (Designation),(သတ်မှတ်ပေးထားခြင်း) ရန်သက်ဆိုင်သော ,Profitability Analysis,အမြတ်အစွန်းအားသုံးသပ်ခြင်း @@ -3422,17 +3429,18 @@ DocType: Quality Inspection,Item Serial No,item Serial No apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ထမ်းမှတ်တမ်း Create apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,စုစုပေါင်းလက်ရှိ apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,စာရင်းကိုင်ဖော်ပြချက် -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,နာရီ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,နာရီ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,နယူး Serial No ဂိုဒေါင်ရှိသည်မဟုတ်နိုင်။ ဂိုဒေါင်စတော့အိတ် Entry 'သို့မဟုတ်ဝယ်ယူခြင်းပြေစာအားဖြင့်သတ်မှတ်ထားရမည် DocType: Lead,Lead Type,ခဲ Type apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,သငျသညျ Block ကိုနေ့အပေါ်အရွက်အတည်ပြုခွင့်ကြသည်မဟုတ် -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,အားလုံးသည်ဤပစ္စည်းများကိုပြီးသား invoiced ပြီ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,အားလုံးသည်ဤပစ္စည်းများကိုပြီးသား invoiced ပြီ +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,လစဉ်အရောင်းပစ်မှတ် apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} ကအတည်ပြုနိုင်ပါတယ် DocType: Item,Default Material Request Type,default ပစ္စည်းတောင်းဆိုမှုအမျိုးအစား apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,အမည်မသိ DocType: Shipping Rule,Shipping Rule Conditions,သဘောင်္တင်ခ Rule စည်းကမ်းချက်များ DocType: BOM Replace Tool,The new BOM after replacement,အစားထိုးပြီးနောက်အသစ် BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,ရောင်းမည်၏ပွိုင့် +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,ရောင်းမည်၏ပွိုင့် DocType: Payment Entry,Received Amount,ရရှိထားသည့်ငွေပမာဏ DocType: GST Settings,GSTIN Email Sent On,တွင် Sent GSTIN အီးမေးလ် DocType: Program Enrollment,Pick/Drop by Guardian,ဂါးဒီးယန်းသတင်းစာများက / Drop Pick @@ -3449,8 +3457,8 @@ DocType: Batch,Source Document Name,source စာရွက်စာတမ်း DocType: Batch,Source Document Name,source စာရွက်စာတမ်းအမည် DocType: Job Opening,Job Title,အလုပ်အကိုင်အမည် apps/erpnext/erpnext/utilities/activation.py +97,Create Users,အသုံးပြုသူများ Create -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,ဂရမ် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,ထုတ်လုပ်ခြင်းမှအရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည်။ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,ဂရမ် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,ထုတ်လုပ်ခြင်းမှအရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည်။ apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,ပြုပြင်ထိန်းသိမ်းမှုခေါ်ဆိုမှုအစီရင်ခံစာသွားရောက်ခဲ့ကြသည်။ DocType: Stock Entry,Update Rate and Availability,နှုန်းနှင့် Available Update DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ရာခိုင်နှုန်းသင်အမိန့်ကိုဆန့်ကျင်အရေအတွက်ပိုမိုလက်ခံရယူသို့မဟုတ်ကယ်လွှတ်ခြင်းငှါခွင့်ပြုထားပါသည်။ ဥပမာ: သင်က 100 ယူနစ်အမိန့်ရပြီဆိုပါက။ နှင့်သင်၏ Allow သင် 110 ယူနစ်ကိုခံယူခွင့်ရနေကြပြီးတော့ 10% ဖြစ်ပါတယ်။ @@ -3463,7 +3471,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,ပထမဦးဆုံးဝယ်ယူငွေတောင်းခံလွှာ {0} ဖျက်သိမ်းပေးပါ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Email လိပ်စာထူးခြားတဲ့သူဖြစ်ရမည်, ပြီးသား {0} များအတွက်တည်ရှိ" DocType: Serial No,AMC Expiry Date,AMC သက်တမ်းကုန်ဆုံးသည့်ရက်စွဲ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,ပွေစာ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,ပွေစာ ,Sales Register,အရောင်းမှတ်ပုံတင်မည် DocType: Daily Work Summary Settings Company,Send Emails At,မှာထားတဲ့အီးမေးလ်ပို့ပါ DocType: Quotation,Quotation Lost Reason,စျေးနှုန်းပျောက်ဆုံးသွားသောအကြောင်းရင်း @@ -3476,14 +3484,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,မရှိ apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,ငွေသား Flow ဖော်ပြချက် apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ချေးငွေပမာဏ {0} အများဆုံးချေးငွေပမာဏထက်မပိုနိုင် apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,လိုင်စင် -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},C-Form တွင် {1} ကနေဒီပြေစာ {0} ကိုဖယ်ရှား ကျေးဇူးပြု. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},C-Form တွင် {1} ကနေဒီပြေစာ {0} ကိုဖယ်ရှား ကျေးဇူးပြု. DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,သင်တို့သည်လည်းယခင်ဘဏ္ဍာနှစ်ရဲ့ချိန်ခွင်လျှာဒီဘဏ္ဍာနှစ်မှပင်အရွက်ကိုထည့်သွင်းရန်လိုလျှင် Forward ပို့ကို select ကျေးဇူးပြု. DocType: GL Entry,Against Voucher Type,ဘောက်ချာ Type ဆန့်ကျင် DocType: Item,Attributes,Attribute တွေ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,အကောင့်ပိတ်ရေးထားရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,နောက်ဆုံးအမိန့်နေ့စွဲ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},အကောင့်ကို {0} ကုမ္ပဏီ {1} ပိုင်ပါဘူး -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,အတန်းအတွက် serial နံပါတ် {0} Delivery မှတ်ချက်နှင့်အတူမကိုက်ညီ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,အတန်းအတွက် serial နံပါတ် {0} Delivery မှတ်ချက်နှင့်အတူမကိုက်ညီ DocType: Student,Guardian Details,ဂါးဒီးယန်းအသေးစိတ် DocType: C-Form,C-Form,C-Form တွင် apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,မျိုးစုံန်ထမ်းများအတွက်မာကုတက်ရောက် @@ -3515,16 +3523,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,အရောင်း DocType: Stock Entry Detail,Basic Amount,အခြေခံပညာပမာဏ DocType: Training Event,Exam,စာမေးပွဲ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},စတော့ရှယ်ယာ Item {0} လိုအပ်ဂိုဒေါင် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},စတော့ရှယ်ယာ Item {0} လိုအပ်ဂိုဒေါင် DocType: Leave Allocation,Unused leaves,အသုံးမပြုသောအရွက် -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,ငွေတောင်းခံပြည်နယ် apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,လွှဲပြောင်း apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ပါတီအကောင့် {2} နှင့်ဆက်စပ်ပါဘူး -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(Sub-အသင်းတော်များအပါအဝင်) ပေါက်ကွဲခဲ့ BOM Fetch +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(Sub-အသင်းတော်များအပါအဝင်) ပေါက်ကွဲခဲ့ BOM Fetch DocType: Authorization Rule,Applicable To (Employee),(န်ထမ်း) ရန်သက်ဆိုင်သော apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,ကြောင့်နေ့စွဲမသင်မနေရ apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Attribute {0} ပါ 0 င်မဖွစျနိုငျဘို့ increment +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို DocType: Journal Entry,Pay To / Recd From,From / Recd ရန်ပေးဆောင် DocType: Naming Series,Setup Series,Setup ကိုစီးရီး DocType: Payment Reconciliation,To Invoice Date,ပြေစာနေ့စွဲဖို့ @@ -3551,7 +3560,7 @@ DocType: Journal Entry,Write Off Based On,အခြေတွင်ပိတ် apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ခဲ Make apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,ပုံနှိပ်နှင့်စာရေးကိရိယာ DocType: Stock Settings,Show Barcode Field,Show ကိုဘားကုဒ်ဖျော်ဖြေမှု -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,ပေးသွင်းထားတဲ့အီးမေးလ်ပို့ပါ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,ပေးသွင်းထားတဲ့အီးမေးလ်ပို့ပါ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","လစာပြီးသားဤရက်စွဲအကွာအဝေးအကြားမဖွစျနိုငျ {0} အကြားကာလအတွက်လုပ်ငန်းများ၌နှင့် {1}, လျှောက်လွှာကာလချန်ထားပါ။" apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,တစ် Serial နံပါတ်ထည့်သွင်းခြင်းစံချိန်တင် DocType: Guardian Interest,Guardian Interest,ဂါးဒီးယန်းအကျိုးစီးပွား @@ -3565,7 +3574,7 @@ DocType: Offer Letter,Awaiting Response,စောင့်ဆိုင်းတ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,အထက် apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},မှားနေသော attribute ကို {0} {1} DocType: Supplier,Mention if non-standard payable account,Non-စံပေးဆောင်အကောင့်လျှင်ဖော်ပြထားခြင်း -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ခဲ့တာဖြစ်ပါတယ်။ {စာရင်း} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ခဲ့တာဖြစ်ပါတယ်။ {စာရင်း} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups','' အားလုံးအကဲဖြတ်အဖွဲ့များ '' ထက်အခြားအကဲဖြတ်အဖွဲ့ကို select လုပ်ပါ ကျေးဇူးပြု. DocType: Salary Slip,Earning & Deduction,ဝင်ငွေ & ထုတ်ယူ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,optional ။ ဒီ setting ကိုအမျိုးမျိုးသောငွေကြေးလွှဲပြောင်းမှုမှာ filter မှအသုံးပြုလိမ့်မည်။ @@ -3584,7 +3593,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,ဖျက်သိမ်းပိုင်ဆိုင်မှု၏ကုန်ကျစရိတ် apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ကုန်ကျစရိတ် Center က Item {2} သည်မသင်မနေရ DocType: Vehicle,Policy No,ပေါ်လစီအဘယ်သူမျှမ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,ထုတ်ကုန်ပစ္စည်း Bundle ကိုထံမှပစ္စည်းများ Get +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,ထုတ်ကုန်ပစ္စည်း Bundle ကိုထံမှပစ္စည်းများ Get DocType: Asset,Straight Line,မျဥ်းဖြောင့် DocType: Project User,Project User,Project မှအသုံးပြုသူတို့၏ apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,ကွဲ @@ -3599,6 +3608,7 @@ DocType: Bank Reconciliation,Payment Entries,ငွေပေးချေမှ DocType: Production Order,Scrap Warehouse,အပိုင်းအစဂိုဒေါင် DocType: Production Order,Check if material transfer entry is not required,ပစ္စည်းလွှဲပြောင်း entry ကိုမလိုအပ်လျှင် Check DocType: Production Order,Check if material transfer entry is not required,ပစ္စည်းလွှဲပြောင်း entry ကိုမလိုအပ်လျှင် Check +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings DocType: Program Enrollment Tool,Get Students From,ကနေကျောင်းသားများ Get DocType: Hub Settings,Seller Country,ရောင်းချသူနိုင်ငံ apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,ဝက်ဘ်ဆိုက်ပေါ်တွင်ပစ္စည်းများ Publish @@ -3617,19 +3627,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,ထ DocType: Shipping Rule,Specify conditions to calculate shipping amount,ရေကြောင်းပမာဏကိုတွက်ချက်ရန်အခြေအနေများကိုသတ်မှတ် DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Frozen Accounts ကို & Edit ကိုအေးခဲ Entries Set မှ Allowed အခန်းကဏ္ဍ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,ဒါကြောင့်ကလေးဆုံမှတ်များရှိပါတယ်အဖြစ်လယ်ဂျာမှကုန်ကျစရိတ် Center က convert နိုင်ဘူး -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ဖွင့်လှစ် Value တစ်ခု +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,ဖွင့်လှစ် Value တစ်ခု DocType: Salary Detail,Formula,နည်း apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,အရောင်းအပေါ်ကော်မရှင် DocType: Offer Letter Term,Value / Description,Value တစ်ခု / ဖော်ပြချက်များ -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းမရနိုငျ, က {2} ပြီးသားဖြစ်ပါတယ်" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းမရနိုငျ, က {2} ပြီးသားဖြစ်ပါတယ်" DocType: Tax Rule,Billing Country,ငွေတောင်းခံနိုင်ငံ DocType: Purchase Order Item,Expected Delivery Date,မျှော်လင့်ထားသည့် Delivery Date ကို apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,{0} # {1} တန်းတူမ debit နှင့် Credit ။ ခြားနားချက် {2} ဖြစ်ပါတယ်။ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Entertainment ကအသုံးစရိတ်များ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,ပစ္စည်းတောင်းဆိုခြင်း Make apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ပွင့်လင်း Item {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,အရောင်းပြေစာ {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,အရောင်းပြေစာ {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,အသက်အရွယ် DocType: Sales Invoice Timesheet,Billing Amount,ငွေတောင်းခံငွေပမာဏ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ကို item {0} သည်သတ်မှတ်ထားသောမမှန်ကန်ခြင်းအရေအတွက်။ အရေအတွက် 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်သင့်သည်။ @@ -3652,7 +3662,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,နယူးဖောက်သည်အခွန်ဝန်ကြီးဌာန apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ခရီးသွားအသုံးစရိတ်များ DocType: Maintenance Visit,Breakdown,ပျက်သည် -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,အကောင့်ဖွင်: {0} ငွေကြေးနှင့်အတူ: {1} ကိုရှေးခယျြမရနိုငျ +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,အကောင့်ဖွင်: {0} ငွေကြေးနှင့်အတူ: {1} ကိုရှေးခယျြမရနိုငျ DocType: Bank Reconciliation Detail,Cheque Date,Cheques နေ့စွဲ apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},အကောင့်ကို {0}: မိဘအကောင့်ကို {1} ကုမ္ပဏီပိုင်ပါဘူး: {2} DocType: Program Enrollment Tool,Student Applicants,ကျောင်းသားသမဂ္ဂလျှောက်ထား @@ -3672,11 +3682,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,စီ DocType: Material Request,Issued,ထုတ်ပြန်သည် apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,ကျောင်းသားလှုပ်ရှားမှု DocType: Project,Total Billing Amount (via Time Logs),(အချိန် Logs ကနေတဆင့်) စုစုပေါင်း Billing ငွေပမာဏ -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,ကျွန်ုပ်တို့သည်ဤ Item ရောင်းချ +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,ကျွန်ုပ်တို့သည်ဤ Item ရောင်းချ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ပေးသွင်း Id DocType: Payment Request,Payment Gateway Details,ငွေပေးချေမှုရမည့် Gateway မှာအသေးစိတ် -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,အရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်သင့် -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,နမူနာမှာ Data +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,အရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်သင့် +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,နမူနာမှာ Data DocType: Journal Entry,Cash Entry,ငွေသား Entry ' apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ကလေး node များသာ '' Group မှ '' type ကို node များအောက်တွင်ဖန်တီးနိုင်ပါတယ် DocType: Leave Application,Half Day Date,ဝက်နေ့နေ့စွဲ @@ -3685,17 +3695,18 @@ DocType: Sales Partner,Contact Desc,ဆက်သွယ်ရန် Desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","ကျပန်း, ဖျားနာစသည်တို့ကဲ့သို့သောအရွက်အမျိုးအစား" DocType: Email Digest,Send regular summary reports via Email.,အီးမေးလ်ကနေတဆင့်ပုံမှန်အကျဉ်းချုပ်အစီရင်ခံစာပေးပို့ပါ။ DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},သုံးစွဲမှုအရေးဆိုသောအမျိုးအစား {0} အတွက် default အနေနဲ့အကောင့်သတ်မှတ်ထားပေးပါ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},သုံးစွဲမှုအရေးဆိုသောအမျိုးအစား {0} အတွက် default အနေနဲ့အကောင့်သတ်မှတ်ထားပေးပါ DocType: Assessment Result,Student Name,ကျောင်းသားအမည် DocType: Brand,Item Manager,item Manager က apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,လုပ်ခလစာပေးချေ DocType: Buying Settings,Default Supplier Type,default ပေးသွင်း Type DocType: Production Order,Total Operating Cost,စုစုပေါင်း Operating ကုန်ကျစရိတ် -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,မှတ်စု: Item {0} အကြိမ်ပေါင်းများစွာသို့ဝင် +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,မှတ်စု: Item {0} အကြိမ်ပေါင်းများစွာသို့ဝင် apps/erpnext/erpnext/config/selling.py +41,All Contacts.,အားလုံးသည်ဆက်သွယ်ရန်။ +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,သင့်ရဲ့ပစ်မှတ် Set apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,ကုမ္ပဏီအတိုကောက် apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,အသုံးပြုသူ {0} မတည်ရှိပါဘူး -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,ကုန်ကြမ်းအဓိက Item အဖြစ်အတူတူမဖွစျနိုငျ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,ကုန်ကြမ်းအဓိက Item အဖြစ်အတူတူမဖွစျနိုငျ DocType: Item Attribute Value,Abbreviation,အကျဉ်း apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ငွေပေးချေမှုရမည့် Entry ပြီးသားတည်ရှိ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ကန့်သတ်ထက်ကျော်လွန်ပြီးကတည်းက authroized မဟုတ် @@ -3713,7 +3724,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,အေးခဲစတ ,Territory Target Variance Item Group-Wise,နယ်မြေတွေကို Target ကကှဲလှဲ Item Group မှ-ပညာရှိ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,အားလုံးသည်ဖောက်သည်အဖွဲ့များ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,လစဉ်စုဆောင်း -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} မဖြစ်မနေဖြစ်ပါတယ်။ ဖြစ်ရင်ငွေကြေးစနစ်ချိန်းစံချိန် {1} {2} မှဖန်တီးသည်မဟုတ်။ +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} မဖြစ်မနေဖြစ်ပါတယ်။ ဖြစ်ရင်ငွေကြေးစနစ်ချိန်းစံချိန် {1} {2} မှဖန်တီးသည်မဟုတ်။ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,အခွန် Template ကိုမဖြစ်မနေဖြစ်ပါတယ်။ apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,အကောင့်ကို {0}: မိဘအကောင့်ကို {1} မတည်ရှိပါဘူး DocType: Purchase Invoice Item,Price List Rate (Company Currency),စျေးနှုန်း List ကို Rate (ကုမ္ပဏီငွေကြေးစနစ်) @@ -3724,7 +3735,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,ရာခို apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,အတွင်းဝန် DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","ကို disable လြှငျ, လယ်ပြင် '' စကားထဲမှာ '' ဆိုငွေပေးငွေယူမြင်နိုင်လိမ့်မည်မဟုတ်ပေ" DocType: Serial No,Distinct unit of an Item,တစ်ဦး Item ၏ထူးခြားသောယူနစ် -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ DocType: Pricing Rule,Buying,ဝယ် DocType: HR Settings,Employee Records to be created by,အသုံးပြုနေသူများကဖန်တီးခံရဖို့ဝန်ထမ်းမှတ်တမ်း DocType: POS Profile,Apply Discount On,လျှော့တွင် Apply @@ -3735,7 +3746,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,item ပညာရှိခွန် Detail apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute မှအတိုကောက် ,Item-wise Price List Rate,item ပညာစျေးနှုန်း List ကို Rate -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,ပေးသွင်းစျေးနှုန်း +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,ပေးသွင်းစျေးနှုန်း DocType: Quotation,In Words will be visible once you save the Quotation.,သင်စျေးနှုန်းကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},အရေအတွက် ({0}) တန်း {1} အတွက်အစိတ်အပိုင်းမဖွစျနိုငျ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},အရေအတွက် ({0}) တန်း {1} အတွက်အစိတ်အပိုင်းမဖွစျနိုငျ @@ -3759,7 +3770,7 @@ Updated via 'Time Log'",'' အချိန်အထဲ '' ကန DocType: Customer,From Lead,ခဲကနေ apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ထုတ်လုပ်မှုပြန်လွှတ်ပေးခဲ့အမိန့်။ apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာကိုရွေးပါ ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Entry 'ပါစေရန်လိုအပ်သည် POS ကိုယ်ရေးအချက်အလက်များ profile +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Entry 'ပါစေရန်လိုအပ်သည် POS ကိုယ်ရေးအချက်အလက်များ profile DocType: Program Enrollment Tool,Enroll Students,ကျောင်းသားများကျောင်းအပ် DocType: Hub Settings,Name Token,Token အမည် apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,စံရောင်းချသည့် @@ -3777,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,စတော့အိတ် V apps/erpnext/erpnext/config/learn.py +234,Human Resource,လူ့စွမ်းအားအရင်းအမြစ် DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ငွေပေးချေမှုရမည့်ပြန်လည်ရင်ကြားစေ့ရေးငွေပေးချေမှုရမည့် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,အခွန်ပိုင်ဆိုင်မှုများ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},ထုတ်လုပ်မှုအမိန့် {0} ခဲ့ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},ထုတ်လုပ်မှုအမိန့် {0} ခဲ့ DocType: BOM Item,BOM No,BOM မရှိပါ DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ဂျာနယ် Entry '{0} အကောင့်ကို {1} များသို့မဟုတ်ပြီးသားအခြားဘောက်ချာဆန့်ကျင်လိုက်ဖက်ပါဘူး @@ -3791,7 +3802,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,တစ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ထူးချွန် Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ဒီအရောင်းပုဂ္ဂိုလ်များအတွက်ပစ်မှတ် Item Group မှပညာ Set ။ DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days] သန်း Older စတော့စျေးကွက်အေးခဲ -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,အတန်း # {0}: ပိုင်ဆိုင်မှုသတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုဝယ်ယူ / ရောင်းမည်မဖြစ်မနေဖြစ်ပါသည် +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,အတန်း # {0}: ပိုင်ဆိုင်မှုသတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုဝယ်ယူ / ရောင်းမည်မဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","နှစ်ခုသို့မဟုတ်ထို့ထက်ပိုသောစျေးနှုန်းနည်းဥပဒေများအထက်ဖော်ပြပါအခြေအနေများအပေါ် အခြေခံ. တွေ့ရှိနေတယ်ဆိုရင်, ဦးစားပေးလျှောက်ထားတာဖြစ်ပါတယ်။ default value ကိုသုည (အလွတ်) ဖြစ်ပါသည်စဉ်ဦးစားပေး 0 င်မှ 20 အကြားတစ်ဦးအရေအတွက်ဖြစ်ပါတယ်။ ပိုမိုမြင့်မားသောအရေအတွက်တူညီသည့်အခြေအနေများနှင့်အတူမျိုးစုံစျေးနှုန်းများနည်းဥပဒေများရှိပါတယ်လျှင်ဦးစားပေးယူလိမ့်မည်ဆိုလိုသည်။" apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ: {0} တည်ရှိပါဘူး DocType: Currency Exchange,To Currency,ငွေကြေးစနစ်မှ @@ -3800,7 +3811,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,သုံးစ apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ကို item {0} အဘို့အမှုနှုန်းရောင်းချနေသည်၎င်း၏ {1} ထက်နိမ့်သည်။ ရောင်းမှုနှုန်း atleast {2} ဖြစ်သင့် apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ကို item {0} အဘို့အမှုနှုန်းရောင်းချနေသည်၎င်း၏ {1} ထက်နိမ့်သည်။ ရောင်းမှုနှုန်း atleast {2} ဖြစ်သင့် DocType: Item,Taxes,အခွန် -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ် DocType: Project,Default Cost Center,default ကုန်ကျစရိတ် Center က DocType: Bank Guarantee,End Date,အဆုံးနေ့စွဲ apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,စတော့အိတ်အရောင်းအဝယ် @@ -3817,7 +3828,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daily သတင်းစာလုပ်ငန်းခွင်အနှစ်ချုပ်က Settings ကုမ္ပဏီ apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,ကစတော့ရှယ်ယာကို item မဟုတ်ပါဘူးကတည်းက item {0} လျစ်လျူရှု DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,နောက်ထပ် processing အဘို့ဤထုတ်လုပ်မှုအမိန့် Submit ။ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,နောက်ထပ် processing အဘို့ဤထုတ်လုပ်မှုအမိန့် Submit ။ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","တစ်ဦးအထူးသဖြင့်အရောင်းအဝယ်အတွက်စျေးနှုန်းများ Rule လျှောက်ထားမ, ရှိသမျှသက်ဆိုင်သောစျေးနှုန်းများနည်းဥပဒေများကိုပိတ်ထားသင့်ပါတယ်။" DocType: Assessment Group,Parent Assessment Group,မိဘအကဲဖြတ် Group မှ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ဂျော့ဘ် @@ -3825,10 +3836,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ဂျော DocType: Employee,Held On,တွင်ကျင်းပ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ထုတ်လုပ်မှု Item ,Employee Information,ဝန်ထမ်းပြန်ကြားရေး -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),rate (%) DocType: Stock Entry Detail,Additional Cost,အပိုဆောင်းကုန်ကျစရိတ် apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ဘောက်ချာများကအုပ်စုဖွဲ့လျှင်, voucher မရှိပါအပေါ်အခြေခံပြီး filter နိုင်ဘူး" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,ပေးသွင်းစျေးနှုန်းလုပ်ပါ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,ပေးသွင်းစျေးနှုန်းလုပ်ပါ DocType: Quality Inspection,Incoming,incoming DocType: BOM,Materials Required (Exploded),လိုအပ်သောပစ္စည်းများ (ပေါက်ကွဲ) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","ကိုယ့်ကိုကိုယ်ထက်အခြား, သင့်အဖွဲ့အစည်းမှအသုံးပြုသူများကို Add" @@ -3844,7 +3855,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,အကောင့်ဖွ: {0} သာစတော့အိတ်ငွေကြေးကိစ္စရှင်းလင်းမှုကနေတဆင့် updated နိုင်ပါတယ် DocType: Student Group Creation Tool,Get Courses,သင်တန်းများ get DocType: GL Entry,Party,ပါတီ -DocType: Sales Order,Delivery Date,ကုန်ပို့ရက်စွဲ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,ကုန်ပို့ရက်စွဲ DocType: Opportunity,Opportunity Date,အခွင့်အလမ်းနေ့စွဲ DocType: Purchase Receipt,Return Against Purchase Receipt,ဝယ်ယူခြင်းပြေစာဆန့်ကျင်သို့ပြန်သွားသည် DocType: Request for Quotation Item,Request for Quotation Item,စျေးနှုန်းပစ္စည်းများအတွက်တောင်းဆိုခြင်း @@ -3858,7 +3869,7 @@ DocType: Task,Actual Time (in Hours),(နာရီအတွက်) အမှန DocType: Employee,History In Company,ကုမ္ပဏီခုနှစ်တွင်သမိုင်းကြောင်း apps/erpnext/erpnext/config/learn.py +107,Newsletters,သတင်းလွှာ DocType: Stock Ledger Entry,Stock Ledger Entry,စတော့အိတ်လယ်ဂျာ Entry ' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ထားပြီး +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ထားပြီး DocType: Department,Leave Block List,Block List ကို Leave DocType: Sales Invoice,Tax ID,အခွန် ID ကို apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,item {0} Serial အမှတ်သည် setup ကိုမဟုတ်ပါဘူး။ စစ်ကြောင်းအလွတ်ရှိရမည် @@ -3876,25 +3887,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,black DocType: BOM Explosion Item,BOM Explosion Item,BOM ပေါက်ကွဲမှုဖြစ် Item DocType: Account,Auditor,စာရင်းစစ်ချုပ် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,ထုတ်လုပ် {0} ပစ္စည်းများ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,ထုတ်လုပ် {0} ပစ္စည်းများ DocType: Cheque Print Template,Distance from top edge,ထိပ်ဆုံးအစွန်ကနေအဝေးသင် apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,စျေးစာရင်း {0} ကိုပိတ်ထားသည်သို့မဟုတ်မတည်ရှိပါဘူး DocType: Purchase Invoice,Return,ပြန်လာ DocType: Production Order Operation,Production Order Operation,ထုတ်လုပ်မှုအမိန့်စစ်ဆင်ရေး DocType: Pricing Rule,Disable,ကို disable -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ငွေပေးချေမှု၏ Mode ကိုငွေပေးချေရန်လိုအပ်ပါသည် +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,ငွေပေးချေမှု၏ Mode ကိုငွေပေးချေရန်လိုအပ်ပါသည် DocType: Project Task,Pending Review,ဆိုင်းငံ့ထားပြန်လည်ဆန်းစစ်ခြင်း apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ဟာအသုတ်လိုက် {2} စာရင်းသွင်းမဟုတ်ပါ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","ဒါကြောင့် {1} ပြီးသားဖြစ်သကဲ့သို့ပိုင်ဆိုင်မှု {0}, ဖျက်သိမ်းမရနိုငျ" DocType: Task,Total Expense Claim (via Expense Claim),(ကုန်ကျစရိတ်တောင်းဆိုမှုများကနေတဆင့်) စုစုပေါင်းကုန်ကျစရိတ်တောင်းဆိုမှုများ apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,မာကုဒူးယောင် -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},အတန်း {0}: အ BOM # ၏ငွေကြေး {1} ရွေးချယ်ထားတဲ့ငွေကြေး {2} တန်းတူဖြစ်သင့် +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},အတန်း {0}: အ BOM # ၏ငွေကြေး {1} ရွေးချယ်ထားတဲ့ငွေကြေး {2} တန်းတူဖြစ်သင့် DocType: Journal Entry Account,Exchange Rate,ငွေလဲလှယ်နှုန်း -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,အရောင်းအမှာစာ {0} တင်သွင်းသည်မဟုတ် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,အရောင်းအမှာစာ {0} တင်သွင်းသည်မဟုတ် DocType: Homepage,Tag Line,tag ကိုလိုင်း DocType: Fee Component,Fee Component,အခကြေးငွေစိတျအပိုငျး apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ရေယာဉ်စုစီမံခန့်ခွဲမှု -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,အထဲကပစ္စည်းတွေကို Add +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,အထဲကပစ္စည်းတွေကို Add DocType: Cheque Print Template,Regular,ပုံမှန်အစည်းအဝေး apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,အားလုံးအကဲဖြတ်လိုအပ်ချက်စုစုပေါင်း Weightage 100% ရှိရပါမည် DocType: BOM,Last Purchase Rate,နောက်ဆုံးဝယ်ယူ Rate @@ -3915,12 +3926,12 @@ DocType: Employee,Reports to,အစီရင်ခံစာများမှ DocType: SMS Settings,Enter url parameter for receiver nos,လက်ခံ nos သည် url parameter ကိုရိုက်ထည့် DocType: Payment Entry,Paid Amount,Paid ငွေပမာဏ DocType: Assessment Plan,Supervisor,ကြီးကြပ်သူ -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,အွန်လိုင်း +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,အွန်လိုင်း ,Available Stock for Packing Items,ပစ္စည်းများထုပ်ပိုးရရှိနိုင်ပါသည်စတော့အိတ် DocType: Item Variant,Item Variant,item Variant DocType: Assessment Result Tool,Assessment Result Tool,အကဲဖြတ်ရလဒ် Tool ကို DocType: BOM Scrap Item,BOM Scrap Item,BOM အပိုင်းအစ Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Submitted အမိန့်ပယ်ဖျက်မရပါ +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Submitted အမိန့်ပယ်ဖျက်မရပါ apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Debit ထဲမှာရှိပြီးသားအကောင့်ကိုချိန်ခွင်ကိုသင် '' Credit 'အဖြစ်' 'Balance ဖြစ်ရမည်' 'တင်ထားရန်ခွင့်ပြုမနေကြ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,အရည်အသွေးအစီမံခန့်ခွဲမှု apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,item {0} ကိုပိတ်ထားသည် @@ -3952,7 +3963,7 @@ DocType: Item Group,Default Expense Account,default သုံးစွဲမှ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ကျောင်းသားသမဂ္ဂအီးမေးလ် ID ကို DocType: Employee,Notice (days),အသိပေးစာ (ရက်) DocType: Tax Rule,Sales Tax Template,အရောင်းခွန် Template ကို -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ငွေတောင်းခံလွှာကိုကယ်တင်ပစ္စည်းများကို Select လုပ်ပါ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,ငွေတောင်းခံလွှာကိုကယ်တင်ပစ္စည်းများကို Select လုပ်ပါ DocType: Employee,Encashment Date,Encashment နေ့စွဲ DocType: Training Event,Internet,အင်တာနက်ကို DocType: Account,Stock Adjustment,စတော့အိတ် Adjustments @@ -4001,10 +4012,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,dispatc apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,item တခုကိုခွင့်ပြုထား max ကိုလျှော့စျေး: {0} သည် {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,အဖြစ်အပေါ် Net ကပိုင်ဆိုင်မှုတန်ဖိုးကို DocType: Account,Receivable,receiver -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,row # {0}: ဝယ်ယူအမိန့်ရှိနှင့်ပြီးသားအဖြစ်ပေးသွင်းပြောင်းလဲပစ်ရန်ခွင့်ပြုခဲ့မဟုတ် +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,row # {0}: ဝယ်ယူအမိန့်ရှိနှင့်ပြီးသားအဖြစ်ပေးသွင်းပြောင်းလဲပစ်ရန်ခွင့်ပြုခဲ့မဟုတ် DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ထားချေးငွေကန့်သတ်ထက်ကျော်လွန်ကြောင်းကိစ္စများကိုတင်ပြခွင့်ပြုခဲ့ကြောင်းအခန်းကဏ္ဍကို။ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများကို Select လုပ်ပါ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","မဟာဒေတာထပ်တူပြုခြင်း, ကအချို့သောအချိန်ယူစေခြင်းငှါ," +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများကို Select လုပ်ပါ +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","မဟာဒေတာထပ်တူပြုခြင်း, ကအချို့သောအချိန်ယူစေခြင်းငှါ," DocType: Item,Material Issue,material Issue DocType: Hub Settings,Seller Description,ရောင်းချသူဖော်ပြချက်များ DocType: Employee Education,Qualification,အရည်အချင်း @@ -4025,11 +4036,10 @@ DocType: BOM,Rate Of Materials Based On,ပစ္စည်းများအခ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,ပံ့ပိုးမှု Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,အားလုံးကို uncheck လုပ် DocType: POS Profile,Terms and Conditions,စည်းကမ်းနှင့်သတ်မှတ်ချက်များ -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},နေ့စွဲဖို့ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာအတွင်းတွင်သာဖြစ်သင့်သည်။ နေ့စွဲ = {0} နိုင်ရန်ယူဆ DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ဒီနေရာတွင်အမြင့်, အလေးချိန်, ဓါတ်မတည်, ဆေးဘက်ဆိုင်ရာစိုးရိမ်ပူပန်မှုများစသည်တို့ကိုထိန်းသိမ်းထားနိုင်ပါတယ်" DocType: Leave Block List,Applies to Company,ကုမ္ပဏီသက်ဆိုင် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"တင်သွင်းစတော့အိတ် Entry '{0} တည်ရှိသောကြောင့်, ဖျက်သိမ်းနိုင်ဘူး" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"တင်သွင်းစတော့အိတ် Entry '{0} တည်ရှိသောကြောင့်, ဖျက်သိမ်းနိုင်ဘူး" DocType: Employee Loan,Disbursement Date,ငွေပေးချေနေ့စွဲ DocType: Vehicle,Vehicle,ယာဉ် DocType: Purchase Invoice,In Words,စကားအတွက် @@ -4068,7 +4078,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,ကမ္ဘာလု DocType: Assessment Result Detail,Assessment Result Detail,အကဲဖြတ်ရလဒ်အသေးစိတ် DocType: Employee Education,Employee Education,ဝန်ထမ်းပညာရေး apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ပစ္စည်းအုပ်စု table ထဲမှာကိုတွေ့မိတ္တူပွားကို item အုပ်စု -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,ဒါဟာပစ္စည်း Details ကိုဆွဲယူဖို့လိုသည်။ +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,ဒါဟာပစ္စည်း Details ကိုဆွဲယူဖို့လိုသည်။ DocType: Salary Slip,Net Pay,Net က Pay ကို DocType: Account,Account,အကောင့်ဖွင့် apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,serial No {0} ပြီးသားကိုလက်ခံရရှိခဲ့ပြီး @@ -4076,7 +4086,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,ယာဉ် Log in ဝင်ရန် DocType: Purchase Invoice,Recurring Id,ထပ်တလဲလဲ Id DocType: Customer,Sales Team Details,အရောင်းရေးအဖွဲ့အသေးစိတ်ကို -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,အမြဲတမ်းပယ်ဖျက်? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,အမြဲတမ်းပယ်ဖျက်? DocType: Expense Claim,Total Claimed Amount,စုစုပေါင်းအခိုင်အမာငွေပမာဏ apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ရောင်းချခြင်းသည်အလားအလာရှိသောအခွင့်အလမ်း။ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},မမှန်ကန်ခြင်း {0} @@ -4088,7 +4098,7 @@ DocType: Warehouse,PIN,PIN ကို apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup ကို ERPNext ၌သင်တို့၏ကျောင်း DocType: Sales Invoice,Base Change Amount (Company Currency),base ပြောင်းလဲမှုပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,အောက်ပါသိုလှောင်ရုံမရှိပါစာရင်းကိုင် posts များ -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,ပထမဦးဆုံးစာရွက်စာတမ်း Save လိုက်ပါ။ +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,ပထမဦးဆုံးစာရွက်စာတမ်း Save လိုက်ပါ။ DocType: Account,Chargeable,နှော DocType: Company,Change Abbreviation,ပြောင်းလဲမှုအတိုကောက် DocType: Expense Claim Detail,Expense Date,စရိတ်နေ့စွဲ @@ -4102,7 +4112,6 @@ DocType: BOM,Manufacturing User,ကုန်ထုတ်လုပ်မှုအ DocType: Purchase Invoice,Raw Materials Supplied,ပေးထားသည့်ကုန်ကြမ်းပစ္စည်းများ DocType: Purchase Invoice,Recurring Print Format,ထပ်တလဲလဲပုံနှိပ်စီစဉ်ဖွဲ့စည်းမှုပုံစံ DocType: C-Form,Series,စီးရီး -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,မျှော်လင့်ထားသည့် Delivery Date ကိုဝယ်ယူခြင်းအမိန့်နေ့စွဲခင်မဖွစျနိုငျ DocType: Appraisal,Appraisal Template,စိစစ်ရေး Template: DocType: Item Group,Item Classification,item ခွဲခြား apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,စီးပွားရေးဖွံ့ဖြိုးတိုးတက်ရေးမန်နေဂျာ @@ -4141,12 +4150,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ကုန apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,လေ့ကျင့်ရေးအဖွဲ့တွေ / ရလဒ်များ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,အပေါ်အဖြစ်စုဆောင်းတန်ဖိုး DocType: Sales Invoice,C-Form Applicable,သက်ဆိုင်သည့် C-Form တွင် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},စစ်ဆင်ရေးအချိန်ကစစ်ဆင်ရေး {0} များအတွက် 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},စစ်ဆင်ရေးအချိန်ကစစ်ဆင်ရေး {0} များအတွက် 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည် apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ဂိုဒေါင်မဖြစ်မနေဖြစ်ပါသည် DocType: Supplier,Address and Contacts,လိပ်စာနှင့်ဆက်သွယ်ရန် DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ကူးပြောင်းခြင်း Detail DocType: Program,Program Abbreviation,Program ကိုအတိုကောက် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,ထုတ်လုပ်မှုအမိန့်တစ်ခု Item Template ဆန့်ကျင်ထမွောကျနိုငျမညျမဟု +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,ထုတ်လုပ်မှုအမိန့်တစ်ခု Item Template ဆန့်ကျင်ထမွောကျနိုငျမညျမဟု apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,စွဲချက်အသီးအသီးကို item ဆန့်ကျင်ဝယ်ယူခြင်းပြေစာ Update လုပ်ပေး DocType: Warranty Claim,Resolved By,အားဖြင့်ပြေလည် DocType: Bank Guarantee,Start Date,စတင်သည့်ရက်စွဲ @@ -4181,6 +4190,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,လေ့ကျင့်ရေးတုံ့ပြန်ချက် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ထုတ်လုပ်မှုအမိန့် {0} တင်သွင်းရမည် apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Item {0} သည် Start ကိုနေ့စွဲနဲ့ End Date ကို select လုပ်ပါ ကျေးဇူးပြု. +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,သငျသညျအောင်မြင်ရန်ချင်ပါတယ်အရောင်းပစ်မှတ်သတ်မှတ်မည်။ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},သင်တန်းအတန်း {0} အတွက်မဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ယနေ့အထိသည့်နေ့ရက်မှခင်မဖွစျနိုငျ DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4199,7 +4209,7 @@ DocType: Account,Income,ဝင်ငွေခွန် DocType: Industry Type,Industry Type,စက်မှုဝန်ကြီး Type apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,တစ်ခုခုမှားသွားတယ်! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,သတိပေးချက်: Leave ပလီကေးရှင်းအောက်ပါလုပ်ကွက်ရက်စွဲများင် -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,အရောင်းပြေစာ {0} ပြီးသားတင်သွင်းခဲ့ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,အရောင်းပြေစာ {0} ပြီးသားတင်သွင်းခဲ့ DocType: Assessment Result Detail,Score,နိုင်ပြီ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} မတည်ရှိပါဘူး apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,ပြီးစီးနေ့စွဲ @@ -4229,7 +4239,7 @@ DocType: Naming Series,Help HTML,HTML ကိုကူညီပါ DocType: Student Group Creation Tool,Student Group Creation Tool,ကျောင်းသားအုပ်စုဖန်ဆင်းခြင်း Tool ကို DocType: Item,Variant Based On,မူကွဲအခြေပြုတွင် apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},တာဝန်ပေးစုစုပေါင်း weightage 100% ဖြစ်သင့်သည်။ ဒါဟာ {0} သည် -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,သင့်ရဲ့ပေးသွင်း +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,သင့်ရဲ့ပေးသွင်း apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,အရောင်းအမိန့်ကိုဖန်ဆင်းသည်အဖြစ်ပျောက်ဆုံးသွားသောအဖြစ်သတ်မှတ်လို့မရပါဘူး။ DocType: Request for Quotation Item,Supplier Part No,ပေးသွင်းအပိုင်းဘယ်သူမျှမက apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',အမျိုးအစား '' အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် 'သို့မဟုတ်' 'Vaulation နှင့်စုစုပေါင်း' 'အဘို့ဖြစ်၏ရသောအခါနုတ်မနိုင် @@ -4239,14 +4249,14 @@ DocType: Item,Has Serial No,Serial No ရှိပါတယ် DocType: Employee,Date of Issue,ထုတ်ဝေသည့်ရက်စွဲ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} {1} သည် မှစ. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","အဆိုပါဝယ်ချိန်ညှိမှုများနှုန်းအဖြစ်ဝယ်ယူ Reciept လိုအပ်ပါသည် == '' ဟုတ်ကဲ့ '', ထို့နောက်အရစ်ကျငွေတောင်းခံလွှာအတွက်, အသုံးပြုသူကို item {0} များအတွက်ပထမဦးဆုံးဝယ်ယူငွေလက်ခံပြေစာကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},row # {0}: ကို item များအတွက် Set ပေးသွင်း {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,အတန်း {0}: နာရီတန်ဖိုးကိုသုညထက်ကြီးမြတ်ဖြစ်ရပါမည်။ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},row # {0}: ကို item များအတွက် Set ပေးသွင်း {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,အတန်း {0}: နာရီတန်ဖိုးကိုသုညထက်ကြီးမြတ်ဖြစ်ရပါမည်။ apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,website က Image ကို {0} ပစ္စည်းမှပူးတွဲပါ {1} မတွေ့ရှိနိုင် DocType: Issue,Content Type,content Type apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,ကွန်ပျူတာ DocType: Item,List this Item in multiple groups on the website.,Website တွင်အများအပြားအုပ်စုများ၌ဤ Item စာရင်း။ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,အခြားအငွေကြေးကိုနှင့်အတူအကောင့်အသစ်များ၏ခွင့်ပြုပါရန်ဘက်စုံငွေကြေးစနစ် option ကိုစစ်ဆေးပါ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,item: {0} system ကိုအတွက်မတည်ရှိပါဘူး +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,item: {0} system ကိုအတွက်မတည်ရှိပါဘူး apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,သင်က Frozen တန်ဖိုးကိုသတ်မှတ်ခွင့်မဟုတ် DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled Entries Get DocType: Payment Reconciliation,From Invoice Date,ပြေစာနေ့စွဲထဲကနေ @@ -4272,7 +4282,7 @@ DocType: Stock Entry,Default Source Warehouse,default Source ကိုဂို DocType: Item,Customer Code,customer Code ကို apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},{0} သည်မွေးနေသတိပေး apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ပြီးခဲ့သည့်အမိန့် ခုနှစ်မှစ. ရက်ပတ်လုံး -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,အကောင့်ကိုရန် debit တစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,အကောင့်ကိုရန် debit တစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည် DocType: Buying Settings,Naming Series,စီးရီးအမည် DocType: Leave Block List,Leave Block List Name,Block List ကိုအမည် Leave apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,အာမခံ Start ကိုရက်စွဲအာမခံအဆုံးနေ့စွဲထက်လျော့နည်းဖြစ်သင့် @@ -4289,7 +4299,7 @@ DocType: Vehicle Log,Odometer,Odometer DocType: Sales Order Item,Ordered Qty,အမိန့် Qty apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,item {0} ပိတ်ထားတယ် DocType: Stock Settings,Stock Frozen Upto,စတော့အိတ် Frozen အထိ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ဆိုစတော့ရှယ်ယာကို item ဆံ့မပါဘူး +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM ဆိုစတော့ရှယ်ယာကို item ဆံ့မပါဘူး apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},မှစ. နှင့်ကာလ {0} ထပ်တလဲလဲများအတွက်မဖြစ်မနေရက်စွဲများရန် period apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,စီမံကိန်းလှုပ်ရှားမှု / အလုပ်တစ်ခုကို။ DocType: Vehicle Log,Refuelling Details,ဆီဖြည့အသေးစိတ် @@ -4299,7 +4309,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,ပြီးခဲ့သည့်ဝယ်ယူနှုန်းကိုမတွေ့ရှိ DocType: Purchase Invoice,Write Off Amount (Company Currency),ဟာ Off ရေးဖို့ပမာဏ (Company မှငွေကြေးစနစ်) DocType: Sales Invoice Timesheet,Billing Hours,ငွေတောင်းခံနာရီ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,{0} မတွေ့ရှိများအတွက် default BOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,{0} မတွေ့ရှိများအတွက် default BOM apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,row # {0}: set ကျေးဇူးပြု. reorder အအရေအတွက် apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ဒီနေရာမှာသူတို့ကိုထည့်သွင်းဖို့ပစ္စည်းများကိုအသာပုတ် DocType: Fees,Program Enrollment,Program ကိုကျောင်းအပ် @@ -4333,6 +4343,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing Range 2 DocType: SG Creation Tool Course,Max Strength,မက်စ်အစွမ်းသတ္တိ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM အစားထိုး +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Delivery နေ့စွဲအပေါ်အခြေခံပြီးပစ္စည်းများကို Select လုပ်ပါ ,Sales Analytics,အရောင်း Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},ရရှိနိုင် {0} ,Prospects Engaged But Not Converted,အလားအလာ Engaged သို့သော်ပြောင်းမ @@ -4381,7 +4392,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise လျှော apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,တာဝန်များကိုဘို့ Timesheet ။ DocType: Purchase Invoice,Against Expense Account,အသုံးအကောင့်ဆန့်ကျင် DocType: Production Order,Production Order,ထုတ်လုပ်မှုအမိန့် -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Installation မှတ်ချက် {0} ပြီးသားတင်သွင်းခဲ့ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Installation မှတ်ချက် {0} ပြီးသားတင်သွင်းခဲ့ DocType: Bank Reconciliation,Get Payment Entries,ငွေပေးချေမှုရမည့် Entries Get DocType: Quotation Item,Against Docname,Docname ဆန့်ကျင် DocType: SMS Center,All Employee (Active),အားလုံးသည်န်ထမ်း (Active) @@ -4390,7 +4401,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,ကုန်ကြမ်းပစ္စည်းကုန်ကျစရိတ် DocType: Item Reorder,Re-Order Level,Re-Order အဆင့် DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,ပစ္စည်းများကို Enter နှင့်သင်ထုတ်လုပ်မှုအမိန့်မြှင်သို့မဟုတ်ခွဲခြမ်းစိတ်ဖြာများအတွက်ကုန်ကြမ်းကို download လုပ်လိုသည့်အဘို့အ qty စီစဉ်ခဲ့ပါတယ်။ -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt ဇယား +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt ဇယား apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,အချိန်ပိုင်း DocType: Employee,Applicable Holiday List,သက်ဆိုင်အားလပ်ရက်များစာရင်း DocType: Employee,Cheque,Cheques @@ -4448,11 +4459,11 @@ DocType: Bin,Reserved Qty for Production,ထုတ်လုပ်မှုမျ DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,သငျသညျသင်တန်းအခြေစိုက်အုပ်စုများအောင်နေချိန်တွင်အသုတ်စဉ်းစားရန်မလိုကြပါလျှင်အမှတ်ကိုဖြုတ်လိုက်ပါချန်ထားပါ။ DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,သငျသညျသင်တန်းအခြေစိုက်အုပ်စုများအောင်နေချိန်တွင်အသုတ်စဉ်းစားရန်မလိုကြပါလျှင်အမှတ်ကိုဖြုတ်လိုက်ပါချန်ထားပါ။ DocType: Asset,Frequency of Depreciation (Months),တန်ဖိုး၏ frequency (လ) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,ခရက်ဒစ်အကောင့်ကို +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,ခရက်ဒစ်အကောင့်ကို DocType: Landed Cost Item,Landed Cost Item,ဆင်းသက်ကုန်ကျစရိတ် Item apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,သုညတန်ဖိုးများကိုပြရန် DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ကုန်ကြမ်းပေးသောပမာဏကနေ repacking / ထုတ်လုပ်ပြီးနောက်ရရှိသောတဲ့ item ၏အရေအတွက် -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup ကိုငါ့အအဖွဲ့အစည်းအတွက်ရိုးရှင်းတဲ့ဝက်ဘ်ဆိုက် +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup ကိုငါ့အအဖွဲ့အစည်းအတွက်ရိုးရှင်းတဲ့ဝက်ဘ်ဆိုက် DocType: Payment Reconciliation,Receivable / Payable Account,receiver / ပေးဆောင်အကောင့် DocType: Delivery Note Item,Against Sales Order Item,အရောင်းအမိန့် Item ဆန့်ကျင် apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},attribute က {0} များအတွက် Value ကို Attribute ကိုသတ်မှတ် ကျေးဇူးပြု. @@ -4517,22 +4528,22 @@ DocType: Student,Nationality,အမျိုးသား ,Items To Be Requested,တောင်းဆိုထားသောခံရဖို့ items DocType: Purchase Order,Get Last Purchase Rate,ပြီးခဲ့သည့်ဝယ်ယူ Rate Get DocType: Company,Company Info,ကုမ္ပဏီ Info -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,အသစ်ဖောက်သည်ကို Select လုပ်ပါသို့မဟုတ် add -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,ကုန်ကျစရိတ်စင်တာတစ်ခုစရိတ်ပြောဆိုချက်ကိုစာအုပ်ဆိုင်လိုအပ်ပါသည် +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,အသစ်ဖောက်သည်ကို Select လုပ်ပါသို့မဟုတ် add +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,ကုန်ကျစရိတ်စင်တာတစ်ခုစရိတ်ပြောဆိုချက်ကိုစာအုပ်ဆိုင်လိုအပ်ပါသည် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ရန်ပုံငွေ၏လျှောက်လွှာ (ပိုင်ဆိုင်မှုများ) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ဒီထမ်းများ၏တက်ရောက်သူအပေါ်အခြေခံသည် -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,debit အကောင့်ကို +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,debit အကောင့်ကို DocType: Fiscal Year,Year Start Date,တစ်နှစ်တာ Start ကိုနေ့စွဲ DocType: Attendance,Employee Name,ဝန်ထမ်းအမည် DocType: Sales Invoice,Rounded Total (Company Currency),rounded စုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Account Type ကိုရွေးချယ်သောကွောငျ့ Group ကမှရောက်မှလုံခြုံနိုင်ဘူး။ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} modified သိရသည်။ refresh ပေးပါ။ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} modified သိရသည်။ refresh ပေးပါ။ DocType: Leave Block List,Stop users from making Leave Applications on following days.,အောက်ပါရက်ထွက်ခွာ Applications ကိုအောင်ကနေအသုံးပြုသူများကိုရပ်တန့်။ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,အရစ်ကျငွေပမာဏ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,ပေးသွင်းစျေးနှုန်း {0} ကဖန်တီး apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,အဆုံးတစ်နှစ်တာ Start ကိုတစ်နှစ်တာမတိုင်မီမဖွစျနိုငျ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ဝန်ထမ်းအကျိုးကျေးဇူးများ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},ထုပ်ပိုးအရေအတွက်အတန်း {1} အတွက် Item {0} သည်အရေအတွက်တူညီရမယ် +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},ထုပ်ပိုးအရေအတွက်အတန်း {1} အတွက် Item {0} သည်အရေအတွက်တူညီရမယ် DocType: Production Order,Manufactured Qty,ထုတ်လုပ်သော Qty DocType: Purchase Receipt Item,Accepted Quantity,လက်ခံခဲ့သည်ပမာဏ apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},{1} ထမ်း {0} သို့မဟုတ်ကုမ္ပဏီတစ်ခုက default အားလပ်ရက် List ကိုသတ်မှတ်ထားပေးပါ @@ -4543,11 +4554,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},အတန်းမရှိ {0}: ပမာဏသုံးစွဲမှုတောင်းဆိုမှုများ {1} ဆန့်ကျင်ငွေပမာဏဆိုင်းငံ့ထားထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။ ဆိုင်းငံ့ထားသောငွေပမာဏ {2} သည် DocType: Maintenance Schedule,Schedule,ဇယား DocType: Account,Parent Account,မိဘအကောင့် -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,ရရှိနိုင် +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,ရရှိနိုင် DocType: Quality Inspection Reading,Reading 3,3 Reading ,Hub,hub DocType: GL Entry,Voucher Type,ဘောက်ချာကအမျိုးအစား -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,စျေးနှုန်း List ကိုတွေ့ရှိသို့မဟုတ်မသန်မစွမ်းမဟုတ် +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,စျေးနှုန်း List ကိုတွေ့ရှိသို့မဟုတ်မသန်မစွမ်းမဟုတ် DocType: Employee Loan Application,Approved,Approved DocType: Pricing Rule,Price,စျေးနှုန်း apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} '' လက်ဝဲ 'အဖြစ်သတ်မှတ်ရမည်အပေါ်စိတ်သက်သာရာန်ထမ်း @@ -4617,7 +4628,7 @@ DocType: SMS Settings,Static Parameters,static Parameter များကို DocType: Assessment Plan,Room,အခန်းတခန်း DocType: Purchase Order,Advance Paid,ကြိုတင်မဲ Paid DocType: Item,Item Tax,item ခွန် -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,ပေးသွင်းဖို့ material +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,ပေးသွင်းဖို့ material apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,ယစ်မျိုးပြေစာ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% တစ်ကြိမ်ထက်ပိုပြီးပုံပေါ် DocType: Expense Claim,Employees Email Id,န်ထမ်းအီးမေးလ် Id @@ -4657,7 +4668,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,ပုံစံ DocType: Production Order,Actual Operating Cost,အမှန်တကယ် Operating ကုန်ကျစရိတ် DocType: Payment Entry,Cheque/Reference No,Cheque တစ်စောင်လျှင် / ကိုးကားစရာအဘယ်သူမျှမ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,အမြစ်တည်းဖြတ်မရနိုင်ပါ။ DocType: Item,Units of Measure,တိုင်း၏ယူနစ် DocType: Manufacturing Settings,Allow Production on Holidays,အားလပ်ရက်အပေါ်ထုတ်လုပ်မှု Allow @@ -4690,12 +4700,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,ခရက်ဒစ် Days apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,ကျောင်းသားအသုတ်လိုက် Make DocType: Leave Type,Is Carry Forward,Forward ယူသွားတာဖြစ်ပါတယ် -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM ထံမှပစ္စည်းများ Get +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM ထံမှပစ္စည်းများ Get apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ခဲအချိန် Days -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ပိုင်ဆိုင်မှု၏ CV ကိုနေ့စွဲဝယ်ယူနေ့စွဲအဖြစ်အတူတူပင်ဖြစ်ရပါမည် {1} {2}: row # {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ပိုင်ဆိုင်မှု၏ CV ကိုနေ့စွဲဝယ်ယူနေ့စွဲအဖြစ်အတူတူပင်ဖြစ်ရပါမည် {1} {2}: row # {0} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ကျောင်းသားသမဂ္ဂဟာအင်စတီကျုရဲ့ဘော်ဒါဆောင်မှာနေထိုင်လျှင်ဒီစစ်ဆေးပါ။ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,အထက်ပါဇယားတွင်အရောင်းအမိန့်ကိုထည့်သွင်းပါ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,လစာစလစ် Submitted မဟုတ် +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,လစာစလစ် Submitted မဟုတ် ,Stock Summary,စတော့အိတ်အကျဉ်းချုပ် apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,တယောက်ကိုတယောက်ဂိုဒေါင်တစ်ဦးထံမှပစ္စည်းလွှဲပြောင်း DocType: Vehicle,Petrol,ဓါတ်ဆီ diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 89019e98b21..774871e9d6d 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Dealer DocType: Employee,Rented,Verhuurd DocType: Purchase Order,PO-,PO DocType: POS Profile,Applicable for User,Toepasselijk voor gebruiker -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Gestopt productieorder kan niet worden geannuleerd, opendraaien het eerst te annuleren" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Gestopt productieorder kan niet worden geannuleerd, opendraaien het eerst te annuleren" DocType: Vehicle Service,Mileage,Mileage apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Wilt u dit actief echt schrappen? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Selecteer Standaard Leverancier @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Gefactureerd apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Wisselkoers moet hetzelfde zijn als zijn {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Klantnaam DocType: Vehicle,Natural Gas,Natuurlijk gas -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankrekening kan niet worden genoemd als {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Bankrekening kan niet worden genoemd als {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Hoofden (of groepen) waartegen de boekingen worden gemaakt en saldi worden gehandhaafd. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Openstaand bedrag voor {0} mag niet kleiner zijn dan nul ({1}) DocType: Manufacturing Settings,Default 10 mins,Standaard 10 min @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Verlof Type Naam apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Toon geopend apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Reeks succesvol bijgewerkt apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Uitchecken -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Submitted +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Submitted DocType: Pricing Rule,Apply On,toepassing op DocType: Item Price,Multiple Item prices.,Meerdere Artikelprijzen . ,Purchase Order Items To Be Received,Inkooporder Artikelen nog te ontvangen @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Modus van Betaalrekenin apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Toon Varianten DocType: Academic Term,Academic Term,Academisch semester apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiaal -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Hoeveelheid +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Hoeveelheid apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Rekeningtabel mag niet leeg zijn. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Leningen (Passiva) DocType: Employee Education,Year of Passing,Voorbije Jaar @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Gezondheidszorg apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Vertraging in de betaling (Dagen) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,dienst Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} is reeds verwezen in de verkoopfactuur: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Factuur +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} is reeds verwezen in de verkoopfactuur: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Factuur DocType: Maintenance Schedule Item,Periodicity,Periodiciteit apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Boekjaar {0} is vereist -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Verwachte leverdatum is voordat Orderdatum apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Defensie DocType: Salary Component,Abbr,Afk DocType: Appraisal Goal,Score (0-5),Score (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Rij # {0}: DocType: Timesheet,Total Costing Amount,Totaal bedrag Costing DocType: Delivery Note,Vehicle No,Voertuig nr. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Selecteer Prijslijst +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Selecteer Prijslijst apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Betaling document is vereist om de trasaction voltooien DocType: Production Order Operation,Work In Progress,Onderhanden Werk apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Kies een datum @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} in geen enkel actief fiscale jaar. DocType: Packed Item,Parent Detail docname,Bovenliggende Detail docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referentie: {0}, Artikelcode: {1} en klant: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,kg DocType: Student Log,Log,Log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Vacature voor een baan. DocType: Item Attribute,Increment,Aanwas @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Getrouwd apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Niet toegestaan voor {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Krijgen items uit -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Voorraad kan niet worden bijgewerkt obv Vrachtbrief {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Voorraad kan niet worden bijgewerkt obv Vrachtbrief {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Product {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Geen artikelen vermeld DocType: Payment Reconciliation,Reconcile,Afletteren @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,pensi apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Volgende afschrijvingen datum kan niet vóór Aankoopdatum DocType: SMS Center,All Sales Person,Alle Sales Person DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Maandelijkse Distributie ** helpt u om de begroting / Target verdelen over maanden als u de seizoensgebondenheid in uw bedrijf. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Niet artikelen gevonden +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Niet artikelen gevonden apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Salarisstructuur Missing DocType: Lead,Person Name,Persoon Naam DocType: Sales Invoice Item,Sales Invoice Item,Verkoopfactuur Artikel @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Is vaste activa"" kan niet worden uitgeschakeld, als Asset record bestaat voor dit item" DocType: Vehicle Service,Brake Oil,remolie DocType: Tax Rule,Tax Type,Belasting Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Belastbaar bedrag +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Belastbaar bedrag apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},U bent niet bevoegd om items toe te voegen of bij te werken voor {0} DocType: BOM,Item Image (if not slideshow),Artikel Afbeelding (indien niet diashow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Een klant bestaat met dezelfde naam DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Uurtarief / 60) * Werkelijk Gepresteerde Tijd -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Select BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Select BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kosten van geleverde zaken apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,De vakantie op {0} is niet tussen Van Datum en To Date @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,scholen DocType: School Settings,Validate Batch for Students in Student Group,Batch valideren voor studenten in de studentengroep apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Geen verlof gevonden record voor werknemer {0} voor {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Vul aub eerst bedrijf in -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Selecteer Company eerste +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Selecteer Company eerste DocType: Employee Education,Under Graduate,Student zonder graad apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Doel op DocType: BOM,Total Cost,Totale kosten DocType: Journal Entry Account,Employee Loan,werknemer Loan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Activiteitenlogboek: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Artikel {0} bestaat niet in het systeem of is verlopen +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Activiteitenlogboek: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Artikel {0} bestaat niet in het systeem of is verlopen apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Vastgoed apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Rekeningafschrift apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmacie @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Claim Bedrag apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicate klantengroep in de cutomer groep tafel apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Leverancier Type / leverancier DocType: Naming Series,Prefix,Voorvoegsel -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel namenreeks voor {0} in via Setup> Settings> Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Verbruiksartikelen +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Verbruiksartikelen DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Importeren Log DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Trek Material Verzoek van het type Productie op basis van bovenstaande criteria DocType: Training Result Employee,Grade,Rang DocType: Sales Invoice Item,Delivered By Supplier,Geleverd door Leverancier DocType: SMS Center,All Contact,Alle Contact -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Productieorder al gemaakt voor alle items met BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Productieorder al gemaakt voor alle items met BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Jaarsalaris DocType: Daily Work Summary,Daily Work Summary,Dagelijks Werk Samenvatting DocType: Period Closing Voucher,Closing Fiscal Year,Het sluiten van het fiscale jaar -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} is bevroren +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} is bevroren apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Kies een bestaand bedrijf voor het maken van Rekeningschema apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Voorraadkosten apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selecteer Target Warehouse @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Geaccepteerde + Verworpen Aantal moet gelijk zijn aan Ontvangen aantal zijn voor Artikel {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Supply Grondstoffen voor Aankoop -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Ten minste één wijze van betaling is vereist voor POS factuur. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Ten minste één wijze van betaling is vereist voor POS factuur. DocType: Products Settings,Show Products as a List,Producten weergeven als een lijst DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Download de Template, vul de juiste gegevens in en voeg het gewijzigde bestand bij. Alle data en toegewezen werknemer in de geselecteerde periode zullen in de sjabloon komen, met bestaande presentielijsten" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,ARtikel {0} is niet actief of heeft einde levensduur bereikt -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Voorbeeld: Basiswiskunde -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om Belastingen op te nemen in het Artikeltarief in rij {0}, moeten de belastingen in rijen {1} ook worden opgenomen" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Voorbeeld: Basiswiskunde +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om Belastingen op te nemen in het Artikeltarief in rij {0}, moeten de belastingen in rijen {1} ook worden opgenomen" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Instellingen voor HR Module DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,Change Bedrag @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},De installatie mag niet vóór leveringsdatum voor post {0} DocType: Pricing Rule,Discount on Price List Rate (%),Korting op de prijslijst Rate (%) DocType: Offer Letter,Select Terms and Conditions,Select Voorwaarden -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,out Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,out Value DocType: Production Planning Tool,Sales Orders,Verkooporders DocType: Purchase Taxes and Charges,Valuation,Waardering ,Purchase Order Trends,Inkooporder Trends @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Wordt Opening Entry DocType: Customer Group,Mention if non-standard receivable account applicable,Vermeld als niet-standaard te ontvangen houdend met de toepasselijke DocType: Course Schedule,Instructor Name,instructeur Naam -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Voor Magazijn is vereist voor het Indienen +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Voor Magazijn is vereist voor het Indienen apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Ontvangen op DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Indien aangevinkt, zullen ook niet-voorraad artikelen op het materiaal aanvragen." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Tegen Sales Invoice Item ,Production Orders in Progress,Productieorders in behandeling apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,De netto kasstroom uit financieringsactiviteiten -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage vol is, niet te redden" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage vol is, niet te redden" DocType: Lead,Address & Contact,Adres & Contact DocType: Leave Allocation,Add unused leaves from previous allocations,Voeg ongebruikte bladeren van de vorige toewijzingen apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Volgende terugkerende {0} zal worden gemaakt op {1} DocType: Sales Partner,Partner website,partner website apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Item toevoegen -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Contact Naam +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Contact Naam DocType: Course Assessment Criteria,Course Assessment Criteria,Cursus Beoordelingscriteria DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Maakt salarisstrook voor de bovengenoemde criteria. DocType: POS Customer Group,POS Customer Group,POS Customer Group @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Rij {0}: Kijk 'Is Advance' tegen Account {1} als dit is een voorschot binnenkomst. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Magazijn {0} behoort niet tot bedrijf {1} DocType: Email Digest,Profit & Loss,Verlies -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,liter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,liter DocType: Task,Total Costing Amount (via Time Sheet),Totaal bedrag Costing (via Urenregistratie) DocType: Item Website Specification,Item Website Specification,Artikel Website Specificatie apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Verlof Geblokkeerd @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Verkoopfactuur nr. DocType: Material Request Item,Min Order Qty,Minimum Aantal DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course DocType: Lead,Do Not Contact,Neem geen contact op -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Mensen die lesgeven op uw organisatie +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Mensen die lesgeven op uw organisatie DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,De unieke ID voor het bijhouden van alle terugkerende facturen. Het wordt gegenereerd bij het indienen. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Ontwikkelaar DocType: Item,Minimum Order Qty,Minimum bestel aantal @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Publiceren in Hub DocType: Student Admission,Student Admission,student Toelating ,Terretory,Regio apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Artikel {0} is geannuleerd -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Materiaal Aanvraag +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Materiaal Aanvraag DocType: Bank Reconciliation,Update Clearance Date,Werk Clearance Datum bij DocType: Item,Purchase Details,Inkoop Details apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} niet gevonden in 'Raw Materials geleverd' tafel in Purchase Order {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} kan niet negatief voor producten van post {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Verkeerd Wachtwoord DocType: Item,Variant Of,Variant van -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Voltooid aantal mag niet groter zijn dan 'Aantal te produceren' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Voltooid aantal mag niet groter zijn dan 'Aantal te produceren' DocType: Period Closing Voucher,Closing Account Head,Sluiten Account Hoofd DocType: Employee,External Work History,Externe Werk Geschiedenis apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Kringverwijzing Error @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Afstand van linkerrand apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} eenheden van [{1}] (#Vorm/Item/{1}) gevonden in [{2}](#Vorm/Magazijn/{2}) DocType: Lead,Industry,Industrie DocType: Employee,Job Profile,Functieprofiel +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Dit is gebaseerd op transacties tegen dit bedrijf. Zie de tijdlijn hieronder voor details DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificeer per e-mail bij automatisch aanmaken van Materiaal Aanvraag DocType: Journal Entry,Multi Currency,Valuta DocType: Payment Reconciliation Invoice,Invoice Type,Factuur Type -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Vrachtbrief +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Vrachtbrief apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Het opzetten van Belastingen apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kosten van Verkochte Asset apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Betaling Bericht is gewijzigd nadat u het getrokken. Neem dan trekt het weer. @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Vul de 'Herhaal op dag van de maand' waarde in DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Koers waarmee de Klant Valuta wordt omgerekend naar de basisvaluta van de klant. DocType: Course Scheduling Tool,Course Scheduling Tool,Course Scheduling Tool -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rij # {0}: Aankoop factuur kan niet worden ingediend tegen een bestaand actief {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rij # {0}: Aankoop factuur kan niet worden ingediend tegen een bestaand actief {1} DocType: Item Tax,Tax Rate,Belastingtarief apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} reeds toegewezen voor Employee {1} voor periode {2} te {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Selecteer Item +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Selecteer Item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Inkoopfactuur {0} is al ingediend apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Rij # {0}: Batch Geen moet hetzelfde zijn als zijn {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Converteren naar non-Group @@ -445,7 +444,7 @@ DocType: Employee,Widowed,Weduwe DocType: Request for Quotation,Request for Quotation,Offerte DocType: Salary Slip Timesheet,Working Hours,Werkuren DocType: Naming Series,Change the starting / current sequence number of an existing series.,Wijzig het start-/ huidige volgnummer van een bestaande serie. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Maak een nieuwe klant +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Maak een nieuwe klant apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Als er meerdere prijzen Regels blijven die gelden, worden gebruikers gevraagd om Prioriteit handmatig instellen om conflicten op te lossen." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Maak Bestellingen ,Purchase Register,Inkoop Register @@ -471,7 +470,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Examinator Naam DocType: Purchase Invoice Item,Quantity and Rate,Hoeveelheid en Tarief DocType: Delivery Note,% Installed,% Geïnstalleerd -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klaslokalen / Laboratories etc, waar lezingen kunnen worden gepland." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klaslokalen / Laboratories etc, waar lezingen kunnen worden gepland." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Vul aub eerst de naam van het bedrijf in DocType: Purchase Invoice,Supplier Name,Leverancier Naam apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lees de ERPNext Manual @@ -488,7 +487,7 @@ DocType: Account,Old Parent,Oude Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Verplicht veld - Academiejaar apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Verplicht veld - Academiejaar DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Pas de inleidende tekst aan die meegaat als een deel van die e-mail. Elke transactie heeft een aparte inleidende tekst. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Stel alsjeblieft de standaard betaalbare rekening voor het bedrijf in {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Stel alsjeblieft de standaard betaalbare rekening voor het bedrijf in {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Algemene instellingen voor alle productieprocessen. DocType: Accounts Settings,Accounts Frozen Upto,Rekeningen bevroren tot DocType: SMS Log,Sent On,Verzonden op @@ -528,7 +527,7 @@ DocType: Journal Entry,Accounts Payable,Crediteuren apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,De geselecteerde stuklijsten zijn niet voor hetzelfde item DocType: Pricing Rule,Valid Upto,Geldig Tot DocType: Training Event,Workshop,werkplaats -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Lijst een paar van uw klanten. Ze kunnen organisaties of personen . +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Lijst een paar van uw klanten. Ze kunnen organisaties of personen . apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Genoeg Parts te bouwen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Directe Inkomsten apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Kan niet filteren op basis van Rekening, indien gegroepeerd op Rekening" @@ -536,7 +535,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Selecteer de cursus apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Selecteer de cursus DocType: Timesheet Detail,Hrs,hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Selecteer Company +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Selecteer Company DocType: Stock Entry Detail,Difference Account,Verschillenrekening DocType: Purchase Invoice,Supplier GSTIN,Leverancier GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Kan taak niet afsluiten als haar afhankelijke taak {0} niet is afgesloten. @@ -553,7 +552,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Gelieve te definiëren cijfer voor drempel 0% DocType: Sales Order,To Deliver,Bezorgen DocType: Purchase Invoice Item,Item,Artikel -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serial geen item kan niet een fractie te zijn +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serial geen item kan niet een fractie te zijn DocType: Journal Entry,Difference (Dr - Cr),Verschil (Db - Cr) DocType: Account,Profit and Loss,Winst en Verlies apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Managing Subcontracting @@ -579,7 +578,7 @@ DocType: Serial No,Warranty Period (Days),Garantieperiode (dagen) DocType: Installation Note Item,Installation Note Item,Installatie Opmerking Item DocType: Production Plan Item,Pending Qty,In afwachting Aantal DocType: Budget,Ignore,Negeren -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} is niet actief +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} is niet actief apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS verzonden naar volgende nummers: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Setup check afmetingen voor afdrukken DocType: Salary Slip,Salary Slip Timesheet,Loonstrook Timesheet @@ -685,8 +684,8 @@ DocType: Installation Note,IN-,IN- DocType: Production Order Operation,In minutes,In minuten DocType: Issue,Resolution Date,Oplossing Datum DocType: Student Batch Name,Batch Name,batch Naam -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Rooster gemaakt: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Stel een standaard Kas- of Bankrekening in bij Betaalwijze {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Rooster gemaakt: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Stel een standaard Kas- of Bankrekening in bij Betaalwijze {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Inschrijven DocType: GST Settings,GST Settings,GST instellingen DocType: Selling Settings,Customer Naming By,Klant Naming Door @@ -706,7 +705,7 @@ DocType: Activity Cost,Projects User,Projecten Gebruiker apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Verbruikt apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} niet gevonden in Factuur Details tabel DocType: Company,Round Off Cost Center,Afronden kostenplaats -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Onderhoud Bezoek {0} moet worden geannuleerd voordat het annuleren van deze verkooporder +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Onderhoud Bezoek {0} moet worden geannuleerd voordat het annuleren van deze verkooporder DocType: Item,Material Transfer,Materiaal Verplaatsing apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening ( Dr ) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Plaatsing timestamp moet na {0} zijn @@ -715,7 +714,7 @@ DocType: Employee Loan,Total Interest Payable,Totaal te betalen rente DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Vrachtkosten belastingen en toeslagen DocType: Production Order Operation,Actual Start Time,Werkelijke Starttijd DocType: BOM Operation,Operation Time,Operatie Tijd -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Afwerking +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Afwerking apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Baseren DocType: Timesheet,Total Billed Hours,Totaal gefactureerd Hours DocType: Journal Entry,Write Off Amount,Afschrijvingsbedrag @@ -741,7 +740,7 @@ DocType: Vehicle,Odometer Value (Last),Kilometerstand (Laatste) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Betaling Entry is al gemaakt DocType: Purchase Receipt Item Supplied,Current Stock,Huidige voorraad -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Rij # {0}: Asset {1} is niet gekoppeld aan artikel {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Rij # {0}: Asset {1} is niet gekoppeld aan artikel {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Voorbeschouwing loonstrook apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Account {0} is meerdere keren ingevoerd DocType: Account,Expenses Included In Valuation,Kosten inbegrepen in waardering @@ -766,7 +765,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Ruimtevaar DocType: Journal Entry,Credit Card Entry,Kredietkaart invoer apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Bedrijf en Accounts apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Goederen ontvangen van leveranciers. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,in Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,in Value DocType: Lead,Campaign Name,Campagnenaam DocType: Selling Settings,Close Opportunity After Days,Sluiten Opportunity Na Days ,Reserved,gereserveerd @@ -791,17 +790,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energie DocType: Opportunity,Opportunity From,Opportuniteit Van apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Maandsalaris overzicht. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rij {0}: {1} Serienummers vereist voor item {2}. U heeft {3} verstrekt. DocType: BOM,Website Specifications,Website Specificaties apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Van {0} van type {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rij {0}: Conversie Factor is verplicht DocType: Employee,A+,A+ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Meerdere Prijs Regels bestaat met dezelfde criteria, dan kunt u conflicten op te lossen door het toekennen van prioriteit. Prijs Regels: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan stuklijst niet deactiveren of annuleren aangezien het is gelinkt met andere stuklijsten. +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan stuklijst niet deactiveren of annuleren aangezien het is gelinkt met andere stuklijsten. DocType: Opportunity,Maintenance,Onderhoud DocType: Item Attribute Value,Item Attribute Value,Item Atribuutwaarde apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Verkoop campagnes -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,maak Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,maak Timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -854,7 +854,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Het opzetten van e-mailaccount apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Vul eerst artikel in DocType: Account,Liability,Verplichting -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Gesanctioneerde bedrag kan niet groter zijn dan Claim Bedrag in Row {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Gesanctioneerde bedrag kan niet groter zijn dan Claim Bedrag in Row {0}. DocType: Company,Default Cost of Goods Sold Account,Standaard kosten van verkochte goederen Account apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Prijslijst niet geselecteerd DocType: Employee,Family Background,Familie Achtergrond @@ -865,10 +865,10 @@ DocType: Company,Default Bank Account,Standaard bankrekening apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Om te filteren op basis van Party, selecteer Party Typ eerst" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Bijwerken voorraad' kan niet worden aangevinkt omdat items niet worden geleverd via {0} DocType: Vehicle,Acquisition Date,Aankoopdatum -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nrs +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nrs DocType: Item,Items with higher weightage will be shown higher,Items met een hogere weightage hoger zal worden getoond DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Aflettering Detail -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Rij # {0}: Asset {1} moet worden ingediend +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Rij # {0}: Asset {1} moet worden ingediend apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Geen werknemer gevonden DocType: Supplier Quotation,Stopped,Gestopt DocType: Item,If subcontracted to a vendor,Als uitbesteed aan een leverancier @@ -884,7 +884,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimum Factuurbedrag apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: kostenplaats {2} behoort niet tot Company {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} kan geen Group zijn apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {IDX}: {doctype} {DocName} bestaat niet in bovenstaande '{} doctype' table -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} is al voltooid of geannuleerd +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} is al voltooid of geannuleerd apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,geen taken DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","De dag van de maand waarop de automatische factuur zal bijvoorbeeld 05, 28 etc worden gegenereerd" DocType: Asset,Opening Accumulated Depreciation,Het openen van de cumulatieve afschrijvingen @@ -943,7 +943,7 @@ DocType: SMS Log,Requested Numbers,Gevraagde Numbers DocType: Production Planning Tool,Only Obtain Raw Materials,Alleen verkrijgen Grondstoffen apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Beoordeling van de prestaties. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Inschakelen "Gebruik voor Winkelwagen ', zoals Winkelwagen is ingeschakeld en er moet minstens één Tax Rule voor Winkelwagen zijn" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling Entry {0} is verbonden met de Orde {1}, controleer dan of het als tevoren in deze factuur moet worden getrokken." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling Entry {0} is verbonden met de Orde {1}, controleer dan of het als tevoren in deze factuur moet worden getrokken." DocType: Sales Invoice Item,Stock Details,Voorraad Details apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Project Waarde apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Verkooppunt @@ -966,15 +966,15 @@ DocType: Naming Series,Update Series,Reeksen bijwerken DocType: Supplier Quotation,Is Subcontracted,Wordt uitbesteed DocType: Item Attribute,Item Attribute Values,Item Attribuutwaarden DocType: Examination Result,Examination Result,examenresultaat -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Ontvangstbevestiging +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Ontvangstbevestiging ,Received Items To Be Billed,Ontvangen artikelen nog te factureren -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Ingezonden loonbrieven +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Ingezonden loonbrieven apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Wisselkoers stam. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referentie Doctype moet een van {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Kan Time Slot in de volgende {0} dagen voor Operatie vinden {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Kan Time Slot in de volgende {0} dagen voor Operatie vinden {1} DocType: Production Order,Plan material for sub-assemblies,Plan materiaal voor onderdelen apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Sales Partners en Territory -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,Stuklijst {0} moet actief zijn +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,Stuklijst {0} moet actief zijn DocType: Journal Entry,Depreciation Entry,afschrijvingen Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Selecteer eerst het documenttype apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annuleren Materiaal Bezoeken {0} voor het annuleren van deze Maintenance Visit @@ -984,7 +984,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Totaal bedrag apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,internet Publishing DocType: Production Planning Tool,Production Orders,Productieorders -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Balans Waarde +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Balans Waarde apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Sales Prijslijst apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publiceren naar onderdelen wilt synchroniseren DocType: Bank Reconciliation,Account Currency,Account Valuta @@ -1009,12 +1009,12 @@ DocType: Employee,Exit Interview Details,Exit Gesprek Details DocType: Item,Is Purchase Item,Is inkoopartikel DocType: Asset,Purchase Invoice,Inkoopfactuur DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail nr -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nieuwe Sales Invoice +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nieuwe Sales Invoice DocType: Stock Entry,Total Outgoing Value,Totaal uitgaande waardeoverdrachten apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Openingsdatum en de uiterste datum moet binnen dezelfde fiscale jaar DocType: Lead,Request for Information,Informatieaanvraag ,LeaderBoard,Scorebord -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline Facturen +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Facturen DocType: Payment Request,Paid,Betaald DocType: Program Fee,Program Fee,programma Fee DocType: Salary Slip,Total in words,Totaal in woorden @@ -1022,7 +1022,7 @@ DocType: Material Request Item,Lead Time Date,Lead Tijd Datum DocType: Guardian,Guardian Name,Naam pleegouder DocType: Cheque Print Template,Has Print Format,Heeft Print Format DocType: Employee Loan,Sanctioned,Sanctioned -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,is verplicht. Misschien is dit Valuta record niet gemaakt voor +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,is verplicht. Misschien is dit Valuta record niet gemaakt voor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Rij #{0}: Voer serienummer in voor artikel {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Voor 'Product Bundel' items, Warehouse, Serienummer en Batch Geen zal worden beschouwd van de 'Packing List' tafel. Als Warehouse en Batch Geen zijn hetzelfde voor alle verpakking items voor welke 'Product Bundle' punt, kunnen die waarden in de belangrijkste Item tafel worden ingevoerd, wordt waarden worden gekopieerd naar "Packing List 'tafel." DocType: Job Opening,Publish on website,Publiceren op de website @@ -1035,7 +1035,7 @@ DocType: Cheque Print Template,Date Settings,date Settings apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variantie ,Company Name,Bedrijfsnaam DocType: SMS Center,Total Message(s),Totaal Bericht(en) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Kies Punt voor Overdracht +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Kies Punt voor Overdracht DocType: Purchase Invoice,Additional Discount Percentage,Extra Korting Procent apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Bekijk een overzicht van alle hulp video's DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Selecteer hoofdrekening van de bank waar cheque werd gedeponeerd. @@ -1050,7 +1050,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Grondstofkosten (Company Munt) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Alle items zijn al overgebracht voor deze productieorder. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rij # {0}: De tarief kan niet groter zijn dan de tarief die wordt gebruikt in {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rij # {0}: De tarief kan niet groter zijn dan de tarief die wordt gebruikt in {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Meter DocType: Workstation,Electricity Cost,elektriciteitskosten DocType: HR Settings,Don't send Employee Birthday Reminders,Stuur geen Werknemer verjaardagsherinneringen DocType: Item,Inspection Criteria,Inspectie Criteria @@ -1065,7 +1065,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Get betaalde voorschotten DocType: Item,Automatically Create New Batch,Maak automatisch een nieuwe partij aan DocType: Item,Automatically Create New Batch,Maak automatisch een nieuwe partij aan -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Maken +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Maken DocType: Student Admission,Admission Start Date,Entree Startdatum DocType: Journal Entry,Total Amount in Words,Totaal bedrag in woorden apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Er is een fout opgetreden . Een mogelijke reden zou kunnen zijn dat u het formulier niet hebt opgeslagen. Neem contact op met Support als het probleem aanhoudt . @@ -1073,7 +1073,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mijn winkelwagen apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Order Type moet één van {0} zijn DocType: Lead,Next Contact Date,Volgende Contact Datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Opening Aantal -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Vul Account for Change Bedrag +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Vul Account for Change Bedrag DocType: Student Batch Name,Student Batch Name,Student batchnaam DocType: Holiday List,Holiday List Name,Holiday Lijst Naam DocType: Repayment Schedule,Balance Loan Amount,Balans Leningsbedrag @@ -1081,7 +1081,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Aandelenopties DocType: Journal Entry Account,Expense Claim,Kostendeclaratie apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Wilt u deze schrapte activa echt herstellen? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Aantal voor {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Aantal voor {0} DocType: Leave Application,Leave Application,Verlofaanvraag apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Verlof Toewijzing Tool DocType: Leave Block List,Leave Block List Dates,Laat Block List Data @@ -1131,7 +1131,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Tegen DocType: Item,Default Selling Cost Center,Standaard Verkoop kostenplaats DocType: Sales Partner,Implementation Partner,Implementatie Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postcode +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Postcode apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} is {1} DocType: Opportunity,Contact Info,Contact Info apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Maken Stock Inzendingen @@ -1150,13 +1150,13 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,G DocType: School Settings,Attendance Freeze Date,Bijwonen Vries Datum DocType: School Settings,Attendance Freeze Date,Bijwonen Vries Datum DocType: Opportunity,Your sales person who will contact the customer in future,Uw verkoper die in de toekomst contact zal opnemen met de klant. -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Lijst een paar van uw leveranciers . Ze kunnen organisaties of personen . +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Lijst een paar van uw leveranciers . Ze kunnen organisaties of personen . apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Bekijk alle producten apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum leeftijd (dagen) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,alle stuklijsten +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,alle stuklijsten DocType: Company,Default Currency,Standaard valuta DocType: Expense Claim,From Employee,Van Medewerker -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Waarschuwing: Het systeem zal niet controleren overbilling sinds bedrag voor post {0} in {1} nul +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Waarschuwing: Het systeem zal niet controleren overbilling sinds bedrag voor post {0} in {1} nul DocType: Journal Entry,Make Difference Entry,Maak Verschil Entry DocType: Upload Attendance,Attendance From Date,Aanwezigheid Van Datum DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area @@ -1173,7 +1173,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Registratienummers van de onderneming voor uw referentie. Fiscale nummers, enz." DocType: Sales Partner,Distributor,Distributeur DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Winkelwagen Verzenden Regel -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Productie Order {0} moet worden geannuleerd voor het annuleren van deze verkooporder +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Productie Order {0} moet worden geannuleerd voor het annuleren van deze verkooporder apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Stel 'Solliciteer Extra Korting op' ,Ordered Items To Be Billed,Bestelde artikelen te factureren apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Van Range moet kleiner zijn dan om het bereik @@ -1182,10 +1182,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Inhoudingen DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start Jaar -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},De eerste 2 cijfers van GSTIN moeten overeenkomen met staat nummer {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},De eerste 2 cijfers van GSTIN moeten overeenkomen met staat nummer {0} DocType: Purchase Invoice,Start date of current invoice's period,Begindatum van de huidige factuurperiode DocType: Salary Slip,Leave Without Pay,Onbetaald verlof -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Capacity Planning Fout +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Capacity Planning Fout ,Trial Balance for Party,Trial Balance voor Party DocType: Lead,Consultant,Consultant DocType: Salary Slip,Earnings,Verdiensten @@ -1201,7 +1201,7 @@ DocType: Cheque Print Template,Payer Settings,Payer Instellingen DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dit zal worden toegevoegd aan de Code van het punt van de variant. Bijvoorbeeld, als je de afkorting is ""SM"", en de artikelcode is ""T-SHIRT"", de artikelcode van de variant zal worden ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettoloon (in woorden) zal zichtbaar zijn zodra de Salarisstrook wordt opgeslagen. DocType: Purchase Invoice,Is Return,Is Return -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Return / betaalkaart Note +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Return / betaalkaart Note DocType: Price List Country,Price List Country,Prijslijst Land DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} geldig serienummers voor Artikel {1} @@ -1214,7 +1214,7 @@ DocType: Employee Loan,Partially Disbursed,gedeeltelijk uitbetaald apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverancierbestand DocType: Account,Balance Sheet,Balans apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Kostenplaats Item met Item Code ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode is niet geconfigureerd. Controleer, of rekening is ingesteld op de wijze van betalingen of op POS Profile." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode is niet geconfigureerd. Controleer, of rekening is ingesteld op de wijze van betalingen of op POS Profile." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Uw verkoper krijgt een herinnering op deze datum om contact op te nemen met de klant apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Hetzelfde item kan niet meerdere keren worden ingevoerd. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Verdere accounts kan worden gemaakt onder groepen, maar items kunnen worden gemaakt tegen niet-Groepen" @@ -1244,7 +1244,7 @@ DocType: Employee Loan Application,Repayment Info,terugbetaling Info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Invoer' kan niet leeg zijn apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Dubbele rij {0} met dezelfde {1} ,Trial Balance,Proefbalans -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Boekjaar {0} niet gevonden +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Boekjaar {0} niet gevonden apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Het opzetten van Werknemers DocType: Sales Order,SO-,ZO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Selecteer eerst een voorvoegsel @@ -1259,11 +1259,11 @@ DocType: Grading Scale,Intervals,intervallen apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Vroegst apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Een artikel Group bestaat met dezelfde naam , moet u de naam van het item of de naam van de artikelgroep" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Rest van de Wereld +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Rest van de Wereld apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,De Punt {0} kan niet Batch hebben ,Budget Variance Report,Budget Variantie Rapport DocType: Salary Slip,Gross Pay,Brutoloon -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rij {0}: Activiteit Type is verplicht. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Rij {0}: Activiteit Type is verplicht. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividenden betaald apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Boekhoudboek DocType: Stock Reconciliation,Difference Amount,Verschil Bedrag @@ -1286,18 +1286,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Werknemer Verlof Balans apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Saldo van rekening {0} moet altijd {1} zijn apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Valuation Rate vereist voor post in rij {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Voorbeeld: Masters in Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Voorbeeld: Masters in Computer Science DocType: Purchase Invoice,Rejected Warehouse,Afgewezen Magazijn DocType: GL Entry,Against Voucher,Tegen Voucher DocType: Item,Default Buying Cost Center,Standaard Inkoop kostenplaats apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Om het beste uit ERPNext krijgen, raden wij u aan wat tijd te nemen en te kijken deze hulp video's." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,naar +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,naar DocType: Supplier Quotation Item,Lead Time in days,Levertijd in dagen apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Crediteuren Samenvatting -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},De betaling van het salaris van {0} tot {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},De betaling van het salaris van {0} tot {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Niet bevoegd om bevroren rekening te bewerken {0} DocType: Journal Entry,Get Outstanding Invoices,Get openstaande facturen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Verkooporder {0} is niet geldig +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Verkooporder {0} is niet geldig apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Inkooporders helpen bij het plannen en opvolgen van uw aankopen apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Sorry , bedrijven kunnen niet worden samengevoegd" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1319,8 +1319,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Indirecte Kosten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Rij {0}: Aantal is verplicht apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,landbouw -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Uw producten of diensten +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Uw producten of diensten DocType: Mode of Payment,Mode of Payment,Wijze van betaling apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Website Afbeelding moet een openbaar bestand of website URL zijn DocType: Student Applicant,AP,AP @@ -1340,18 +1340,18 @@ DocType: Student Group Student,Group Roll Number,Groepsrolnummer DocType: Student Group Student,Group Roll Number,Groepsrolnummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Voor {0}, kan alleen credit accounts worden gekoppeld tegen een andere debetboeking" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totaal van alle taak gewichten moeten 1. Pas gewichten van alle Project taken dienovereenkomstig -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Vrachtbrief {0} is niet ingediend +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Vrachtbrief {0} is niet ingediend apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Artikel {0} moet een uitbesteed artikel zijn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitaalgoederen apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prijsbepalingsregel wordt eerst geselecteerd op basis van 'Toepassen op' veld, dat kan zijn artikel, artikelgroep of merk." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Stel eerst de productcode in +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Stel eerst de productcode in DocType: Hub Settings,Seller Website,Verkoper Website DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Totaal toegewezen percentage voor verkoopteam moet 100 zijn DocType: Appraisal Goal,Goal,Doel DocType: Sales Invoice Item,Edit Description,Bewerken Beschrijving ,Team Updates,team updates -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,voor Leverancier +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,voor Leverancier DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Instellen Account Type helpt bij het selecteren van deze account in transacties. DocType: Purchase Invoice,Grand Total (Company Currency),Grand Total (Company Munt) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Maak Print Format @@ -1365,12 +1365,12 @@ DocType: Item,Website Item Groups,Website Artikelgroepen DocType: Purchase Invoice,Total (Company Currency),Totaal (Company valuta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Serienummer {0} meer dan eens ingevoerd DocType: Depreciation Schedule,Journal Entry,Journaalpost -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} items in progress +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} items in progress DocType: Workstation,Workstation Name,Naam van werkstation DocType: Grading Scale Interval,Grade Code,Grade Code DocType: POS Item Group,POS Item Group,POS Item Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},Stuklijst {0} behoort niet tot Artikel {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},Stuklijst {0} behoort niet tot Artikel {1} DocType: Sales Partner,Target Distribution,Doel Distributie 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 @@ -1427,7 +1427,7 @@ DocType: Quotation,Shopping Cart,Winkelwagen apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Gem Daily Uitgaande DocType: POS Profile,Campaign,Campagne DocType: Supplier,Name and Type,Naam en Type -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Goedkeuring Status moet worden ' goedgekeurd ' of ' Afgewezen ' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Goedkeuring Status moet worden ' goedgekeurd ' of ' Afgewezen ' DocType: Purchase Invoice,Contact Person,Contactpersoon apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Verwacht Startdatum' kan niet groter zijn dan 'Verwachte Einddatum' DocType: Course Scheduling Tool,Course End Date,Cursus Einddatum @@ -1439,8 +1439,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Prefered Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Netto wijziging in vaste activa DocType: Leave Control Panel,Leave blank if considered for all designations,Laat leeg indien overwogen voor alle aanduidingen -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge van het type ' Actual ' in rij {0} kan niet worden opgenomen in Item Rate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge van het type ' Actual ' in rij {0} kan niet worden opgenomen in Item Rate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Van Datetime DocType: Email Digest,For Company,Voor Bedrijf apps/erpnext/erpnext/config/support.py +17,Communication log.,Communicatie log. @@ -1482,7 +1482,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Functieprofiel DocType: Journal Entry Account,Account Balance,Rekeningbalans apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Fiscale Regel voor transacties. DocType: Rename Tool,Type of document to rename.,Type document te hernoemen. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,We kopen dit artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,We kopen dit artikel apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: een klant is vereist voor Te Ontvangen rekening {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totaal belastingen en toeslagen (Bedrijfsvaluta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Toon ongesloten fiscale jaar P & L saldi @@ -1493,7 +1493,7 @@ DocType: Quality Inspection,Readings,Lezingen DocType: Stock Entry,Total Additional Costs,Totaal Bijkomende kosten DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Scrap Materiaal Kosten (Company Munt) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Uitbesteed werk +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Uitbesteed werk DocType: Asset,Asset Name,Asset Naam DocType: Project,Task Weight,Task Weight DocType: Shipping Rule Condition,To Value,Tot Waarde @@ -1522,7 +1522,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Item Varianten DocType: Company,Services,Services DocType: HR Settings,Email Salary Slip to Employee,E-mail loonstrook te Employee DocType: Cost Center,Parent Cost Center,Bovenliggende kostenplaats -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Stel mogelijke Leverancier +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Stel mogelijke Leverancier DocType: Sales Invoice,Source,Bron apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Toon gesloten DocType: Leave Type,Is Leave Without Pay,Is onbetaald verlof @@ -1534,7 +1534,7 @@ DocType: POS Profile,Apply Discount,Solliciteer Discount DocType: GST HSN Code,GST HSN Code,GST HSN-code DocType: Employee External Work History,Total Experience,Total Experience apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Open Projects -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Pakbon(nen) geannuleerd +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Pakbon(nen) geannuleerd apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,De cashflow uit investeringsactiviteiten DocType: Program Course,Program Course,programma Course apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Vracht-en verzendkosten @@ -1575,9 +1575,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,programma Inschrijvingen DocType: Sales Invoice Item,Brand Name,Merknaam DocType: Purchase Receipt,Transporter Details,Transporter Details -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Standaard magazijn is nodig voor geselecteerde punt -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Doos -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,mogelijke Leverancier +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Standaard magazijn is nodig voor geselecteerde punt +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Doos +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,mogelijke Leverancier DocType: Budget,Monthly Distribution,Maandelijkse Verdeling apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Ontvanger Lijst is leeg. Maak Ontvanger Lijst DocType: Production Plan Sales Order,Production Plan Sales Order,Productie Plan Verkooporder @@ -1610,7 +1610,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Claims voor b apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studenten worden in het hart van het systeem, voegt al jouw leerlingen" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Rij # {0}: Clearance date {1} kan niet vóór Cheque Date {2} DocType: Company,Default Holiday List,Standaard Vakantiedagen Lijst -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Voorraad Verplichtingen DocType: Purchase Invoice,Supplier Warehouse,Leverancier Magazijn DocType: Opportunity,Contact Mobile No,Contact Mobiele nummer @@ -1626,18 +1626,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Verlof van type {0} kan niet langer zijn dan {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Probeer plan operaties voor X dagen van tevoren. DocType: HR Settings,Stop Birthday Reminders,Stop verjaardagsherinneringen -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Stel Default Payroll Payable account in Company {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Stel Default Payroll Payable account in Company {0} DocType: SMS Center,Receiver List,Ontvanger Lijst -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Zoekitem +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Zoekitem apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Verbruikte hoeveelheid apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Netto wijziging in cash DocType: Assessment Plan,Grading Scale,Grading Scale apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Eenheid {0} is meer dan eens ingevoerd in Conversie Factor Tabel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Reeds voltooid +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Reeds voltooid apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Voorraad in de hand apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Betalingsverzoek bestaat al {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kosten van Items Afgegeven -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Hoeveelheid mag niet meer zijn dan {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Hoeveelheid mag niet meer zijn dan {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Vorig boekjaar is niet gesloten apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Leeftijd (dagen) DocType: Quotation Item,Quotation Item,Offerte Artikel @@ -1651,6 +1651,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Referentie document apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} is geannuleerd of gestopt DocType: Accounts Settings,Credit Controller,Credit Controller +DocType: Sales Order,Final Delivery Date,Afleverdatum DocType: Delivery Note,Vehicle Dispatch Date,Voertuig Vertrekdatum DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Ontvangstbevestiging {0} is niet ingediend @@ -1743,9 +1744,9 @@ DocType: Employee,Date Of Retirement,Pensioneringsdatum DocType: Upload Attendance,Get Template,Get Sjabloon DocType: Material Request,Transferred,overgedragen DocType: Vehicle,Doors,deuren -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup is voltooid! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup is voltooid! DocType: Course Assessment Criteria,Weightage,Weging -DocType: Sales Invoice,Tax Breakup,Belastingverdeling +DocType: Purchase Invoice,Tax Breakup,Belastingverdeling DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: kostenplaats is nodig voor 'Winst- en verliesrekening' account {2}. Gelieve een standaard kostenplaats voor de onderneming op te zetten. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Een Klantgroep met dezelfde naam bestaat. Gelieve de naam van de Klant of de Klantgroep wijzigen @@ -1758,14 +1759,14 @@ DocType: Announcement,Instructor,Instructeur DocType: Employee,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Als dit item heeft varianten, dan kan het niet worden geselecteerd in verkooporders etc." DocType: Lead,Next Contact By,Volgende Contact Door -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Benodigde hoeveelheid voor item {0} in rij {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Benodigde hoeveelheid voor item {0} in rij {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazijn {0} kan niet worden verwijderd als er voorraad is voor artikel {1} DocType: Quotation,Order Type,Order Type DocType: Purchase Invoice,Notification Email Address,Notificatie e-mailadres ,Item-wise Sales Register,Artikelgebaseerde Verkoop Register DocType: Asset,Gross Purchase Amount,Gross Aankoopbedrag DocType: Asset,Depreciation Method,afschrijvingsmethode -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Is dit inbegrepen in de Basic Rate? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Totaal Doel DocType: Job Applicant,Applicant for a Job,Aanvrager van een baan @@ -1787,7 +1788,7 @@ DocType: Employee,Leave Encashed?,Verlof verzilverd? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"""Opportuniteit Van"" veld is verplicht" DocType: Email Digest,Annual Expenses,jaarlijkse kosten DocType: Item,Variants,Varianten -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Maak inkooporder +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Maak inkooporder DocType: SMS Center,Send To,Verzenden naar apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Er is niet genoeg verlofsaldo voor Verlof type {0} DocType: Payment Reconciliation Payment,Allocated amount,Toegewezen bedrag @@ -1795,7 +1796,7 @@ DocType: Sales Team,Contribution to Net Total,Bijdrage aan Netto Totaal DocType: Sales Invoice Item,Customer's Item Code,Artikelcode van Klant DocType: Stock Reconciliation,Stock Reconciliation,Voorraad Aflettering DocType: Territory,Territory Name,Regio Naam -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Werk in uitvoering Magazijn is vereist alvorens in te dienen +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Werk in uitvoering Magazijn is vereist alvorens in te dienen apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Kandidaat voor een baan. DocType: Purchase Order Item,Warehouse and Reference,Magazijn en Referentie DocType: Supplier,Statutory info and other general information about your Supplier,Wettelijke info en andere algemene informatie over uw leverancier @@ -1808,16 +1809,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,taxaties apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Dubbel Serienummer ingevoerd voor Artikel {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Een voorwaarde voor een Verzendregel apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Kom binnen alstublieft -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan niet overbill voor post {0} in rij {1} meer dan {2}. Om over-facturering mogelijk te maken, stelt u in het kopen van Instellingen" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Stel filter op basis van artikel of Warehouse +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan niet overbill voor post {0} in rij {1} meer dan {2}. Om over-facturering mogelijk te maken, stelt u in het kopen van Instellingen" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Stel filter op basis van artikel of Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Het nettogewicht van dit pakket. (Wordt automatisch berekend als de som van de netto-gewicht van de artikelen) DocType: Sales Order,To Deliver and Bill,Te leveren en Bill DocType: Student Group,Instructors,instructeurs DocType: GL Entry,Credit Amount in Account Currency,Credit Bedrag in account Valuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,Stuklijst {0} moet worden ingediend +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,Stuklijst {0} moet worden ingediend DocType: Authorization Control,Authorization Control,Autorisatie controle apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rij # {0}: Afgekeurd Warehouse is verplicht tegen verworpen Item {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Betaling +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Betaling apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Magazijn {0} is niet gekoppeld aan een account, vermeld alstublieft het account in het magazijnrecord of stel de standaard inventaris rekening in bedrijf {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Beheer uw bestellingen DocType: Production Order Operation,Actual Time and Cost,Werkelijke Tijd en kosten @@ -1833,12 +1834,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundel DocType: Quotation Item,Actual Qty,Werkelijk aantal DocType: Sales Invoice Item,References,Referenties DocType: Quality Inspection Reading,Reading 10,Meting 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Een lijst van uw producten of diensten die u koopt of verkoopt . +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Een lijst van uw producten of diensten die u koopt of verkoopt . DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,U hebt dubbele artikelen ingevoerd. Aub aanpassen en opnieuw proberen. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,associëren +DocType: Company,Sales Target,Verkoopdoel DocType: Asset Movement,Asset Movement,Asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,nieuwe winkelwagen +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,nieuwe winkelwagen apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Artikel {0} is geen seriegebonden artikel DocType: SMS Center,Create Receiver List,Maak Ontvanger Lijst DocType: Vehicle,Wheels,Wheels @@ -1880,13 +1882,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Managing Projects DocType: Supplier,Supplier of Goods or Services.,Leverancier van goederen of diensten. DocType: Budget,Fiscal Year,Boekjaar DocType: Vehicle Log,Fuel Price,Fuel Price +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Gelieve op te stellen nummeringsreeks voor Attendance via Setup> Numbering Series DocType: Budget,Budget,Begroting apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Fixed Asset punt moet een niet-voorraad artikel zijn. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan niet worden toegewezen tegen {0}, want het is geen baten of lasten rekening" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Bereikt DocType: Student Admission,Application Form Route,Aanvraagformulier Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Regio / Klantenservice -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,bijv. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,bijv. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Laat Type {0} kan niet worden toegewezen omdat het te verlaten zonder te betalen apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Rij {0}: Toegewezen bedrag {1} moet kleiner zijn dan of gelijk aan openstaande bedrag te factureren {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In Woorden zijn zichtbaar zodra u de Verkoopfactuur opslaat. @@ -1895,11 +1898,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Artikel {0} is niet ingesteld voor serienummers. Controleer Artikelstam DocType: Maintenance Visit,Maintenance Time,Onderhoud Tijd ,Amount to Deliver,Bedrag te leveren -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Een product of dienst +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Een product of dienst apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,De Term Start datum kan niet eerder dan het jaar startdatum van het studiejaar waarop de term wordt gekoppeld zijn (Academisch Jaar {}). Corrigeer de data en probeer het opnieuw. DocType: Guardian,Guardian Interests,Guardian Interesses DocType: Naming Series,Current Value,Huidige waarde -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Meerdere fiscale jaar bestaan voor de datum {0}. Stel onderneming in het fiscale jaar +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Meerdere fiscale jaar bestaan voor de datum {0}. Stel onderneming in het fiscale jaar apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} aangemaakt DocType: Delivery Note Item,Against Sales Order,Tegen klantorder ,Serial No Status,Serienummer Status @@ -1913,7 +1916,7 @@ DocType: Pricing Rule,Selling,Verkoop apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Bedrag {0} {1} in mindering gebracht tegen {2} DocType: Employee,Salary Information,Salaris Informatie DocType: Sales Person,Name and Employee ID,Naam en Werknemer ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Vervaldatum mag niet voor de boekingsdatum zijn +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Vervaldatum mag niet voor de boekingsdatum zijn DocType: Website Item Group,Website Item Group,Website Artikel Groep apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Invoerrechten en Belastingen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Vul Peildatum in @@ -1969,9 +1972,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Stel de datum van aansluiting in voor werknemer {0} DocType: Task,Total Billing Amount (via Time Sheet),Totaal Billing Bedrag (via Urenregistratie) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Terugkerende klanten Opbrengsten -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) moet de rol 'Onkosten Goedkeurder' hebben -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,paar -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Selecteer BOM en Aantal voor productie +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) moet de rol 'Onkosten Goedkeurder' hebben +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,paar +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Selecteer BOM en Aantal voor productie DocType: Asset,Depreciation Schedule,afschrijving Schedule apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Verkooppartneradressen en contactpersonen DocType: Bank Reconciliation Detail,Against Account,Tegen Rekening @@ -1981,7 +1984,7 @@ DocType: Item,Has Batch No,Heeft Batch nr. apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Jaarlijkse Billing: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Goederen en Diensten Belasting (GST India) DocType: Delivery Note,Excise Page Number,Accijnzen Paginanummer -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Van Datum en tot op heden is verplicht" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Company, Van Datum en tot op heden is verplicht" DocType: Asset,Purchase Date,aankoopdatum DocType: Employee,Personal Details,Persoonlijke Gegevens apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Stel 'Asset Afschrijvingen Cost Center' in Company {0} @@ -1990,9 +1993,9 @@ DocType: Task,Actual End Date (via Time Sheet),Werkelijke Einddatum (via Urenreg apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Bedrag {0} {1} tegen {2} {3} ,Quotation Trends,Offerte Trends apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Artikelgroep niet genoemd in Artikelstam voor Artikel {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debet Om rekening moet een vordering-account +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debet Om rekening moet een vordering-account DocType: Shipping Rule Condition,Shipping Amount,Verzendbedrag -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Voeg klanten toe +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Voeg klanten toe apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,In afwachting van Bedrag DocType: Purchase Invoice Item,Conversion Factor,Conversiefactor DocType: Purchase Order,Delivered,Geleverd @@ -2015,7 +2018,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Omvatten Reconciled Entr DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Ouderlijke cursus (laat leeg, als dit niet deel uitmaakt van de ouderopleiding)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Ouderlijke cursus (laat leeg, als dit niet deel uitmaakt van de ouderopleiding)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Laat leeg indien overwogen voor alle werknemer soorten -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klant> Klantengroep> Territorium DocType: Landed Cost Voucher,Distribute Charges Based On,Verdeel Toeslagen op basis van apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,HR-instellingen @@ -2023,7 +2025,7 @@ DocType: Salary Slip,net pay info,nettoloon info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Kostendeclaratie is in afwachting van goedkeuring. Alleen de Kosten Goedkeurder kan status bijwerken. DocType: Email Digest,New Expenses,nieuwe Uitgaven DocType: Purchase Invoice,Additional Discount Amount,Extra korting Bedrag -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Rij # {0}: Aantal moet 1 als item is een vaste activa. Gebruik aparte rij voor meerdere aantal. +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Rij # {0}: Aantal moet 1 als item is een vaste activa. Gebruik aparte rij voor meerdere aantal. DocType: Leave Block List Allow,Leave Block List Allow,Laat Block List Laat apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr kan niet leeg of ruimte apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Groep om Non-groep @@ -2031,7 +2033,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport DocType: Loan Type,Loan Name,lening Naam apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Totaal Werkelijke DocType: Student Siblings,Student Siblings,student Broers en zussen -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,eenheid +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,eenheid apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Specificeer Bedrijf ,Customer Acquisition and Loyalty,Klantenwerving en behoud DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazijn waar u voorraad bijhoudt van afgewezen artikelen @@ -2050,12 +2052,12 @@ DocType: Workstation,Wages per hour,Loon per uur apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Voorraadbalans in Batch {0} zal negatief worden {1} voor Artikel {2} in Magazijn {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Volgende Material Aanvragen werden automatisch verhoogd op basis van re-order niveau-item DocType: Email Digest,Pending Sales Orders,In afwachting van klantorders -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Account {0} is ongeldig. Account Valuta moet {1} zijn +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Account {0} is ongeldig. Account Valuta moet {1} zijn apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Eenheid Omrekeningsfactor is vereist in rij {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rij # {0}: Reference document moet een van Sales Order, verkoopfactuur of Inboeken zijn" DocType: Salary Component,Deduction,Aftrek -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rij {0}: Van tijd en binnen Tijd is verplicht. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Rij {0}: Van tijd en binnen Tijd is verplicht. DocType: Stock Reconciliation Item,Amount Difference,bedrag Verschil apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Item Prijs toegevoegd {0} in de prijslijst {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vul Employee Id van deze verkoper @@ -2065,11 +2067,11 @@ DocType: Project,Gross Margin,Bruto Marge apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Vul eerst Productie Artikel in apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Berekende bankafschrift balans apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Uitgeschakelde gebruiker -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Offerte +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Offerte DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Totaal Aftrek ,Production Analytics,Production Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kosten Bijgewerkt +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Kosten Bijgewerkt DocType: Employee,Date of Birth,Geboortedatum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Artikel {0} is al geretourneerd DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Boekjaar** staat voor een financieel jaar. Alle boekingen en andere belangrijke transacties worden bijgehouden in **boekjaar**. @@ -2114,18 +2116,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Selecteer Bedrijf ... DocType: Leave Control Panel,Leave blank if considered for all departments,Laat leeg indien dit voor alle afdelingen is apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Vormen van dienstverband (permanent, contract, stage, etc. ) ." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} is verplicht voor Artikel {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} is verplicht voor Artikel {1} DocType: Process Payroll,Fortnightly,van twee weken DocType: Currency Exchange,From Currency,Van Valuta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Kosten van nieuwe aankoop -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Verkooporder nodig voor Artikel {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Verkooporder nodig voor Artikel {0} DocType: Purchase Invoice Item,Rate (Company Currency),Tarief (Bedrijfsvaluta) DocType: Student Guardian,Others,anderen DocType: Payment Entry,Unallocated Amount,Niet-toegewezen bedrag apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Kan een bijpassende Item niet vinden. Selecteer een andere waarde voor {0}. DocType: POS Profile,Taxes and Charges,Belastingen en Toeslagen DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Een Product of een Dienst dat wordt gekocht, verkocht of in voorraad wordt gehouden." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelcode> Itemgroep> Merk apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Niet meer updates apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Kan het type lading niet selecteren als 'On Vorige Row Bedrag ' of ' On Vorige Row Totaal ' voor de eerste rij apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Onderliggend item mag geen productbundel zijn. Gelieve item `{0}` te verwijderen en op te slaan @@ -2153,7 +2156,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Totaal factuurbedrag apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Er moet een standaard inkomende e-mail account nodig om dit te laten werken. Gelieve het inrichten van een standaard inkomende e-mail account (POP / IMAP) en probeer het opnieuw. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Vorderingen Account -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Rij # {0}: Asset {1} al {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Rij # {0}: Asset {1} al {2} DocType: Quotation Item,Stock Balance,Voorraad Saldo apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Sales om de betaling apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Directeur @@ -2178,10 +2181,11 @@ DocType: C-Form,Received Date,Ontvangstdatum DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Als u een standaard template in Sales en -heffingen Template hebt gemaakt, selecteert u een en klik op de knop hieronder." DocType: BOM Scrap Item,Basic Amount (Company Currency),Basisbedrag (Company Munt) DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverancier> Type leverancier DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,De prijzen zullen niet worden weergegeven als prijslijst niet is ingesteld apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Geef aub een land dat voor deze verzending Rule of kijk Wereldwijde verzending DocType: Stock Entry,Total Incoming Value,Totaal Inkomende Waarde -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debet Om vereist +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debet Om vereist apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets helpen bijhouden van de tijd, kosten en facturering voor activiteiten gedaan door uw team" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Purchase Price List DocType: Offer Letter Term,Offer Term,Aanbod Term @@ -2200,11 +2204,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,produ DocType: Timesheet Detail,To Time,Tot Tijd DocType: Authorization Rule,Approving Role (above authorized value),Goedkeuren Rol (boven de toegestane waarde) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Credit Om rekening moet een betalend account zijn -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Stuklijst recursie: {0} mag niet ouder of kind zijn van {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},Stuklijst recursie: {0} mag niet ouder of kind zijn van {2} DocType: Production Order Operation,Completed Qty,Voltooid aantal apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Voor {0}, kan alleen debet accounts worden gekoppeld tegen een andere creditering" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Prijslijst {0} is uitgeschakeld -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rij {0}: Voltooid Aantal kan niet meer zijn dan {1} voor de bediening {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rij {0}: Voltooid Aantal kan niet meer zijn dan {1} voor de bediening {2} DocType: Manufacturing Settings,Allow Overtime,Laat Overwerk apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} kan niet worden bijgewerkt met Stock Reconciliation, gebruik dan Voorraadinvoer" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} kan niet worden bijgewerkt met Stock Reconciliation, gebruik dan Voorraadinvoer" @@ -2223,10 +2227,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Extern apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Gebruikers en machtigingen DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Productieorders Gemaakt: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Productieorders Gemaakt: {0} DocType: Branch,Branch,Tak DocType: Guardian,Mobile Number,Mobiel nummer apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Printen en Branding +DocType: Company,Total Monthly Sales,Totale maandelijkse omzet DocType: Bin,Actual Quantity,Werkelijke hoeveelheid DocType: Shipping Rule,example: Next Day Shipping,Bijvoorbeeld: Next Day Shipping apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serienummer {0} niet gevonden @@ -2257,7 +2262,7 @@ DocType: Payment Request,Make Sales Invoice,Maak verkoopfactuur apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Volgende Contact datum kan niet in het verleden DocType: Company,For Reference Only.,Alleen voor referentie. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Selecteer batchnummer +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Selecteer batchnummer apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ongeldige {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-terugwerkende DocType: Sales Invoice Advance,Advance Amount,Voorschot Bedrag @@ -2270,7 +2275,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Geen Artikel met Barcode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Zaak nr. mag geen 0 DocType: Item,Show a slideshow at the top of the page,Laat een diavoorstelling zien aan de bovenkant van de pagina -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Winkels DocType: Serial No,Delivery Time,Levertijd apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Vergrijzing Based On @@ -2284,16 +2289,16 @@ DocType: Rename Tool,Rename Tool,Hernoem Tool apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Kosten bijwerken DocType: Item Reorder,Item Reorder,Artikel opnieuw ordenen apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Show loonstrook -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Verplaats Materiaal +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Verplaats Materiaal DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Geef de operaties, operationele kosten en geef een unieke operatienummer aan uw activiteiten ." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dit document is dan limiet van {0} {1} voor punt {4}. Bent u het maken van een andere {3} tegen dezelfde {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Stel terugkerende na het opslaan -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Selecteer verandering bedrag rekening +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Stel terugkerende na het opslaan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Selecteer verandering bedrag rekening DocType: Purchase Invoice,Price List Currency,Prijslijst Valuta DocType: Naming Series,User must always select,Gebruiker moet altijd kiezen DocType: Stock Settings,Allow Negative Stock,Laat Negatieve voorraad DocType: Installation Note,Installation Note,Installatie Opmerking -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Belastingen toevoegen +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Belastingen toevoegen DocType: Topic,Topic,Onderwerp apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,De cashflow uit financiële activiteiten DocType: Budget Account,Budget Account,budget account @@ -2307,7 +2312,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,trace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Bron van Kapitaal (Passiva) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Hoeveelheid in rij {0} ({1}) moet hetzelfde zijn als geproduceerde hoeveelheid {2} DocType: Appraisal,Employee,Werknemer -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Selecteer batch +DocType: Company,Sales Monthly History,Verkoop Maandelijkse Geschiedenis +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Selecteer batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} is volledig gefactureerd DocType: Training Event,End Time,Eindtijd apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Actieve salarisstructuur {0} gevonden voor werknemer {1} de uitgekozen datum @@ -2315,15 +2321,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Betaling Aftrek of verlies apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standaard contractvoorwaarden voor Verkoop of Inkoop . apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Groep volgens Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Sales Pipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Stel standaard account aan Salaris Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Stel standaard account aan Salaris Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Vereist op DocType: Rename Tool,File to Rename,Bestand naar hernoemen apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Selecteer BOM voor post in rij {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Rekening {0} komt niet overeen met Bedrijf {1} in Rekeningmodus: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Gespecificeerde Stuklijst {0} bestaat niet voor Artikel {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Onderhoudsschema {0} moet worden geannuleerd voordat het annuleren van deze verkooporder +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Onderhoudsschema {0} moet worden geannuleerd voordat het annuleren van deze verkooporder DocType: Notification Control,Expense Claim Approved,Kostendeclaratie Goedgekeurd -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Gelieve op te stellen nummeringsreeks voor Attendance via Setup> Numbering Series apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Loonstrook van de werknemer {0} al gemaakt voor deze periode apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutisch apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kosten van gekochte artikelen @@ -2340,7 +2345,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Stuklijst nr voor e DocType: Upload Attendance,Attendance To Date,Aanwezigheid graag: DocType: Warranty Claim,Raised By,Opgevoed door DocType: Payment Gateway Account,Payment Account,Betaalrekening -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Specificeer Bedrijf om verder te gaan +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Specificeer Bedrijf om verder te gaan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Netto wijziging in Debiteuren apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,compenserende Off DocType: Offer Letter,Accepted,Geaccepteerd @@ -2349,12 +2354,12 @@ DocType: SG Creation Tool Course,Student Group Name,Student Group Name apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Zorg ervoor dat u echt wilt alle transacties voor dit bedrijf te verwijderen. Uw stamgegevens zal blijven zoals het is. Deze actie kan niet ongedaan gemaakt worden. DocType: Room,Room Number,Kamernummer apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ongeldige referentie {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan niet groter zijn dan geplande hoeveelheid ({2}) in productieorders {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan niet groter zijn dan geplande hoeveelheid ({2}) in productieorders {3} DocType: Shipping Rule,Shipping Rule Label,Verzendregel Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Gebruikers Forum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Grondstoffen kan niet leeg zijn. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Kon niet bijwerken voorraad, factuur bevat daling van de scheepvaart punt." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Journal Entry +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Grondstoffen kan niet leeg zijn. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Kon niet bijwerken voorraad, factuur bevat daling van de scheepvaart punt." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Quick Journal Entry apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,U kunt het tarief niet veranderen als een artikel Stuklijst-gerelateerd is. DocType: Employee,Previous Work Experience,Vorige Werkervaring DocType: Stock Entry,For Quantity,Voor Aantal @@ -2411,7 +2416,7 @@ DocType: SMS Log,No of Requested SMS,Aantal gevraagde SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Onbetaald verlof komt niet overeen met de goedgekeurde verlofaanvraag verslagen DocType: Campaign,Campaign-.####,Campagne-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Volgende stappen -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Gelieve de opgegeven items aan de best mogelijke prijzen +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Gelieve de opgegeven items aan de best mogelijke prijzen DocType: Selling Settings,Auto close Opportunity after 15 days,Auto dicht Opportunity na 15 dagen apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Eindjaar apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2469,7 +2474,7 @@ DocType: Homepage,Homepage,Startpagina DocType: Purchase Receipt Item,Recd Quantity,Benodigde hoeveelheid apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Records Gemaakt - {0} DocType: Asset Category Account,Asset Category Account,Asset Categorie Account -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Kan niet meer produceren van Artikel {0} dan de Verkooporder hoeveelheid {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Kan niet meer produceren van Artikel {0} dan de Verkooporder hoeveelheid {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock Entry {0} is niet ingediend DocType: Payment Reconciliation,Bank / Cash Account,Bank- / Kasrekening apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Volgende Contact Door het kan niet hetzelfde zijn als de Lead e-mailadres @@ -2502,7 +2507,7 @@ DocType: Salary Structure,Total Earning,Totale Winst DocType: Purchase Receipt,Time at which materials were received,Tijdstip waarop materialen zijn ontvangen DocType: Stock Ledger Entry,Outgoing Rate,Uitgaande Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisatie tak meester . -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,of +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,of DocType: Sales Order,Billing Status,Factuurstatus apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Issue melden? apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utiliteitskosten @@ -2510,7 +2515,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rij # {0}: Journal Entry {1} heeft geen account {2} of al vergeleken met een ander voucher DocType: Buying Settings,Default Buying Price List,Standaard Inkoop Prijslijst DocType: Process Payroll,Salary Slip Based on Timesheet,Salarisstrook Op basis van Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Geen enkele werknemer voor de hierboven geselecteerde criteria of salarisstrook al gemaakt +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Geen enkele werknemer voor de hierboven geselecteerde criteria of salarisstrook al gemaakt DocType: Notification Control,Sales Order Message,Verkooporder Bericht apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Instellen Standaardwaarden zoals Bedrijf , Valuta , huidige boekjaar , etc." DocType: Payment Entry,Payment Type,Betaling Type @@ -2534,7 +2539,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Ontvangst document moet worden ingediend DocType: Purchase Invoice Item,Received Qty,Ontvangen Aantal DocType: Stock Entry Detail,Serial No / Batch,Serienummer / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Niet betaald en niet geleverd +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Niet betaald en niet geleverd DocType: Product Bundle,Parent Item,Bovenliggend Artikel DocType: Account,Account Type,Rekening Type DocType: Delivery Note,DN-RET-,DN-terugwerkende @@ -2565,8 +2570,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Totaal toegewezen bedrag apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Stel standaard inventaris rekening voor permanente inventaris DocType: Item Reorder,Material Request Type,Materiaal Aanvraag Type -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry voor de salarissen van {0} tot {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage vol is, niet te redden" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry voor de salarissen van {0} tot {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage vol is, niet te redden" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Rij {0}: Verpakking Conversie Factor is verplicht apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Kostenplaats @@ -2584,7 +2589,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Inkom apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Als geselecteerde Pricing Regel is gemaakt voor 'Prijs', zal het Prijslijst overschrijven. Prijsstelling Regel prijs is de uiteindelijke prijs, dus geen verdere korting moet worden toegepast. Vandaar dat in transacties zoals Sales Order, Purchase Order etc, het zal worden opgehaald in 'tarief' veld, in plaats van het veld 'prijslijst Rate'." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Houd Leads bij per de industrie type. DocType: Item Supplier,Item Supplier,Artikel Leverancier -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Vul de artikelcode in om batchnummer op te halen +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Vul de artikelcode in om batchnummer op te halen apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Selecteer een waarde voor {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle adressen. DocType: Company,Stock Settings,Voorraad Instellingen @@ -2611,7 +2616,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Werkelijke Aantal Na Tr apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Geen loonstrook gevonden tussen {0} en {1} ,Pending SO Items For Purchase Request,In afwachting van Verkoop Artikelen voor Inkoopaanvraag apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,studentenadministratie -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} is uitgeschakeld +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} is uitgeschakeld DocType: Supplier,Billing Currency,Valuta DocType: Sales Invoice,SINV-RET-,SINV-terugwerkende apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Groot @@ -2641,7 +2646,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Application Status DocType: Fees,Fees,vergoedingen DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specificeer Wisselkoers om een valuta om te zetten in een andere -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Offerte {0} is geannuleerd +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Offerte {0} is geannuleerd apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Totale uitstaande bedrag DocType: Sales Partner,Targets,Doelen DocType: Price List,Price List Master,Prijslijst Master @@ -2658,7 +2663,7 @@ DocType: POS Profile,Ignore Pricing Rule,Negeer Prijsregel DocType: Employee Education,Graduate,Afstuderen DocType: Leave Block List,Block Days,Blokeer Dagen DocType: Journal Entry,Excise Entry,Accijnzen Boeking -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Waarschuwing: Sales Order {0} bestaat al tegen Klant Bestelling {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Waarschuwing: Sales Order {0} bestaat al tegen Klant Bestelling {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2697,7 +2702,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Als ,Salary Register,salaris Register DocType: Warehouse,Parent Warehouse,Parent Warehouse DocType: C-Form Invoice Detail,Net Total,Netto Totaal -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Standaard BOM niet gevonden voor Item {0} en Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Standaard BOM niet gevonden voor Item {0} en Project {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Definieer verschillende soorten lening DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Openstaand Bedrag @@ -2734,7 +2739,7 @@ DocType: Salary Detail,Condition and Formula Help,Toestand en Formula Help apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Beheer Grondgebied Boom. DocType: Journal Entry Account,Sales Invoice,Verkoopfactuur DocType: Journal Entry Account,Party Balance,Partij Balans -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Selecteer Apply Korting op +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Selecteer Apply Korting op DocType: Company,Default Receivable Account,Standaard Vordering Account DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Maak Bank Entry voor het totale salaris betaald voor de hierboven geselecteerde criteria DocType: Stock Entry,Material Transfer for Manufacture,Materiaal Verplaatsing voor Productie @@ -2748,7 +2753,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Klant Adres DocType: Employee Loan,Loan Details,Loan Details DocType: Company,Default Inventory Account,Standaard Inventaris Account -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rij {0}: Voltooid Aantal moet groter zijn dan nul. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Rij {0}: Voltooid Aantal moet groter zijn dan nul. DocType: Purchase Invoice,Apply Additional Discount On,Breng Extra Korting op DocType: Account,Root Type,Root Type DocType: Item,FIFO,FIFO @@ -2765,7 +2770,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Kwaliteitscontrole apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,Standard Template DocType: Training Event,Theory,Theorie -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Waarschuwing: Materiaal Aanvraag Aantal is minder dan Minimum Bestelhoeveelheid +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Waarschuwing: Materiaal Aanvraag Aantal is minder dan Minimum Bestelhoeveelheid apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Rekening {0} is bevroren DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Rechtspersoon / Dochteronderneming met een aparte Rekeningschema behoren tot de Organisatie. DocType: Payment Request,Mute Email,Mute-mail @@ -2789,7 +2794,7 @@ DocType: Training Event,Scheduled,Geplande apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Aanvraag voor een offerte. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Selecteer Item, waar "Is Stock Item" is "Nee" en "Is Sales Item" is "Ja" en er is geen enkel ander product Bundle" DocType: Student Log,Academic,Academisch -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Totaal vooraf ({0}) tegen Orde {1} kan niet groter zijn dan de Grand totaal zijn ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Totaal vooraf ({0}) tegen Orde {1} kan niet groter zijn dan de Grand totaal zijn ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selecteer Maandelijkse Distribution om ongelijk te verdelen doelen in heel maanden. DocType: Purchase Invoice Item,Valuation Rate,Waardering Tarief DocType: Stock Reconciliation,SR/,SR / @@ -2855,6 +2860,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Voer de naam van de campagne in als bron van onderzoek Campagne is apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Kranten Uitgeverijen apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Selecteer het fiscale jaar +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Verwachte leveringsdatum moet na verkoopdatum zijn apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Bestelniveau DocType: Company,Chart Of Accounts Template,Rekeningschema Template DocType: Attendance,Attendance Date,Aanwezigheid Datum @@ -2886,7 +2892,7 @@ DocType: Pricing Rule,Discount Percentage,Kortingspercentage DocType: Payment Reconciliation Invoice,Invoice Number,Factuurnummer DocType: Shopping Cart Settings,Orders,Bestellingen DocType: Employee Leave Approver,Leave Approver,Verlof goedkeurder -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Selecteer een batch alsjeblieft +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Selecteer een batch alsjeblieft DocType: Assessment Group,Assessment Group Name,Assessment Group Name DocType: Manufacturing Settings,Material Transferred for Manufacture,Overgedragen materiaal voor vervaardiging DocType: Expense Claim,"A user with ""Expense Approver"" role","Een gebruiker met ""Onkosten Goedkeurder"" rol" @@ -2923,7 +2929,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Laatste dag van de volgende maand DocType: Support Settings,Auto close Issue after 7 days,Auto dicht Issue na 7 dagen apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Verlof kan niet eerder worden toegewezen {0}, als verlof balans al-carry doorgestuurd in de toekomst toewijzing verlof record is {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Opmerking: Vanwege / Reference Data overschrijdt toegestaan klantenkrediet dagen door {0} dag (en) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Opmerking: Vanwege / Reference Data overschrijdt toegestaan klantenkrediet dagen door {0} dag (en) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,student Aanvrager DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINEEL VOOR RECEPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Cumulatieve afschrijvingen Rekening @@ -2934,7 +2940,7 @@ DocType: Item,Reorder level based on Warehouse,Bestelniveau gebaseerd op Warehou DocType: Activity Cost,Billing Rate,Billing Rate ,Qty to Deliver,Aantal te leveren ,Stock Analytics,Voorraad Analyses -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operations kan niet leeg zijn +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operations kan niet leeg zijn DocType: Maintenance Visit Purpose,Against Document Detail No,Tegen Document Detail nr apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party Type is verplicht DocType: Quality Inspection,Outgoing,Uitgaande @@ -2976,15 +2982,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Qty bij Warehouse apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Gefactureerd Bedrag DocType: Asset,Double Declining Balance,Double degressief -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Gesloten bestelling kan niet worden geannuleerd. Openmaken om te annuleren. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Gesloten bestelling kan niet worden geannuleerd. Openmaken om te annuleren. DocType: Student Guardian,Father,Vader -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Bijwerken Stock' kan niet worden gecontroleerd op vaste activa te koop +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Bijwerken Stock' kan niet worden gecontroleerd op vaste activa te koop DocType: Bank Reconciliation,Bank Reconciliation,Bank Aflettering DocType: Attendance,On Leave,Met verlof apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Blijf op de hoogte apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} behoort niet tot Company {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materiaal Aanvraag {0} is geannuleerd of gestopt -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Voeg een paar voorbeeld records toe +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Voeg een paar voorbeeld records toe apps/erpnext/erpnext/config/hr.py +301,Leave Management,Laat management apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Groeperen volgens Rekening DocType: Sales Order,Fully Delivered,Volledig geleverd @@ -2993,12 +2999,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Verschil moet Account een type Asset / Liability rekening zijn, aangezien dit Stock Verzoening is een opening Entry" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Uitbetaalde bedrag kan niet groter zijn dan Leningen zijn {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Inkoopordernummer nodig voor Artikel {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Productieorder niet gemaakt +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Productieorder niet gemaakt apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Van Datum' moet na 'Tot Datum' zijn apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Kan niet status als student te veranderen {0} is gekoppeld aan student toepassing {1} DocType: Asset,Fully Depreciated,volledig is afgeschreven ,Stock Projected Qty,Verwachte voorraad hoeveelheid -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Klant {0} behoort niet tot project {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Klant {0} behoort niet tot project {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Marked Attendance HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Offertes zijn voorstellen, biedingen u uw klanten hebben gestuurd" DocType: Sales Order,Customer's Purchase Order,Klant Bestelling @@ -3008,7 +3014,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Stel Aantal geboekte afschrijvingen apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Waarde of Aantal apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Bestellingen kunnen niet worden verhoogd voor: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,minuut +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,minuut DocType: Purchase Invoice,Purchase Taxes and Charges,Inkoop Belastingen en Toeslagen ,Qty to Receive,Aantal te ontvangen DocType: Leave Block List,Leave Block List Allowed,Laat toegestaan Block List @@ -3022,7 +3028,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Alle Leverancier Types DocType: Global Defaults,Disable In Words,Uitschakelen In Woorden apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Artikelcode is verplicht omdat Artikel niet automatisch is genummerd -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Offerte {0} niet van het type {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Offerte {0} niet van het type {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Onderhoudsschema Item DocType: Sales Order,% Delivered,% Geleverd DocType: Production Order,PRO-,PRO- @@ -3045,7 +3051,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Verkoper Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Totale aanschafkosten (via Purchase Invoice) DocType: Training Event,Start Time,Starttijd -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Kies aantal +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Kies aantal DocType: Customs Tariff Number,Customs Tariff Number,Douanetariefnummer apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Goedkeuring Rol kan niet hetzelfde zijn als de rol van de regel is van toepassing op apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Afmelden bij dit e-mailoverzicht @@ -3069,7 +3075,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Volledig gefactureerd apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Contanten in de hand -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Levering magazijn vereist voor voorraad artikel {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Levering magazijn vereist voor voorraad artikel {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Het bruto gewicht van het pakket. Meestal nettogewicht + verpakkingsmateriaal gewicht. (Voor afdrukken) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Programma DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts @@ -3079,7 +3085,7 @@ DocType: Student Group,Group Based On,Groep Gebaseerd op DocType: Journal Entry,Bill Date,Factuurdatum apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Service Punt, Type, de frequentie en de kosten bedragen nodig zijn" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Als er meerdere Prijsbepalings Regels zijn met de hoogste prioriteit, dan wordt de volgende interene prioriteit gehanteerd:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Wil je echt wilt toevoegen Alle loonstrook van {0} tot {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Wil je echt wilt toevoegen Alle loonstrook van {0} tot {1} DocType: Cheque Print Template,Cheque Height,Cheque Hoogte DocType: Supplier,Supplier Details,Leverancier Details DocType: Expense Claim,Approval Status,Goedkeuringsstatus @@ -3101,7 +3107,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Leiden tot Offerte apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Niets meer te zien. DocType: Lead,From Customer,Van Klant apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Oproepen -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,batches +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,batches DocType: Project,Total Costing Amount (via Time Logs),Totaal Costing bedrag (via Time Logs) DocType: Purchase Order Item Supplied,Stock UOM,Voorraad Eenheid apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Inkooporder {0} is niet ingediend @@ -3133,7 +3139,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Terug Tegen Purchase I DocType: Item,Warranty Period (in days),Garantieperiode (in dagen) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relatie met Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,De netto kasstroom uit operationele activiteiten -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,bijv. BTW +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,bijv. BTW apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Punt 4 DocType: Student Admission,Admission End Date,Toelating Einddatum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Uitbesteding @@ -3141,7 +3147,7 @@ DocType: Journal Entry Account,Journal Entry Account,Dagboek rekening apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,student Group DocType: Shopping Cart Settings,Quotation Series,Offerte Series apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Een item bestaat met dezelfde naam ( {0} ) , wijzigt u de naam van het item groep of hernoem het item" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Maak een keuze van de klant +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Maak een keuze van de klant DocType: C-Form,I,ik DocType: Company,Asset Depreciation Cost Center,Asset Afschrijvingen kostenplaats DocType: Sales Order Item,Sales Order Date,Verkooporder Datum @@ -3152,6 +3158,7 @@ DocType: Stock Settings,Limit Percent,Limit Procent ,Payment Period Based On Invoice Date,Betaling Periode gebaseerd op factuurdatum apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Ontbrekende Wisselkoersen voor {0} DocType: Assessment Plan,Examiner,Examinator +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel namenreeks voor {0} in via Setup> Settings> Naming Series DocType: Student,Siblings,broers en zussen DocType: Journal Entry,Stock Entry,Voorraadtransactie DocType: Payment Entry,Payment References,betaling Referenties @@ -3176,7 +3183,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Waar de productie-activiteiten worden uitgevoerd. DocType: Asset Movement,Source Warehouse,Bron Magazijn DocType: Installation Note,Installation Date,Installatie Datum -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Rij # {0}: Asset {1} hoort niet bij bedrijf {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Rij # {0}: Asset {1} hoort niet bij bedrijf {2} DocType: Employee,Confirmation Date,Bevestigingsdatum DocType: C-Form,Total Invoiced Amount,Totaal Gefactureerd bedrag apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Aantal kan niet groter zijn dan Max Aantal zijn @@ -3251,7 +3258,7 @@ DocType: Company,Default Letter Head,Standaard Briefhoofd DocType: Purchase Order,Get Items from Open Material Requests,Krijg items van Open Materiaal Aanvragen DocType: Item,Standard Selling Rate,Standard Selling Rate DocType: Account,Rate at which this tax is applied,Percentage waarmee deze belasting toegepast wordt -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Bestelaantal +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Bestelaantal apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Huidige vacatures DocType: Company,Stock Adjustment Account,Voorraad Aanpassing Rekening apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Afschrijven @@ -3265,7 +3272,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Leverancier levert aan de Klant apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Vorm / Item / {0}) is niet op voorraad apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Volgende Date moet groter zijn dan Posting Date -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Verval- / Referentiedatum kan niet na {0} zijn +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Verval- / Referentiedatum kan niet na {0} zijn apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Gegevens importeren en exporteren apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Geen studenten gevonden apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Factuur Boekingsdatum @@ -3286,12 +3293,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dit is gebaseerd op de aanwezigheid van de Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Geen studenten in apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Voeg meer items of geopend volledige vorm -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Vul 'Verwachte leverdatum' in -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Vrachtbrief {0} moet worden geannuleerd voordat het annuleren van deze Verkooporder +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Vrachtbrief {0} moet worden geannuleerd voordat het annuleren van deze Verkooporder apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Betaald bedrag + Afgeschreven bedrag kan niet groter zijn dan Eindtotaal apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} is geen geldig batchnummer voor Artikel {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Opmerking: Er is niet genoeg verlofsaldo voor Verlof type {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Ongeldige GSTIN of voer NA in voor niet-geregistreerde +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Ongeldige GSTIN of voer NA in voor niet-geregistreerde DocType: Training Event,Seminar,congres DocType: Program Enrollment Fee,Program Enrollment Fee,Programma inschrijvingsgeld DocType: Item,Supplier Items,Leverancier Artikelen @@ -3309,7 +3315,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Voorraad Veroudering apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} bestaat tegen student aanvrager {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Rooster -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}'is uitgeschakeld +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}'is uitgeschakeld apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Instellen als Open DocType: Cheque Print Template,Scanned Cheque,gescande Cheque DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Stuur automatische e-mails naar Contactpersonen op Indienen transacties. @@ -3356,7 +3362,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Prijslijst Wisselkoers DocType: Purchase Invoice Item,Rate,Tarief apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,intern -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Adres naam +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Adres naam DocType: Stock Entry,From BOM,Van BOM DocType: Assessment Code,Assessment Code,assessment Code apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Basis @@ -3369,20 +3375,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Salarisstructuur DocType: Account,Bank,Bank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,vliegmaatschappij -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Materiaal uitgeven +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Materiaal uitgeven DocType: Material Request Item,For Warehouse,Voor Magazijn DocType: Employee,Offer Date,Aanbieding datum apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citaten -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Je bent in de offline modus. Je zult niet in staat om te herladen tot je opnieuw verbonden bent met het netwerk. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Je bent in de offline modus. Je zult niet in staat om te herladen tot je opnieuw verbonden bent met het netwerk. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Geen groepen studenten gecreëerd. DocType: Purchase Invoice Item,Serial No,Serienummer apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Maandelijks te betalen bedrag kan niet groter zijn dan Leningen zijn apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Vul eerst Onderhoudsdetails in +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rij # {0}: Verwachte Afleverdatum kan niet vóór de Aankoopdatum zijn DocType: Purchase Invoice,Print Language,Print Taal DocType: Salary Slip,Total Working Hours,Totaal aantal Werkuren DocType: Stock Entry,Including items for sub assemblies,Inclusief items voor sub assemblies -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Voer waarde moet positief zijn -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelcode> Itemgroep> Merk +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Voer waarde moet positief zijn apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Alle gebieden DocType: Purchase Invoice,Items,Artikelen apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student is reeds ingeschreven. @@ -3405,7 +3411,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standaard maateenheid voor Variant '{0}' moet hetzelfde zijn als in zijn Template '{1}' DocType: Shipping Rule,Calculate Based On,Berekenen gebaseerd op DocType: Delivery Note Item,From Warehouse,Van Warehouse -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Geen Items met Bill of Materials voor fabricage +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Geen Items met Bill of Materials voor fabricage DocType: Assessment Plan,Supervisor Name,supervisor Naam DocType: Program Enrollment Course,Program Enrollment Course,Programma Inschrijvingscursus DocType: Program Enrollment Course,Program Enrollment Course,Programma Inschrijvingscursus @@ -3421,23 +3427,23 @@ DocType: Training Event Employee,Attended,bijgewoond apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dagen sinds laatste opdracht' moet groter of gelijk zijn aan nul DocType: Process Payroll,Payroll Frequency,payroll Frequency DocType: Asset,Amended From,Gewijzigd Van -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,grondstof +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,grondstof DocType: Leave Application,Follow via Email,Volg via e-mail apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Installaties en Machines DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Belasting bedrag na korting DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dagelijks Werk Samenvatting Instellingen -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Munteenheid van de prijslijst {0} is niet vergelijkbaar met de geselecteerde valuta {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Munteenheid van de prijslijst {0} is niet vergelijkbaar met de geselecteerde valuta {1} DocType: Payment Entry,Internal Transfer,Interne overplaatsing apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Onderliggende rekening bestaat voor deze rekening. U kunt deze niet verwijderen . apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ofwel doelwit aantal of streefbedrag is verplicht apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Er bestaat geen standaard Stuklijst voor Artikel {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Selecteer Boekingsdatum eerste +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Selecteer Boekingsdatum eerste apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Openingsdatum moeten vóór Sluitingsdatum DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kostenplaats met bestaande transacties kan niet worden omgezet naar grootboek DocType: Department,Days for which Holidays are blocked for this department.,Dagen waarvoor feestdagen zijn geblokkeerd voor deze afdeling. ,Produced,Geproduceerd -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Gemaakt loonbrieven +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Gemaakt loonbrieven DocType: Item,Item Code for Suppliers,Item Code voor leveranciers DocType: Issue,Raised By (Email),Opgevoerd door (E-mail) DocType: Training Event,Trainer Name,trainer Naam @@ -3445,9 +3451,10 @@ DocType: Mode of Payment,General,Algemeen apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Laatste Communicatie apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Laatste Communicatie apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan niet aftrekken als categorie is voor ' Valuation ' of ' Valuation en Total ' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lijst uw fiscale koppen (bv BTW, douane etc, ze moeten unieke namen hebben) en hun standaard tarieven. Dit zal een standaard template, die u kunt bewerken en voeg later meer te creëren." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lijst uw fiscale koppen (bv BTW, douane etc, ze moeten unieke namen hebben) en hun standaard tarieven. Dit zal een standaard template, die u kunt bewerken en voeg later meer te creëren." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Volgnummers zijn vereist voor Seriegebonden Artikel {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Betalingen met Facturen +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Rij # {0}: Vul de Leveringsdatum in bij item {1} DocType: Journal Entry,Bank Entry,Bank Invoer DocType: Authorization Rule,Applicable To (Designation),Van toepassing zijn op (Benaming) ,Profitability Analysis,winstgevendheid Analyse @@ -3463,17 +3470,18 @@ DocType: Quality Inspection,Item Serial No,Artikel Serienummer apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Maak Employee Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Totaal Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Boekhouding Jaarrekening -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,uur +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,uur apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nieuw Serienummer kan geen Magazijn krijgen. Magazijn moet via Voorraad Invoer of Ontvangst worden ingesteld. DocType: Lead,Lead Type,Lead Type apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,U bent niet bevoegd om afwezigheid goed te keuren op Block Dates -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Al deze items zijn reeds gefactureerde +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Al deze items zijn reeds gefactureerde +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Maandelijks verkooppunt apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kan door {0} worden goedgekeurd DocType: Item,Default Material Request Type,Standaard Materiaal Request Type apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Onbekend DocType: Shipping Rule,Shipping Rule Conditions,Verzendregel Voorwaarden DocType: BOM Replace Tool,The new BOM after replacement,De nieuwe Stuklijst na vervanging -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Point of Sale DocType: Payment Entry,Received Amount,ontvangen Bedrag DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Sent On DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop door Guardian @@ -3490,8 +3498,8 @@ DocType: Batch,Source Document Name,Bron Document Naam DocType: Batch,Source Document Name,Bron Document Naam DocType: Job Opening,Job Title,Functietitel apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Gebruikers maken -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Hoeveelheid voor fabricage moet groter dan 0 zijn. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Hoeveelheid voor fabricage moet groter dan 0 zijn. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Bezoek rapport voor onderhoud gesprek. DocType: Stock Entry,Update Rate and Availability,Update snelheid en beschikbaarheid DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Percentage dat u meer mag ontvangen of leveren dan de bestelde hoeveelheid. Bijvoorbeeld: Als u 100 eenheden heeft besteld en uw bandbreedte is 10% dan mag u 110 eenheden ontvangen. @@ -3504,7 +3512,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Annuleer Purchase Invoice {0} eerste apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-mailadres moet uniek zijn, bestaat al voor {0}" DocType: Serial No,AMC Expiry Date,AMC Vervaldatum -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Ontvangst +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Ontvangst ,Sales Register,Verkoopregister DocType: Daily Work Summary Settings Company,Send Emails At,Stuur e-mails DocType: Quotation,Quotation Lost Reason,Reden verlies van Offerte @@ -3517,14 +3525,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Nog geen klan apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Kasstroomoverzicht apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Geleende bedrag kan niet hoger zijn dan maximaal bedrag van de lening van {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licentie -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Verwijder dit Invoice {0} van C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Verwijder dit Invoice {0} van C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Selecteer Carry Forward als u ook wilt opnemen vorige boekjaar uit balans laat dit fiscale jaar DocType: GL Entry,Against Voucher Type,Tegen Voucher Type DocType: Item,Attributes,Attributen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Voer Afschrijvingenrekening in apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Laatste Bestel Date apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Account {0} behoort niet tot bedrijf {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Serienummers in rij {0} komt niet overeen met bezorgingsnota +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Serienummers in rij {0} komt niet overeen met bezorgingsnota DocType: Student,Guardian Details,Guardian Details DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Attendance voor meerdere medewerkers @@ -3556,16 +3564,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,So DocType: Tax Rule,Sales,Verkoop DocType: Stock Entry Detail,Basic Amount,Basisbedrag DocType: Training Event,Exam,tentamen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Magazijn nodig voor voorraad Artikel {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Magazijn nodig voor voorraad Artikel {0} DocType: Leave Allocation,Unused leaves,Ongebruikte afwezigheden -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Billing State apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Verplaatsen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} niet geassocieerd met Party Account {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Haal uitgeklapte Stuklijst op (inclusief onderdelen) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Haal uitgeklapte Stuklijst op (inclusief onderdelen) DocType: Authorization Rule,Applicable To (Employee),Van toepassing zijn op (Werknemer) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Vervaldatum is verplicht apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Toename voor Attribute {0} kan niet worden 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klant> Klantengroep> Territorium DocType: Journal Entry,Pay To / Recd From,Betaal aan / Ontv van DocType: Naming Series,Setup Series,Instellen Reeksen DocType: Payment Reconciliation,To Invoice Date,Om factuurdatum @@ -3592,7 +3601,7 @@ DocType: Journal Entry,Write Off Based On,Afschrijving gebaseerd op apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,maak Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print en stationaire DocType: Stock Settings,Show Barcode Field,Show streepjescodeveld -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Stuur Leverancier Emails +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Stuur Leverancier Emails apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaris al verwerkt voor de periode tussen {0} en {1}, Laat aanvraagperiode kan niet tussen deze periode." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Installatie record voor een Serienummer DocType: Guardian Interest,Guardian Interest,Guardian Interest @@ -3606,7 +3615,7 @@ DocType: Offer Letter,Awaiting Response,Wachten op antwoord apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Boven apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Ongeldige eigenschap {0} {1} DocType: Supplier,Mention if non-standard payable account,Noem als niet-standaard betaalbaar account -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Hetzelfde item is meerdere keren ingevoerd. {lijst} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Hetzelfde item is meerdere keren ingevoerd. {lijst} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Selecteer de beoordelingsgroep anders dan 'Alle beoordelingsgroepen' DocType: Salary Slip,Earning & Deduction,Verdienen & Aftrek apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Optioneel. Deze instelling wordt gebruikt om te filteren op diverse transacties . @@ -3625,7 +3634,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kosten van Gesloopt Asset apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: kostenplaats is verplicht voor Artikel {2} DocType: Vehicle,Policy No,beleid Geen -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Krijg Items uit Product Bundle +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Krijg Items uit Product Bundle DocType: Asset,Straight Line,Rechte lijn DocType: Project User,Project User,project Gebruiker apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,spleet @@ -3640,6 +3649,7 @@ DocType: Bank Reconciliation,Payment Entries,betaling Entries DocType: Production Order,Scrap Warehouse,Scrap Warehouse DocType: Production Order,Check if material transfer entry is not required,Controleer of de invoer van materiaaloverdracht niet vereist is DocType: Production Order,Check if material transfer entry is not required,Controleer of de invoer van materiaaloverdracht niet vereist is +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Installeer alsjeblieft het Systeem van de personeelsnaam in het menselijk hulpmiddel> HR-instellingen DocType: Program Enrollment Tool,Get Students From,Krijgen studenten uit DocType: Hub Settings,Seller Country,Verkoper Land apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Artikelen publiceren op de website @@ -3658,19 +3668,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Specificeer de voorwaarden om het verzendbedrag te berekenen DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol toegestaan om Stel Frozen Accounts & bewerken Frozen Entries apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,Kan kostenplaats niet omzetten naar grootboek vanwege onderliggende nodes -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,opening Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,opening Value DocType: Salary Detail,Formula,Formule apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Commissie op de verkoop DocType: Offer Letter Term,Value / Description,Waarde / Beschrijving -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rij # {0}: Asset {1} kan niet worden ingediend, is het al {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rij # {0}: Asset {1} kan niet worden ingediend, is het al {2}" DocType: Tax Rule,Billing Country,Land DocType: Purchase Order Item,Expected Delivery Date,Verwachte leverdatum apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debet en Credit niet gelijk voor {0} # {1}. Verschil {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Representatiekosten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Maak Material Request apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open Item {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Verkoopfactuur {0} moet worden geannuleerd voordat deze verkooporder kan worden geannuleerd. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Verkoopfactuur {0} moet worden geannuleerd voordat deze verkooporder kan worden geannuleerd. apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Leeftijd DocType: Sales Invoice Timesheet,Billing Amount,Factuurbedrag apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ongeldig aantal opgegeven voor artikel {0} . Hoeveelheid moet groter zijn dan 0 . @@ -3693,7 +3703,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nieuwe klant Revenue apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Reiskosten DocType: Maintenance Visit,Breakdown,Storing -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Account: {0} met valuta: {1} kan niet worden geselecteerd +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Account: {0} met valuta: {1} kan niet worden geselecteerd DocType: Bank Reconciliation Detail,Cheque Date,Cheque Datum apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Rekening {0}: Bovenliggende rekening {1} hoort niet bij bedrijf: {2} DocType: Program Enrollment Tool,Student Applicants,student Aanvragers @@ -3713,11 +3723,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planni DocType: Material Request,Issued,Uitgegeven apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Studentactiviteit DocType: Project,Total Billing Amount (via Time Logs),Totaal factuurbedrag (via Time Logs) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Wij verkopen dit artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Wij verkopen dit artikel apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Leverancier Id DocType: Payment Request,Payment Gateway Details,Payment Gateway Details -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Hoeveelheid moet groter zijn dan 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Voorbeeldgegevens +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Hoeveelheid moet groter zijn dan 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Voorbeeldgegevens DocType: Journal Entry,Cash Entry,Cash Entry apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child nodes kunnen alleen worden gemaakt op grond van het type nodes 'Groep' DocType: Leave Application,Half Day Date,Halve dag datum @@ -3726,17 +3736,18 @@ DocType: Sales Partner,Contact Desc,Contact Omschr apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Type verloven zoals, buitengewoon, ziekte, etc." DocType: Email Digest,Send regular summary reports via Email.,Stuur regelmatige samenvattende rapporten via e-mail. DocType: Payment Entry,PE-,PE -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Stel standaard account aan Expense conclusie Type {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Stel standaard account aan Expense conclusie Type {0} DocType: Assessment Result,Student Name,Studenten naam DocType: Brand,Item Manager,Item Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,payroll Payable DocType: Buying Settings,Default Supplier Type,Standaard Leverancier Type DocType: Production Order,Total Operating Cost,Totale exploitatiekosten -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Opmerking : Artikel {0} meerdere keren ingevoerd +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Opmerking : Artikel {0} meerdere keren ingevoerd apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Alle contactpersonen. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Stel je doel in apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Bedrijf afkorting apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Gebruiker {0} bestaat niet -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Grondstof kan niet hetzelfde zijn als hoofdartikel +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Grondstof kan niet hetzelfde zijn als hoofdartikel DocType: Item Attribute Value,Abbreviation,Afkorting apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Betaling Entry bestaat al apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Niet toegestaan aangezien {0} grenzen overschrijdt @@ -3754,7 +3765,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Rol toegestaan om bevr ,Territory Target Variance Item Group-Wise,Regio Doel Variance Artikel Groepsgewijs apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Alle Doelgroepen apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Maandelijks geaccumuleerd -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} is verplicht. Misschien is Valuta Koers record niet gemaakt voor {1} naar {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} is verplicht. Misschien is Valuta Koers record niet gemaakt voor {1} naar {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Belasting Template is verplicht. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Rekening {0}: Bovenliggende rekening {1} bestaat niet DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prijslijst Tarief (Bedrijfsvaluta) @@ -3765,7 +3776,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Percentage Toewij apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,secretaresse DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Als uitschakelen, 'In de woorden' veld niet zichtbaar in elke transactie" DocType: Serial No,Distinct unit of an Item,Aanwijsbare eenheid van een Artikel -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Stel alsjeblieft bedrijf in +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Stel alsjeblieft bedrijf in DocType: Pricing Rule,Buying,Inkoop DocType: HR Settings,Employee Records to be created by,Werknemer Records worden gecreëerd door DocType: POS Profile,Apply Discount On,Breng Korting op @@ -3776,7 +3787,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Artikelgebaseerde BTW Details apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Instituut Afkorting ,Item-wise Price List Rate,Artikelgebaseerde Prijslijst Tarief -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Leverancier Offerte +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Leverancier Offerte DocType: Quotation,In Words will be visible once you save the Quotation.,In Woorden zijn zichtbaar zodra u de Offerte opslaat. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan geen fractie in rij {1} zijn apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan geen fractie in rij {1} zijn @@ -3801,7 +3812,7 @@ Updated via 'Time Log'","in Minuten DocType: Customer,From Lead,Van Lead apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Orders vrijgegeven voor productie. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Selecteer boekjaar ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS profiel nodig om POS Entry maken +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS profiel nodig om POS Entry maken DocType: Program Enrollment Tool,Enroll Students,inschrijven Studenten DocType: Hub Settings,Name Token,Naam Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standaard Verkoop @@ -3819,7 +3830,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Voorraad Waarde Verschil apps/erpnext/erpnext/config/learn.py +234,Human Resource,Human Resource DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Afletteren Betaling apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Belastingvorderingen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Productieorder is {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Productieorder is {0} DocType: BOM Item,BOM No,Stuklijst nr. DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} heeft geen rekening {1} of al vergeleken met andere voucher @@ -3833,7 +3844,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Upload apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Openstaande Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Set richt Item Group-wise voor deze verkoper. DocType: Stock Settings,Freeze Stocks Older Than [Days],Bevries Voorraden ouder dan [dagen] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rij # {0}: Asset is verplicht voor vaste activa aankoop / verkoop +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rij # {0}: Asset is verplicht voor vaste activa aankoop / verkoop apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Als twee of meer Pricing Regels zijn gevonden op basis van de bovenstaande voorwaarden, wordt prioriteit toegepast. Prioriteit is een getal tussen 0 en 20, terwijl standaardwaarde nul (blanco). Hoger aantal betekent dat het voorrang krijgen als er meerdere prijzen Regels met dezelfde voorwaarden." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Boekjaar: {0} bestaat niet DocType: Currency Exchange,To Currency,Naar Valuta @@ -3842,7 +3853,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Typen Onkostendec apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Verkoopprijs voor item {0} is lager dan de {1}. Verkoopprijs moet ten minste {2} zijn apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Verkoopprijs voor item {0} is lager dan de {1}. Verkoopprijs moet ten minste {2} zijn DocType: Item,Taxes,Belastingen -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Betaald en niet geleverd +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Betaald en niet geleverd DocType: Project,Default Cost Center,Standaard Kostenplaats DocType: Bank Guarantee,End Date,Einddatum apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock Transactions @@ -3859,7 +3870,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Dagelijks Werk Samenvatting Instellingen Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Artikel {0} genegeerd omdat het niet een voorraadartikel is DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Dien deze productieorder in voor verdere verwerking . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Dien deze productieorder in voor verdere verwerking . apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Om de prijsbepalingsregel in een specifieke transactie niet toe te passen, moeten alle toepasbare prijsbepalingsregels worden uitgeschakeld." DocType: Assessment Group,Parent Assessment Group,Parent Assessment Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs @@ -3867,10 +3878,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs DocType: Employee,Held On,Heeft plaatsgevonden op apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Productie Item ,Employee Information,Werknemer Informatie -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Tarief (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Tarief (%) DocType: Stock Entry Detail,Additional Cost,Bijkomende kosten apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Kan niet filteren op basis van vouchernummer, indien gegroepeerd per voucher" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Maak Leverancier Offerte +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Maak Leverancier Offerte DocType: Quality Inspection,Incoming,Inkomend DocType: BOM,Materials Required (Exploded),Benodigde materialen (uitgeklapt) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Gebruikers toe te voegen aan uw organisatie, anders dan jezelf" @@ -3886,7 +3897,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Account: {0} kan alleen worden bijgewerkt via Voorraad Transacties DocType: Student Group Creation Tool,Get Courses,krijg Cursussen DocType: GL Entry,Party,Partij -DocType: Sales Order,Delivery Date,Leveringsdatum +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Leveringsdatum DocType: Opportunity,Opportunity Date,Datum opportuniteit DocType: Purchase Receipt,Return Against Purchase Receipt,Terug Tegen Aankoop Receipt DocType: Request for Quotation Item,Request for Quotation Item,Offerte Item @@ -3900,7 +3911,7 @@ DocType: Task,Actual Time (in Hours),Werkelijke tijd (in uren) DocType: Employee,History In Company,Geschiedenis In Bedrijf apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nieuwsbrieven DocType: Stock Ledger Entry,Stock Ledger Entry,Voorraad Dagboek post -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Hetzelfde artikel is meerdere keren ingevoerd +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Hetzelfde artikel is meerdere keren ingevoerd DocType: Department,Leave Block List,Verlof bloklijst DocType: Sales Invoice,Tax ID,BTW-nummer apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Artikel {0} is niet ingesteld voor serienummers. Kolom moet leeg zijn @@ -3918,25 +3929,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Zwart DocType: BOM Explosion Item,BOM Explosion Item,Stuklijst Uitklap Artikel DocType: Account,Auditor,Revisor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} items geproduceerd +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} items geproduceerd DocType: Cheque Print Template,Distance from top edge,Afstand van bovenrand apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Prijslijst {0} is uitgeschakeld of bestaat niet DocType: Purchase Invoice,Return,Terugkeer DocType: Production Order Operation,Production Order Operation,Productie Order Operatie DocType: Pricing Rule,Disable,Uitschakelen -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Wijze van betaling is vereist om een betaling te doen +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Wijze van betaling is vereist om een betaling te doen DocType: Project Task,Pending Review,In afwachting van Beoordeling apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} is niet ingeschreven in de partij {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} kan niet worden gesloopt, want het is al {1}" DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Expense Claim) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Afwezig -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rij {0}: Munt van de BOM # {1} moet gelijk zijn aan de geselecteerde valuta zijn {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rij {0}: Munt van de BOM # {1} moet gelijk zijn aan de geselecteerde valuta zijn {2} DocType: Journal Entry Account,Exchange Rate,Wisselkoers -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Verkooporder {0} is niet ingediend +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Verkooporder {0} is niet ingediend DocType: Homepage,Tag Line,tag Line DocType: Fee Component,Fee Component,fee Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Vloot beheer -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Items uit voegen +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Items uit voegen DocType: Cheque Print Template,Regular,regelmatig apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Totaal weightage van alle beoordelingscriteria moet 100% zijn DocType: BOM,Last Purchase Rate,Laatste inkooptarief @@ -3957,12 +3968,12 @@ DocType: Employee,Reports to,Rapporteert aan DocType: SMS Settings,Enter url parameter for receiver nos,Voer URL-parameter voor de ontvanger nos DocType: Payment Entry,Paid Amount,Betaald Bedrag DocType: Assessment Plan,Supervisor,opzichter -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online ,Available Stock for Packing Items,Beschikbaar voor Verpakking Items DocType: Item Variant,Item Variant,Artikel Variant DocType: Assessment Result Tool,Assessment Result Tool,Assessment Result Tool DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Ingezonden bestellingen kunnen niet worden verwijderd +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Ingezonden bestellingen kunnen niet worden verwijderd apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Accountbalans reeds in Debet, 'Balans moet zijn' mag niet als 'Credit' worden ingesteld" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Quality Management apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Item {0} is uitgeschakeld @@ -3994,7 +4005,7 @@ DocType: Item Group,Default Expense Account,Standaard Kostenrekening apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID DocType: Employee,Notice (days),Kennisgeving ( dagen ) DocType: Tax Rule,Sales Tax Template,Sales Tax Template -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Selecteer items om de factuur te slaan +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Selecteer items om de factuur te slaan DocType: Employee,Encashment Date,Betalingsdatum DocType: Training Event,Internet,internet DocType: Account,Stock Adjustment,Voorraad aanpassing @@ -4043,10 +4054,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatc apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maximale korting toegestaan voor artikel: {0} is {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Intrinsieke waarde Op DocType: Account,Receivable,Vordering -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rij # {0}: Niet toegestaan om van leverancier te veranderen als bestelling al bestaat +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rij # {0}: Niet toegestaan om van leverancier te veranderen als bestelling al bestaat DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol welke is toegestaan om transacties in te dienen die gestelde kredietlimieten overschrijden . -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Selecteer Items voor fabricage -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master data synchronisatie, kan het enige tijd duren" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Selecteer Items voor fabricage +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master data synchronisatie, kan het enige tijd duren" DocType: Item,Material Issue,Materiaal uitgifte DocType: Hub Settings,Seller Description,Verkoper Beschrijving DocType: Employee Education,Qualification,Kwalificatie @@ -4067,11 +4078,10 @@ DocType: BOM,Rate Of Materials Based On,Prijs van materialen op basis van apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Support Analyse apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Verwijder het vinkje bij alle DocType: POS Profile,Terms and Conditions,Algemene Voorwaarden -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Installeer alsjeblieft het Systeem van de personeelsnaam in het menselijk hulpmiddel> HR-instellingen apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Tot Datum moet binnen het boekjaar vallenn. Ervan uitgaande dat Tot Datum = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hier kunt u onderhouden lengte, gewicht, allergieën, medische zorgen, enz." DocType: Leave Block List,Applies to Company,Geldt voor Bedrijf -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Kan niet annuleren omdat ingediende Voorraad Invoer {0} bestaat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Kan niet annuleren omdat ingediende Voorraad Invoer {0} bestaat DocType: Employee Loan,Disbursement Date,uitbetaling Date DocType: Vehicle,Vehicle,Voertuig DocType: Purchase Invoice,In Words,In Woorden @@ -4109,7 +4119,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Global Settings DocType: Assessment Result Detail,Assessment Result Detail,Assessment Resultaat Detail DocType: Employee Education,Employee Education,Werknemer Opleidingen apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicate artikelgroep gevonden in de artikelgroep tafel -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Het is nodig om Item Details halen. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Het is nodig om Item Details halen. DocType: Salary Slip,Net Pay,Nettoloon DocType: Account,Account,Rekening apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serienummer {0} is reeds ontvangen @@ -4117,7 +4127,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Voertuig log DocType: Purchase Invoice,Recurring Id,Terugkerende Id DocType: Customer,Sales Team Details,Verkoop Team Details -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Permanent verwijderen? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Permanent verwijderen? DocType: Expense Claim,Total Claimed Amount,Totaal gedeclareerd bedrag apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentiële mogelijkheden voor verkoop. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ongeldige {0} @@ -4129,7 +4139,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Stel uw School in ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base Change Bedrag (Company Munt) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Geen boekingen voor de volgende magazijnen -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Sla het document eerst. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Sla het document eerst. DocType: Account,Chargeable,Aan te rekenen DocType: Company,Change Abbreviation,Afkorting veranderen DocType: Expense Claim Detail,Expense Date,Kosten Datum @@ -4143,7 +4153,6 @@ DocType: BOM,Manufacturing User,Productie Gebruiker DocType: Purchase Invoice,Raw Materials Supplied,Grondstoffen Geleverd DocType: Purchase Invoice,Recurring Print Format,Terugkerende Print Format DocType: C-Form,Series,Reeksen -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Verwachte leverdatum kan niet voor de Inkooporder Datum DocType: Appraisal,Appraisal Template,Beoordeling Sjabloon DocType: Item Group,Item Classification,Item Classificatie apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4182,12 +4191,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Selecteer apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Trainingsgebeurtenissen / resultaten apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Cumulatieve afschrijvingen per DocType: Sales Invoice,C-Form Applicable,C-Form Toepasselijk -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Operatie tijd moet groter zijn dan 0 voor de operatie zijn {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Operatie tijd moet groter zijn dan 0 voor de operatie zijn {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Magazijn is verplicht DocType: Supplier,Address and Contacts,Adres en Contacten DocType: UOM Conversion Detail,UOM Conversion Detail,Eenheid Omrekeningsfactor Detail DocType: Program,Program Abbreviation,programma Afkorting -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Productie bestelling kan niet tegen een Item Template worden verhoogd +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Productie bestelling kan niet tegen een Item Template worden verhoogd apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Kosten worden bijgewerkt in Kwitantie tegen elk item DocType: Warranty Claim,Resolved By,Opgelost door DocType: Bank Guarantee,Start Date,Startdatum @@ -4222,6 +4231,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,training Terugkoppeling apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Productie Order {0} moet worden ingediend apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Selecteer Start- en Einddatum voor Artikel {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Stel een verkoop doel in dat u wilt bereiken. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Natuurlijk is verplicht in de rij {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Tot Datum kan niet eerder zijn dan Van Datum DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4240,7 +4250,7 @@ DocType: Account,Income,Inkomsten DocType: Industry Type,Industry Type,Industrie Type apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Er is iets fout gegaan! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Waarschuwing: Verlof applicatie bevat volgende blok data -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Verkoopfactuur {0} is al ingediend +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Verkoopfactuur {0} is al ingediend DocType: Assessment Result Detail,Score,partituur apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Boekjaar {0} bestaat niet apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Voltooiingsdatum @@ -4270,7 +4280,7 @@ DocType: Naming Series,Help HTML,Help HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool DocType: Item,Variant Based On,Variant gebaseerd op apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Totaal toegewezen gewicht moet 100% zijn. Het is {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Uw Leveranciers +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Uw Leveranciers apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Kan niet als verloren instellen, omdat er al een verkooporder is gemaakt." DocType: Request for Quotation Item,Supplier Part No,Leverancier Part No apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Kan niet aftrekken als categorie is voor 'Valuation' of 'Vaulation en Total' @@ -4280,14 +4290,14 @@ DocType: Item,Has Serial No,Heeft Serienummer DocType: Employee,Date of Issue,Datum van afgifte apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Van {0} voor {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Conform de Aankoop Instellingen indien Aankoopbon Vereist == 'JA', dient de gebruiker eerst een Aankoopbon voor item {0} aan te maken om een Aankoop Factuur aan te kunnen maken" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Rij # {0}: Stel Leverancier voor punt {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rij {0}: Aantal uren moet groter zijn dan nul. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Rij # {0}: Stel Leverancier voor punt {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Rij {0}: Aantal uren moet groter zijn dan nul. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Website Afbeelding {0} verbonden aan Item {1} kan niet worden gevonden DocType: Issue,Content Type,Content Type apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Computer DocType: Item,List this Item in multiple groups on the website.,Lijst deze post in meerdere groepen op de website. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Kijk Valuta optie om rekeningen met andere valuta toestaan -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} bestaat niet in het systeem +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Item: {0} bestaat niet in het systeem apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,U bent niet bevoegd om Bevroren waarde in te stellen DocType: Payment Reconciliation,Get Unreconciled Entries,Haal onafgeletterde transacties op DocType: Payment Reconciliation,From Invoice Date,Na factuurdatum @@ -4313,7 +4323,7 @@ DocType: Stock Entry,Default Source Warehouse,Standaard Bronmagazijn DocType: Item,Customer Code,Klantcode apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Verjaardagsherinnering voor {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dagen sinds laatste Order -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debitering van rekening moet een balansrekening zijn +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debitering van rekening moet een balansrekening zijn DocType: Buying Settings,Naming Series,Benoemen Series DocType: Leave Block List,Leave Block List Name,Laat Block List Name apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Insurance Startdatum moet kleiner zijn dan de verzekering einddatum @@ -4330,7 +4340,7 @@ DocType: Vehicle Log,Odometer,Kilometerteller DocType: Sales Order Item,Ordered Qty,Besteld Aantal apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Punt {0} is uitgeschakeld DocType: Stock Settings,Stock Frozen Upto,Voorraad Bevroren Tot -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM geen voorraad artikel bevatten +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM geen voorraad artikel bevatten apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periode Van en periode te data verplicht voor terugkerende {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Project activiteit / taak. DocType: Vehicle Log,Refuelling Details,Tanken Details @@ -4340,7 +4350,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Laatste aankoop tarief niet gevonden DocType: Purchase Invoice,Write Off Amount (Company Currency),Af te schrijven bedrag (Bedrijfsvaluta) DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Standaard BOM voor {0} niet gevonden +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Standaard BOM voor {0} niet gevonden apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Rij # {0}: Stel nabestelling hoeveelheid apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tik op items om ze hier toe te voegen DocType: Fees,Program Enrollment,programma Inschrijving @@ -4374,6 +4384,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Vergrijzing Range 2 DocType: SG Creation Tool Course,Max Strength,Max Strength apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Stuklijst vervangen +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Selecteer items op basis van leveringsdatum ,Sales Analytics,Verkoop analyse apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Beschikbaar {0} ,Prospects Engaged But Not Converted,Vooruitzichten betrokken maar niet omgezet @@ -4421,7 +4432,7 @@ DocType: Authorization Rule,Customerwise Discount,Klantgebaseerde Korting apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet voor taken. DocType: Purchase Invoice,Against Expense Account,Tegen Kostenrekening DocType: Production Order,Production Order,Productieorder -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Installatie Opmerking {0} is al ingediend +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Installatie Opmerking {0} is al ingediend DocType: Bank Reconciliation,Get Payment Entries,Krijg Betaling Entries DocType: Quotation Item,Against Docname,Tegen Docname DocType: SMS Center,All Employee (Active),Alle medewerkers (Actief) @@ -4430,7 +4441,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Grondstofprijzen DocType: Item Reorder,Re-Order Level,Re-order Niveau DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Voer de artikelen en geplande aantallen in waarvoor u productieorders wilt aanmaken, of grondstoffen voor analyse wilt downloaden." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt-diagram +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt-diagram apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Deeltijds DocType: Employee,Applicable Holiday List,Toepasselijk Holiday Lijst DocType: Employee,Cheque,Cheque @@ -4488,11 +4499,11 @@ DocType: Bin,Reserved Qty for Production,Aantal voorbehouden voor productie DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Verlaat het vinkje als u geen batch wilt overwegen tijdens het maken van cursussen op basis van cursussen. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Verlaat het vinkje als u geen batch wilt overwegen tijdens het maken van cursussen op basis van cursussen. DocType: Asset,Frequency of Depreciation (Months),Frequentie van afschrijvingen (Maanden) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Credit Account +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Credit Account DocType: Landed Cost Item,Landed Cost Item,Vrachtkosten Artikel apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Toon nulwaarden DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Hoeveelheid product verkregen na productie / herverpakken van de gegeven hoeveelheden grondstoffen -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup een eenvoudige website voor mijn organisatie +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup een eenvoudige website voor mijn organisatie DocType: Payment Reconciliation,Receivable / Payable Account,Vorderingen / Crediteuren Account DocType: Delivery Note Item,Against Sales Order Item,Tegen Sales Order Item apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Geef aub attribuut Waarde voor kenmerk {0} @@ -4557,22 +4568,22 @@ DocType: Student,Nationality,Nationaliteit ,Items To Be Requested,Aan te vragen artikelen DocType: Purchase Order,Get Last Purchase Rate,Get Laatst Purchase Rate DocType: Company,Company Info,Bedrijfsinformatie -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Selecteer of voeg nieuwe klant -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kostenplaats nodig is om een declaratie te boeken +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Selecteer of voeg nieuwe klant +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Kostenplaats nodig is om een declaratie te boeken apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Toepassing van kapitaal (Activa) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dit is gebaseerd op de aanwezigheid van deze werknemer -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Debetrekening +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Debetrekening DocType: Fiscal Year,Year Start Date,Jaar Startdatum DocType: Attendance,Employee Name,Werknemer Naam DocType: Sales Invoice,Rounded Total (Company Currency),Afgerond Totaal (Bedrijfsvaluta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Kan niet omzetten naar groep omdat accounttype is geselecteerd. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} is gewijzigd. Vernieuw aub. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} is gewijzigd. Vernieuw aub. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Weerhoud gebruikers van het maken van verlofaanvragen op de volgende dagen. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Aankoopbedrag apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Leverancier Offerte {0} aangemaakt apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Eindjaar kan niet voor Start Jaar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Employee Benefits -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Verpakt hoeveelheid moet hoeveelheid die gelijk is voor post {0} in rij {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Verpakt hoeveelheid moet hoeveelheid die gelijk is voor post {0} in rij {1} DocType: Production Order,Manufactured Qty,Geproduceerd Aantal DocType: Purchase Receipt Item,Accepted Quantity,Geaccepteerd Aantal apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Stel een standaard Holiday-lijst voor Employee {0} of Company {1} @@ -4583,11 +4594,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Rij Geen {0}: Bedrag kan niet groter zijn dan afwachting Bedrag tegen Expense conclusie {1} zijn. In afwachting van Bedrag is {2} DocType: Maintenance Schedule,Schedule,Plan DocType: Account,Parent Account,Bovenliggende rekening -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,beschikbaar +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,beschikbaar DocType: Quality Inspection Reading,Reading 3,Meting 3 ,Hub,Naaf DocType: GL Entry,Voucher Type,Voucher Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Prijslijst niet gevonden of uitgeschakeld +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Prijslijst niet gevonden of uitgeschakeld DocType: Employee Loan Application,Approved,Aangenomen DocType: Pricing Rule,Price,prijs apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Werknemer ontslagen op {0} moet worden ingesteld als 'Verlaten' @@ -4657,7 +4668,7 @@ DocType: SMS Settings,Static Parameters,Statische Parameters DocType: Assessment Plan,Room,Kamer DocType: Purchase Order,Advance Paid,Voorschot Betaald DocType: Item,Item Tax,Artikel Belasting -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiaal aan Leverancier +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiaal aan Leverancier apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Accijnzen Factuur apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% meer dan eens DocType: Expense Claim,Employees Email Id,Medewerkers E-mail ID @@ -4697,7 +4708,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Model DocType: Production Order,Actual Operating Cost,Werkelijke operationele kosten DocType: Payment Entry,Cheque/Reference No,Cheque / Reference No -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverancier> Type leverancier apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root kan niet worden bewerkt . DocType: Item,Units of Measure,Meeteenheden DocType: Manufacturing Settings,Allow Production on Holidays,Laat Productie op vakantie @@ -4730,12 +4740,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Credit Dagen apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Maak Student Batch DocType: Leave Type,Is Carry Forward,Is Forward Carry -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Artikelen ophalen van Stuklijst +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Artikelen ophalen van Stuklijst apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time Dagen -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rij # {0}: Plaatsingsdatum moet hetzelfde zijn als aankoopdatum {1} van de activa {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rij # {0}: Plaatsingsdatum moet hetzelfde zijn als aankoopdatum {1} van de activa {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Controleer dit als de student in het hostel van het Instituut verblijft. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Vul verkooporders in de bovenstaande tabel -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Not Submitted loonbrieven +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Not Submitted loonbrieven ,Stock Summary,Stock Samenvatting apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transfer een troef van het ene magazijn naar het andere DocType: Vehicle,Petrol,Benzine diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv index f2b170242bf..0fec662a041 100644 --- a/erpnext/translations/no.csv +++ b/erpnext/translations/no.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Dealer DocType: Employee,Rented,Leide DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Gjelder for User -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppet produksjonsordre kan ikke avbestilles, Døves det første å avbryte" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppet produksjonsordre kan ikke avbestilles, Døves det første å avbryte" DocType: Vehicle Service,Mileage,Kilometer apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Har du virkelig ønsker å hugge denne eiendelen? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Velg Standard Leverandør @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Fakturert apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate må være samme som {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Kundenavn DocType: Vehicle,Natural Gas,Naturgass -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankkonto kan ikke bli navngitt som {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Bankkonto kan ikke bli navngitt som {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Hoder (eller grupper) mot hvilke regnskapspostene er laget og balanserer opprettholdes. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Enestående for {0} kan ikke være mindre enn null ({1}) DocType: Manufacturing Settings,Default 10 mins,Standard 10 minutter @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,La Type Navn apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Vis åpen apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Serien er oppdatert apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Sjekk ut -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Sendt inn +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Sendt inn DocType: Pricing Rule,Apply On,Påfør på DocType: Item Price,Multiple Item prices.,Flere varepriser. ,Purchase Order Items To Be Received,Purchase Order Elementer som skal mottas @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Modus for betaling kont apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Vis Varianter DocType: Academic Term,Academic Term,semester apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiale -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Antall +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Antall apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Regnskap bordet kan ikke være tomt. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Lån (gjeld) DocType: Employee Education,Year of Passing,Year of Passing @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Helsevesen apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Forsinket betaling (dager) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,tjenesten Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede referert i salgsfaktura: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Faktura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede referert i salgsfaktura: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Faktura DocType: Maintenance Schedule Item,Periodicity,Periodisitet apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Regnskapsår {0} er nødvendig -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Forventet Leveringsdato er være før Salgsordre Dato apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Forsvars DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),Score (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Total koster Beløp DocType: Delivery Note,Vehicle No,Vehicle Nei -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Vennligst velg Prisliste +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Vennligst velg Prisliste apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Betaling dokumentet er nødvendig for å fullføre trasaction DocType: Production Order Operation,Work In Progress,Arbeid På Går apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Vennligst velg dato @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ikke i noen aktiv regnskapsåret. DocType: Packed Item,Parent Detail docname,Parent Detail docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Henvisning: {0}, Varenummer: {1} og kunde: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Logg apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Åpning for en jobb. DocType: Item Attribute,Increment,Tilvekst @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Gift apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Ikke tillatt for {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Få elementer fra -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock kan ikke oppdateres mot følgeseddel {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock kan ikke oppdateres mot følgeseddel {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Ingen elementer oppført DocType: Payment Reconciliation,Reconcile,Forsone @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Pensj apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Neste Avskrivninger Datoen kan ikke være før Kjøpsdato DocType: SMS Center,All Sales Person,All Sales Person DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Månedlig Distribusjon ** hjelper deg distribuere Budsjett / Target over måneder hvis du har sesongvariasjoner i din virksomhet. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Ikke elementer funnet +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Ikke elementer funnet apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Lønn Struktur Missing DocType: Lead,Person Name,Person Name DocType: Sales Invoice Item,Sales Invoice Item,Salg Faktura Element @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Er Fixed Asset" ikke kan være ukontrollert, som Asset post eksisterer mot elementet" DocType: Vehicle Service,Brake Oil,bremse~~POS=TRUNC Oil DocType: Tax Rule,Tax Type,Skatt Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Skattepliktig beløp +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Skattepliktig beløp apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Du er ikke autorisert til å legge til eller oppdatere bloggen før {0} DocType: BOM,Item Image (if not slideshow),Sak Image (hvis ikke show) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,En Customer eksisterer med samme navn DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timepris / 60) * Faktisk Operation Tid -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Velg BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Velg BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostnad for leverte varer apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Ferien på {0} er ikke mellom Fra dato og Til dato @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,skoler DocType: School Settings,Validate Batch for Students in Student Group,Valider batch for studenter i studentgruppen apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ingen forlater plate funnet for ansatt {0} og {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Skriv inn et selskap først -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Vennligst velg selskapet først +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Vennligst velg selskapet først DocType: Employee Education,Under Graduate,Under Graduate apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target På DocType: BOM,Total Cost,Totalkostnad DocType: Journal Entry Account,Employee Loan,Medarbeider Loan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivitetsloggen: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Element {0} finnes ikke i systemet eller er utløpt +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Aktivitetsloggen: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Element {0} finnes ikke i systemet eller er utløpt apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Eiendom apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Kontoutskrift apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmasi @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Krav Beløp apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicate kundegruppen funnet i cutomer gruppetabellen apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Leverandør Type / leverandør DocType: Naming Series,Prefix,Prefix -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vennligst still inn navngivningsserien for {0} via Setup> Settings> Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Konsum +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Konsum DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Import Logg DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Trekk Material Request av typen Produksjon basert på de ovennevnte kriteriene DocType: Training Result Employee,Grade,grade DocType: Sales Invoice Item,Delivered By Supplier,Levert av Leverandør DocType: SMS Center,All Contact,All kontakt -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Produksjonsordre allerede opprettet for alle varer med BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Produksjonsordre allerede opprettet for alle varer med BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Årslønn DocType: Daily Work Summary,Daily Work Summary,Daglig arbeid Oppsummering DocType: Period Closing Voucher,Closing Fiscal Year,Lukke regnskapsår -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} er frosset +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} er frosset apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Velg eksisterende selskap for å skape Konto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Aksje Utgifter apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Velg Target Warehouse @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akseptert + Avvist Antall må være lik mottatt kvantum for Element {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Leverer råvare til Purchase -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,I det minste én modus av betaling er nødvendig for POS faktura. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,I det minste én modus av betaling er nødvendig for POS faktura. DocType: Products Settings,Show Products as a List,Vis produkter på en liste DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Last ned mal, fyll riktige data og fest den endrede filen. Alle datoer og ansatt kombinasjon i den valgte perioden vil komme i malen, med eksisterende møteprotokoller" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Element {0} er ikke aktiv eller slutten av livet er nådd -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Eksempel: Grunnleggende matematikk -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","For å inkludere skatt i rad {0} i Element rente, skatt i rader {1} må også inkluderes" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Eksempel: Grunnleggende matematikk +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","For å inkludere skatt i rad {0} i Element rente, skatt i rader {1} må også inkluderes" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Innstillinger for HR Module DocType: SMS Center,SMS Center,SMS-senter DocType: Sales Invoice,Change Amount,endring Beløp @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Installasjonsdato kan ikke være før leveringsdato for Element {0} DocType: Pricing Rule,Discount on Price List Rate (%),Rabatt på Prisliste Rate (%) DocType: Offer Letter,Select Terms and Conditions,Velg Vilkår -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,ut Verdi +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,ut Verdi DocType: Production Planning Tool,Sales Orders,Salgsordrer DocType: Purchase Taxes and Charges,Valuation,Verdivurdering ,Purchase Order Trends,Innkjøpsordre Trender @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Åpner Entry DocType: Customer Group,Mention if non-standard receivable account applicable,Nevn hvis ikke-standard fordring konto aktuelt DocType: Course Schedule,Instructor Name,instruktør Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,For Warehouse er nødvendig før Send +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,For Warehouse er nødvendig før Send apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Mottatt On DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Hvis det er merket, vil omfatte ikke-lager i materialet forespørsler." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Mot Salg Faktura Element ,Production Orders in Progress,Produksjonsordrer i Progress apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Netto kontantstrøm fra finansierings -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","Localstorage er full, ikke spare" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","Localstorage er full, ikke spare" DocType: Lead,Address & Contact,Adresse og kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Legg ubrukte blader fra tidligere bevilgninger apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Neste Recurring {0} vil bli opprettet på {1} DocType: Sales Partner,Partner website,partner nettstedet apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Legg til element -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kontakt Navn +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kontakt Navn DocType: Course Assessment Criteria,Course Assessment Criteria,Kursvurderingskriteriene DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Oppretter lønn slip for ovennevnte kriterier. DocType: POS Customer Group,POS Customer Group,POS Kundegruppe @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Rad {0}: Vennligst sjekk 'Er Advance "mot Account {1} hvis dette er et forskudd oppføring. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Warehouse {0} ikke tilhører selskapet {1} DocType: Email Digest,Profit & Loss,Profitt tap -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,liter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,liter DocType: Task,Total Costing Amount (via Time Sheet),Total Costing Beløp (via Timeregistrering) DocType: Item Website Specification,Item Website Specification,Sak Nettsted Spesifikasjon apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,La Blokkert @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Salg Faktura Nei DocType: Material Request Item,Min Order Qty,Min Bestill Antall DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Gruppe Creation Tool Course DocType: Lead,Do Not Contact,Ikke kontakt -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Folk som underviser i organisasjonen +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Folk som underviser i organisasjonen DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Den unike id for sporing av alle løpende fakturaer. Det genereres på send. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Programvareutvikler DocType: Item,Minimum Order Qty,Minimum Antall @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Publisere i Hub DocType: Student Admission,Student Admission,student Entre ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Element {0} er kansellert -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Materialet Request +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Materialet Request DocType: Bank Reconciliation,Update Clearance Date,Oppdater Lagersalg Dato DocType: Item,Purchase Details,Kjøps Detaljer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Element {0} ble ikke funnet i 'Råvare Leveres' bord i innkjøpsordre {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Flåtesjef apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Rad # {0}: {1} ikke kan være negativ for elementet {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Feil Passord DocType: Item,Variant Of,Variant av -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Fullført Antall kan ikke være større enn "Antall å Manufacture ' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Fullført Antall kan ikke være større enn "Antall å Manufacture ' DocType: Period Closing Voucher,Closing Account Head,Lukke konto Leder DocType: Employee,External Work History,Ekstern Work History apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Rundskriv Reference Error @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Avstand fra venstre kant apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} enheter av [{1}] (# Form / post / {1}) finnes i [{2}] (# Form / Lager / {2}) DocType: Lead,Industry,Industry DocType: Employee,Job Profile,Job Profile +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Dette er basert på transaksjoner mot dette selskapet. Se tidslinjen nedenfor for detaljer DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Varsle på e-post om opprettelse av automatisk Material Request DocType: Journal Entry,Multi Currency,Multi Valuta DocType: Payment Reconciliation Invoice,Invoice Type,Faktura Type -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Levering Note +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Levering Note apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Sette opp skatter apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Cost of Selges Asset apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Betaling Entry har blitt endret etter at du trakk den. Kan trekke det igjen. @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Skriv inn 'Gjenta på dag i måneden' feltverdi DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Hastigheten som Kunden Valuta omdannes til kundens basisvaluta DocType: Course Scheduling Tool,Course Scheduling Tool,Kurs Planlegging Tool -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kjøp Faktura kan ikke gjøres mot en eksisterende eiendel {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kjøp Faktura kan ikke gjøres mot en eksisterende eiendel {1} DocType: Item Tax,Tax Rate,Skattesats apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} allerede bevilget for Employee {1} for perioden {2} til {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Velg element +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Velg element apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Fakturaen {0} er allerede sendt apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch No må være samme som {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Konverter til ikke-konsernet @@ -447,7 +446,7 @@ DocType: Employee,Widowed,Enke DocType: Request for Quotation,Request for Quotation,Forespørsel om kostnadsoverslag DocType: Salary Slip Timesheet,Working Hours,Arbeidstid DocType: Naming Series,Change the starting / current sequence number of an existing series.,Endre start / strøm sekvensnummer av en eksisterende serie. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Opprett en ny kunde +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Opprett en ny kunde apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Hvis flere Pris Regler fortsette å råde, blir brukerne bedt om å sette Priority manuelt for å løse konflikten." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Opprette innkjøpsordrer ,Purchase Register,Kjøp Register @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Examiner Name DocType: Purchase Invoice Item,Quantity and Rate,Kvantitet og Rate DocType: Delivery Note,% Installed,% Installert -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasserom / Laboratorier etc hvor forelesningene kan planlegges. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasserom / Laboratorier etc hvor forelesningene kan planlegges. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Skriv inn firmanavn først DocType: Purchase Invoice,Supplier Name,Leverandør Name apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Les ERPNext Manual @@ -490,7 +489,7 @@ DocType: Account,Old Parent,Gammel Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Obligatorisk felt - akademisk år apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Obligatorisk felt - akademisk år DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Tilpass innledende tekst som går som en del av e-posten. Hver transaksjon har en egen innledende tekst. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Vennligst angi standard betalbar konto for selskapet {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Vennligst angi standard betalbar konto for selskapet {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globale innstillinger for alle produksjonsprosesser. DocType: Accounts Settings,Accounts Frozen Upto,Regnskap Frozen Opp DocType: SMS Log,Sent On,Sendte På @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,Leverandørgjeld apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,De valgte stykklister er ikke for den samme varen DocType: Pricing Rule,Valid Upto,Gyldig Opp DocType: Training Event,Workshop,Verksted -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Liste noen av kundene dine. De kan være organisasjoner eller enkeltpersoner. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Liste noen av kundene dine. De kan være organisasjoner eller enkeltpersoner. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Nok Deler bygge apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direkte Inntekt apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Kan ikke filtrere basert på konto, hvis gruppert etter konto" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vennligst velg Kurs apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vennligst velg Kurs DocType: Timesheet Detail,Hrs,timer -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Vennligst velg selskapet +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Vennligst velg selskapet DocType: Stock Entry Detail,Difference Account,Forskjellen konto DocType: Purchase Invoice,Supplier GSTIN,Leverandør GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Kan ikke lukke oppgaven som sin avhengige oppgave {0} er ikke lukket. @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Vennligst definer karakter for Terskel 0% DocType: Sales Order,To Deliver,Å Levere DocType: Purchase Invoice Item,Item,Sak -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serie ingen element kan ikke være en brøkdel +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serie ingen element kan ikke være en brøkdel DocType: Journal Entry,Difference (Dr - Cr),Forskjellen (Dr - Cr) DocType: Account,Profit and Loss,Gevinst og tap apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Administrerende Underleverandører @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),Garantiperioden (dager) DocType: Installation Note Item,Installation Note Item,Installasjon Merk Element DocType: Production Plan Item,Pending Qty,Venter Stk DocType: Budget,Ignore,Ignorer -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} er ikke aktiv +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} er ikke aktiv apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS sendt til følgende nummer: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Oppsett sjekk dimensjoner for utskrift DocType: Salary Slip,Salary Slip Timesheet,Lønn Slip Timeregistrering @@ -687,8 +686,8 @@ DocType: Installation Note,IN-,I- DocType: Production Order Operation,In minutes,I løpet av minutter DocType: Issue,Resolution Date,Oppløsning Dato DocType: Student Batch Name,Batch Name,batch Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timeregistrering opprettet: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Vennligst angi standard kontanter eller bankkontoen i modus for betaling {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timeregistrering opprettet: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Vennligst angi standard kontanter eller bankkontoen i modus for betaling {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Registrere DocType: GST Settings,GST Settings,GST-innstillinger DocType: Selling Settings,Customer Naming By,Kunden Naming Av @@ -708,7 +707,7 @@ DocType: Activity Cost,Projects User,Prosjekter User apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Forbrukes apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} ble ikke funnet i Fakturadetaljer tabellen DocType: Company,Round Off Cost Center,Rund av kostnadssted -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vedlikehold Besøk {0} må avbestilles før den avbryter denne salgsordre +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vedlikehold Besøk {0} må avbestilles før den avbryter denne salgsordre DocType: Item,Material Transfer,Material Transfer apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Åpning (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Oppslaget tidsstempel må være etter {0} @@ -717,7 +716,7 @@ DocType: Employee Loan,Total Interest Payable,Total rentekostnader DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed Cost skatter og avgifter DocType: Production Order Operation,Actual Start Time,Faktisk Starttid DocType: BOM Operation,Operation Time,Operation Tid -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Bli ferdig +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Bli ferdig apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Utgangspunkt DocType: Timesheet,Total Billed Hours,Totalt fakturert timer DocType: Journal Entry,Write Off Amount,Skriv Off Beløp @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),Kilometerstand (Siste) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Markedsføring apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Betaling Entry er allerede opprettet DocType: Purchase Receipt Item Supplied,Current Stock,Nåværende Stock -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ikke knyttet til Element {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ikke knyttet til Element {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Forhåndsvisning Lønn Slip apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} er angitt flere ganger DocType: Account,Expenses Included In Valuation,Kostnader som inngår i verdivurderings @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Kredittkort Entry apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Selskapet og regnskap apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Mottatte varer fra leverandører. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,i Verdi +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,i Verdi DocType: Lead,Campaign Name,Kampanjenavn DocType: Selling Settings,Close Opportunity After Days,Lukk mulighet da Days ,Reserved,Reservert @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energy DocType: Opportunity,Opportunity From,Opportunity Fra apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Månedslønn uttalelse. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Row {0}: {1} Serienummer som kreves for element {2}. Du har oppgitt {3}. DocType: BOM,Website Specifications,Nettstedet Spesifikasjoner apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Fra {0} av typen {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rad {0}: Omregningsfaktor er obligatorisk DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flere Pris regler eksisterer med samme kriteriene, kan du løse konflikten ved å prioritere. Pris Regler: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan ikke deaktivere eller kansellere BOM som det er forbundet med andre stykklister +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan ikke deaktivere eller kansellere BOM som det er forbundet med andre stykklister DocType: Opportunity,Maintenance,Vedlikehold DocType: Item Attribute Value,Item Attribute Value,Sak data Verdi apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Salgskampanjer. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Gjør Timeregistrering +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Gjør Timeregistrering DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -838,7 +838,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Sette opp e-postkonto apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Skriv inn Sak først DocType: Account,Liability,Ansvar -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksjonert Beløpet kan ikke være større enn krav Beløp i Rad {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksjonert Beløpet kan ikke være større enn krav Beløp i Rad {0}. DocType: Company,Default Cost of Goods Sold Account,Standard varekostnader konto apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Prisliste ikke valgt DocType: Employee,Family Background,Familiebakgrunn @@ -849,10 +849,10 @@ DocType: Company,Default Bank Account,Standard Bank Account apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Hvis du vil filtrere basert på partiet, velger partiet Skriv inn først" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Oppdater Stock' kan ikke kontrolleres fordi elementene ikke er levert via {0} DocType: Vehicle,Acquisition Date,Innkjøpsdato -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Elementer med høyere weightage vil bli vist høyere DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bankavstemming Detalj -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} må fremlegges +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} må fremlegges apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Ingen ansatte funnet DocType: Supplier Quotation,Stopped,Stoppet DocType: Item,If subcontracted to a vendor,Dersom underleverandør til en leverandør @@ -869,7 +869,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimum Fakturert beløp apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnadssted {2} ikke tilhører selskapet {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} kan ikke være en gruppe apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Sak Row {idx}: {doctype} {DOCNAME} finnes ikke i oven {doctype} tabellen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timeregistrering {0} er allerede gjennomført eller kansellert +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timeregistrering {0} er allerede gjennomført eller kansellert apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ingen oppgaver DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dagen i måneden som auto faktura vil bli generert for eksempel 05, 28 osv" DocType: Asset,Opening Accumulated Depreciation,Åpning akkumulerte avskrivninger @@ -928,7 +928,7 @@ DocType: SMS Log,Requested Numbers,Etterspør Numbers DocType: Production Planning Tool,Only Obtain Raw Materials,Bare Skaffe råstoffer apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Medarbeidersamtaler. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivering av «Bruk for handlekurven", som Handlevogn er aktivert, og det bør være minst en skatteregel for Handlekurv" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling Entry {0} er knyttet mot Bestill {1}, sjekk om det bør trekkes som forskudd i denne fakturaen." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling Entry {0} er knyttet mot Bestill {1}, sjekk om det bør trekkes som forskudd i denne fakturaen." DocType: Sales Invoice Item,Stock Details,Stock Detaljer apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Prosjektet Verdi apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Utsalgssted @@ -951,15 +951,15 @@ DocType: Naming Series,Update Series,Update-serien DocType: Supplier Quotation,Is Subcontracted,Er underleverandør DocType: Item Attribute,Item Attribute Values,Sak attributtverdier DocType: Examination Result,Examination Result,Sensur -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Kvitteringen +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Kvitteringen ,Received Items To Be Billed,Mottatte elementer å bli fakturert -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Innsendte lønnsslipper +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Innsendte lønnsslipper apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valutakursen mester. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referanse DOCTYPE må være en av {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Å finne tidsluke i de neste {0} dager for Operation klarer {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Å finne tidsluke i de neste {0} dager for Operation klarer {1} DocType: Production Order,Plan material for sub-assemblies,Plan materiale for sub-assemblies apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Salgs Partnere og Territory -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} må være aktiv +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} må være aktiv DocType: Journal Entry,Depreciation Entry,avskrivninger Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Velg dokumenttypen først apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Avbryt Material Besøk {0} før den sletter denne Maintenance Visit @@ -969,7 +969,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Totalbeløp apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internett Publisering DocType: Production Planning Tool,Production Orders,Produksjonsordrer -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Balanse Verdi +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Balanse Verdi apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Salg Prisliste apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publisere synkronisere elementer DocType: Bank Reconciliation,Account Currency,Account Valuta @@ -994,12 +994,12 @@ DocType: Employee,Exit Interview Details,Exit Intervju Detaljer DocType: Item,Is Purchase Item,Er Purchase Element DocType: Asset,Purchase Invoice,Fakturaen DocType: Stock Ledger Entry,Voucher Detail No,Kupong Detail Ingen -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Ny salgsfaktura +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Ny salgsfaktura DocType: Stock Entry,Total Outgoing Value,Total Utgående verdi apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Åpningsdato og sluttdato skal være innenfor samme regnskapsår DocType: Lead,Request for Information,Spør etter informasjon ,LeaderBoard,Leaderboard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Synkroniser Offline Fakturaer +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synkroniser Offline Fakturaer DocType: Payment Request,Paid,Betalt DocType: Program Fee,Program Fee,program Fee DocType: Salary Slip,Total in words,Totalt i ord @@ -1007,7 +1007,7 @@ DocType: Material Request Item,Lead Time Date,Lead Tid Dato DocType: Guardian,Guardian Name,Guardian navn DocType: Cheque Print Template,Has Print Format,Har Print Format DocType: Employee Loan,Sanctioned,sanksjonert -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,er obligatorisk. Kanskje Valutaveksling posten ikke er skapt for +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,er obligatorisk. Kanskje Valutaveksling posten ikke er skapt for apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Vennligst oppgi serienummer for varen {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For 'Produkt Bundle' elementer, Warehouse, serienummer og Batch Ingen vil bli vurdert fra "Pakkeliste" bord. Hvis Warehouse og Batch Ingen er lik for alle pakking elementer for noen "Product Bundle 'elementet, kan disse verdiene legges inn i hoved Sak bordet, vil verdiene bli kopiert til" Pakkeliste "bord." DocType: Job Opening,Publish on website,Publiser på nettstedet @@ -1020,7 +1020,7 @@ DocType: Cheque Print Template,Date Settings,Dato Innstillinger apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varians ,Company Name,Selskapsnavn DocType: SMS Center,Total Message(s),Total melding (er) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Velg elementet for Transfer +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Velg elementet for Transfer DocType: Purchase Invoice,Additional Discount Percentage,Ekstra rabatt Prosent apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Vis en liste over alle hjelpevideoer DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Velg kontoen leder av banken der sjekken ble avsatt. @@ -1035,7 +1035,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Selskap Valu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Alle elementene er allerede blitt overført til denne produksjonsordre. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Prisen kan ikke være større enn frekvensen som brukes i {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Prisen kan ikke være større enn frekvensen som brukes i {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Måler +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Måler DocType: Workstation,Electricity Cost,Elektrisitet Cost DocType: HR Settings,Don't send Employee Birthday Reminders,Ikke send Employee bursdagspåminnelser DocType: Item,Inspection Criteria,Inspeksjon Kriterier @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Få utbetalt forskudd DocType: Item,Automatically Create New Batch,Opprett automatisk ny batch automatisk DocType: Item,Automatically Create New Batch,Opprett automatisk ny batch automatisk -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Gjøre +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Gjøre DocType: Student Admission,Admission Start Date,Opptak Startdato DocType: Journal Entry,Total Amount in Words,Totalbeløp i Words apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Det var en feil. En mulig årsak kan være at du ikke har lagret skjemaet. Ta kontakt support@erpnext.com hvis problemet vedvarer. @@ -1058,7 +1058,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Handlekurv apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Ordretype må være en av {0} DocType: Lead,Next Contact Date,Neste Kontakt Dato apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Antall åpne -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Vennligst oppgi konto for Change Beløp +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Vennligst oppgi konto for Change Beløp DocType: Student Batch Name,Student Batch Name,Student Batch Name DocType: Holiday List,Holiday List Name,Holiday Listenavn DocType: Repayment Schedule,Balance Loan Amount,Balanse Lånebeløp @@ -1066,7 +1066,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Aksjeopsjoner DocType: Journal Entry Account,Expense Claim,Expense krav apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Har du virkelig ønsker å gjenopprette dette skrotet ressurs? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Antall for {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Antall for {0} DocType: Leave Application,Leave Application,La Application apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,La Allocation Tool DocType: Leave Block List,Leave Block List Dates,La Block List Datoer @@ -1117,7 +1117,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Against DocType: Item,Default Selling Cost Center,Standard Selling kostnadssted DocType: Sales Partner,Implementation Partner,Gjennomføring Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Post kode +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Post kode apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Salgsordre {0} er {1} DocType: Opportunity,Contact Info,Kontaktinfo apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Making Stock Entries @@ -1136,14 +1136,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,G DocType: School Settings,Attendance Freeze Date,Deltagelsesfrysedato DocType: School Settings,Attendance Freeze Date,Deltagelsesfrysedato DocType: Opportunity,Your sales person who will contact the customer in future,Din selger som vil ta kontakt med kunden i fremtiden -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Liste noen av dine leverandører. De kan være organisasjoner eller enkeltpersoner. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Liste noen av dine leverandører. De kan være organisasjoner eller enkeltpersoner. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Se alle produkter apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum levealder (dager) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum levealder (dager) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,alle stykklister +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,alle stykklister DocType: Company,Default Currency,Standard Valuta DocType: Expense Claim,From Employee,Fra Employee -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advarsel: System vil ikke sjekke billing siden beløpet for varen {0} i {1} er null +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advarsel: System vil ikke sjekke billing siden beløpet for varen {0} i {1} er null DocType: Journal Entry,Make Difference Entry,Gjør forskjell Entry DocType: Upload Attendance,Attendance From Date,Oppmøte Fra dato DocType: Appraisal Template Goal,Key Performance Area,Key Performance-området @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Firmaregistreringsnumre som referanse. Skatte tall osv DocType: Sales Partner,Distributor,Distributør DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Handlevogn Shipping Rule -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Produksjonsordre {0} må avbestilles før den avbryter denne salgsordre +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Produksjonsordre {0} må avbestilles før den avbryter denne salgsordre apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Vennligst sett 'Apply Ytterligere rabatt på' ,Ordered Items To Be Billed,Bestilte varer til å bli fakturert apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Fra Range må være mindre enn til kolleksjonen @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Fradrag DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,start-år -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},De to første sifrene i GSTIN skal samsvare med statens nummer {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},De to første sifrene i GSTIN skal samsvare med statens nummer {0} DocType: Purchase Invoice,Start date of current invoice's period,Startdato for nåværende fakturaperiode DocType: Salary Slip,Leave Without Pay,La Uten Pay -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapasitetsplanlegging Error +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kapasitetsplanlegging Error ,Trial Balance for Party,Trial Balance for partiet DocType: Lead,Consultant,Konsulent DocType: Salary Slip,Earnings,Inntjeningen @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,Payer Innstillinger DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dette vil bli lagt til Element Code of varianten. For eksempel, hvis din forkortelsen er "SM", og elementet kode er "T-SHIRT", elementet koden til variant vil være "T-SHIRT-SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettolønn (i ord) vil være synlig når du lagrer Lønn Slip. DocType: Purchase Invoice,Is Return,Er Return -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Retur / debitnota +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Retur / debitnota DocType: Price List Country,Price List Country,Prisliste Land DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} gyldig serie nos for Element {1} @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,delvis Utbetalt apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverandør database. DocType: Account,Balance Sheet,Balanse apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Koste Center For Element med Element kode ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode er ikke konfigurert. Kontroller, om kontoen er satt på modus for betalinger eller på POS-profil." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode er ikke konfigurert. Kontroller, om kontoen er satt på modus for betalinger eller på POS-profil." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Din selger vil få en påminnelse på denne datoen for å kontakte kunden apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samme elementet kan ikke legges inn flere ganger. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ytterligere kontoer kan gjøres under grupper, men oppføringene kan gjøres mot ikke-grupper" @@ -1231,7 +1231,7 @@ DocType: Employee Loan Application,Repayment Info,tilbakebetaling info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Innlegg' kan ikke være tomt apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplicate rad {0} med samme {1} ,Trial Balance,Balanse Trial -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Regnskapsåret {0} ikke funnet +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Regnskapsåret {0} ikke funnet apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Sette opp ansatte DocType: Sales Order,SO-,SÅ- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Vennligst velg først prefiks @@ -1246,11 +1246,11 @@ DocType: Grading Scale,Intervals,intervaller apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Tidligste apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","En varegruppe eksisterer med samme navn, må du endre elementnavnet eller endre navn varegruppen" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resten Av Verden +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Resten Av Verden apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Element {0} kan ikke ha Batch ,Budget Variance Report,Budsjett Avvik Rapporter DocType: Salary Slip,Gross Pay,Brutto Lønn -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rad {0}: Aktivitetstype er obligatorisk. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Rad {0}: Aktivitetstype er obligatorisk. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Utbytte betalt apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Regnskap Ledger DocType: Stock Reconciliation,Difference Amount,Forskjellen Beløp @@ -1273,18 +1273,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Ansatt La Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Balanse for konto {0} må alltid være {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Verdsettelse Rate kreves for varen i rad {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Eksempel: Masters i informatikk +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Eksempel: Masters i informatikk DocType: Purchase Invoice,Rejected Warehouse,Avvist Warehouse DocType: GL Entry,Against Voucher,Mot Voucher DocType: Item,Default Buying Cost Center,Standard Kjøpe kostnadssted apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","For å få det beste ut av ERPNext, anbefaler vi at du tar litt tid og se på disse hjelpevideoer." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,til +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,til DocType: Supplier Quotation Item,Lead Time in days,Lead Tid i dager apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Leverandørgjeld Sammendrag -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Utbetaling av lønn fra {0} til {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Utbetaling av lønn fra {0} til {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Ikke autorisert til å redigere fryst kontoen {0} DocType: Journal Entry,Get Outstanding Invoices,Få utestående fakturaer -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Innkjøpsordrer hjelpe deg å planlegge og følge opp kjøpene apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Sorry, kan selskapene ikke fusjoneres" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1306,8 +1306,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Indirekte kostnader apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Rad {0}: Antall er obligatorisk apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Landbruk -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Dine produkter eller tjenester +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Dine produkter eller tjenester DocType: Mode of Payment,Mode of Payment,Modus for betaling apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Website Bilde bør være en offentlig fil eller nettside URL DocType: Student Applicant,AP,AP @@ -1327,18 +1327,18 @@ DocType: Student Group Student,Group Roll Number,Gruppe-nummer DocType: Student Group Student,Group Roll Number,Gruppe-nummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",For {0} kan bare kredittkontoer kobles mot en annen belastning oppføring apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Summen av alle oppgave vekter bør være 1. Juster vekter av alle prosjektoppgaver tilsvar -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Levering Note {0} er ikke innsendt +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Levering Note {0} er ikke innsendt apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Elementet {0} må være en underleverandør Element apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capital Equipments apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prising Rule først valgt basert på "Apply On-feltet, som kan være varen, varegruppe eller Brand." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Vennligst sett inn varenummeret først +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Vennligst sett inn varenummeret først DocType: Hub Settings,Seller Website,Selger Hjemmeside DocType: Item,ITEM-,PUNKT- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Totalt bevilget prosent for salgsteam skal være 100 DocType: Appraisal Goal,Goal,Mål DocType: Sales Invoice Item,Edit Description,Rediger Beskrivelse ,Team Updates,laget Oppdateringer -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,For Leverandør +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,For Leverandør DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Stille Kontotype hjelper i å velge denne kontoen i transaksjoner. DocType: Purchase Invoice,Grand Total (Company Currency),Grand Total (Selskap Valuta) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Opprett Print Format @@ -1352,12 +1352,12 @@ DocType: Item,Website Item Groups,Website varegrupper DocType: Purchase Invoice,Total (Company Currency),Total (Company Valuta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Serienummer {0} angitt mer enn én gang DocType: Depreciation Schedule,Journal Entry,Journal Entry -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} elementer i fremgang +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} elementer i fremgang DocType: Workstation,Workstation Name,Arbeidsstasjon Name DocType: Grading Scale Interval,Grade Code,grade Kode DocType: POS Item Group,POS Item Group,POS Varegruppe apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-post Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} tilhører ikke Element {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} tilhører ikke Element {1} DocType: Sales Partner,Target Distribution,Target Distribution 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 @@ -1415,7 +1415,7 @@ DocType: Quotation,Shopping Cart,Handlevogn apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Gjennomsnittlig Daily Utgående DocType: POS Profile,Campaign,Kampanje DocType: Supplier,Name and Type,Navn og Type -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Godkjenningsstatus må være "Godkjent" eller "Avvist" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Godkjenningsstatus må være "Godkjent" eller "Avvist" DocType: Purchase Invoice,Contact Person,Kontaktperson apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Tiltredelse' ikke kan være større enn "Forventet sluttdato DocType: Course Scheduling Tool,Course End Date,Kurs Sluttdato @@ -1427,8 +1427,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,foretrukne e-post apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Netto endring i Fixed Asset DocType: Leave Control Panel,Leave blank if considered for all designations,La stå tom hvis vurderes for alle betegnelser -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge of type 'Actual' i rad {0} kan ikke inkluderes i Element Ranger -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge of type 'Actual' i rad {0} kan ikke inkluderes i Element Ranger +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Fra Datetime DocType: Email Digest,For Company,For selskapet apps/erpnext/erpnext/config/support.py +17,Communication log.,Kommunikasjonsloggen. @@ -1469,7 +1469,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Jobb profil, k DocType: Journal Entry Account,Account Balance,Saldo apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Skatteregel for transaksjoner. DocType: Rename Tool,Type of document to rename.,Type dokument for å endre navn. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Vi kjøper denne varen +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Vi kjøper denne varen apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Kunden er nødvendig mot fordringer kontoen {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totale skatter og avgifter (Selskapet valuta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Vis unclosed regnskapsårets P & L balanserer @@ -1480,7 +1480,7 @@ DocType: Quality Inspection,Readings,Readings DocType: Stock Entry,Total Additional Costs,Samlede merkostnader DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Skrap Material Cost (Selskap Valuta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub Assemblies DocType: Asset,Asset Name,Asset Name DocType: Project,Task Weight,Task Vekt DocType: Shipping Rule Condition,To Value,I Value @@ -1509,7 +1509,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Element Varianter DocType: Company,Services,Tjenester DocType: HR Settings,Email Salary Slip to Employee,E-post Lønn Slip til Employee DocType: Cost Center,Parent Cost Center,Parent kostnadssted -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Velg Mulig Leverandør +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Velg Mulig Leverandør DocType: Sales Invoice,Source,Source apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Vis stengt DocType: Leave Type,Is Leave Without Pay,Er permisjon uten Pay @@ -1521,7 +1521,7 @@ DocType: POS Profile,Apply Discount,Bruk rabatt DocType: GST HSN Code,GST HSN Code,GST HSN-kode DocType: Employee External Work History,Total Experience,Total Experience apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,åpne Prosjekter -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Pakking Slip (s) kansellert +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Pakking Slip (s) kansellert apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Kontantstrøm fra investerings DocType: Program Course,Program Course,program Course apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Spedisjons- og Kostnader @@ -1562,9 +1562,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,program~~POS=TRUNC påmeldinger DocType: Sales Invoice Item,Brand Name,Merkenavn DocType: Purchase Receipt,Transporter Details,Transporter Detaljer -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Standardlager er nødvendig til den valgte artikkelen -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Eske -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,mulig Leverandør +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Standardlager er nødvendig til den valgte artikkelen +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Eske +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,mulig Leverandør DocType: Budget,Monthly Distribution,Månedlig Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Mottaker-listen er tom. Opprett Receiver Liste DocType: Production Plan Sales Order,Production Plan Sales Order,Produksjonsplan Salgsordre @@ -1597,7 +1597,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Krav på beko apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studentene er i hjertet av systemet, legge til alle elevene" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Clearance date {1} kan ikke være før Cheque Dato {2} DocType: Company,Default Holiday List,Standard Holiday List -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Aksje Gjeld DocType: Purchase Invoice,Supplier Warehouse,Leverandør Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobile No @@ -1613,18 +1613,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Permisjon av typen {0} kan ikke være lengre enn {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Prøv å planlegge operasjoner for X dager i forveien. DocType: HR Settings,Stop Birthday Reminders,Stop bursdagspåminnelser -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Vennligst sette Standard Lønn betales konto i selskapet {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Vennligst sette Standard Lønn betales konto i selskapet {0} DocType: SMS Center,Receiver List,Mottaker List -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Søk Element +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Søk Element apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Forbrukes Beløp apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Netto endring i kontanter DocType: Assessment Plan,Grading Scale,Grading Scale apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Enhet {0} har blitt lagt inn mer enn én gang i omregningsfaktor tabell -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,allerede fullført +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,allerede fullført apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Lager i hånd apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Betaling Request allerede eksisterer {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Cost of Utstedte Items -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Antall må ikke være mer enn {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Antall må ikke være mer enn {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Foregående regnskapsår er ikke stengt apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Alder (dager) DocType: Quotation Item,Quotation Item,Sitat Element @@ -1638,6 +1638,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Reference Document apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} avbrytes eller stoppes DocType: Accounts Settings,Credit Controller,Credit Controller +DocType: Sales Order,Final Delivery Date,Endelig Leveringsdato DocType: Delivery Note,Vehicle Dispatch Date,Vehicle Publiseringsdato DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Kvitteringen {0} er ikke innsendt @@ -1728,9 +1729,9 @@ DocType: Employee,Date Of Retirement,Pensjoneringstidspunktet DocType: Upload Attendance,Get Template,Få Mal DocType: Material Request,Transferred,overført DocType: Vehicle,Doors,dører -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Skatteavbrudd +DocType: Purchase Invoice,Tax Breakup,Skatteavbrudd DocType: Packing Slip,PS-,PS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Det kreves kostnadssted for 'resultat' konto {2}. Sett opp en standardkostnadssted for selskapet. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,En kundegruppe eksisterer med samme navn kan du endre Kundens navn eller endre navn på Kundegruppe @@ -1743,14 +1744,14 @@ DocType: Announcement,Instructor,Instruktør DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Hvis dette elementet har varianter, så det kan ikke velges i salgsordrer etc." DocType: Lead,Next Contact By,Neste Kontakt Av -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Mengden som kreves for Element {0} i rad {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Mengden som kreves for Element {0} i rad {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} kan ikke slettes som kvantitet finnes for Element {1} DocType: Quotation,Order Type,Ordretype DocType: Purchase Invoice,Notification Email Address,Varsling e-postadresse ,Item-wise Sales Register,Element-messig Sales Register DocType: Asset,Gross Purchase Amount,Bruttobeløpet DocType: Asset,Depreciation Method,avskrivningsmetode -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er dette inklusiv i Basic Rate? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Total Target DocType: Job Applicant,Applicant for a Job,Kandidat til en jobb @@ -1771,7 +1772,7 @@ DocType: Employee,Leave Encashed?,Permisjon encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Fra-feltet er obligatorisk DocType: Email Digest,Annual Expenses,årlige utgifter DocType: Item,Variants,Varianter -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Gjør innkjøpsordre +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Gjør innkjøpsordre DocType: SMS Center,Send To,Send Til apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Det er ikke nok permisjon balanse for La Type {0} DocType: Payment Reconciliation Payment,Allocated amount,Bevilget beløp @@ -1779,7 +1780,7 @@ DocType: Sales Team,Contribution to Net Total,Bidrag til Net Total DocType: Sales Invoice Item,Customer's Item Code,Kundens Elementkode DocType: Stock Reconciliation,Stock Reconciliation,Stock Avstemming DocType: Territory,Territory Name,Territorium Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Work-in-progress Warehouse er nødvendig før Send +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Work-in-progress Warehouse er nødvendig før Send apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Kandidat til en jobb. DocType: Purchase Order Item,Warehouse and Reference,Warehouse og Reference DocType: Supplier,Statutory info and other general information about your Supplier,Lovfestet info og annen generell informasjon om din Leverandør @@ -1790,16 +1791,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,medarbeidersamtaler apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Duplisere serie Ingen kom inn for Element {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,En forutsetning for en Shipping Rule apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Vennligst skriv inn -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan ikke bill for Element {0} i rad {1} mer enn {2}. For å tillate overfakturering, kan du sette i å kjøpe Innstillinger" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Vennligst sette filter basert på varen eller Warehouse +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan ikke bill for Element {0} i rad {1} mer enn {2}. For å tillate overfakturering, kan du sette i å kjøpe Innstillinger" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Vennligst sette filter basert på varen eller Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovekten av denne pakken. (Automatisk beregnet som summen av nettovekt elementer) DocType: Sales Order,To Deliver and Bill,Å levere og Bill DocType: Student Group,Instructors,instruktører DocType: GL Entry,Credit Amount in Account Currency,Credit beløp på kontoen Valuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} må sendes +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} må sendes DocType: Authorization Control,Authorization Control,Autorisasjon kontroll apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Avvist Warehouse er obligatorisk mot avvist Element {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Betaling +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Betaling apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Lager {0} er ikke knyttet til noen konto, vennligst oppgi kontoen i lagerregisteret eller sett inn standardbeholdningskonto i selskap {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Administrere dine bestillinger DocType: Production Order Operation,Actual Time and Cost,Faktisk leveringstid og pris @@ -1815,12 +1816,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle DocType: Quotation Item,Actual Qty,Selve Antall DocType: Sales Invoice Item,References,Referanser DocType: Quality Inspection Reading,Reading 10,Lese 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Vise dine produkter eller tjenester som du kjøper eller selger. Sørg for å sjekke varegruppen, Enhet og andre egenskaper når du starter." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Vise dine produkter eller tjenester som du kjøper eller selger. Sørg for å sjekke varegruppen, Enhet og andre egenskaper når du starter." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Du har skrevet inn like elementer. Vennligst utbedre og prøv igjen. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Forbinder +DocType: Company,Sales Target,Salgsmålgruppe DocType: Asset Movement,Asset Movement,Asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,New Handlekurv +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,New Handlekurv apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Element {0} er ikke en serie Element DocType: SMS Center,Create Receiver List,Lag Receiver List DocType: Vehicle,Wheels,hjul @@ -1862,13 +1864,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Managing Projects DocType: Supplier,Supplier of Goods or Services.,Leverandør av varer eller tjenester. DocType: Budget,Fiscal Year,Regnskapsår DocType: Vehicle Log,Fuel Price,Fuel Pris +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vennligst oppsett nummereringsserie for Deltakelse via Oppsett> Nummereringsserie DocType: Budget,Budget,Budsjett apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Fast Asset varen må være et ikke-lagervare. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budsjettet kan ikke overdras mot {0}, som det er ikke en inntekt eller kostnad konto" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Oppnås DocType: Student Admission,Application Form Route,Søknadsskjema Rute apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territorium / Customer -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,f.eks 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,f.eks 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,La Type {0} kan ikke tildeles siden det er permisjon uten lønn apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Rad {0}: Nummerert mengden {1} må være mindre enn eller lik fakturere utestående beløp {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,I Ord vil være synlig når du lagrer salgsfaktura. @@ -1877,11 +1880,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Element {0} er ikke oppsett for Serial Nos. Sjekk Element mester DocType: Maintenance Visit,Maintenance Time,Vedlikehold Tid ,Amount to Deliver,Beløp å levere -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Et produkt eller tjeneste +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Et produkt eller tjeneste apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Begrepet Startdato kan ikke være tidligere enn året startdato av studieåret som begrepet er knyttet (studieåret {}). Korriger datoene, og prøv igjen." DocType: Guardian,Guardian Interests,Guardian Interesser DocType: Naming Series,Current Value,Nåværende Verdi -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Flere regnskapsårene finnes for datoen {0}. Vennligst satt selskapet i regnskapsåret +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Flere regnskapsårene finnes for datoen {0}. Vennligst satt selskapet i regnskapsåret apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} opprettet DocType: Delivery Note Item,Against Sales Order,Mot Salgsordre ,Serial No Status,Serial No Status @@ -1894,7 +1897,7 @@ DocType: Pricing Rule,Selling,Selling apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Mengden {0} {1} trukket mot {2} DocType: Employee,Salary Information,Lønn Informasjon DocType: Sales Person,Name and Employee ID,Navn og Employee ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Due Date kan ikke være før konteringsdato +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Due Date kan ikke være før konteringsdato DocType: Website Item Group,Website Item Group,Website varegruppe apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Skatter og avgifter apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Skriv inn Reference dato @@ -1951,9 +1954,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Vennligst sett datoen for å bli med på ansatt {0} DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Beløp (via Timeregistrering) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Gjenta kunden Revenue -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) må ha rollen 'Expense Godkjenner' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Velg BOM og Stk for produksjon +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) må ha rollen 'Expense Godkjenner' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Par +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Velg BOM og Stk for produksjon DocType: Asset,Depreciation Schedule,avskrivninger Schedule apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Salgspartneradresser og kontakter DocType: Bank Reconciliation Detail,Against Account,Mot konto @@ -1963,7 +1966,7 @@ DocType: Item,Has Batch No,Har Batch No apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Årlig Billing: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Varer og tjenester skatt (GST India) DocType: Delivery Note,Excise Page Number,Vesenet Page Number -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Fra dato og Til dato er obligatorisk" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Company, Fra dato og Til dato er obligatorisk" DocType: Asset,Purchase Date,Kjøpsdato DocType: Employee,Personal Details,Personlig Informasjon apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Vennligst sett 'Asset Avskrivninger kostnadssted "i selskapet {0} @@ -1972,9 +1975,9 @@ DocType: Task,Actual End Date (via Time Sheet),Faktisk Sluttdato (via Timeregist apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Mengden {0} {1} mot {2} {3} ,Quotation Trends,Anførsels Trender apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Varegruppe ikke nevnt i punkt master for elementet {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Uttak fra kontoen må være en fordring konto +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Uttak fra kontoen må være en fordring konto DocType: Shipping Rule Condition,Shipping Amount,Fraktbeløp -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Legg til kunder +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Legg til kunder apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Avventer Beløp DocType: Purchase Invoice Item,Conversion Factor,Omregningsfaktor DocType: Purchase Order,Delivered,Levert @@ -1997,7 +2000,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Inkluder forsonet Entrie DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Foreldrekurs (Foreløpig, hvis dette ikke er en del av foreldrenes kurs)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Foreldrekurs (Foreløpig, hvis dette ikke er en del av foreldrenes kurs)" DocType: Leave Control Panel,Leave blank if considered for all employee types,La stå tom hvis vurderes for alle typer medarbeider -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuere Kostnader Based On apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timelister DocType: HR Settings,HR Settings,HR-innstillinger @@ -2005,7 +2007,7 @@ DocType: Salary Slip,net pay info,nettolønn info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Expense krav venter på godkjenning. Bare den Expense Godkjenner kan oppdatere status. DocType: Email Digest,New Expenses,nye Utgifter DocType: Purchase Invoice,Additional Discount Amount,Ekstra rabatt Beløp -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Row # {0}: Antall må være en som elementet er et anleggsmiddel. Bruk egen rad for flere stk. +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Row # {0}: Antall må være en som elementet er et anleggsmiddel. Bruk egen rad for flere stk. DocType: Leave Block List Allow,Leave Block List Allow,La Block List Tillat apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr kan ikke være tomt eller plass apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Gruppe til Non-gruppe @@ -2013,7 +2015,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport DocType: Loan Type,Loan Name,lån Name apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Actual DocType: Student Siblings,Student Siblings,student Søsken -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Enhet +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Enhet apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Vennligst oppgi selskapet ,Customer Acquisition and Loyalty,Kunden Oppkjøp og Loyalty DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse hvor du opprettholder lager avviste elementer @@ -2032,12 +2034,12 @@ DocType: Workstation,Wages per hour,Lønn per time apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock balanse i Batch {0} vil bli negativ {1} for Element {2} på Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Følgende materiale Requests har vært reist automatisk basert på element re-order nivå DocType: Email Digest,Pending Sales Orders,Avventer salgsordrer -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Account Valuta må være {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Account Valuta må være {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Målenheter Omregningsfaktor er nødvendig i rad {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av salgsordre, salgsfaktura eller bilagsregistrering" DocType: Salary Component,Deduction,Fradrag -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rad {0}: Fra tid og Tid er obligatorisk. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Rad {0}: Fra tid og Tid er obligatorisk. DocType: Stock Reconciliation Item,Amount Difference,beløp Difference apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Varen Pris lagt for {0} i Prisliste {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Skriv inn Employee Id av denne salgs person @@ -2047,11 +2049,11 @@ DocType: Project,Gross Margin,Bruttomargin apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Skriv inn Produksjon varen først apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Beregnet kontoutskrift balanse apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,deaktivert bruker -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Sitat +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Sitat DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Total Fradrag ,Production Analytics,produksjons~~POS=TRUNC Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kostnad Oppdatert +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Kostnad Oppdatert DocType: Employee,Date of Birth,Fødselsdato apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Element {0} er allerede returnert DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Regnskapsår ** representerer et regnskapsår. Alle regnskapspostene og andre store transaksjoner spores mot ** regnskapsår **. @@ -2097,18 +2099,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Velg Company ... DocType: Leave Control Panel,Leave blank if considered for all departments,La stå tom hvis vurderes for alle avdelinger apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Typer arbeid (fast, kontrakt, lærling etc.)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} er obligatorisk for Element {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} er obligatorisk for Element {1} DocType: Process Payroll,Fortnightly,hver fjortende dag DocType: Currency Exchange,From Currency,Fra Valuta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Kostnad for nye kjøp -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Salgsordre kreves for Element {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Salgsordre kreves for Element {0} DocType: Purchase Invoice Item,Rate (Company Currency),Rate (Selskap Valuta) DocType: Student Guardian,Others,Annet DocType: Payment Entry,Unallocated Amount,uallokert Beløp apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Kan ikke finne en matchende element. Vennligst velg en annen verdi for {0}. DocType: POS Profile,Taxes and Charges,Skatter og avgifter DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Et produkt eller en tjeneste som er kjøpt, solgt eller holdes på lager." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Varemerke apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Ingen flere oppdateringer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Kan ikke velge charge type som 'On Forrige Row beløp "eller" On Forrige Row Totals for første rad apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Barn Varen bør ikke være et produkt Bundle. Vennligst fjern element `{0}` og lagre @@ -2136,7 +2139,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Total Billing Beløp apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Det må være en standard innkommende e-postkonto aktivert for at dette skal fungere. Vennligst sette opp en standard innkommende e-postkonto (POP / IMAP) og prøv igjen. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Fordring konto -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Salgsordre til betaling apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,administrerende direktør @@ -2161,10 +2164,11 @@ DocType: C-Form,Received Date,Mottatt dato DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Hvis du har opprettet en standard mal i salgs skatter og avgifter mal, velger du ett og klikk på knappen under." DocType: BOM Scrap Item,Basic Amount (Company Currency),Grunnbeløpet (Selskap Valuta) DocType: Student,Guardians,Voktere +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverandør> Leverandør Type DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Prisene vil ikke bli vist hvis prislisten er ikke satt apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Vennligst oppgi et land for denne Shipping Regel eller sjekk Worldwide Shipping DocType: Stock Entry,Total Incoming Value,Total Innkommende Verdi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debet Å kreves +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debet Å kreves apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timelister bidra til å holde styr på tid, kostnader og fakturering for aktiviteter gjort av teamet ditt" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Kjøp Prisliste DocType: Offer Letter Term,Offer Term,Tilbudet Term @@ -2183,11 +2187,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Produ DocType: Timesheet Detail,To Time,Til Time DocType: Authorization Rule,Approving Role (above authorized value),Godkjenne Role (ovenfor autorisert verdi) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kreditt til kontoen må være en Betales konto -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursjon: {0} kan ikke være forelder eller barn av {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekursjon: {0} kan ikke være forelder eller barn av {2} DocType: Production Order Operation,Completed Qty,Fullført Antall apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",For {0} kan bare belastning kontoer knyttes opp mot en annen kreditt oppføring apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Prisliste {0} er deaktivert -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rad {0}: Fullført Antall kan ikke være mer enn {1} for drift {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rad {0}: Fullført Antall kan ikke være mer enn {1} for drift {2} DocType: Manufacturing Settings,Allow Overtime,Tillat Overtid apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialisert element {0} kan ikke oppdateres ved hjelp av Stock Forsoning, vennligst bruk Stock Entry" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialisert element {0} kan ikke oppdateres ved hjelp av Stock Forsoning, vennligst bruk Stock Entry" @@ -2206,10 +2210,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Ekstern apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Brukere og tillatelser DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Produksjonsordrer Laget: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Produksjonsordrer Laget: {0} DocType: Branch,Branch,Branch DocType: Guardian,Mobile Number,Mobilnummer apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Trykking og merkevarebygging +DocType: Company,Total Monthly Sales,Totalt månedlig salg DocType: Bin,Actual Quantity,Selve Antall DocType: Shipping Rule,example: Next Day Shipping,Eksempel: Neste Day Shipping apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} ikke funnet @@ -2240,7 +2245,7 @@ DocType: Payment Request,Make Sales Invoice,Gjør Sales Faktura apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,programvare apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Neste Kontakt Datoen kan ikke være i fortiden DocType: Company,For Reference Only.,For referanse. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Velg batchnummer +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Velg batchnummer apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ugyldig {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Forskuddsbeløp @@ -2253,7 +2258,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ingen Element med Barcode {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Sak nr kan ikke være 0 DocType: Item,Show a slideshow at the top of the page,Vis en lysbildeserie på toppen av siden -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Butikker DocType: Serial No,Delivery Time,Leveringstid apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Aldring Based On @@ -2267,16 +2272,16 @@ DocType: Rename Tool,Rename Tool,Rename Tool apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Oppdater Cost DocType: Item Reorder,Item Reorder,Sak Omgjøre apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Vis Lønn Slip -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transfer Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transfer Material DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Spesifiser drift, driftskostnadene og gi en unik Operation nei til driften." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dette dokumentet er over grensen av {0} {1} for elementet {4}. Er du gjør en annen {3} mot samme {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Vennligst sett gjentakende etter lagring -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Velg endring mengde konto +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Vennligst sett gjentakende etter lagring +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Velg endring mengde konto DocType: Purchase Invoice,Price List Currency,Prisliste Valuta DocType: Naming Series,User must always select,Brukeren må alltid velge DocType: Stock Settings,Allow Negative Stock,Tillat Negative Stock DocType: Installation Note,Installation Note,Installasjon Merk -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Legg Skatter +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Legg Skatter DocType: Topic,Topic,Emne apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Kontantstrøm fra finansierings DocType: Budget Account,Budget Account,budsjett konto @@ -2290,7 +2295,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sporb apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Source of Funds (Gjeld) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Antall på rad {0} ({1}) må være det samme som produsert mengde {2} DocType: Appraisal,Employee,Ansatt -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Velg Batch +DocType: Company,Sales Monthly History,Salg Månedlig historie +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Velg Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} er fullt fakturert DocType: Training Event,End Time,Sluttid apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktiv Lønn Struktur {0} funnet for ansatt {1} for de gitte datoer @@ -2298,15 +2304,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Betalings fradrag eller tap apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standard kontraktsvilkår for salg eller kjøp. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grupper etter Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,salgs~~POS=TRUNC -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Vennligst angi standardkonto i Lønn Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Vennligst angi standardkonto i Lønn Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Nødvendig På DocType: Rename Tool,File to Rename,Filen til Rename apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Vennligst velg BOM for Element i Rad {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} stemmer ikke overens med Selskapet {1} i Konto modus: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Spesifisert BOM {0} finnes ikke for Element {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Vedlikeholdsplan {0} må avbestilles før den avbryter denne salgsordre +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Vedlikeholdsplan {0} må avbestilles før den avbryter denne salgsordre DocType: Notification Control,Expense Claim Approved,Expense krav Godkjent -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vennligst oppsett nummereringsserie for Tilstedeværelse via Oppsett> Nummereringsserie apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Lønn Slip av ansattes {0} som allerede er opprettet for denne perioden apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutical apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostnad for kjøpte varer @@ -2323,7 +2328,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. for et ferd DocType: Upload Attendance,Attendance To Date,Oppmøte To Date DocType: Warranty Claim,Raised By,Raised By DocType: Payment Gateway Account,Payment Account,Betaling konto -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Vennligst oppgi selskapet å fortsette +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Vennligst oppgi selskapet å fortsette apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Netto endring i kundefordringer apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompenserende Off DocType: Offer Letter,Accepted,Akseptert @@ -2332,12 +2337,12 @@ DocType: SG Creation Tool Course,Student Group Name,Student Gruppenavn apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Sørg for at du virkelig ønsker å slette alle transaksjoner for dette selskapet. Dine stamdata vil forbli som det er. Denne handlingen kan ikke angres. DocType: Room,Room Number,Romnummer apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ugyldig referanse {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan ikke være større enn planlagt quanitity ({2}) i produksjonsordre {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan ikke være større enn planlagt quanitity ({2}) i produksjonsordre {3} DocType: Shipping Rule,Shipping Rule Label,Shipping Rule Etikett apps/erpnext/erpnext/public/js/conf.js +28,User Forum,bruker~~POS=TRUNC -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Råvare kan ikke være blank. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Kunne ikke oppdatere lager, inneholder faktura slippe frakt element." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Hurtig Journal Entry +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Råvare kan ikke være blank. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Kunne ikke oppdatere lager, inneholder faktura slippe frakt element." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Hurtig Journal Entry apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Du kan ikke endre prisen dersom BOM nevnt agianst ethvert element DocType: Employee,Previous Work Experience,Tidligere arbeidserfaring DocType: Stock Entry,For Quantity,For Antall @@ -2394,7 +2399,7 @@ DocType: SMS Log,No of Requested SMS,Ingen av Spurt SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,La Uten Pay ikke samsvarer med godkjente La Søknad poster DocType: Campaign,Campaign-.####,Kampanje -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Neste skritt -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Vennligst oppgi de angitte elementene på de best mulige priser +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Vennligst oppgi de angitte elementene på de best mulige priser DocType: Selling Settings,Auto close Opportunity after 15 days,Auto nær mulighet etter 15 dager apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,slutt År apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2432,7 +2437,7 @@ DocType: Homepage,Homepage,hjemmeside DocType: Purchase Receipt Item,Recd Quantity,Recd Antall apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Records Laget - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategori konto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Kan ikke produsere mer Element {0} enn Salgsordre kvantitet {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Kan ikke produsere mer Element {0} enn Salgsordre kvantitet {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock Entry {0} er ikke innsendt DocType: Payment Reconciliation,Bank / Cash Account,Bank / minibank konto apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Neste Kontakt By kan ikke være samme som Lead e-postadresse @@ -2465,7 +2470,7 @@ DocType: Salary Structure,Total Earning,Total Tjene DocType: Purchase Receipt,Time at which materials were received,Tidspunktet for når materialene ble mottatt DocType: Stock Ledger Entry,Outgoing Rate,Utgående Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisering gren mester. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,eller +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,eller DocType: Sales Order,Billing Status,Billing Status apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Melde om et problem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility Utgifter @@ -2473,7 +2478,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Bilagsregistrering {1} har ikke konto {2} eller allerede matchet mot en annen kupong DocType: Buying Settings,Default Buying Price List,Standard Kjøpe Prisliste DocType: Process Payroll,Salary Slip Based on Timesheet,Lønn Slip Basert på Timeregistrering -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ingen ansatte for de oven valgte kriterier ELLER lønn slip allerede opprettet +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Ingen ansatte for de oven valgte kriterier ELLER lønn slip allerede opprettet DocType: Notification Control,Sales Order Message,Salgsordre Message apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Sett standardverdier som Company, Valuta, værende regnskapsår, etc." DocType: Payment Entry,Payment Type,Betalings Type @@ -2498,7 +2503,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kvittering dokumentet må sendes DocType: Purchase Invoice Item,Received Qty,Mottatt Antall DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Ikke betalt og ikke levert +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Ikke betalt og ikke levert DocType: Product Bundle,Parent Item,Parent Element DocType: Account,Account Type,Kontotype DocType: Delivery Note,DN-RET-,DN-RET- @@ -2529,8 +2534,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Totalt tildelte beløp apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Angi standard beholdningskonto for evigvarende beholdning DocType: Item Reorder,Material Request Type,Materialet Request Type -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural dagboken til lønninger fra {0} i {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","Localstorage er full, ikke redde" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural dagboken til lønninger fra {0} i {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Localstorage er full, ikke redde" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Rad {0}: målenheter omregningsfaktor er obligatorisk apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Kostnadssted @@ -2548,7 +2553,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Innte apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Hvis valgt Pricing Rule er laget for 'Pris', det vil overskrive Prisliste. Priser Rule prisen er den endelige prisen, så ingen ytterligere rabatt bør påføres. Derfor, i transaksjoner som Salgsordre, innkjøpsordre osv, det vil bli hentet i "Valuta-feltet, heller enn" Prisliste Valuta-feltet." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Spor Leads etter bransje Type. DocType: Item Supplier,Item Supplier,Sak Leverandør -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Skriv inn Element kode for å få batch no +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Skriv inn Element kode for å få batch no apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Velg en verdi for {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle adresser. DocType: Company,Stock Settings,Aksje Innstillinger @@ -2575,7 +2580,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Selve Antall Etter Tran apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ingen lønn slip funnet mellom {0} og {1} ,Pending SO Items For Purchase Request,Avventer SO varer for kjøp Request apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,student Opptak -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} er deaktivert +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} er deaktivert DocType: Supplier,Billing Currency,Faktureringsvaluta DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra large @@ -2605,7 +2610,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,søknad Status DocType: Fees,Fees,avgifter DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Spesifiser Exchange Rate å konvertere en valuta til en annen -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Sitat {0} er kansellert +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Sitat {0} er kansellert apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Totalt utestående beløp DocType: Sales Partner,Targets,Targets DocType: Price List,Price List Master,Prisliste Master @@ -2622,7 +2627,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorer Pricing Rule DocType: Employee Education,Graduate,Utdannet DocType: Leave Block List,Block Days,Block Days DocType: Journal Entry,Excise Entry,Vesenet Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Advarsel: Salgsordre {0} finnes allerede mot kundens innkjøpsordre {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Advarsel: Salgsordre {0} finnes allerede mot kundens innkjøpsordre {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2649,7 +2654,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Hvis ,Salary Register,lønn Register DocType: Warehouse,Parent Warehouse,Parent Warehouse DocType: C-Form Invoice Detail,Net Total,Net Total -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Standard BOM ikke funnet for element {0} og prosjekt {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Standard BOM ikke funnet for element {0} og prosjekt {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Definere ulike typer lån DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Utestående Beløp @@ -2686,7 +2691,7 @@ DocType: Salary Detail,Condition and Formula Help,Tilstand og Formula Hjelp apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Administrer Territory treet. DocType: Journal Entry Account,Sales Invoice,Salg Faktura DocType: Journal Entry Account,Party Balance,Fest Balance -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Vennligst velg Bruk rabatt på +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Vennligst velg Bruk rabatt på DocType: Company,Default Receivable Account,Standard fordringer konto DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Lag Bank Entry for den totale lønn for de ovenfor valgte kriterier DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer for Produksjon @@ -2700,7 +2705,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Kunde Adresse DocType: Employee Loan,Loan Details,lån Detaljer DocType: Company,Default Inventory Account,Standard lagerkonto -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rad {0}: Fullført Antall må være større enn null. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Rad {0}: Fullført Antall må være større enn null. DocType: Purchase Invoice,Apply Additional Discount On,Påfør Ytterligere rabatt på DocType: Account,Root Type,Root Type DocType: Item,FIFO,FIFO @@ -2717,7 +2722,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,standard Template DocType: Training Event,Theory,Teori -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Material Requested Antall er mindre enn Minimum Antall +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Material Requested Antall er mindre enn Minimum Antall apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Konto {0} er frosset DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Legal Entity / Datterselskap med en egen konto tilhørighet til organisasjonen. DocType: Payment Request,Mute Email,Demp Email @@ -2741,7 +2746,7 @@ DocType: Training Event,Scheduled,Planlagt apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Forespørsel om kostnadsoverslag. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Vennligst velg Element der "Er Stock Item" er "Nei" og "Er Sales Item" er "Ja", og det er ingen andre Product Bundle" DocType: Student Log,Academic,akademisk -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total forhånd ({0}) mot Bestill {1} kan ikke være større enn totalsummen ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total forhånd ({0}) mot Bestill {1} kan ikke være større enn totalsummen ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Velg Månedlig Distribusjon til ujevnt fordele målene gjennom måneder. DocType: Purchase Invoice Item,Valuation Rate,Verdivurdering Rate DocType: Stock Reconciliation,SR/,SR / @@ -2807,6 +2812,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Skriv inn navnet på kampanjen hvis kilden til henvendelsen er kampanje apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Avis Publishers apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Velg regnskapsår +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Forventet leveringsdato bør være etter salgsordre apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Omgjøre nivå DocType: Company,Chart Of Accounts Template,Konto Mal DocType: Attendance,Attendance Date,Oppmøte Dato @@ -2838,7 +2844,7 @@ DocType: Pricing Rule,Discount Percentage,Rabatt Prosent DocType: Payment Reconciliation Invoice,Invoice Number,Fakturanummer DocType: Shopping Cart Settings,Orders,Bestillinger DocType: Employee Leave Approver,Leave Approver,La Godkjenner -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Vennligst velg en batch +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Vennligst velg en batch DocType: Assessment Group,Assessment Group Name,Assessment Gruppenavn DocType: Manufacturing Settings,Material Transferred for Manufacture,Materialet Overført for Produksjon DocType: Expense Claim,"A user with ""Expense Approver"" role",En bruker med "Expense Godkjenner" rolle @@ -2875,7 +2881,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Siste dag av neste måned DocType: Support Settings,Auto close Issue after 7 days,Auto nær Issue etter 7 dager apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Permisjon kan ikke tildeles før {0}, som permisjon balanse har allerede vært carry-sendt i fremtiden permisjon tildeling posten {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Merk: På grunn / Reference Date stiger tillatt kunde kreditt dager med {0} dag (er) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Merk: På grunn / Reference Date stiger tillatt kunde kreditt dager med {0} dag (er) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,student Søker DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL FOR RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Akkumulerte avskrivninger konto @@ -2886,7 +2892,7 @@ DocType: Item,Reorder level based on Warehouse,Omgjøre nivå basert på Warehou DocType: Activity Cost,Billing Rate,Billing Rate ,Qty to Deliver,Antall å levere ,Stock Analytics,Aksje Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operasjoner kan ikke være tomt +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operasjoner kan ikke være tomt DocType: Maintenance Visit Purpose,Against Document Detail No,Mot Document Detail Nei apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Partiet Type er obligatorisk DocType: Quality Inspection,Outgoing,Utgående @@ -2928,15 +2934,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Tilgjengelig Antall på Warehouse apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Fakturert beløp DocType: Asset,Double Declining Balance,Dobbel degressiv -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Stengt for kan ikke avbestilles. Unclose å avbryte. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Stengt for kan ikke avbestilles. Unclose å avbryte. DocType: Student Guardian,Father,Far -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Oppdater Stock "kan ikke kontrolleres for driftsmiddel salg +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Oppdater Stock "kan ikke kontrolleres for driftsmiddel salg DocType: Bank Reconciliation,Bank Reconciliation,Bankavstemming DocType: Attendance,On Leave,På ferie apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Få oppdateringer apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ikke tilhører selskapet {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materialet Request {0} blir kansellert eller stoppet -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Legg et par eksempler på poster +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Legg et par eksempler på poster apps/erpnext/erpnext/config/hr.py +301,Leave Management,La Ledelse apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupper etter Account DocType: Sales Order,Fully Delivered,Fullt Leveres @@ -2945,12 +2951,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Forskjellen konto må være en eiendel / forpliktelse type konto, siden dette Stock Forsoning er en åpning Entry" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Utbetalt Mengde kan ikke være større enn låne beløpet {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Innkjøpsordrenummeret som kreves for Element {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Produksjonsordre ikke opprettet +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Produksjonsordre ikke opprettet apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Fra dato" må være etter 'To Date' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Kan ikke endre status som student {0} er knyttet til studentens søknad {1} DocType: Asset,Fully Depreciated,fullt avskrevet ,Stock Projected Qty,Lager Antall projiserte -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Kunden {0} ikke hører til prosjektet {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Kunden {0} ikke hører til prosjektet {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Merket Oppmøte HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Sitater er forslag, bud du har sendt til dine kunder" DocType: Sales Order,Customer's Purchase Order,Kundens innkjøpsordre @@ -2960,7 +2966,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Vennligst sett Antall Avskrivninger bestilt apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Verdi eller Stk apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Bestillinger kan ikke heves for: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minutt +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minutt DocType: Purchase Invoice,Purchase Taxes and Charges,Kjøpe skatter og avgifter ,Qty to Receive,Antall å motta DocType: Leave Block List,Leave Block List Allowed,La Block List tillatt @@ -2973,7 +2979,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Alle Leverandør Typer DocType: Global Defaults,Disable In Words,Deaktiver I Ord apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Elementkode er obligatorisk fordi varen ikke blir automatisk nummerert -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Sitat {0} ikke av typen {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Sitat {0} ikke av typen {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vedlikeholdsplan Sak DocType: Sales Order,% Delivered,% Leveres DocType: Production Order,PRO-,PRO- @@ -2996,7 +3002,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Selger Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Total anskaffelseskost (via fakturaen) DocType: Training Event,Start Time,Starttid -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Velg Antall +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Velg Antall DocType: Customs Tariff Number,Customs Tariff Number,Tolltariffen nummer apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Godkjenne Role kan ikke være det samme som rollen regelen gjelder for apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Melde deg ut av denne e-post Digest @@ -3020,7 +3026,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detalj DocType: Sales Order,Fully Billed,Fullt Fakturert apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Kontanter -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Levering lager nødvendig for lagervare {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Levering lager nødvendig for lagervare {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Totalvekten av pakken. Vanligvis nettovekt + emballasjematerialet vekt. (For utskrift) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Brukere med denne rollen har lov til å sette frosne kontoer og lage / endre regnskapspostene mot frosne kontoer @@ -3030,7 +3036,7 @@ DocType: Student Group,Group Based On,Gruppe basert på DocType: Journal Entry,Bill Date,Bill Dato apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Tjenesten varen, type, frekvens og utgiftene beløp kreves" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Selv om det er flere Prising regler med høyest prioritet, deretter følgende interne prioriteringer til grunn:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Har du virkelig ønsker å sende alle Lønn Slip fra {0} til {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Har du virkelig ønsker å sende alle Lønn Slip fra {0} til {1} DocType: Cheque Print Template,Cheque Height,sjekk Høyde DocType: Supplier,Supplier Details,Leverandør Detaljer DocType: Expense Claim,Approval Status,Godkjenningsstatus @@ -3052,7 +3058,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Føre til prisanslag apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ingenting mer å vise. DocType: Lead,From Customer,Fra Customer apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Samtaler -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,batcher +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,batcher DocType: Project,Total Costing Amount (via Time Logs),Total koster Beløp (via Time Logger) DocType: Purchase Order Item Supplied,Stock UOM,Stock målenheter apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Purchase Order {0} ikke er sendt @@ -3084,7 +3090,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Tilbake mot fakturaen DocType: Item,Warranty Period (in days),Garantiperioden (i dager) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relasjon med Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Netto kontantstrøm fra driften -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,reskontroførsel +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,reskontroførsel apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Sak 4 DocType: Student Admission,Admission End Date,Opptak Sluttdato apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Underleverandører @@ -3092,7 +3098,7 @@ DocType: Journal Entry Account,Journal Entry Account,Journal Entry konto apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,student Gruppe DocType: Shopping Cart Settings,Quotation Series,Sitat Series apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Et element eksisterer med samme navn ({0}), må du endre navn varegruppen eller endre navn på elementet" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Velg kunde +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Velg kunde DocType: C-Form,I,Jeg DocType: Company,Asset Depreciation Cost Center,Asset Avskrivninger kostnadssted DocType: Sales Order Item,Sales Order Date,Salgsordre Dato @@ -3103,6 +3109,7 @@ DocType: Stock Settings,Limit Percent,grense Prosent ,Payment Period Based On Invoice Date,Betaling perioden basert på Fakturadato apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Mangler valutakurser for {0} DocType: Assessment Plan,Examiner,Examiner +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vennligst still inn navngivningsserien for {0} via Setup> Settings> Naming Series DocType: Student,Siblings,søsken DocType: Journal Entry,Stock Entry,Stock Entry DocType: Payment Entry,Payment References,Betalings Referanser @@ -3127,7 +3134,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Hvor fabrikasjonsvirksomhet gjennomføres. DocType: Asset Movement,Source Warehouse,Kilde Warehouse DocType: Installation Note,Installation Date,Installasjonsdato -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ikke tilhører selskapet {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ikke tilhører selskapet {2} DocType: Employee,Confirmation Date,Bekreftelse Dato DocType: C-Form,Total Invoiced Amount,Total Fakturert beløp apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Antall kan ikke være større enn Max Antall @@ -3202,7 +3209,7 @@ DocType: Company,Default Letter Head,Standard Brevhode DocType: Purchase Order,Get Items from Open Material Requests,Få Elementer fra Åpen Material Forespørsler DocType: Item,Standard Selling Rate,Standard salgskurs DocType: Account,Rate at which this tax is applied,Hastigheten som denne skatten er brukt -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Omgjøre Antall +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Omgjøre Antall apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Nåværende jobb Åpninger DocType: Company,Stock Adjustment Account,Stock Adjustment konto apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Skriv Off @@ -3216,7 +3223,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Leverandør leverer til kunden apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / post / {0}) er utsolgt apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Neste dato må være større enn konteringsdato -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Due / Reference Datoen kan ikke være etter {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Due / Reference Datoen kan ikke være etter {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Data import og eksport apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Ingen studenter Funnet apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktura Publiseringsdato @@ -3236,12 +3243,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dette er basert på tilstedeværelse av denne Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Ingen studenter i apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Legg til flere elementer eller åpne full form -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Skriv inn "Forventet Leveringsdato ' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Levering Merknader {0} må avbestilles før den avbryter denne salgsordre +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Levering Merknader {0} må avbestilles før den avbryter denne salgsordre apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Innbetalt beløp + avskrive Beløpet kan ikke være større enn Totalsum apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} er ikke en gyldig batchnummer for varen {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Merk: Det er ikke nok permisjon balanse for La Type {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Ugyldig GSTIN eller Skriv inn NA for Uregistrert +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Ugyldig GSTIN eller Skriv inn NA for Uregistrert DocType: Training Event,Seminar,Seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Program innmeldingsavgift DocType: Item,Supplier Items,Leverandør Items @@ -3259,7 +3265,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stock Ageing apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} eksistere mot student Søkeren {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Tids skjema -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} {1} er deaktivert +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} {1} er deaktivert apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Sett som Åpen DocType: Cheque Print Template,Scanned Cheque,skannede Cheque DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Send automatisk e-poster til Kontakter på Sende transaksjoner. @@ -3306,7 +3312,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Prisliste Exchange Rate DocType: Purchase Invoice Item,Rate,Rate apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Adressenavn +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Adressenavn DocType: Stock Entry,From BOM,Fra BOM DocType: Assessment Code,Assessment Code,Assessment Kode apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Grunnleggende @@ -3319,20 +3325,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Lønn Struktur DocType: Account,Bank,Bank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Flyselskap -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Issue Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Issue Material DocType: Material Request Item,For Warehouse,For Warehouse DocType: Employee,Offer Date,Tilbudet Dato apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Sitater -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Du er i frakoblet modus. Du vil ikke være i stand til å laste før du har nettverk. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Du er i frakoblet modus. Du vil ikke være i stand til å laste før du har nettverk. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Ingen studentgrupper opprettet. DocType: Purchase Invoice Item,Serial No,Serial No apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Månedlig nedbetaling beløpet kan ikke være større enn Lånebeløp apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Skriv inn maintaince detaljer Første +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rute # {0}: Forventet leveringsdato kan ikke være før innkjøpsordrenes dato DocType: Purchase Invoice,Print Language,Print Språk DocType: Salary Slip,Total Working Hours,Samlet arbeidstid DocType: Stock Entry,Including items for sub assemblies,Inkludert elementer for sub samlinger -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Oppgi verdien skal være positiv -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Varemerke +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Oppgi verdien skal være positiv apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Alle Territories DocType: Purchase Invoice,Items,Elementer apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student er allerede registrert. @@ -3355,7 +3361,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard Enhet for Variant {0} må være samme som i malen {1} DocType: Shipping Rule,Calculate Based On,Beregn basert på DocType: Delivery Note Item,From Warehouse,Fra Warehouse -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Ingen elementer med Bill of Materials til Manufacture +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Ingen elementer med Bill of Materials til Manufacture DocType: Assessment Plan,Supervisor Name,Supervisor Name DocType: Program Enrollment Course,Program Enrollment Course,Programopptakskurs DocType: Program Enrollment Course,Program Enrollment Course,Programopptakskurs @@ -3371,23 +3377,23 @@ DocType: Training Event Employee,Attended,Deltok apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dager siden siste Bestill "må være større enn eller lik null DocType: Process Payroll,Payroll Frequency,lønn Frequency DocType: Asset,Amended From,Endret Fra -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Råmateriale +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Råmateriale DocType: Leave Application,Follow via Email,Følg via e-post apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Planter og Machineries DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skattebeløp Etter Rabattbeløp DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daglige arbeid Oppsummering Innstillinger -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta av prislisten {0} er ikke lik med den valgte valutaen {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuta av prislisten {0} er ikke lik med den valgte valutaen {1} DocType: Payment Entry,Internal Transfer,Internal Transfer apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Barnekonto som finnes for denne kontoen. Du kan ikke slette denne kontoen. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Enten målet stk eller mål beløpet er obligatorisk apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ingen standard BOM finnes for Element {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vennligst velg Publiseringsdato først +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Vennligst velg Publiseringsdato først apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Åpningsdato bør være før påmeldingsfristens utløp DocType: Leave Control Panel,Carry Forward,Fremføring apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kostnadssted med eksisterende transaksjoner kan ikke konverteres til Ledger DocType: Department,Days for which Holidays are blocked for this department.,Dager som Holidays er blokkert for denne avdelingen. ,Produced,Produsert -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Opprettet lønnsslipper +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Opprettet lønnsslipper DocType: Item,Item Code for Suppliers,Sak Kode for leverandører DocType: Issue,Raised By (Email),Raised By (e-post) DocType: Training Event,Trainer Name,trener Name @@ -3395,9 +3401,10 @@ DocType: Mode of Payment,General,Generelt apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Siste kommunikasjon apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Siste kommunikasjon apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan ikke trekke når kategorien er for verdsetting "eller" Verdsettelse og Totals -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","List dine skatte hoder (f.eks merverdiavgift, toll etc, de bør ha unike navn) og deres standardsatser. Dette vil skape en standard mal, som du kan redigere og legge til mer senere." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","List dine skatte hoder (f.eks merverdiavgift, toll etc, de bør ha unike navn) og deres standardsatser. Dette vil skape en standard mal, som du kan redigere og legge til mer senere." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Nos Nødvendig for Serialisert Element {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Betalinger med Fakturaer +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Rad # {0}: Vennligst skriv leveringsdato mot element {1} DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Gjelder til (Betegnelse) ,Profitability Analysis,lønnsomhets~~POS=TRUNC @@ -3413,17 +3420,18 @@ DocType: Quality Inspection,Item Serial No,Sak Serial No apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Lag Medarbeider Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,regnskaps~~POS=TRUNC Uttalelser -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Time +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Time apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial No kan ikke ha Warehouse. Warehouse må settes av Stock Entry eller Kjøpskvittering DocType: Lead,Lead Type,Lead Type apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Du er ikke autorisert til å godkjenne blader på Block Datoer -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Alle disse elementene er allerede blitt fakturert +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Alle disse elementene er allerede blitt fakturert +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Månedlig salgsmål apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kan godkjennes av {0} DocType: Item,Default Material Request Type,Standard Material Request Type apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Ukjent DocType: Shipping Rule,Shipping Rule Conditions,Frakt Regel betingelser DocType: BOM Replace Tool,The new BOM after replacement,Den nye BOM etter utskiftning -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Utsalgssted +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Utsalgssted DocType: Payment Entry,Received Amount,mottatt beløp DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Sent On DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop av Guardian @@ -3440,8 +3448,8 @@ DocType: Batch,Source Document Name,Kilde dokumentnavn DocType: Batch,Source Document Name,Kilde dokumentnavn DocType: Job Opening,Job Title,Jobbtittel apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Lag brukere -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Antall å Manufacture må være større enn 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Antall å Manufacture må være større enn 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Besøk rapport for vedlikehold samtale. DocType: Stock Entry,Update Rate and Availability,Oppdateringsfrekvens og tilgjengelighet DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Prosentvis du har lov til å motta eller levere mer mot antall bestilte produkter. For eksempel: Hvis du har bestilt 100 enheter. og din Fradrag er 10% så du har lov til å motta 110 enheter. @@ -3454,7 +3462,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Vennligst avbryte fakturaen {0} først apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-post adresse må være unikt, allerede eksisterer for {0}" DocType: Serial No,AMC Expiry Date,AMC Utløpsdato -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Kvittering +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Kvittering ,Sales Register,Salg Register DocType: Daily Work Summary Settings Company,Send Emails At,Send e-post til DocType: Quotation,Quotation Lost Reason,Sitat av Lost Reason @@ -3467,14 +3475,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Ingen kunder apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Kontantstrømoppstilling apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløp kan ikke overstige maksimalt lånebeløp på {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Tillatelse -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Vennligst fjern denne Faktura {0} fra C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Vennligst fjern denne Faktura {0} fra C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vennligst velg bære frem hvis du også vil ha med forrige regnskapsår balanse later til dette regnskapsåret DocType: GL Entry,Against Voucher Type,Mot Voucher Type DocType: Item,Attributes,Egenskaper apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Skriv inn avskrive konto apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Siste Order Date apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konto {0} ikke tilhører selskapet {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i rad {0} stemmer ikke overens med leveringsnotat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i rad {0} stemmer ikke overens med leveringsnotat DocType: Student,Guardian Details,Guardian Detaljer DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Oppmøte for flere ansatte @@ -3506,16 +3514,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ty DocType: Tax Rule,Sales,Salgs DocType: Stock Entry Detail,Basic Amount,Grunnbeløp DocType: Training Event,Exam,Eksamen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Warehouse nødvendig for lager Element {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Warehouse nødvendig for lager Element {0} DocType: Leave Allocation,Unused leaves,Ubrukte blader -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Billing State apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ikke forbundet med Party-konto {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Hente eksploderte BOM (inkludert underenheter) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Hente eksploderte BOM (inkludert underenheter) DocType: Authorization Rule,Applicable To (Employee),Gjelder til (Employee) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date er obligatorisk apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Økning for Egenskap {0} kan ikke være 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Journal Entry,Pay To / Recd From,Betal Til / recd From DocType: Naming Series,Setup Series,Oppsett Series DocType: Payment Reconciliation,To Invoice Date,Å Fakturadato @@ -3542,7 +3551,7 @@ DocType: Journal Entry,Write Off Based On,Skriv Off basert på apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Gjør Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Skriv ut og Saker DocType: Stock Settings,Show Barcode Field,Vis strekkodefelt -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Send Leverandør e-post +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Send Leverandør e-post apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Lønn allerede behandlet for perioden mellom {0} og {1}, La søknadsperioden kan ikke være mellom denne datoperioden." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Installasjon rekord for en Serial No. DocType: Guardian Interest,Guardian Interest,Guardian Rente @@ -3556,7 +3565,7 @@ DocType: Offer Letter,Awaiting Response,Venter på svar apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Fremfor apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Ugyldig egenskap {0} {1} DocType: Supplier,Mention if non-standard payable account,Nevn hvis ikke-standard betalingskonto -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Samme gjenstand er oppgitt flere ganger. {liste} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Samme gjenstand er oppgitt flere ganger. {liste} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Vennligst velg vurderingsgruppen annet enn 'Alle vurderingsgrupper' DocType: Salary Slip,Earning & Deduction,Tjene & Fradrag apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valgfritt. Denne innstillingen vil bli brukt for å filtrere i forskjellige transaksjoner. @@ -3575,7 +3584,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kostnad for kasserte Asset apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnadssted er obligatorisk for Element {2} DocType: Vehicle,Policy No,Regler Nei -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Få Elementer fra Produkt Bundle +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Få Elementer fra Produkt Bundle DocType: Asset,Straight Line,Rett linje DocType: Project User,Project User,prosjekt Bruker apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Dele @@ -3590,6 +3599,7 @@ DocType: Bank Reconciliation,Payment Entries,Betalings Entries DocType: Production Order,Scrap Warehouse,skrap Warehouse DocType: Production Order,Check if material transfer entry is not required,Sjekk om materialoverføring ikke er nødvendig DocType: Production Order,Check if material transfer entry is not required,Sjekk om materialoverføring ikke er nødvendig +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vennligst oppsett Ansattes navngivningssystem i menneskelig ressurs> HR-innstillinger DocType: Program Enrollment Tool,Get Students From,Få studenter fra DocType: Hub Settings,Seller Country,Selger Land apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publiser Elementer på nettstedet @@ -3608,19 +3618,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Spesifiser forhold til å beregne frakt beløp DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolle lov til å sette Frosne Kontoer og Rediger Frosne Entries apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,åpning Verdi +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,åpning Verdi DocType: Salary Detail,Formula,Formel apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Provisjon på salg DocType: Offer Letter Term,Value / Description,Verdi / beskrivelse -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke sendes inn, er det allerede {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke sendes inn, er det allerede {2}" DocType: Tax Rule,Billing Country,Fakturering Land DocType: Purchase Order Item,Expected Delivery Date,Forventet Leveringsdato apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debet- og kredittkort ikke lik for {0} # {1}. Forskjellen er {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Underholdning Utgifter apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Gjør Material Request apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Åpen Element {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Salg Faktura {0} må slettes før den sletter denne salgsordre +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Salg Faktura {0} må slettes før den sletter denne salgsordre apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Alder DocType: Sales Invoice Timesheet,Billing Amount,Faktureringsbeløp apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ugyldig kvantum spesifisert for elementet {0}. Antall må være større enn 0. @@ -3643,7 +3653,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Ny kunde Revenue apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Reiseutgifter DocType: Maintenance Visit,Breakdown,Sammenbrudd -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: {1} kan ikke velges +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: {1} kan ikke velges DocType: Bank Reconciliation Detail,Cheque Date,Sjekk Dato apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Parent konto {1} ikke tilhører selskapet: {2} DocType: Program Enrollment Tool,Student Applicants,student Søkere @@ -3663,11 +3673,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planle DocType: Material Request,Issued,Utstedt apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Studentaktivitet DocType: Project,Total Billing Amount (via Time Logs),Total Billing Beløp (via Time Logger) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Vi selger denne vare +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Vi selger denne vare apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Leverandør Id DocType: Payment Request,Payment Gateway Details,Betaling Gateway Detaljer -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Mengden skal være større enn 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Eksempeldata +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Mengden skal være større enn 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Eksempeldata DocType: Journal Entry,Cash Entry,Cash Entry apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Ordnede noder kan bare opprettes under 'Gruppe' type noder DocType: Leave Application,Half Day Date,Half Day Date @@ -3676,17 +3686,18 @@ DocType: Sales Partner,Contact Desc,Kontakt Desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Type blader som casual, syke etc." DocType: Email Digest,Send regular summary reports via Email.,Send vanlige oppsummeringsrapporter via e-post. DocType: Payment Entry,PE-,PE -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Vennligst angi standardkonto i Expense krav Type {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Vennligst angi standardkonto i Expense krav Type {0} DocType: Assessment Result,Student Name,Student navn DocType: Brand,Item Manager,Sak manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,lønn Betales DocType: Buying Settings,Default Supplier Type,Standard Leverandør Type DocType: Production Order,Total Operating Cost,Total driftskostnader -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Merk: Element {0} inngått flere ganger +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Merk: Element {0} inngått flere ganger apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Alle kontakter. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Angi målet ditt apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Firma Forkortelse apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Bruker {0} finnes ikke -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Råstoff kan ikke være det samme som hoved Element +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Råstoff kan ikke være det samme som hoved Element DocType: Item Attribute Value,Abbreviation,Forkortelse apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Betaling Entry finnes allerede apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ikke authroized siden {0} overskrider grensene @@ -3704,7 +3715,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Rolle tillatt å redig ,Territory Target Variance Item Group-Wise,Territorium Target Avviks varegruppe-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Alle kundegrupper apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,akkumulert pr måned -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Kanskje Valutaveksling posten ikke er skapt for {1} til {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Kanskje Valutaveksling posten ikke er skapt for {1} til {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Skatt Mal er obligatorisk. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} finnes ikke DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prisliste Rate (Selskap Valuta) @@ -3715,7 +3726,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Prosentvis Alloca apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretær DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Hvis deaktivere, 'I Ord-feltet ikke vil være synlig i enhver transaksjon" DocType: Serial No,Distinct unit of an Item,Distinkt enhet av et element -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Vennligst sett selskap +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Vennligst sett selskap DocType: Pricing Rule,Buying,Kjøpe DocType: HR Settings,Employee Records to be created by,Medarbeider Records å være skapt av DocType: POS Profile,Apply Discount On,Påfør rabatt på @@ -3726,7 +3737,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Sak Wise Skatt Detalj apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute forkortelse ,Item-wise Price List Rate,Element-messig Prisliste Ranger -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Leverandør sitat +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Leverandør sitat DocType: Quotation,In Words will be visible once you save the Quotation.,I Ord vil være synlig når du lagrer Tilbud. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Antall ({0}) kan ikke være en brøkdel i rad {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Antall ({0}) kan ikke være en brøkdel i rad {1} @@ -3750,7 +3761,7 @@ Updated via 'Time Log'",Minutter Oppdatert via 'Time Logg' DocType: Customer,From Lead,Fra Lead apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Bestillinger frigitt for produksjon. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Velg regnskapsår ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profile nødvendig å foreta POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profile nødvendig å foreta POS Entry DocType: Program Enrollment Tool,Enroll Students,Meld Studenter DocType: Hub Settings,Name Token,Navn Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling @@ -3768,7 +3779,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Stock Verdi Difference apps/erpnext/erpnext/config/learn.py +234,Human Resource,Menneskelig Resurs DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Betaling Avstemming Betaling apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Skattefordel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Produksjonsordre har vært {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Produksjonsordre har vært {0} DocType: BOM Item,BOM No,BOM Nei DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} ikke har konto {1} eller allerede matchet mot andre verdikupong @@ -3782,7 +3793,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Last op apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Enestående Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Sette mål varegruppe-messig for Sales Person. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Aksjer Eldre enn [dager] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset er obligatorisk for anleggsmiddel kjøp / salg +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset er obligatorisk for anleggsmiddel kjøp / salg apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Hvis to eller flere Prising Reglene er funnet basert på de ovennevnte forhold, er Priority brukt. Prioritet er et tall mellom 0 og 20, mens standardverdi er null (blank). Høyere tall betyr at det vil ha forrang dersom det er flere Prising regler med samme betingelser." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiscal Year: {0} ikke eksisterer DocType: Currency Exchange,To Currency,Å Valuta @@ -3790,7 +3801,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Typer av Expense krav. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Selgingsfrekvensen for elementet {0} er lavere enn dens {1}. Salgsprisen bør være minst {2} DocType: Item,Taxes,Skatter -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Betalt og ikke levert +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Betalt og ikke levert DocType: Project,Default Cost Center,Standard kostnadssted DocType: Bank Guarantee,End Date,Sluttdato apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,aksje~~POS=TRUNC @@ -3807,7 +3818,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daglig arbeid Oppsummering Innstillinger selskapet apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Element {0} ignorert siden det ikke er en lagervare DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Send dette produksjonsordre for videre behandling. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Send dette produksjonsordre for videre behandling. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Hvis du ikke vil bruke Prissetting regel i en bestemt transaksjon, bør alle gjeldende reglene for prissetting deaktiveres." DocType: Assessment Group,Parent Assessment Group,Parent Assessment Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs @@ -3815,10 +3826,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs DocType: Employee,Held On,Avholdt apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produksjon Element ,Employee Information,Informasjon ansatt -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Rate (%) DocType: Stock Entry Detail,Additional Cost,Tilleggs Cost apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Kan ikke filtrere basert på Voucher Nei, hvis gruppert etter Voucher" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Gjør Leverandør sitat +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Gjør Leverandør sitat DocType: Quality Inspection,Incoming,Innkommende DocType: BOM,Materials Required (Exploded),Materialer som er nødvendige (Exploded) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Legge til brukere i organisasjonen, annet enn deg selv" @@ -3834,7 +3845,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} kan bare oppdateres via lagertransaksjoner DocType: Student Group Creation Tool,Get Courses,Få Kurs DocType: GL Entry,Party,Selskap -DocType: Sales Order,Delivery Date,Leveringsdato +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Leveringsdato DocType: Opportunity,Opportunity Date,Opportunity Dato DocType: Purchase Receipt,Return Against Purchase Receipt,Tilbake Against Kjøpskvittering DocType: Request for Quotation Item,Request for Quotation Item,Forespørsel om prisanslag Element @@ -3848,7 +3859,7 @@ DocType: Task,Actual Time (in Hours),Virkelig tid (i timer) DocType: Employee,History In Company,Historie I selskapet apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nyhetsbrev DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Samme element er angitt flere ganger +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Samme element er angitt flere ganger DocType: Department,Leave Block List,La Block List DocType: Sales Invoice,Tax ID,Skatt ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Element {0} er ikke oppsett for Serial Nos. Kolonne må være tomt @@ -3866,25 +3877,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Svart DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Element DocType: Account,Auditor,Revisor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} elementer produsert +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} elementer produsert DocType: Cheque Print Template,Distance from top edge,Avstand fra øvre kant apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Prisliste {0} er deaktivert eller eksisterer ikke DocType: Purchase Invoice,Return,Return DocType: Production Order Operation,Production Order Operation,Produksjon Bestill Operation DocType: Pricing Rule,Disable,Deaktiver -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Modus for betaling er nødvendig å foreta en betaling +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Modus for betaling er nødvendig å foreta en betaling DocType: Project Task,Pending Review,Avventer omtale apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} er ikke påmeldt i batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} kan ikke bli vraket, som det er allerede {1}" DocType: Task,Total Expense Claim (via Expense Claim),Total Expense krav (via Expense krav) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Fraværende -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rad {0}: valuta BOM # {1} bør være lik den valgte valutaen {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rad {0}: valuta BOM # {1} bør være lik den valgte valutaen {2} DocType: Journal Entry Account,Exchange Rate,Vekslingskurs -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Salgsordre {0} er ikke innsendt +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Salgsordre {0} er ikke innsendt DocType: Homepage,Tag Line,tag Linje DocType: Fee Component,Fee Component,Fee Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Flåtestyring -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Legg elementer fra +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Legg elementer fra DocType: Cheque Print Template,Regular,Regelmessig apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Totalt weightage av alle vurderingskriteriene må være 100% DocType: BOM,Last Purchase Rate,Siste Purchase Rate @@ -3905,12 +3916,12 @@ DocType: Employee,Reports to,Rapporter til DocType: SMS Settings,Enter url parameter for receiver nos,Skriv inn url parameter for mottaker nos DocType: Payment Entry,Paid Amount,Innbetalt beløp DocType: Assessment Plan,Supervisor,Supervisor -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,på nett +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,på nett ,Available Stock for Packing Items,Tilgjengelig på lager for pakk gjenstander DocType: Item Variant,Item Variant,Sak Variant DocType: Assessment Result Tool,Assessment Result Tool,Assessment Resultat Tool DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Element -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Innsendte bestillinger kan ikke slettes +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Innsendte bestillinger kan ikke slettes apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo allerede i debet, har du ikke lov til å sette "Balance må være 'som' Credit '" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kvalitetsstyring apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Element {0} har blitt deaktivert @@ -3941,7 +3952,7 @@ DocType: Item Group,Default Expense Account,Standard kostnadskonto apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID DocType: Employee,Notice (days),Varsel (dager) DocType: Tax Rule,Sales Tax Template,Merverdiavgift Mal -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Velg elementer for å lagre fakturaen +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Velg elementer for å lagre fakturaen DocType: Employee,Encashment Date,Encashment Dato DocType: Training Event,Internet,Internett DocType: Account,Stock Adjustment,Stock Adjustment @@ -3989,10 +4000,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatc apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maks rabatt tillatt for element: {0} er {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Net Asset verdi som på DocType: Account,Receivable,Fordring -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ikke lov til å endre Leverandør som innkjøpsordre allerede eksisterer +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ikke lov til å endre Leverandør som innkjøpsordre allerede eksisterer DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rollen som får lov til å sende transaksjoner som overstiger kredittgrenser fastsatt. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Velg delbetaling Produksjon -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master data synkronisering, kan det ta litt tid" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Velg delbetaling Produksjon +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master data synkronisering, kan det ta litt tid" DocType: Item,Material Issue,Material Issue DocType: Hub Settings,Seller Description,Selger Beskrivelse DocType: Employee Education,Qualification,Kvalifisering @@ -4013,11 +4024,10 @@ DocType: BOM,Rate Of Materials Based On,Valuta materialer basert på apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Støtte Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Fjern haken ved alle DocType: POS Profile,Terms and Conditions,Vilkår og betingelser -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vennligst oppsett Ansattes navngivningssystem i menneskelig ressurs> HR-innstillinger apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},To Date bør være innenfor regnskapsåret. Antar To Date = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Her kan du opprettholde høyde, vekt, allergier, medisinske bekymringer etc" DocType: Leave Block List,Applies to Company,Gjelder Selskapet -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Kan ikke avbryte fordi innsendt Stock Entry {0} finnes +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Kan ikke avbryte fordi innsendt Stock Entry {0} finnes DocType: Employee Loan,Disbursement Date,Innbetalingsdato DocType: Vehicle,Vehicle,Kjøretøy DocType: Purchase Invoice,In Words,I Words @@ -4055,7 +4065,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globale innstillinger DocType: Assessment Result Detail,Assessment Result Detail,Assessment Resultat Detalj DocType: Employee Education,Employee Education,Ansatt Utdanning apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicate varegruppe funnet i varegruppen bordet -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Det er nødvendig å hente Element detaljer. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Det er nødvendig å hente Element detaljer. DocType: Salary Slip,Net Pay,Netto Lønn DocType: Account,Account,Konto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial No {0} er allerede mottatt @@ -4063,7 +4073,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Vehicle Log DocType: Purchase Invoice,Recurring Id,Gjentakende Id DocType: Customer,Sales Team Details,Salgsteam Detaljer -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Slett permanent? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Slett permanent? DocType: Expense Claim,Total Claimed Amount,Total Hevdet Beløp apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potensielle muligheter for å selge. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ugyldig {0} @@ -4075,7 +4085,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Oppsettet ditt School i ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base Endre Beløp (Selskap Valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Ingen regnskapspostene for følgende varehus -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Lagre dokumentet først. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Lagre dokumentet først. DocType: Account,Chargeable,Avgift DocType: Company,Change Abbreviation,Endre Forkortelse DocType: Expense Claim Detail,Expense Date,Expense Dato @@ -4089,7 +4099,6 @@ DocType: BOM,Manufacturing User,Manufacturing User DocType: Purchase Invoice,Raw Materials Supplied,Råvare Leveres DocType: Purchase Invoice,Recurring Print Format,Gjentakende Print Format DocType: C-Form,Series,Series -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Forventet Leveringsdato kan ikke være før Purchase Order Date DocType: Appraisal,Appraisal Template,Appraisal Mal DocType: Item Group,Item Classification,Sak Klassifisering apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4128,12 +4137,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Velg merke apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Treningsarrangementer / resultater apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Akkumulerte avskrivninger som på DocType: Sales Invoice,C-Form Applicable,C-Form Gjelder -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Operation Tid må være større enn 0 for operasjon {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Operation Tid må være større enn 0 for operasjon {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse er obligatorisk DocType: Supplier,Address and Contacts,Adresse og Kontakt DocType: UOM Conversion Detail,UOM Conversion Detail,Målenheter Conversion Detalj DocType: Program,Program Abbreviation,program forkortelse -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Produksjonsordre kan ikke heves mot et elementmal +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Produksjonsordre kan ikke heves mot et elementmal apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Kostnader er oppdatert i Purchase Mottak mot hvert element DocType: Warranty Claim,Resolved By,Løst Av DocType: Bank Guarantee,Start Date,Startdato @@ -4168,6 +4177,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,trening Tilbakemelding apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Produksjonsordre {0} må sendes apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Vennligst velg startdato og sluttdato for Element {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Sett et salgsmål du vil oppnå. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurset er obligatorisk i rad {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Til dags dato kan ikke være før fra dato DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4185,7 +4195,7 @@ DocType: Account,Income,Inntekt DocType: Industry Type,Industry Type,Industry Type apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Noe gikk galt! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Advarsel: La programmet inneholder følgende blokk datoer -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Salg Faktura {0} er allerede innsendt +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Salg Faktura {0} er allerede innsendt DocType: Assessment Result Detail,Score,Score apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Regnskapsåret {0} finnes ikke apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Ferdigstillelse Dato @@ -4215,7 +4225,7 @@ DocType: Naming Series,Help HTML,Hjelp HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Student Gruppe Creation Tool DocType: Item,Variant Based On,Variant basert på apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Total weightage tilordnet skal være 100%. Det er {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Dine Leverandører +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Dine Leverandører apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Kan ikke settes som tapt som Salgsordre er gjort. DocType: Request for Quotation Item,Supplier Part No,Leverandør varenummer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Kan ikke trekke når kategorien er for verdsetting 'eller' Vaulation og Total ' @@ -4225,14 +4235,14 @@ DocType: Item,Has Serial No,Har Serial No DocType: Employee,Date of Issue,Utstedelsesdato apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Fra {0} for {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","I henhold til kjøpsinnstillingene hvis kjøp tilbakekjøpt er nødvendig == 'JA' og deretter for å opprette kjøpfaktura, må brukeren opprette kjøpsmottak først for element {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Sett Leverandør for elementet {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rad {0}: Timer verdien må være større enn null. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Sett Leverandør for elementet {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Rad {0}: Timer verdien må være større enn null. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Website Bilde {0} festet til Element {1} kan ikke finnes DocType: Issue,Content Type,Innholdstype apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Datamaskin DocType: Item,List this Item in multiple groups on the website.,Liste denne vare i flere grupper på nettstedet. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Vennligst sjekk Multi Valuta alternativet for å tillate kontoer med andre valuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Sak: {0} finnes ikke i systemet +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Sak: {0} finnes ikke i systemet apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Du er ikke autorisert til å sette Frozen verdi DocType: Payment Reconciliation,Get Unreconciled Entries,Få avstemte Entries DocType: Payment Reconciliation,From Invoice Date,Fra Fakturadato @@ -4258,7 +4268,7 @@ DocType: Stock Entry,Default Source Warehouse,Standardkilde Warehouse DocType: Item,Customer Code,Kunden Kode apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Bursdag Påminnelse for {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dager siden siste Bestill -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Uttak fra kontoen må være en balansekonto +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Uttak fra kontoen må være en balansekonto DocType: Buying Settings,Naming Series,Navngi Series DocType: Leave Block List,Leave Block List Name,La Block List Name apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Forsikring Startdatoen må være mindre enn Forsikring Sluttdato @@ -4275,7 +4285,7 @@ DocType: Vehicle Log,Odometer,Kilometerteller DocType: Sales Order Item,Ordered Qty,Bestilte Antall apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Element {0} er deaktivert DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Opp -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM inneholder ikke lagervare +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM inneholder ikke lagervare apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periode Fra og perioden Til dato obligatoriske for gjentakende {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Prosjektet aktivitet / oppgave. DocType: Vehicle Log,Refuelling Details,Fylle drivstoff Detaljer @@ -4285,7 +4295,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Siste kjøp sats ikke funnet DocType: Purchase Invoice,Write Off Amount (Company Currency),Skriv Off Beløp (Selskap Valuta) DocType: Sales Invoice Timesheet,Billing Hours,fakturerings~~POS=TRUNC Timer -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Standard BOM for {0} ikke funnet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Standard BOM for {0} ikke funnet apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Row # {0}: Vennligst sett omgjøring kvantitet apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Trykk på elementer for å legge dem til her DocType: Fees,Program Enrollment,program Påmelding @@ -4319,6 +4329,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Aldring Range 2 DocType: SG Creation Tool Course,Max Strength,Max Strength apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM erstattet +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Velg elementer basert på leveringsdato ,Sales Analytics,Salgs Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Tilgjengelig {0} ,Prospects Engaged But Not Converted,"Utsikter engasjert, men ikke konvertert" @@ -4366,7 +4377,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Rabatt apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timeregistrering for oppgaver. DocType: Purchase Invoice,Against Expense Account,Mot regning DocType: Production Order,Production Order,Produksjon Bestill -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Installasjon Merk {0} har allerede blitt sendt +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Installasjon Merk {0} har allerede blitt sendt DocType: Bank Reconciliation,Get Payment Entries,Få Betalings Entries DocType: Quotation Item,Against Docname,Mot Docname DocType: SMS Center,All Employee (Active),All Employee (Active) @@ -4375,7 +4386,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Raw Material Cost DocType: Item Reorder,Re-Order Level,Re-Order nivå DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Skriv inn elementer og planlagt stk som du ønsker å heve produksjonsordrer eller laste råvarer for analyse. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Deltid DocType: Employee,Applicable Holiday List,Gjelder Holiday List DocType: Employee,Cheque,Cheque @@ -4433,11 +4444,11 @@ DocType: Bin,Reserved Qty for Production,Reservert Antall for produksjon DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,La være ukontrollert hvis du ikke vil vurdere batch mens du lager kursbaserte grupper. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,La være ukontrollert hvis du ikke vil vurdere batch mens du lager kursbaserte grupper. DocType: Asset,Frequency of Depreciation (Months),Frekvens av Avskrivninger (måneder) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Credit konto +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Credit konto DocType: Landed Cost Item,Landed Cost Item,Landed Cost Element apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Vis nullverdier DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Antall element oppnådd etter produksjon / nedpakking fra gitte mengder råvarer -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Oppsett en enkel nettside for min organisasjon +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Oppsett en enkel nettside for min organisasjon DocType: Payment Reconciliation,Receivable / Payable Account,Fordringer / gjeld konto DocType: Delivery Note Item,Against Sales Order Item,Mot kundeordreposisjon apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Vennligst oppgi data Verdi for attributtet {0} @@ -4502,22 +4513,22 @@ DocType: Student,Nationality,Nasjonalitet ,Items To Be Requested,Elementer å bli forespurt DocType: Purchase Order,Get Last Purchase Rate,Få siste kjøp Ranger DocType: Company,Company Info,Selskap Info -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Velg eller legg til ny kunde -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kostnadssted er nødvendig å bestille en utgift krav +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Velg eller legg til ny kunde +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Kostnadssted er nødvendig å bestille en utgift krav apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Anvendelse av midler (aktiva) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dette er basert på tilstedeværelse av denne Employee -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Debet konto +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Debet konto DocType: Fiscal Year,Year Start Date,År Startdato DocType: Attendance,Employee Name,Ansattes Navn DocType: Sales Invoice,Rounded Total (Company Currency),Avrundet Total (Selskap Valuta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Kan ikke covert til konsernet fordi Kontotype er valgt. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} har blitt endret. Vennligst oppdater. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} har blitt endret. Vennligst oppdater. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stoppe brukere fra å gjøre La Applications på følgende dager. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,kjøpesummen apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Leverandør sitat {0} er opprettet apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Slutt År kan ikke være før start År apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Ytelser til ansatte -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Pakket mengde må være lik mengde for Element {0} i rad {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Pakket mengde må være lik mengde for Element {0} i rad {1} DocType: Production Order,Manufactured Qty,Produsert Antall DocType: Purchase Receipt Item,Accepted Quantity,Akseptert Antall apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Vennligst angi en standard Holiday Liste for Employee {0} eller selskapet {1} @@ -4528,11 +4539,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Nei {0}: Beløpet kan ikke være større enn utestående beløpet mot Expense krav {1}. Avventer Beløp er {2} DocType: Maintenance Schedule,Schedule,Tidsplan DocType: Account,Parent Account,Parent konto -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Tilgjengelig +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Tilgjengelig DocType: Quality Inspection Reading,Reading 3,Reading 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Kupong Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Prisliste ikke funnet eller deaktivert +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Prisliste ikke funnet eller deaktivert DocType: Employee Loan Application,Approved,Godkjent DocType: Pricing Rule,Price,Pris apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Ansatt lettet på {0} må være angitt som "venstre" @@ -4602,7 +4613,7 @@ DocType: SMS Settings,Static Parameters,Statiske Parametere DocType: Assessment Plan,Room,Rom DocType: Purchase Order,Advance Paid,Advance Betalt DocType: Item,Item Tax,Sak Skatte -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiale til Leverandør +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiale til Leverandør apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Vesenet Faktura apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% kommer mer enn én gang DocType: Expense Claim,Employees Email Id,Ansatte Email Id @@ -4642,7 +4653,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Modell DocType: Production Order,Actual Operating Cost,Faktiske driftskostnader DocType: Payment Entry,Cheque/Reference No,Sjekk / referansenummer -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverandør> Leverandør Type apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root kan ikke redigeres. DocType: Item,Units of Measure,Måleenheter DocType: Manufacturing Settings,Allow Production on Holidays,Tillat Produksjonen på helligdager @@ -4675,12 +4685,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Kreditt Days apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Gjør Student Batch DocType: Leave Type,Is Carry Forward,Er fremføring -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Få Elementer fra BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Få Elementer fra BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ledetid Days -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: konteringsdato må være det samme som kjøpsdato {1} av eiendelen {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: konteringsdato må være det samme som kjøpsdato {1} av eiendelen {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Sjekk dette hvis studenten er bosatt ved instituttets Hostel. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Fyll inn salgsordrer i tabellen ovenfor -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ikke Sendt inn lønnsslipper +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Ikke Sendt inn lønnsslipper ,Stock Summary,Stock oppsummering apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Overfør en eiendel fra en lagerbygning til en annen DocType: Vehicle,Petrol,Bensin diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index 215151d6c8b..9ce7756b118 100644 --- a/erpnext/translations/pl.csv +++ b/erpnext/translations/pl.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Diler DocType: Employee,Rented,Wynajęty DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Zastosowanie dla użytkownika -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zatrzymany Zamówienie produkcji nie mogą być anulowane, odetkać najpierw anulować" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zatrzymany Zamówienie produkcji nie mogą być anulowane, odetkać najpierw anulować" DocType: Vehicle Service,Mileage,Przebieg apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Czy naprawdę chcemy zlikwidować ten atut? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Wybierz Domyślne Dostawca @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% rozliczonych apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),"Kurs wymiany muszą być takie same, jak {0} {1} ({2})" DocType: Sales Invoice,Customer Name,Nazwa klienta DocType: Vehicle,Natural Gas,Gazu ziemnego -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Rachunku bankowego nie może być uznany za {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Rachunku bankowego nie może być uznany za {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (lub grupy), przeciwko którym zapisy księgowe są i sald są utrzymywane." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Zaległość za {0} nie może być mniejsza niż ({1}) DocType: Manufacturing Settings,Default 10 mins,Domyślnie 10 minut @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Nazwa typu urlopu apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Pokaż otwarta apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Seria zaktualizowana apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Sprawdzić -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Zgłoszony +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Zgłoszony DocType: Pricing Rule,Apply On,Zastosuj Na DocType: Item Price,Multiple Item prices.,Wiele cen przedmiotu. ,Purchase Order Items To Be Received,Przedmioty oczekujące na potwierdzenie odbioru Zamówienia Kupna @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Konto księgowe dla teg apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Pokaż Warianty DocType: Academic Term,Academic Term,semestr apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiał -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Ilość +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Ilość apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Konta tabeli nie może być puste. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Kredyty (zobowiązania) DocType: Employee Education,Year of Passing,Mijający rok @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Opieka zdrowotna apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Opóźnienie w płatności (dni) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Koszty usługi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Numer seryjny: {0} znajduje się już w fakturze sprzedaży: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Faktura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Numer seryjny: {0} znajduje się już w fakturze sprzedaży: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Faktura DocType: Maintenance Schedule Item,Periodicity,Okresowość apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Rok fiskalny {0} jest wymagane -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Oczekuje Dostawa Data jest być przed Sales data apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Obrona DocType: Salary Component,Abbr,Skrót DocType: Appraisal Goal,Score (0-5),Wynik (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Wiersz # {0}: DocType: Timesheet,Total Costing Amount,Łączna kwota Costing DocType: Delivery Note,Vehicle No,Nr pojazdu -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Wybierz Cennik +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Wybierz Cennik apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Wiersz # {0}: dokument płatności jest wymagane do ukończenia trasaction DocType: Production Order Operation,Work In Progress,Produkty w toku apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Proszę wybrać datę @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} nie w każdej aktywnej roku obrotowego. DocType: Packed Item,Parent Detail docname,Nazwa dokumentu ze szczegółami nadrzędnego rodzica apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Odniesienie: {0}, Kod pozycji: {1} i klient: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,kg DocType: Student Log,Log,Log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Ogłoszenie o pracę DocType: Item Attribute,Increment,Przyrost @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Żonaty / Zamężna apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Nie dopuszczony do {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Pobierz zawartość z -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0}, +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0}, apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Brak elementów na liście DocType: Payment Reconciliation,Reconcile,Wyrównywać @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Fundu apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Następny Amortyzacja Data nie może być wcześniejsza Data zakupu DocType: SMS Center,All Sales Person,Wszyscy Sprzedawcy DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Miesięczny Dystrybucja ** pomaga rozprowadzić Budget / target całej miesięcy, jeśli masz sezonowości w firmie." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Nie znaleziono przedmiotów +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Nie znaleziono przedmiotów apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Struktura Wynagrodzenie Brakujący DocType: Lead,Person Name,Imię i nazwisko osoby DocType: Sales Invoice Item,Sales Invoice Item,Przedmiot Faktury Sprzedaży @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Jest Środkiem Trwałym"" nie może być odznaczone, jeśli istnieją pozycje z takim ustawieniem" DocType: Vehicle Service,Brake Oil,Olej hamulcowy DocType: Tax Rule,Tax Type,Rodzaj podatku -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Kwota podlegająca opodatkowaniu +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Kwota podlegająca opodatkowaniu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nie masz uprawnień aby zmieniać lub dodawać elementy przed {0} DocType: BOM,Item Image (if not slideshow),Element Obrazek (jeśli nie slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Istnieje Klient o tej samej nazwie DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Godzina Kursy / 60) * Rzeczywista Czas pracy -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Wybierz BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Wybierz BOM DocType: SMS Log,SMS Log,Dziennik zdarzeń SMS apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Koszt dostarczonych przedmiotów apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Święto w dniu {0} nie jest pomiędzy Od Data i do tej pory @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Szkoły DocType: School Settings,Validate Batch for Students in Student Group,Sprawdź partię dla studentów w grupie studentów apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nie znaleziono rekordu urlopu pracownika {0} dla {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Proszę najpierw wpisać Firmę -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Najpierw wybierz firmę +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Najpierw wybierz firmę DocType: Employee Education,Under Graduate,Absolwent apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On, DocType: BOM,Total Cost,Koszt całkowity DocType: Journal Entry Account,Employee Loan,pracownik Kredyt -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Dziennik aktywności: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Element {0} nie istnieje w systemie lub wygasł +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Dziennik aktywności: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Element {0} nie istnieje w systemie lub wygasł apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nieruchomości apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Wyciąg z rachunku apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutyczne @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Kwota roszczenia apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplikat grupa klientów znajduje się w tabeli grupy cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Typ dostawy / dostawca DocType: Naming Series,Prefix,Prefix -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Proszę ustawić Serie nazw dla {0} przez Konfiguracja> Ustawienia> Serie nazw -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Konsumpcyjny +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Konsumpcyjny DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Log operacji importu DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Pull Tworzywo żądanie typu produktu na podstawie powyższych kryteriów DocType: Training Result Employee,Grade,Stopień DocType: Sales Invoice Item,Delivered By Supplier,Dostarczane przez Dostawcę DocType: SMS Center,All Contact,Wszystkie dane Kontaktu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Produkcja Zamów już stworzony dla wszystkich elementów z BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Produkcja Zamów już stworzony dla wszystkich elementów z BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Roczne Wynagrodzenie DocType: Daily Work Summary,Daily Work Summary,Dziennie Podsumowanie zawodowe DocType: Period Closing Voucher,Closing Fiscal Year,Zamknięcie roku fiskalnego -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} jest zamrożone +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} jest zamrożone apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Wybierz istniejącą spółkę do tworzenia planu kont apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Wydatki magazynowe apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Wybierz Magazyn docelowy @@ -213,14 +211,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Ilość Przyjętych + Odrzuconych musi odpowiadać ilości Odebranych (Element {0}) DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Dostawa surowce Skupu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Co najmniej jeden tryb płatności POS jest wymagane dla faktury. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Co najmniej jeden tryb płatności POS jest wymagane dla faktury. DocType: Products Settings,Show Products as a List,Wyświetl produkty w układzie listy DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Pobierz szablon, wypełnić odpowiednie dane i dołączyć zmodyfikowanego pliku. Wszystko daty i pracownik połączenie w wybranym okresie przyjdzie w szablonie, z istniejącymi rekordy frekwencji" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,"Element {0} nie jest aktywny, lub osiągnął datę przydatności" -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Przykład: Podstawowe Matematyka -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included", +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Przykład: Podstawowe Matematyka +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included", apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Ustawienia dla modułu HR DocType: SMS Center,SMS Center,Centrum SMS DocType: Sales Invoice,Change Amount,Zmień Kwota @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Data instalacji nie może być wcześniejsza niż data dostawy dla pozycji {0} DocType: Pricing Rule,Discount on Price List Rate (%),Zniżka Cennik Oceń (%) DocType: Offer Letter,Select Terms and Conditions,Wybierz Regulamin -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Brak Wartości +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Brak Wartości DocType: Production Planning Tool,Sales Orders,Zlecenia sprzedaży DocType: Purchase Taxes and Charges,Valuation,Wycena ,Purchase Order Trends,Trendy Zamówienia Kupna @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry, DocType: Customer Group,Mention if non-standard receivable account applicable,"Wspomnieć, jeśli nie standardowe konto należności dotyczy" DocType: Course Schedule,Instructor Name,Instruktor Nazwa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Dla magazynu jest wymagane przed wysłaniem +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Dla magazynu jest wymagane przed wysłaniem apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Otrzymana w dniu DocType: Sales Partner,Reseller,Dystrybutor DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Jeśli zaznaczone, będzie zawierać elementy non-stock w materiale żądań." @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Na podstawie pozycji faktury sprzedaży ,Production Orders in Progress,Zamówienia Produkcji w toku apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Przepływy pieniężne netto z finansowania -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage jest pełna, nie zapisać" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage jest pełna, nie zapisać" DocType: Lead,Address & Contact,Adres i kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj niewykorzystane urlopy z poprzednich alokacji apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Następny cykliczne {0} zostanie utworzony w dniu {1} DocType: Sales Partner,Partner website,strona Partner apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Dodaj Przedmiot -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nazwa kontaktu +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nazwa kontaktu DocType: Course Assessment Criteria,Course Assessment Criteria,Kryteria oceny kursu DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Tworzy Pasek Wypłaty dla wskazanych wyżej kryteriów. DocType: POS Customer Group,POS Customer Group,POS Grupa klientów @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Wiersz {0}: Proszę sprawdzić ""Czy Advance"" przeciw konta {1}, jeśli jest to zaliczka wpis." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Magazyn {0} nie należy do firmy {1} DocType: Email Digest,Profit & Loss,Rachunek zysków i strat -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litr +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litr DocType: Task,Total Costing Amount (via Time Sheet),Całkowita kwota Costing (przez czas arkuszu) DocType: Item Website Specification,Item Website Specification,Element Specyfikacja Strony apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Urlop Zablokowany @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,Nr faktury sprzedaży DocType: Material Request Item,Min Order Qty,Min. wartość zamówienia DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kurs grupy studentów Stworzenie narzędzia DocType: Lead,Do Not Contact,Nie Kontaktuj -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Ludzie, którzy uczą w organizacji" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Ludzie, którzy uczą w organizacji" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Unikalny identyfikator do śledzenia wszystkich powtarzających się faktur. Jest on generowany przy potwierdzeniu. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Programista DocType: Item,Minimum Order Qty,Minimalna wartość zamówienia @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,Publikowanie w Hub DocType: Student Admission,Student Admission,Wstęp Student ,Terretory,Obszar apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Element {0} jest anulowany -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Zamówienie produktu +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Zamówienie produktu DocType: Bank Reconciliation,Update Clearance Date,Aktualizacja daty rozliczenia DocType: Item,Purchase Details,Szczegóły zakupu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Element {0} nie znajdują się w "materiały dostarczane" tabeli w Zamówieniu {1} @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Menadżer floty apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Wiersz # {0}: {1} nie może być negatywne dla pozycji {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Niepoprawne hasło DocType: Item,Variant Of,Wariant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Zakończono Ilość nie może być większa niż ""Ilość w produkcji""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Zakończono Ilość nie może być większa niż ""Ilość w produkcji""" DocType: Period Closing Voucher,Closing Account Head, DocType: Employee,External Work History,Historia Zewnętrzna Pracy apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Circular Error Referencje @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,Odległość od lewej kra apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jednostki [{1}] (# Kształt / szt / {1}) znajduje się w [{2}] (# Kształt / Warehouse / {2}) DocType: Lead,Industry,Przedsiębiorstwo DocType: Employee,Job Profile,Profil stanowiska Pracy +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,"Opiera się to na transakcjach przeciwko tej firmie. Zobacz poniżej linię czasu, aby uzyskać szczegółowe informacje" DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Informuj za pomocą Maila (automatyczne) DocType: Journal Entry,Multi Currency,Wielowalutowy DocType: Payment Reconciliation Invoice,Invoice Type,Typ faktury -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Dowód dostawy +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Dowód dostawy apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Konfigurowanie podatki apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Koszt sprzedanych aktywów apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Wpis płatności został zmodyfikowany po ściągnięciu. Proszę ściągnąć ponownie. @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Proszę wpisz wartości w pola ""Powtórz w dni miesiąca""" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Stawka przy użyciu której Waluta Klienta jest konwertowana do podstawowej waluty klienta DocType: Course Scheduling Tool,Course Scheduling Tool,Oczywiście Narzędzie Scheduling -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Wiersz # {0}: Zakup Faktura nie może być dokonywane wobec istniejącego zasobu {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Wiersz # {0}: Zakup Faktura nie może być dokonywane wobec istniejącego zasobu {1} DocType: Item Tax,Tax Rate,Stawka podatku apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} już przydzielone Pracodawcy {1} dla okresu {2} do {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Wybierz produkt +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Wybierz produkt apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Faktura zakupu {0} została już wysłana apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Wiersz # {0}: Batch Nie musi być taki sam, jak {1} {2}" apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Przekształć w nie-Grupę @@ -448,7 +447,7 @@ DocType: Employee,Widowed,Wdowiec / Wdowa DocType: Request for Quotation,Request for Quotation,Zapytanie ofertowe DocType: Salary Slip Timesheet,Working Hours,Godziny pracy DocType: Naming Series,Change the starting / current sequence number of an existing series.,Zmień początkowy / obecny numer seryjny istniejącej serii. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Tworzenie nowego klienta +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Tworzenie nowego klienta apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jeśli wiele Zasady ustalania cen nadal dominować, użytkownicy proszeni są o ustawienie Priorytet ręcznie rozwiązać konflikt." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Stwórz zamówienie zakupu ,Purchase Register,Rejestracja Zakupu @@ -474,7 +473,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Nazwa Examiner DocType: Purchase Invoice Item,Quantity and Rate,Ilość i Wskaźnik DocType: Delivery Note,% Installed,% Zainstalowanych -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Sale / laboratoria etc gdzie zajęcia mogą być planowane. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Sale / laboratoria etc gdzie zajęcia mogą być planowane. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Proszę najpierw wpisać nazwę Firmy DocType: Purchase Invoice,Supplier Name,Nazwa dostawcy apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Przeczytać instrukcję ERPNext @@ -491,7 +490,7 @@ DocType: Account,Old Parent,Stary obiekt nadrzędny apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Pole obowiązkowe - rok akademicki apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Pole obowiązkowe - rok akademicki DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text., -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Proszę ustawić domyślne konto płatne dla firmy {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Proszę ustawić domyślne konto płatne dla firmy {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globalne ustawienia dla wszystkich procesów produkcyjnych. DocType: Accounts Settings,Accounts Frozen Upto,Konta zamrożone do DocType: SMS Log,Sent On,Wysłano w @@ -531,7 +530,7 @@ DocType: Journal Entry,Accounts Payable,Zobowiązania apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Wybrane LM nie są na tej samej pozycji DocType: Pricing Rule,Valid Upto,Ważny do DocType: Training Event,Workshop,Warsztat -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Krótka lista Twoich klientów. Mogą to być firmy lub osoby fizyczne. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Krótka lista Twoich klientów. Mogą to być firmy lub osoby fizyczne. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Wystarczające elementy do budowy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Przychody bezpośrednie apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nie można przefiltrować na podstawie Konta, jeśli pogrupowano z użuciem konta" @@ -539,7 +538,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Proszę wybrać Kurs apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Proszę wybrać Kurs DocType: Timesheet Detail,Hrs,godziny -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Proszę wybrać firmę +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Proszę wybrać firmę DocType: Stock Entry Detail,Difference Account,Konto Różnic DocType: Purchase Invoice,Supplier GSTIN,Dostawca GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Nie można zamknąć zadanie, jak jego zależne zadaniem {0} nie jest zamknięta." @@ -556,7 +555,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Proszę określić stopień dla progu 0% DocType: Sales Order,To Deliver,Dostarczyć DocType: Purchase Invoice Item,Item,Asortyment -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Nr seryjny element nie może być ułamkiem +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Nr seryjny element nie może być ułamkiem DocType: Journal Entry,Difference (Dr - Cr),Różnica (Dr - Cr) DocType: Account,Profit and Loss,Zyski i Straty apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Zarządzanie Podwykonawstwo @@ -582,7 +581,7 @@ DocType: Serial No,Warranty Period (Days),Okres gwarancji (dni) DocType: Installation Note Item,Installation Note Item, DocType: Production Plan Item,Pending Qty,Oczekuje szt DocType: Budget,Ignore,Ignoruj -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} jest nieaktywny +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} jest nieaktywny apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS wysłany do następujących numerów: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Wymiary Sprawdź konfigurację do druku DocType: Salary Slip,Salary Slip Timesheet,Slip Wynagrodzenie grafiku @@ -688,8 +687,8 @@ DocType: Installation Note,IN-,W- DocType: Production Order Operation,In minutes,W ciągu kilku minut DocType: Issue,Resolution Date,Data Rozstrzygnięcia DocType: Student Batch Name,Batch Name,Batch Nazwa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Grafiku stworzył: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Proszę ustawić domyślne konto Gotówka lub Bank dla płatności typu {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Grafiku stworzył: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Proszę ustawić domyślne konto Gotówka lub Bank dla płatności typu {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Zapisać DocType: GST Settings,GST Settings,Ustawienia GST DocType: Selling Settings,Customer Naming By, @@ -709,7 +708,7 @@ DocType: Activity Cost,Projects User,Użytkownik projektu apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Skonsumowano apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} Nie znaleziono tabeli w Szczegóły faktury DocType: Company,Round Off Cost Center,Zaokrąglenia - Centrum Kosztów -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Wizyta Konserwacji {0} musi być anulowana przed usunięciem nakazu sprzedaży +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Wizyta Konserwacji {0} musi być anulowana przed usunięciem nakazu sprzedaży DocType: Item,Material Transfer,Transfer materiałów apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Otwarcie (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Datownik musi byś ustawiony przed {0} @@ -718,7 +717,7 @@ DocType: Employee Loan,Total Interest Payable,Razem odsetki płatne DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Koszt podatków i opłat DocType: Production Order Operation,Actual Start Time,Rzeczywisty Czas Rozpoczęcia DocType: BOM Operation,Operation Time,Czas operacji -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,koniec +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,koniec apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Baza DocType: Timesheet,Total Billed Hours,Wszystkich Zafakturowane Godziny DocType: Journal Entry,Write Off Amount,Wartość Odpisu @@ -745,7 +744,7 @@ DocType: Vehicle,Odometer Value (Last),Drogomierz Wartość (Ostatni) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Zapis takiej Płatności już został utworzony DocType: Purchase Receipt Item Supplied,Current Stock,Bieżący asortyment -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Wiersz # {0}: {1} aktywami nie związane w pozycji {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Wiersz # {0}: {1} aktywami nie związane w pozycji {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Podgląd Zarobki Slip apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} została wprowadzona wielokrotnie DocType: Account,Expenses Included In Valuation,Zaksięgowane wydatki w wycenie @@ -770,7 +769,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Lotnictwo DocType: Journal Entry,Credit Card Entry,Karta kredytowa apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Ustawienia księgowości jednostki apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Towary/Produkty odebrane od dostawców. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,w polu Wartość +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,w polu Wartość DocType: Lead,Campaign Name,Nazwa kampanii DocType: Selling Settings,Close Opportunity After Days,Po blisko Szansa Dni ,Reserved,Zarezerwowany @@ -795,17 +794,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energia DocType: Opportunity,Opportunity From,Szansa od apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Miesięczny wyciąg do wynagrodzeń. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Wiersz {0}: {1} wymagane numery seryjne dla elementu {2}. Podałeś {3}. DocType: BOM,Website Specifications,Specyfikacja strony WWW apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: od {0} typu {1} DocType: Warranty Claim,CI-,CI apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Wiersz {0}: Współczynnik konwersji jest obowiązkowe DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",Wiele Zasad Cen istnieje w tych samych kryteriach proszę rozwiązywania konflikty poprzez przypisanie priorytetu. Zasady Cen: {0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nie można wyłączyć lub anulować LM jak to jest połączone z innymi LM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nie można wyłączyć lub anulować LM jak to jest połączone z innymi LM DocType: Opportunity,Maintenance,Konserwacja DocType: Item Attribute Value,Item Attribute Value,Pozycja wartość atrybutu apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Kampanie sprzedażowe -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Bądź grafiku +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Bądź grafiku DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -858,7 +858,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Konfigurowanie konta e-mail apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Proszę najpierw wprowadzić Przedmiot DocType: Account,Liability,Zobowiązania -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Usankcjonowane Kwota nie może być większa niż ilość roszczenia w wierszu {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Usankcjonowane Kwota nie może być większa niż ilość roszczenia w wierszu {0}. DocType: Company,Default Cost of Goods Sold Account,Domyślne Konto Wartości Dóbr Sprzedanych apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Cennik nie wybrany DocType: Employee,Family Background,Tło rodzinne @@ -869,10 +869,10 @@ DocType: Company,Default Bank Account,Domyślne konto bankowe apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Aby filtrować na podstawie partii, wybierz Party Wpisz pierwsze" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Aktualizuj Stan' nie może być zaznaczone, ponieważ elementy nie są dostarczane przez {0}" DocType: Vehicle,Acquisition Date,Data nabycia -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Numery +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Numery DocType: Item,Items with higher weightage will be shown higher,Produkty z wyższym weightage zostaną pokazane wyższe DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Uzgodnienia z wyciągiem bankowym - szczegóły -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Wiersz # {0}: {1} aktywami muszą być złożone +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Wiersz # {0}: {1} aktywami muszą być złożone apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nie znaleziono pracowników DocType: Supplier Quotation,Stopped,Zatrzymany DocType: Item,If subcontracted to a vendor,Jeśli zlecona dostawcy @@ -889,7 +889,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimalna kwota faktury apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: MPK {2} nie należy do Spółki {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1} {2} Konto nie może być grupą apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Przedmiot Row {idx} {} {doctype DOCNAME} nie istnieje w wyżej '{doctype}' Stół -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Grafiku {0} jest już zakończone lub anulowane +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Grafiku {0} jest już zakończone lub anulowane apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Brak zadań DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dzień miesiąca, w którym auto faktury będą generowane na przykład 05, 28 itd" DocType: Asset,Opening Accumulated Depreciation,Otwarcie Skumulowana amortyzacja @@ -948,7 +948,7 @@ DocType: SMS Log,Requested Numbers,Wymagane numery DocType: Production Planning Tool,Only Obtain Raw Materials,Uzyskanie wyłącznie materiały apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Szacowanie osiągów apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Włączenie "użycie do koszyka", ponieważ koszyk jest włączony i nie powinno być co najmniej jedna zasada podatkowa w koszyku" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Płatność Wejście {0} jest związana na zamówienie {1}, sprawdź, czy powinien on być wyciągnięty jak wcześniej w tej fakturze." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Płatność Wejście {0} jest związana na zamówienie {1}, sprawdź, czy powinien on być wyciągnięty jak wcześniej w tej fakturze." DocType: Sales Invoice Item,Stock Details,Zdjęcie Szczegóły apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Wartość projektu apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punkt sprzedaży @@ -971,15 +971,15 @@ DocType: Naming Series,Update Series,Zaktualizuj Serię DocType: Supplier Quotation,Is Subcontracted,Czy zlecony DocType: Item Attribute,Item Attribute Values,Wartości atrybutu elementu DocType: Examination Result,Examination Result,badanie Wynik -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Potwierdzenia Zakupu +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Potwierdzenia Zakupu ,Received Items To Be Billed,Otrzymane przedmioty czekające na zaksięgowanie -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Zgłoszony Zarobki Poślizgnięcia +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Zgłoszony Zarobki Poślizgnięcia apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Główna wartość Wymiany walut apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Doctype referencyjny musi być jednym z {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Nie udało się znaleźć wolnego przedziału czasu w najbliższych {0} dniach do pracy {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Nie udało się znaleźć wolnego przedziału czasu w najbliższych {0} dniach do pracy {1} DocType: Production Order,Plan material for sub-assemblies,Materiał plan podzespołów apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partnerzy handlowi i terytorium -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} musi być aktywny +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} musi być aktywny DocType: Journal Entry,Depreciation Entry,Amortyzacja apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Najpierw wybierz typ dokumentu apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuluj Fizyczne Wizyty {0} zanim anulujesz Wizytę Pośrednią @@ -989,7 +989,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Wartość całkowita apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Wydawnictwa internetowe DocType: Production Planning Tool,Production Orders,Zamówienia Produkcji -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Wartość bilansu +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Wartość bilansu apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Lista cena sprzedaży apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publikowanie synchronizować elementy DocType: Bank Reconciliation,Account Currency,Waluta konta @@ -1014,12 +1014,12 @@ DocType: Employee,Exit Interview Details,Wyjdź z szczegółów wywiadu DocType: Item,Is Purchase Item,Jest pozycją kupowalną DocType: Asset,Purchase Invoice,Faktura zakupu DocType: Stock Ledger Entry,Voucher Detail No,Nr Szczegółu Bonu -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nowa faktura sprzedaży +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nowa faktura sprzedaży DocType: Stock Entry,Total Outgoing Value,Całkowita wartość wychodząca apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Otwarcie Data i termin powinien być w obrębie samego roku podatkowego DocType: Lead,Request for Information,Prośba o informację ,LeaderBoard,Leaderboard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Synchronizacja Offline Faktury +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synchronizacja Offline Faktury DocType: Payment Request,Paid,Zapłacono DocType: Program Fee,Program Fee,Opłata Program DocType: Salary Slip,Total in words,Ogółem słownie @@ -1027,7 +1027,7 @@ DocType: Material Request Item,Lead Time Date,Termin realizacji DocType: Guardian,Guardian Name,Nazwa Stróża DocType: Cheque Print Template,Has Print Format,Ma format wydruku DocType: Employee Loan,Sanctioned,usankcjonowane -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,jest obowiązkowe. Może rekord Wymiana walut nie jest stworzony dla +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,jest obowiązkowe. Może rekord Wymiana walut nie jest stworzony dla apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Wiersz # {0}: Proszę podać nr seryjny dla pozycji {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Dla pozycji "Produkt Bundle", magazyn, nr seryjny i numer partii będą rozpatrywane z "packing list" tabeli. Jeśli magazynowe oraz Batch Nie są takie same dla wszystkich elementów Opakowanie do pozycji każdego "produkt Bundle", wartości te mogą zostać wpisane do tabeli głównej pozycji, wartości zostaną skopiowane do "packing list" tabeli." DocType: Job Opening,Publish on website,Publikuje na stronie internetowej @@ -1040,7 +1040,7 @@ DocType: Cheque Print Template,Date Settings,Data Ustawienia apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Zmienność ,Company Name,Nazwa firmy DocType: SMS Center,Total Message(s),Razem ilość wiadomości -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Wybierz produkt Transferu +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Wybierz produkt Transferu DocType: Purchase Invoice,Additional Discount Percentage,Dodatkowy rabat procentowy apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Zobacz listę wszystkich filmów pomocy DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited., @@ -1055,7 +1055,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Koszt surowca (Spółka waluty) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Dla tego zamówienia produkcji wszystkie pozycje zostały już przeniesione. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Wiersz {0}: stawka nie może być większa niż stawka stosowana w {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Wiersz {0}: stawka nie może być większa niż stawka stosowana w {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Metr +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Metr DocType: Workstation,Electricity Cost,Koszt energii elekrycznej DocType: HR Settings,Don't send Employee Birthday Reminders,Nie wysyłaj przypomnień o urodzinach Pracowników DocType: Item,Inspection Criteria,Kryteria kontrolne @@ -1070,7 +1070,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Uzyskaj opłacone zaliczki DocType: Item,Automatically Create New Batch,Automatyczne tworzenie nowych partii DocType: Item,Automatically Create New Batch,Automatyczne tworzenie nowych partii -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Stwórz +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Stwórz DocType: Student Admission,Admission Start Date,Wstęp Data rozpoczęcia DocType: Journal Entry,Total Amount in Words,Wartość całkowita słownie apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Wystąpił błąd. Przypuszczalnie zostało to spowodowane niezapisaniem formularza. Proszę skontaktować się z support@erpnext.com jeżeli problem będzie nadal występował. @@ -1078,7 +1078,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mój koszyk apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Rodzaj zlecenia musi być jednym z {0} DocType: Lead,Next Contact Date,Data Następnego Kontaktu apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Ilość Otwarcia -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Proszę wpisać uwagę do zmiany kwoty +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Proszę wpisać uwagę do zmiany kwoty DocType: Student Batch Name,Student Batch Name,Student Batch Nazwa DocType: Holiday List,Holiday List Name,Lista imion na wakacje DocType: Repayment Schedule,Balance Loan Amount,Kwota salda kredytu @@ -1086,7 +1086,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opcje magazynu DocType: Journal Entry Account,Expense Claim,Zwrot Kosztów apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Czy na pewno chcesz przywrócić złomowane atut? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Ilość dla {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Ilość dla {0} DocType: Leave Application,Leave Application,Wniosek o Urlop apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Narzędzie do przydziału urlopu DocType: Leave Block List,Leave Block List Dates,Opuść Zablokowaną Listę Dat @@ -1137,7 +1137,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Wyklucza DocType: Item,Default Selling Cost Center,Domyśle Centrum Kosztów Sprzedaży DocType: Sales Partner,Implementation Partner,Partner Wdrożeniowy -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Kod pocztowy +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Kod pocztowy apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Zamówienie sprzedaży jest {0} {1} DocType: Opportunity,Contact Info,Dane kontaktowe apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Dokonywanie stockowe Wpisy @@ -1156,13 +1156,13 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,Data zamrożenia obecności DocType: School Settings,Attendance Freeze Date,Data zamrożenia obecności DocType: Opportunity,Your sales person who will contact the customer in future,"Sprzedawca, który będzie kontaktował się z klientem w przyszłości" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Krótka lista Twoich dostawców. Mogą to być firmy lub osoby fizyczne. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Krótka lista Twoich dostawców. Mogą to być firmy lub osoby fizyczne. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Pokaż wszystke apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalny wiek ołowiu (dni) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Wszystkie LM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Wszystkie LM DocType: Company,Default Currency,Domyślna waluta DocType: Expense Claim,From Employee,Od pracownika -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero, +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero, DocType: Journal Entry,Make Difference Entry,Wprowadź różnicę DocType: Upload Attendance,Attendance From Date,Obecność od Daty DocType: Appraisal Template Goal,Key Performance Area,Kluczowy obszar wyników @@ -1179,7 +1179,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc., DocType: Sales Partner,Distributor,Dystrybutor DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Koszyk Wysyłka Reguła -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Zamówienie Produkcji {0} musi być odwołane przed odwołaniem Zamówienia Sprzedaży +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Zamówienie Produkcji {0} musi być odwołane przed odwołaniem Zamówienia Sprzedaży apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Proszę ustawić "Zastosuj dodatkowe zniżki na ' ,Ordered Items To Be Billed,Zamówione produkty do rozliczenia apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od Zakres musi być mniejsza niż do zakresu @@ -1188,10 +1188,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Odliczenia DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Rok rozpoczęcia -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Pierwsze 2 cyfry GSTIN powinny odpowiadać numerowi państwa {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Pierwsze 2 cyfry GSTIN powinny odpowiadać numerowi państwa {0} DocType: Purchase Invoice,Start date of current invoice's period,Początek okresu rozliczeniowego dla faktury DocType: Salary Slip,Leave Without Pay,Urlop bezpłatny -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Planowanie zdolności błąd +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Planowanie zdolności błąd ,Trial Balance for Party,Trial Balance for Party DocType: Lead,Consultant,Konsultant DocType: Salary Slip,Earnings,Dochody @@ -1207,7 +1207,7 @@ DocType: Cheque Print Template,Payer Settings,Ustawienia płatnik DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To będzie dołączany do Kodeksu poz wariantu. Na przykład, jeśli skrót to ""SM"", a kod element jest ""T-SHIRT"" Kod poz wariantu będzie ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Wynagrodzenie netto (słownie) będzie widoczna po zapisaniu na Liście Płac. DocType: Purchase Invoice,Is Return,Czy Wróć -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Powrót / noty obciążeniowej +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Powrót / noty obciążeniowej DocType: Price List Country,Price List Country,Cena Kraj DocType: Item,UOMs,Jednostki miary apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} prawidłowe numery seryjne dla Pozycji {1} @@ -1220,7 +1220,7 @@ DocType: Employee Loan,Partially Disbursed,częściowo wypłacona apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Baza dostawców DocType: Account,Balance Sheet,Arkusz Bilansu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Centrum kosztów dla Przedmiotu z Kodem Przedmiotu ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Tryb płatność nie jest skonfigurowana. Proszę sprawdzić, czy konto zostało ustawione na tryb płatności lub na POS Profilu." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Tryb płatność nie jest skonfigurowana. Proszę sprawdzić, czy konto zostało ustawione na tryb płatności lub na POS Profilu." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Sprzedawca otrzyma w tym dniu przypomnienie, aby skontaktować się z klientem" apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Sama pozycja nie może być wprowadzone wiele razy. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Dalsze relacje mogą być wykonane w ramach grup, ale wpisy mogą być wykonane przed spoza grup" @@ -1250,7 +1250,7 @@ DocType: Employee Loan Application,Repayment Info,Informacje spłata apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,Pole 'Wpisy' nie może być puste apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Wiersz zduplikowany {0} z tym samym {1} ,Trial Balance,Zestawienie obrotów i sald -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Rok fiskalny {0} Nie znaleziono +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Rok fiskalny {0} Nie znaleziono apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Konfigurowanie Pracownicy DocType: Sales Order,SO-,WIĘC- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Wybierz prefix @@ -1265,11 +1265,11 @@ DocType: Grading Scale,Intervals,przedziały apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Najwcześniejszy apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",Istnieje element Grupy o takiej nazwie. Zmień nazwę elementu lub tamtej Grupy. apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Nie Student Komórka -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Reszta świata +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Reszta świata apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Element {0} nie może mieć Batch ,Budget Variance Report,Raport z weryfikacji budżetu DocType: Salary Slip,Gross Pay,Płaca brutto -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Wiersz {0}: Typ aktywny jest obowiązkowe. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Wiersz {0}: Typ aktywny jest obowiązkowe. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dywidendy wypłacone apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Księgi rachunkowe DocType: Stock Reconciliation,Difference Amount,Kwota różnicy @@ -1292,18 +1292,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Bilans zwolnień pracownika apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Bilans dla Konta {0} zawsze powinien wynosić {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Wycena Oceń wymagane dla pozycji w wierszu {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Przykład: Masters w dziedzinie informatyki +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Przykład: Masters w dziedzinie informatyki DocType: Purchase Invoice,Rejected Warehouse,Odrzucony Magazyn DocType: GL Entry,Against Voucher,Dowód księgowy DocType: Item,Default Buying Cost Center,Domyślne Centrum Kosztów Kupowania apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Aby uzyskać najlepsze z ERPNext, zalecamy, aby poświęcić trochę czasu i oglądać te filmy pomoc." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,do +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,do DocType: Supplier Quotation Item,Lead Time in days,Czas oczekiwania w dniach apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Zobowiązania Podsumowanie -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Wypłata wynagrodzenia z {0} {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Wypłata wynagrodzenia z {0} {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Brak autoryzacji do edycji zamrożonego Konta {0} DocType: Journal Entry,Get Outstanding Invoices,Uzyskaj zaległą fakturę -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Zlecenie Sprzedaży {0} jest niepoprawne +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Zlecenie Sprzedaży {0} jest niepoprawne apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Zamówienia pomoże Ci zaplanować i śledzić na zakupy apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",Przepraszamy ale firmy nie mogą zostać połaczone apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1325,8 +1325,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Wydatki pośrednie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Wiersz {0}: Ilość jest obowiązkowe apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Rolnictwo -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Twoje Produkty lub Usługi +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Twoje Produkty lub Usługi DocType: Mode of Payment,Mode of Payment,Rodzaj płatności apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Strona Obraz powinien być plik publiczny lub adres witryny DocType: Student Applicant,AP,AP @@ -1346,18 +1346,18 @@ DocType: Student Group Student,Group Roll Number,Numer grupy DocType: Student Group Student,Group Roll Number,Numer grupy apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Dla {0}, tylko Kredytowane konta mogą być połączone z innym zapisem po stronie debetowej" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Suma wszystkich wagach zadanie powinno być 1. Proszę ustawić wagi wszystkich zadań projektowych odpowiednio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Dowód dostawy {0} nie został wysłany +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Dowód dostawy {0} nie został wysłany apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item, apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments, apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Wycena Zasada jest najpierw wybiera się na podstawie ""Zastosuj Na"" polu, które może być pozycja, poz Grupa lub Marka." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Proszę najpierw ustawić kod pozycji +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Proszę najpierw ustawić kod pozycji DocType: Hub Settings,Seller Website,Sprzedawca WWW DocType: Item,ITEM-,POZYCJA- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Łącznie przydzielony procent sprzedaży dla zespołu powinien wynosić 100 DocType: Appraisal Goal,Goal,Cel DocType: Sales Invoice Item,Edit Description,Edytuj opis ,Team Updates,Aktualizacje zespół -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Dla dostawcy +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Dla dostawcy DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Ustawienie Typu Konta pomaga w wyborze tego konta w transakcji. DocType: Purchase Invoice,Grand Total (Company Currency),Całkowita suma (w walucie firmy) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Tworzenie format wydruku @@ -1371,12 +1371,12 @@ DocType: Item,Website Item Groups,Grupy przedmiotów strony WWW DocType: Purchase Invoice,Total (Company Currency),Razem (Spółka Waluta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Nr seryjny {0} wprowadzony jest więcej niż jeden raz DocType: Depreciation Schedule,Journal Entry,Zapis księgowy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} pozycji w przygotowaniu +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} pozycji w przygotowaniu DocType: Workstation,Workstation Name,Nazwa stacji roboczej DocType: Grading Scale Interval,Grade Code,Kod klasy DocType: POS Item Group,POS Item Group,POS Pozycja Grupy apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,przetwarzanie maila -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} nie należy do pozycji {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} nie należy do pozycji {1} DocType: Sales Partner,Target Distribution,Dystrybucja docelowa 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 prefix @@ -1434,7 +1434,7 @@ DocType: Quotation,Shopping Cart,Koszyk apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Średnia dzienna Wychodzące DocType: POS Profile,Campaign,Kampania DocType: Supplier,Name and Type,Nazwa i typ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Status Zatwierdzenia musi być 'Zatwierdzono' albo 'Odrzucono' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Status Zatwierdzenia musi być 'Zatwierdzono' albo 'Odrzucono' DocType: Purchase Invoice,Contact Person,Osoba kontaktowa apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Przewidywana data rozpoczęcia' nie może nastąpić później niż 'Przewidywana data zakończenia' DocType: Course Scheduling Tool,Course End Date,Data zakończenia kursu @@ -1446,8 +1446,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Zalecany email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Zmiana netto stanu trwałego DocType: Leave Control Panel,Leave blank if considered for all designations,Zostaw puste jeśli jest to rozważane dla wszystkich nominacji -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate, -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate, +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od DateTime DocType: Email Digest,For Company,Dla firmy apps/erpnext/erpnext/config/support.py +17,Communication log.,Rejestr komunikacji @@ -1489,7 +1489,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profil stanowi DocType: Journal Entry Account,Account Balance,Bilans konta apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Reguła podatkowa dla transakcji. DocType: Rename Tool,Type of document to rename.,"Typ dokumentu, którego zmieniasz nazwę" -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Kupujemy ten przedmiot/usługę +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Kupujemy ten przedmiot/usługę apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klient zobowiązany jest przed należność {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Łączna kwota podatków i opłat (wg Firmy) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Pokaż niezamkniętych rok obrotowy za P & L sald @@ -1500,7 +1500,7 @@ DocType: Quality Inspection,Readings,Odczyty DocType: Stock Entry,Total Additional Costs,Wszystkich Dodatkowe koszty DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Złom koszt materiału (Spółka waluty) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Komponenty +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Komponenty DocType: Asset,Asset Name,Zaleta Nazwa DocType: Project,Task Weight,zadanie Waga DocType: Shipping Rule Condition,To Value,Określ wartość @@ -1529,7 +1529,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Warianty artykuł DocType: Company,Services,Usługi DocType: HR Settings,Email Salary Slip to Employee,Email Wynagrodzenie Slip pracownikowi DocType: Cost Center,Parent Cost Center,Nadrzędny dział kalkulacji kosztów -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Wybierz Możliwa Dostawca +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Wybierz Możliwa Dostawca DocType: Sales Invoice,Source,Źródło apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Pokaż closed DocType: Leave Type,Is Leave Without Pay,Czy urlopu bezpłatnego @@ -1541,7 +1541,7 @@ DocType: POS Profile,Apply Discount,Zastosuj zniżkę DocType: GST HSN Code,GST HSN Code,Kod GST HSN DocType: Employee External Work History,Total Experience,Całkowita kwota wydatków apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,otwarte Projekty -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,List(y) przewozowe anulowane +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,List(y) przewozowe anulowane apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Przepływy środków pieniężnych z Inwestowanie DocType: Program Course,Program Course,Program kursu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Koszty dostaw i przesyłek @@ -1582,9 +1582,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Program Zgłoszenia DocType: Sales Invoice Item,Brand Name,Nazwa marki DocType: Purchase Receipt,Transporter Details,Szczegóły transportu -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Domyślny magazyn jest wymagana dla wybranego elementu -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Pudło -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Dostawca możliwe +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Domyślny magazyn jest wymagana dla wybranego elementu +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Pudło +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Dostawca możliwe DocType: Budget,Monthly Distribution,Miesięczny Dystrybucja apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Lista odbiorców jest pusta. Proszę stworzyć Listę Odbiorców DocType: Production Plan Sales Order,Production Plan Sales Order,Zamówienie sprzedaży plany produkcji @@ -1617,7 +1617,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Zwrot wydatk apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studenci są w samym sercu systemu, dodanie wszystkich swoich uczniów" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Wiersz # {0}: Data Rozliczenie {1} nie może być wcześniejsza niż data Czek {2} DocType: Company,Default Holiday List,Domyślnie lista urlopowa -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Zadłużenie zapasów DocType: Purchase Invoice,Supplier Warehouse,Magazyn dostawcy DocType: Opportunity,Contact Mobile No,Numer komórkowy kontaktu @@ -1633,18 +1633,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Urlop typu {0} nie może być dłuższy niż {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Spróbuj planowania operacji dla X dni wcześniej. DocType: HR Settings,Stop Birthday Reminders,Zatrzymaj przypomnienia o urodzinach -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Proszę ustawić domyślny Payroll konto płatne w Spółce {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Proszę ustawić domyślny Payroll konto płatne w Spółce {0} DocType: SMS Center,Receiver List,Lista odbiorców -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Szukaj przedmiotu +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Szukaj przedmiotu apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Skonsumowana wartość apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Zmiana netto stanu środków pieniężnych DocType: Assessment Plan,Grading Scale,Skala ocen apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jednostka miary {0} została wprowadzona więcej niż raz w Tabelce Współczynnika Konwersji -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Zakończone +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Zakończone apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,W Parze apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Płatność Zapytanie już istnieje {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Koszt Emitowanych Przedmiotów -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Ilość nie może być większa niż {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Ilość nie może być większa niż {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Poprzedni rok finansowy nie jest zamknięta apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Wiek (dni) DocType: Quotation Item,Quotation Item,Przedmiot Wyceny @@ -1658,6 +1658,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Dokument referencyjny apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} jest anulowane lub wstrzymane DocType: Accounts Settings,Credit Controller, +DocType: Sales Order,Final Delivery Date,Ostateczny termin dostawy DocType: Delivery Note,Vehicle Dispatch Date,Data wysłania pojazdu DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Potwierdzenie Zakupu {0} nie zostało wysłane @@ -1748,9 +1749,9 @@ DocType: Employee,Date Of Retirement,Data przejścia na emeryturę DocType: Upload Attendance,Get Template,Pobierz szablon DocType: Material Request,Transferred,Przeniesiony DocType: Vehicle,Doors,drzwi -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Konfiguracja ERPNext zakończona! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Konfiguracja ERPNext zakończona! DocType: Course Assessment Criteria,Weightage,Waga/wiek -DocType: Sales Invoice,Tax Breakup,Podział podatków +DocType: Purchase Invoice,Tax Breakup,Podział podatków DocType: Packing Slip,PS-,PS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: MPK jest wymagane dla "zysków i strat" konta {2}. Proszę ustawić domyślny centrum kosztów dla firmy. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Grupa Odbiorców posiada taką nazwę - wprowadź inną nazwę Odbiorcy lub zmień nazwę Grupy @@ -1763,14 +1764,14 @@ DocType: Announcement,Instructor,Instruktor DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jeśli ten element ma warianty, to nie może być wybrany w zleceniach sprzedaży itp" DocType: Lead,Next Contact By,Następny Kontakt Po -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Ilość wymagana dla Przedmiotu {0} w rzędzie {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Ilość wymagana dla Przedmiotu {0} w rzędzie {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazyn {0} nie może zostać usunięty ponieważ istnieje wartość dla przedmiotu {1} DocType: Quotation,Order Type,Typ zamówienia DocType: Purchase Invoice,Notification Email Address,Powiadomienie adres e-mail ,Item-wise Sales Register, DocType: Asset,Gross Purchase Amount,Zakup Kwota brutto DocType: Asset,Depreciation Method,Metoda amortyzacji -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Czy podatek wliczony jest w opłaty? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Łączna docelowa DocType: Job Applicant,Applicant for a Job,Aplikant do Pracy @@ -1792,7 +1793,7 @@ DocType: Employee,Leave Encashed?,"Jesteś pewien, że chcesz wyjść z Wykupiny apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Szansa Od pola jest obowiązkowe DocType: Email Digest,Annual Expenses,roczne koszty DocType: Item,Variants,Warianty -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Wprowadź Zamówienie +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Wprowadź Zamówienie DocType: SMS Center,Send To,Wyślij do apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0}, DocType: Payment Reconciliation Payment,Allocated amount,Przyznana kwota @@ -1800,7 +1801,7 @@ DocType: Sales Team,Contribution to Net Total, DocType: Sales Invoice Item,Customer's Item Code,Kod Przedmiotu Klienta DocType: Stock Reconciliation,Stock Reconciliation,Uzgodnienia stanu DocType: Territory,Territory Name,Nazwa Regionu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Magazyn z produkcją w toku jest wymagany przed wysłaniem +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Magazyn z produkcją w toku jest wymagany przed wysłaniem apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Aplikant do Pracy. DocType: Purchase Order Item,Warehouse and Reference,Magazyn i punkt odniesienia DocType: Supplier,Statutory info and other general information about your Supplier,Informacje prawne na temat dostawcy @@ -1813,16 +1814,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,wyceny apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Zduplikowany Nr Seryjny wprowadzony dla przedmiotu {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Warunki wysyłki apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Podaj -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nie można overbill do pozycji {0} w wierszu {1} więcej niż {2}. Aby umożliwić nad-billing, należy ustawić w Ustawienia zakupów" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Proszę ustawić filtr na podstawie pkt lub magazynie +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nie można overbill do pozycji {0} w wierszu {1} więcej niż {2}. Aby umożliwić nad-billing, należy ustawić w Ustawienia zakupów" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Proszę ustawić filtr na podstawie pkt lub magazynie DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Masa netto tego pakietu. (Obliczone automatycznie jako suma masy netto poszczególnych pozycji) DocType: Sales Order,To Deliver and Bill,Do dostarczenia i Bill DocType: Student Group,Instructors,instruktorzy DocType: GL Entry,Credit Amount in Account Currency,Kwota kredytu w walucie rachunku -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} musi być złożony +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} musi być złożony DocType: Authorization Control,Authorization Control,Kontrola Autoryzacji apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Wiersz # {0}: Odrzucone Magazyn jest obowiązkowe przed odrzucony poz {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Płatność +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Płatność apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Magazyn {0} nie jest powiązany z jakimikolwiek kontem, wspomnij o tym w raporcie magazynu lub ustaw domyślnego konta zapasowego w firmie {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Zarządzanie zamówień DocType: Production Order Operation,Actual Time and Cost,Rzeczywisty Czas i Koszt @@ -1838,12 +1839,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Pakiet DocType: Quotation Item,Actual Qty,Rzeczywista Ilość DocType: Sales Invoice Item,References,Referencje DocType: Quality Inspection Reading,Reading 10,Odczyt 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Wypełnij listę produktów lub usług, które kupujesz lub sprzedajesz. Upewnij się, czy poprawnie wybierasz kategorię oraz jednostkę miary." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Wypełnij listę produktów lub usług, które kupujesz lub sprzedajesz. Upewnij się, czy poprawnie wybierasz kategorię oraz jednostkę miary." DocType: Hub Settings,Hub Node,Hub Węzeł apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Wprowadziłeś duplikat istniejących rzeczy. Sprawdź i spróbuj ponownie apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Współpracownik +DocType: Company,Sales Target,Cel sprzedażowy DocType: Asset Movement,Asset Movement,Zaleta Ruch -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Nowy Koszyk +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Nowy Koszyk apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item, DocType: SMS Center,Create Receiver List,Stwórz listę odbiorców DocType: Vehicle,Wheels,Koła @@ -1885,13 +1887,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Zarządzanie projekt DocType: Supplier,Supplier of Goods or Services.,Dostawca towarów lub usług. DocType: Budget,Fiscal Year,Rok Podatkowy DocType: Vehicle Log,Fuel Price,Cena paliwa +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Proszę skonfigurować serie numeracyjne dla uczestnictwa w programie Setup> Numbering Series DocType: Budget,Budget,Budżet apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Trwałego Rzecz musi być element non-stock. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budżet nie może być przypisany przed {0}, ponieważ nie jest to konto przychodów lub kosztów" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Osiągnięte DocType: Student Admission,Application Form Route,Formularz zgłoszeniowy Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Regin / Klient -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5, +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5, apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Zostaw Type {0} nie może być przyznane, ponieważ jest pozostawić bez wynagrodzenia" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Wiersz {0}: Przyznana kwota {1} musi być mniejsza lub równa pozostałej kwoty faktury {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Słownie, będzie widoczne w fakturze sprzedaży, po zapisaniu" @@ -1900,11 +1903,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Element {0} nie jest ustawiony na nr seryjny. Sprawdź mastera tego elementu DocType: Maintenance Visit,Maintenance Time,Czas Konserwacji ,Amount to Deliver,Kwota do Deliver -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Produkt lub usługa +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Produkt lub usługa apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termin Data rozpoczęcia nie może być krótszy niż rok od daty rozpoczęcia roku akademickiego, w jakim termin ten jest powiązany (Academic Year {}). Popraw daty i spróbuj ponownie." DocType: Guardian,Guardian Interests,opiekun Zainteresowania DocType: Naming Series,Current Value,Bieżąca Wartość -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Wiele lat podatkowych istnieją na dzień {0}. Proszę ustawić firmy w roku finansowym +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Wiele lat podatkowych istnieją na dzień {0}. Proszę ustawić firmy w roku finansowym apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} utworzone DocType: Delivery Note Item,Against Sales Order,Na podstawie zamówienia sprzedaży ,Serial No Status,Status nr seryjnego @@ -1918,7 +1921,7 @@ DocType: Pricing Rule,Selling,Sprzedaż apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Kwota {0} {1} odliczone przed {2} DocType: Employee,Salary Information,Informacja na temat wynagrodzenia DocType: Sales Person,Name and Employee ID,Imię i Identyfikator Pracownika -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Termin nie może być po Dacie Umieszczenia +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Termin nie może być po Dacie Umieszczenia DocType: Website Item Group,Website Item Group,Grupa przedmiotów strony WWW apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Podatki i cła apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date, @@ -1975,9 +1978,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Proszę ustawić datę dołączenia do pracownika {0} DocType: Task,Total Billing Amount (via Time Sheet),Całkowita kwota płatności (poprzez Czas Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Powtórz Przychody klienta -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) musi mieć rolę 'Zatwierdzający Koszty -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Para -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Wybierz BOM i ilosc Produkcji +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) musi mieć rolę 'Zatwierdzający Koszty +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Para +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Wybierz BOM i ilosc Produkcji DocType: Asset,Depreciation Schedule,amortyzacja Harmonogram apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresy partnerów handlowych i kontakty DocType: Bank Reconciliation Detail,Against Account,Konto korespondujące @@ -1987,7 +1990,7 @@ DocType: Item,Has Batch No,Posada numer partii (batch) apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Roczne rozliczeniowy: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Podatek od towarów i usług (GST India) DocType: Delivery Note,Excise Page Number,Akcyza numeru strony -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",Spółka Od Data i do tej pory jest obowiązkowe +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",Spółka Od Data i do tej pory jest obowiązkowe DocType: Asset,Purchase Date,Data zakupu DocType: Employee,Personal Details,Dane Osobowe apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Proszę ustawić "aktywa Amortyzacja Cost Center" w towarzystwie {0} @@ -1996,9 +1999,9 @@ DocType: Task,Actual End Date (via Time Sheet),Faktyczna data zakończenia (prze apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Kwota {0} {1} przeciwko {2} {3} ,Quotation Trends,Trendy Wyceny apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Pozycja Grupa nie wymienione w pozycji do pozycji mistrza {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debetowane Konto musi być kontem typu Należności +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debetowane Konto musi być kontem typu Należności DocType: Shipping Rule Condition,Shipping Amount,Ilość dostawy -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Dodaj klientów +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Dodaj klientów apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kwota Oczekiwana DocType: Purchase Invoice Item,Conversion Factor,Współczynnik konwersji DocType: Purchase Order,Delivered,Dostarczono @@ -2020,7 +2023,6 @@ DocType: Production Order,Use Multi-Level BOM,Używaj wielopoziomowych zestawie DocType: Bank Reconciliation,Include Reconciled Entries,Dołącz uzgodnione wpisy DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kurs dla rodziców (pozostaw puste, jeśli nie jest to część kursu)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Zostaw puste jeśli jest to rozważane dla wszystkich typów pracowników -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klient> Grupa klienta> Terytorium DocType: Landed Cost Voucher,Distribute Charges Based On,Rozpowszechnianie opłat na podstawie apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,ewidencja czasu pracy DocType: HR Settings,HR Settings,Ustawienia HR @@ -2028,7 +2030,7 @@ DocType: Salary Slip,net pay info,Informacje o wynagrodzeniu netto apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Zwrot Kosztów jest w oczekiwaniu na potwierdzenie. Tylko osoba zatwierdzająca wydatki może uaktualnić status. DocType: Email Digest,New Expenses,Nowe wydatki DocType: Purchase Invoice,Additional Discount Amount,Kwota dodatkowego rabatu -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Wiersz # {0}: Ilość musi być jeden, a element jest trwałego. Proszę używać osobny wiersz dla stwardnienia st." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Wiersz # {0}: Ilość musi być jeden, a element jest trwałego. Proszę używać osobny wiersz dla stwardnienia st." DocType: Leave Block List Allow,Leave Block List Allow,Możesz opuścić Blok Zablokowanych List apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Skrót nie może być pusty lub być spacją apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grupa do Non-Group @@ -2036,7 +2038,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sporty DocType: Loan Type,Loan Name,pożyczka Nazwa apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Razem Rzeczywisty DocType: Student Siblings,Student Siblings,Rodzeństwo studenckie -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,szt. +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,szt. apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Sprecyzuj Firmę ,Customer Acquisition and Loyalty, DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazyn w którym zarządzasz odrzuconymi przedmiotami @@ -2054,12 +2056,12 @@ DocType: Workstation,Wages per hour,Zarobki na godzinę apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Saldo Zdjęcie w serii {0} będzie negatywna {1} dla pozycji {2} w hurtowni {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Niniejszy materiał Wnioski zostały podniesione automatycznie na podstawie poziomu ponownego zamówienia elementu DocType: Email Digest,Pending Sales Orders,W oczekiwaniu zleceń sprzedaży -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} jest nieprawidłowe. Walutą konta musi być {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Konto {0} jest nieprawidłowe. Walutą konta musi być {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Współczynnik konwersji jednostki miary jest wymagany w rzędzie {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym zlecenia sprzedaży, sprzedaży lub faktury Journal Entry" DocType: Salary Component,Deduction,Odliczenie -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Wiersz {0}: od czasu do czasu i jest obowiązkowe. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Wiersz {0}: od czasu do czasu i jest obowiązkowe. DocType: Stock Reconciliation Item,Amount Difference,kwota różnicy apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Pozycja Cena dodany do {0} w Cenniku {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Proszę podać ID pracownika tej osoby ze sprzedaży @@ -2069,11 +2071,11 @@ DocType: Project,Gross Margin,Marża brutto apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Wprowadź jako pierwszą Produkowaną Rzecz apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Obliczony bilans wyciągu bankowego apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Wyłączony użytkownik -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Wycena +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Wycena DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Całkowita kwota odliczenia ,Production Analytics,Analizy produkcyjne -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Koszt Zaktualizowano +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Koszt Zaktualizowano DocType: Employee,Date of Birth,Data urodzenia apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Element {0} został zwrócony DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Rok finansowy** reprezentuje rok finansowy. Wszystkie zapisy księgowe oraz inne znaczące transakcje są śledzone przed ** roku podatkowego **. @@ -2119,18 +2121,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Wybierz firmą ... DocType: Leave Control Panel,Leave blank if considered for all departments,Zostaw puste jeśli jest to rozważane dla wszystkich departamentów apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Rodzaje zatrudnienia (umowa o pracę, zlecenie, praktyka zawodowa itd.)" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} jest obowiązkowe dla elementu {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} jest obowiązkowe dla elementu {1} DocType: Process Payroll,Fortnightly,Dwutygodniowy DocType: Currency Exchange,From Currency,Od Waluty apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Koszt zakupu nowego -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Zlecenie Sprzedaży jest wymagane dla Elementu {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Zlecenie Sprzedaży jest wymagane dla Elementu {0} DocType: Purchase Invoice Item,Rate (Company Currency),Stawka (waluta firmy) DocType: Student Guardian,Others,Inni DocType: Payment Entry,Unallocated Amount,Kwota nieprzydzielone apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Nie możesz znaleźć pasujący element. Proszę wybrać jakąś inną wartość dla {0}. DocType: POS Profile,Taxes and Charges,Podatki i opłaty DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt lub usługa, która jest kupiona, sprzedana lub przechowywana w magazynie." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod pozycji> Grupa towarów> Marka apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Brak więcej aktualizacji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nie można wybrać typu opłaty jako ""Sumy Poprzedniej Komórki"" lub ""Całkowitej kwoty poprzedniej Komórki"" w pierwszym rzędzie" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Dziecko pozycja nie powinna być Bundle produktu. Proszę usunąć pozycję `` {0} i zapisać @@ -2158,7 +2161,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Łączna kwota płatności apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Musi istnieć domyślny przychodzącego konta e-mail włączone dla tej pracy. Proszę konfiguracja domyślna przychodzącego konta e-mail (POP / IMAP) i spróbuj ponownie. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Konto Należności -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Wiersz # {0}: {1} aktywami jest już {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Wiersz # {0}: {1} aktywami jest już {2} DocType: Quotation Item,Stock Balance,Bilans zapasów apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Płatności do zamówienia sprzedaży apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2183,10 +2186,11 @@ DocType: C-Form,Received Date,Data Otrzymania DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Jeśli utworzono standardowy szablon w podatku od sprzedaży i Prowizji szablonu, wybierz jedną i kliknij na przycisk poniżej." DocType: BOM Scrap Item,Basic Amount (Company Currency),Kwota podstawowa (Spółka waluty) DocType: Student,Guardians,Strażnicy +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dostawca> Typ dostawcy DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny nie będą wyświetlane, jeśli Cennik nie jest ustawiony" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Proszę podać kraj, w tym wysyłka Reguły lub sprawdź wysyłka na cały świat" DocType: Stock Entry,Total Incoming Value,Całkowita wartość przychodów -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debetowane Konto jest wymagane +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debetowane Konto jest wymagane apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Ewidencja czasu pomaga śledzić czasu, kosztów i rozliczeń dla aktywnosci przeprowadzonych przez zespół" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Cennik zakupowy DocType: Offer Letter Term,Offer Term,Oferta Term @@ -2205,11 +2209,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Wyszu DocType: Timesheet Detail,To Time,Do czasu DocType: Authorization Rule,Approving Role (above authorized value),Zatwierdzanie rolę (powyżej dopuszczonego wartości) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredytowane Konto powinno być kontem typu Zobowiązania -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2}, +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2}, DocType: Production Order Operation,Completed Qty,Ukończona wartość apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Dla {0}, tylko rachunki płatnicze mogą być połączone z innym wejściem kredytową" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Cennik {0} jest wyłączony -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Wiersz {0}: Zakończony Ilosc nie może zawierać więcej niż {1} do pracy {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Wiersz {0}: Zakończony Ilosc nie może zawierać więcej niż {1} do pracy {2} DocType: Manufacturing Settings,Allow Overtime,Pozwól Nadgodziny apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Nie można zaktualizować elementu seryjnego {0} za pomocą funkcji zgrupowania, proszę użyć wpisu fotografii" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Nie można zaktualizować elementu seryjnego {0} za pomocą funkcji zgrupowania, proszę użyć wpisu fotografii" @@ -2228,10 +2232,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Zewnętrzny apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Użytkownicy i uprawnienia DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Zlecenia produkcyjne Utworzono: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Zlecenia produkcyjne Utworzono: {0} DocType: Branch,Branch,Odddział DocType: Guardian,Mobile Number,Numer telefonu komórkowego apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Drukowanie i firmowanie +DocType: Company,Total Monthly Sales,Łączna miesięczna sprzedaż DocType: Bin,Actual Quantity,Rzeczywista Ilość DocType: Shipping Rule,example: Next Day Shipping,przykład: Wysyłka następnego dnia apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Nr seryjny {0} nie znaleziono @@ -2262,7 +2267,7 @@ DocType: Payment Request,Make Sales Invoice,Nowa faktura sprzedaży apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Oprogramowania apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Następnie Kontakt Data nie może być w przeszłości DocType: Company,For Reference Only.,Wyłącznie w celach informacyjnych. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Wybierz numer partii +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Wybierz numer partii apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Nieprawidłowy {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET DocType: Sales Invoice Advance,Advance Amount,Kwota Zaliczki @@ -2275,7 +2280,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nie istnieje Przedmiot o kodzie kreskowym {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Numer sprawy nie może wynosić 0 DocType: Item,Show a slideshow at the top of the page,Pokazuj slideshow na górze strony -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,LM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,LM apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Sklepy DocType: Serial No,Delivery Time,Czas dostawy apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On, @@ -2289,16 +2294,16 @@ DocType: Rename Tool,Rename Tool,Zmień nazwę narzędzia apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Zaktualizuj Koszt DocType: Item Reorder,Item Reorder,Element Zamów ponownie apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Slip Pokaż Wynagrodzenie -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transfer materiału +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transfer materiału DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.", apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Niniejszy dokument ma na granicy przez {0} {1} dla pozycji {4}. Robisz kolejny {3} przeciwko samo {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Proszę ustawić cykliczne po zapisaniu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Wybierz opcję Zmień konto kwotę +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Proszę ustawić cykliczne po zapisaniu +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Wybierz opcję Zmień konto kwotę DocType: Purchase Invoice,Price List Currency,Waluta cennika DocType: Naming Series,User must always select,Użytkownik musi zawsze zaznaczyć DocType: Stock Settings,Allow Negative Stock,Dozwolony ujemny stan DocType: Installation Note,Installation Note,Notka instalacyjna -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Definiowanie podatków +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Definiowanie podatków DocType: Topic,Topic,Temat apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Cash Flow z finansowania DocType: Budget Account,Budget Account,budżet konta @@ -2312,7 +2317,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Śled apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Pasywa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Ilość w rzędzie {0} ({1}) musi być taka sama jak wyprodukowana ilość {2} DocType: Appraisal,Employee,Pracownik -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Wybierz opcję Batch +DocType: Company,Sales Monthly History,Historia miesięczna sprzedaży +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Wybierz opcję Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} jest w pełni rozliczone DocType: Training Event,End Time,Czas zakończenia apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktywny Wynagrodzenie Struktura {0} znalezionych dla pracownika {1} dla podanych dat @@ -2320,15 +2326,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Odliczenia płatności lub str apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardowe warunki umowy sprzedaży lub kupna. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grupuj według Podstawy księgowania apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Pipeline sprzedaży -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Proszę ustawić domyślne konto wynagrodzenia komponentu {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Proszę ustawić domyślne konto wynagrodzenia komponentu {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Wymagane na DocType: Rename Tool,File to Rename,Plik to zmiany nazwy apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Proszę wybrać LM dla pozycji w wierszu {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} nie jest zgodne z firmą {1} w trybie konta: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Określone BOM {0} nie istnieje dla pozycji {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plan Konserwacji {0} musi być anulowany przed usunięciem tego zamówienia +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plan Konserwacji {0} musi być anulowany przed usunięciem tego zamówienia DocType: Notification Control,Expense Claim Approved,Zwrot Kosztów zatwierdzony -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Proszę skonfigurować serie numeracyjne dla uczestnictwa w programie Setup> Numbering Series apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Wynagrodzenie Slip pracownika {0} już stworzony dla tego okresu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutyczny apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Koszt zakupionych towarów @@ -2345,7 +2350,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item, DocType: Upload Attendance,Attendance To Date,Obecność do Daty DocType: Warranty Claim,Raised By,Wywołany przez DocType: Payment Gateway Account,Payment Account,Konto Płatność -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Sprecyzuj firmę aby przejść dalej +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Sprecyzuj firmę aby przejść dalej apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Zmiana netto stanu należności apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off, DocType: Offer Letter,Accepted,Przyjęte @@ -2355,12 +2360,12 @@ DocType: SG Creation Tool Course,Student Group Name,Nazwa grupy studentów apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Upewnij się, że na pewno chcesz usunąć wszystkie transakcje dla tej firmy. Twoje dane podstawowe pozostanie tak jak jest. Ta akcja nie można cofnąć." DocType: Room,Room Number,Numer pokoju apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Nieprawidłowy odniesienia {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nie może być większa niż zaplanowana ilość ({2}) w Zleceniu Produkcyjnym {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nie może być większa niż zaplanowana ilość ({2}) w Zleceniu Produkcyjnym {3} DocType: Shipping Rule,Shipping Rule Label,Etykieta z zasadami wysyłki i transportu apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum użytkowników -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Surowce nie może być puste. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Nie można zaktualizować stanu - faktura zawiera pozycję, której proces wysyłki scedowano na dostawcę." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Szybkie Księgowanie +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Surowce nie może być puste. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Nie można zaktualizować stanu - faktura zawiera pozycję, której proces wysyłki scedowano na dostawcę." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Szybkie Księgowanie apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Nie możesz zmienić danych jeśli BOM jest przeciw jakiejkolwiek rzeczy DocType: Employee,Previous Work Experience,Poprzednie doświadczenie zawodowe DocType: Stock Entry,For Quantity,Dla Ilości @@ -2417,7 +2422,7 @@ DocType: SMS Log,No of Requested SMS,Numer wymaganego SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Urlopu bezpłatnego nie jest zgodny z zatwierdzonymi zapisów Leave aplikacji DocType: Campaign,Campaign-.####,Kampania-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Następne kroki -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Proszę dostarczyć określone przedmioty w najlepszych możliwych cenach +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Proszę dostarczyć określone przedmioty w najlepszych możliwych cenach DocType: Selling Settings,Auto close Opportunity after 15 days,Auto blisko Szansa po 15 dniach apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,koniec roku apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Kwota / kwota procentowa @@ -2475,7 +2480,7 @@ DocType: Homepage,Homepage,Strona główna DocType: Purchase Receipt Item,Recd Quantity,Zapisana Ilość apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Utworzono Records Fee - {0} DocType: Asset Category Account,Asset Category Account,Konto Aktywów Kategoria -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Nie można wyprodukować więcej przedmiotów {0} niż wartość {1} na Zamówieniu +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Nie można wyprodukować więcej przedmiotów {0} niż wartość {1} na Zamówieniu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Zdjęcie Wejście {0} nie jest składany DocType: Payment Reconciliation,Bank / Cash Account,Konto Bank / Gotówka apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Następnie Kontakt By nie może być taki sam jak adres e-mail Wiodącego @@ -2508,7 +2513,7 @@ DocType: Salary Structure,Total Earning,Całkowita kwota zarobku DocType: Purchase Receipt,Time at which materials were received,Czas doręczenia materiałów DocType: Stock Ledger Entry,Outgoing Rate,Wychodzące Cena apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Szef oddziału Organizacji -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,lub +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,lub DocType: Sales Order,Billing Status,Status Faktury apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Zgłoś problem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Wydatki na usługi komunalne @@ -2516,7 +2521,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Wiersz # {0}: Journal Entry {1} nie masz konta {2} lub już porównywana z innym kuponie DocType: Buying Settings,Default Buying Price List,Domyślna Lista Cen Kupowania DocType: Process Payroll,Salary Slip Based on Timesheet,Slip Wynagrodzenie podstawie grafiku -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Żaden pracownik nie dla wyżej wybranych kryteriów lub specyfikacji wynagrodzenia już utworzony +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Żaden pracownik nie dla wyżej wybranych kryteriów lub specyfikacji wynagrodzenia już utworzony DocType: Notification Control,Sales Order Message,Informacje Zlecenia Sprzedaży apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Ustaw wartości domyślne jak firma, waluta, bieżący rok rozliczeniowy, itd." DocType: Payment Entry,Payment Type,Typ płatności @@ -2541,7 +2546,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Otrzymanie dokumentu należy składać DocType: Purchase Invoice Item,Received Qty,Otrzymana ilość DocType: Stock Entry Detail,Serial No / Batch,Nr seryjny / partia -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Nie Płatny i nie Dostarczany +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Nie Płatny i nie Dostarczany DocType: Product Bundle,Parent Item,Element nadrzędny DocType: Account,Account Type,Typ konta DocType: Delivery Note,DN-RET-,DN-RET @@ -2572,8 +2577,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Łączna kwota przyznanego wsparcia apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Ustaw domyślne konto zapasów dla zasobów reklamowych wieczystych DocType: Item Reorder,Material Request Type,Typ zamówienia produktu -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry na wynagrodzenia z {0} {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage jest pełna, nie oszczędzać" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry na wynagrodzenia z {0} {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage jest pełna, nie oszczędzać" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Wiersz {0}: JM Współczynnik konwersji jest obowiązkowe apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Centrum kosztów @@ -2591,7 +2596,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Podat apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jeśli wybrana reguła Wycena jest dla 'Cena' spowoduje zastąpienie cennik. Zasada jest cena Wycena ostateczna cena, więc dalsze zniżki powinny być stosowane. W związku z tym, w transakcjach takich jak zlecenia sprzedaży, zamówienia itp, będzie pobrana w polu ""stopa"", a nie polu ""Cennik stopa""." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Śledź leady przez typy przedsiębiorstw DocType: Item Supplier,Item Supplier,Dostawca -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Proszę wprowadzić Kod Produktu w celu przyporządkowania serii +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Proszę wprowadzić Kod Produktu w celu przyporządkowania serii apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Proszę wprowadzić wartość dla wyceny {0} {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Wszystkie adresy DocType: Company,Stock Settings,Ustawienia magazynu @@ -2618,7 +2623,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Rzeczywista Ilość Po apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nie znaleziono wynagrodzenie poślizg między {0} i {1} ,Pending SO Items For Purchase Request,Oczekiwane elementy Zamówień Sprzedaży na Prośbę Zakupu apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Rekrutacja dla studentów -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} jest wyłączony +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} jest wyłączony DocType: Supplier,Billing Currency,Waluta Rozliczenia DocType: Sales Invoice,SINV-RET-,SINV-RET apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Bardzo Duży @@ -2648,7 +2653,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Status aplikacji DocType: Fees,Fees,Opłaty DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Określ Kursy walut konwersji jednej waluty w drugą -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Wycena {0} jest anulowana +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Wycena {0} jest anulowana apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Łączna kwota DocType: Sales Partner,Targets,Cele DocType: Price List,Price List Master,Ustawienia Cennika @@ -2665,7 +2670,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignoruj Reguły Cen DocType: Employee Education,Graduate,Absolwent DocType: Leave Block List,Block Days,Zablokowany Dzień DocType: Journal Entry,Excise Entry,Akcyza Wejścia -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Ostrzeżenie: Zamówienie sprzedaży {0} już istnieje wobec Klienta Zamówienia {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Ostrzeżenie: Zamówienie sprzedaży {0} już istnieje wobec Klienta Zamówienia {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2704,7 +2709,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Jeś ,Salary Register,wynagrodzenie Rejestracja DocType: Warehouse,Parent Warehouse,Dominująca Magazyn DocType: C-Form Invoice Detail,Net Total,Łączna wartość netto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Domyślnie nie znaleziono elementu BOM dla elementu {0} i projektu {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Definiować różne rodzaje kredytów DocType: Bin,FCFS Rate,Pierwsza rata DocType: Payment Reconciliation Invoice,Outstanding Amount,Zaległa Ilość @@ -2741,7 +2746,7 @@ DocType: Salary Detail,Condition and Formula Help,Stan i Formula Pomoc apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Zarządzaj drzewem terytorium DocType: Journal Entry Account,Sales Invoice,Faktura sprzedaży DocType: Journal Entry Account,Party Balance,Bilans Grupy -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Proszę wybrać Zastosuj RABAT +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Proszę wybrać Zastosuj RABAT DocType: Company,Default Receivable Account,Domyślnie konto Rozrachunki z odbiorcami DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Utwórz zapis bankowy dla sumy wynagrodzenia dla wybranych wyżej kryteriów DocType: Stock Entry,Material Transfer for Manufacture,Materiał transferu dla Produkcja @@ -2755,7 +2760,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Adres klienta DocType: Employee Loan,Loan Details,pożyczka Szczegóły DocType: Company,Default Inventory Account,Domyślne konto zasobów reklamowych -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Wiersz {0}: Zakończony Ilość musi być większa od zera. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Wiersz {0}: Zakończony Ilość musi być większa od zera. DocType: Purchase Invoice,Apply Additional Discount On,Zastosuj dodatkowe zniżki na DocType: Account,Root Type,Typ Root DocType: Item,FIFO,FIFO @@ -2772,7 +2777,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Kontrola jakości apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,Szablon Standardowy DocType: Training Event,Theory,Teoria -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Ostrzeżenie: Ilość Zapotrzebowanego Materiału jest mniejsza niż minimalna ilość na zamówieniu +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Ostrzeżenie: Ilość Zapotrzebowanego Materiału jest mniejsza niż minimalna ilość na zamówieniu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Konto {0} jest zamrożone DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Osobowość prawna / Filia w oddzielny planu kont należących do Organizacji. DocType: Payment Request,Mute Email,Wyciszenie email @@ -2796,7 +2801,7 @@ DocType: Training Event,Scheduled,Zaplanowane apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Zapytanie ofertowe. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Proszę wybrać produkt, gdzie "Czy Pozycja Zdjęcie" brzmi "Nie" i "Czy Sales Item" brzmi "Tak", a nie ma innego Bundle wyrobów" DocType: Student Log,Academic,Akademicki -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Suma zaliczki ({0}) przed zamówieniem {1} nie może być większa od ogólnej sumy ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Suma zaliczki ({0}) przed zamówieniem {1} nie może być większa od ogólnej sumy ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Wybierz dystrybucji miesięcznej się nierównomiernie rozprowadzić cele całej miesięcy. DocType: Purchase Invoice Item,Valuation Rate,Wskaźnik wyceny DocType: Stock Reconciliation,SR/,SR / @@ -2862,6 +2867,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Wpisz nazwę przeprowadzanej kampanii jeżeli źródło pytania jest kampanią apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Wydawcy Gazet apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Wybierz rok podatkowy +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Oczekiwana data dostarczenia powinna nastąpić po Dacie Zamówienia Sprzedaży apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Poziom Uporządkowania DocType: Company,Chart Of Accounts Template,Szablon planu kont DocType: Attendance,Attendance Date,Data usługi @@ -2893,7 +2899,7 @@ DocType: Pricing Rule,Discount Percentage,Procent zniżki DocType: Payment Reconciliation Invoice,Invoice Number,Numer faktury DocType: Shopping Cart Settings,Orders,Zamówienia DocType: Employee Leave Approver,Leave Approver,Zatwierdzający Urlop -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Wybierz partię +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Wybierz partię DocType: Assessment Group,Assessment Group Name,Nazwa grupy Assessment DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiał Przeniesiony do Produkcji DocType: Expense Claim,"A user with ""Expense Approver"" role","Użytkownik z ""Koszty zatwierdzająca"" rolą" @@ -2930,7 +2936,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Ostatni dzień następnego miesiąca DocType: Support Settings,Auto close Issue after 7 days,Auto blisko Issue po 7 dniach apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Urlopu nie może być przyznane przed {0}, a bilans urlopu zostało już przeniesionych przekazywane w przyszłości rekordu alokacji urlopu {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Uwaga: Ze względu / Data odniesienia przekracza dozwolony dzień kredytowej klienta przez {0} dni (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Uwaga: Ze względu / Data odniesienia przekracza dozwolony dzień kredytowej klienta przez {0} dni (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Wnioskodawca DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORYGINAŁ DO ODBIORU DocType: Asset Category Account,Accumulated Depreciation Account,Skumulowana konta Amortyzacja @@ -2941,7 +2947,7 @@ DocType: Item,Reorder level based on Warehouse,Zmiana kolejności w oparciu o po DocType: Activity Cost,Billing Rate,Kursy rozliczeniowe ,Qty to Deliver,Ilość do dostarczenia ,Stock Analytics,Analityka magazynu -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operacje nie może być puste +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operacje nie może być puste DocType: Maintenance Visit Purpose,Against Document Detail No, apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Rodzaj Partia jest obowiązkowe DocType: Quality Inspection,Outgoing,Wychodzący @@ -2984,15 +2990,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Ilość dostępna w magazynie apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Ilość Rozliczenia DocType: Asset,Double Declining Balance,Podwójne Bilans Spadek -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Kolejność Zamknięty nie mogą być anulowane. Unclose aby anulować. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Kolejność Zamknięty nie mogą być anulowane. Unclose aby anulować. DocType: Student Guardian,Father,Ojciec -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,Opcja 'Aktualizuj Stan' nie może być zaznaczona dla sprzedaży środka trwałego +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,Opcja 'Aktualizuj Stan' nie może być zaznaczona dla sprzedaży środka trwałego DocType: Bank Reconciliation,Bank Reconciliation,Uzgodnienia z wyciągiem bankowym DocType: Attendance,On Leave,Na urlopie apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Informuj o aktualizacjach apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1} {2} konta nie należy do Spółki {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Zamówienie produktu {0} jest anulowane lub wstrzymane -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Dodaj kilka rekordów przykładowe +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Dodaj kilka rekordów przykładowe apps/erpnext/erpnext/config/hr.py +301,Leave Management,Zarządzanie urlopami apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupuj według konta DocType: Sales Order,Fully Delivered,Całkowicie dostarczono @@ -3001,12 +3007,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Konto różnica musi być kontem typu aktywami / pasywami, ponieważ Zdjęcie Pojednanie jest Wejście otwarcia" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Wypłacona kwota nie może być wyższa niż Kwota kredytu {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Numer Zamówienia Kupna wymagany do {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Produkcja Zamówienie nie stworzył +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Produkcja Zamówienie nie stworzył apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',Pole 'Od daty' musi następować później niż 'Do daty' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nie można zmienić status studenta {0} jest powiązany z aplikacją studentów {1} DocType: Asset,Fully Depreciated,pełni zamortyzowanych ,Stock Projected Qty,Przewidywana ilość zapasów -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Klient {0} nie należy do projektu {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Klient {0} nie należy do projektu {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Zaznaczona Obecność HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Notowania są propozycje, oferty Wysłane do klientów" DocType: Sales Order,Customer's Purchase Order,Klienta Zamówienia @@ -3016,7 +3022,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Proszę ustawić ilość amortyzacji zarezerwowano apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Wartość albo Ilość apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Produkcje Zamówienia nie mogą być podnoszone przez: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minuta +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minuta DocType: Purchase Invoice,Purchase Taxes and Charges,Podatki i opłaty kupna ,Qty to Receive,Ilość do otrzymania DocType: Leave Block List,Leave Block List Allowed,Możesz opuścić Blok Zablokowanych List @@ -3030,7 +3036,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Typy wszystkich dostawców DocType: Global Defaults,Disable In Words,Wyłącz w słowach apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Kod elementu jest obowiązkowy, ponieważ pozycja ta nie jest automatycznie numerowana" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Wycena {0} nie jest typem {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Wycena {0} nie jest typem {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Przedmiot Planu Konserwacji DocType: Sales Order,% Delivered,% dostarczono DocType: Production Order,PRO-,ZAWODOWIEC- @@ -3053,7 +3059,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Sprzedawca email DocType: Project,Total Purchase Cost (via Purchase Invoice),Całkowity koszt zakupu (faktura zakupu za pośrednictwem) DocType: Training Event,Start Time,Czas rozpoczęcia -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Wybierz ilość +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Wybierz ilość DocType: Customs Tariff Number,Customs Tariff Number,Numer taryfy celnej apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Rola Zatwierdzająca nie może być taka sama jak rola którą zatwierdza apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Wypisać się z tej Email Digest @@ -3077,7 +3083,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail, DocType: Sales Order,Fully Billed,Całkowicie Rozliczone apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Gotówka w kasie -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Dostawa wymagane dla magazynu pozycji magazynie {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Dostawa wymagane dla magazynu pozycji magazynie {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Waga brutto opakowania. Zazwyczaj waga netto + waga materiału z jakiego jest wykonane opakowanie. (Do druku) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Użytkownicy z tą rolą mogą ustawiać zamrożone konta i tworzyć / modyfikować wpisy księgowe dla zamrożonych kont @@ -3086,7 +3092,7 @@ DocType: Student Group,Group Based On,Grupa oparta na DocType: Journal Entry,Bill Date,Data Rachunku apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Wymagane są Service Element, typ, częstotliwość i wysokość wydatków" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Nawet jeśli istnieje wiele przepisów dotyczących cen o najwyższym priorytecie, a następnie następujące priorytety wewnętrznej są stosowane:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Czy na pewno chcesz się przekazywać wszelkie Slip Wynagrodzenie od {0} {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Czy na pewno chcesz się przekazywać wszelkie Slip Wynagrodzenie od {0} {1} DocType: Cheque Print Template,Cheque Height,Czek Wysokość DocType: Supplier,Supplier Details,Szczegóły dostawcy DocType: Expense Claim,Approval Status,Status Zatwierdzenia @@ -3108,7 +3114,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Trop do Wyceny apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nic więcej do pokazania. DocType: Lead,From Customer,Od klienta apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Połączenia -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Partie +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Partie DocType: Project,Total Costing Amount (via Time Logs),Całkowita ilość Costing (przez Time Logs) DocType: Purchase Order Item Supplied,Stock UOM,Jednostka apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Zamówienia Kupna {0} nie zostało wysłane @@ -3140,7 +3146,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Powrót Against dowodu DocType: Item,Warranty Period (in days),Okres gwarancji (w dniach) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relacja z Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Środki pieniężne netto z działalności operacyjnej -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,np. VAT +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,np. VAT apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Pozycja 4 DocType: Student Admission,Admission End Date,Wstęp Data zakończenia apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Podwykonawstwo @@ -3148,7 +3154,7 @@ DocType: Journal Entry Account,Journal Entry Account,Konto zapisu apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupa Student DocType: Shopping Cart Settings,Quotation Series,Serie Wyeceny apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",Istnieje element o takiej nazwie. Zmień nazwę Grupy lub tego elementu. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Wybierz klienta +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Wybierz klienta DocType: C-Form,I,ja DocType: Company,Asset Depreciation Cost Center,Zaleta Centrum Amortyzacja kosztów DocType: Sales Order Item,Sales Order Date,Data Zlecenia @@ -3159,6 +3165,7 @@ DocType: Stock Settings,Limit Percent,Limit Procent ,Payment Period Based On Invoice Date,Termin Płatności oparty na dacie faktury apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Brakujące Wymiana walut stawki dla {0} DocType: Assessment Plan,Examiner,Egzaminator +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Proszę ustawić Serie nazw dla {0} przez Konfiguracja> Ustawienia> Serie nazw DocType: Student,Siblings,Rodzeństwo DocType: Journal Entry,Stock Entry,Zapis magazynowy DocType: Payment Entry,Payment References,Odniesienia płatności @@ -3183,7 +3190,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"W przypadku, gdy czynności wytwórcze są prowadzone." DocType: Asset Movement,Source Warehouse,Magazyn źródłowy DocType: Installation Note,Installation Date,Data instalacji -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Wiersz # {0}: {1} aktywami nie należy do firmy {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Wiersz # {0}: {1} aktywami nie należy do firmy {2} DocType: Employee,Confirmation Date,Data potwierdzenia DocType: C-Form,Total Invoiced Amount,Całkowita zafakturowana kwota apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Minimalna ilość nie może być większa niż maksymalna Ilość @@ -3258,7 +3265,7 @@ DocType: Company,Default Letter Head,Domyślny nagłówek Listowy DocType: Purchase Order,Get Items from Open Material Requests,Elementy z żądań Otwórz Materiał DocType: Item,Standard Selling Rate,Standardowy kurs sprzedaży DocType: Account,Rate at which this tax is applied,Stawka przy użyciu której ten podatek jest aplikowany -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Ilość do ponownego zamówienia +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Ilość do ponownego zamówienia apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Aktualne ofert pracy DocType: Company,Stock Adjustment Account,Konto korekty apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Odpis @@ -3272,7 +3279,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Dostawca dostarcza Klientowi apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Postać / poz / {0}) jest niedostępne apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Następna data musi być większe niż Data publikacji -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Data referencyjne / Termin nie może być po {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Data referencyjne / Termin nie może być po {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Import i eksport danych apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nie znaleziono studentów apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktura Data zamieszczenia @@ -3293,12 +3300,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Jest to oparte na obecności tego Studenta apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Brak uczniów w Poznaniu apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Dodać więcej rzeczy lub otworzyć pełną formę -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Proszę wprowadź 'Spodziewaną Datę Dstawy' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dowody Dostawy {0} muszą być anulowane przed anulowanie Zamówienia Sprzedaży +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dowody Dostawy {0} muszą być anulowane przed anulowanie Zamówienia Sprzedaży apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Wartość zapłaty + Wartość odliczenia nie może być większa niż Cała Kwota apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1}, apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Uwaga: Nie ma wystarczającej ilości urlopu aby ustalić typ zwolnienia {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Nieprawidłowe GSTIN lub Wpisz NA dla niezarejestrowanych +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Nieprawidłowe GSTIN lub Wpisz NA dla niezarejestrowanych DocType: Training Event,Seminar,Seminarium DocType: Program Enrollment Fee,Program Enrollment Fee,Program Rejestracji Opłata DocType: Item,Supplier Items,Dostawca przedmioty @@ -3316,7 +3322,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Starzenie się zapasów apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} istnieć przed studenta wnioskodawcy {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Lista obecności -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' jest wyłączony +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' jest wyłączony apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Ustaw jako Otwarty DocType: Cheque Print Template,Scanned Cheque,zeskanowanych Czek DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Automatycznie wysyłać e-maile do kontaktów z transakcji Zgłaszanie. @@ -3363,7 +3369,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Cennik Kursowy DocType: Purchase Invoice Item,Rate,Stawka apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Stażysta -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Adres +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Adres DocType: Stock Entry,From BOM,Od BOM DocType: Assessment Code,Assessment Code,Kod Assessment apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Podstawowy @@ -3376,20 +3382,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Struktura Wynagrodzenia DocType: Account,Bank,Bank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Linia lotnicza -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Wydanie Materiał +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Wydanie Materiał DocType: Material Request Item,For Warehouse,Dla magazynu DocType: Employee,Offer Date,Data oferty apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Notowania -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Jesteś w trybie offline. Nie będzie mógł przeładować dopóki masz sieć. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Jesteś w trybie offline. Nie będzie mógł przeładować dopóki masz sieć. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Brak grup studenckich utworzony. DocType: Purchase Invoice Item,Serial No,Nr seryjny apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Miesięczna kwota spłaty nie może być większa niż Kwota kredytu apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Proszę wprowadzić szczegóły dotyczące konserwacji +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Wiersz # {0}: oczekiwana data dostarczenia nie może być poprzedzona datą zamówienia zakupu DocType: Purchase Invoice,Print Language,Język drukowania DocType: Salary Slip,Total Working Hours,Całkowita liczba godzin pracy DocType: Stock Entry,Including items for sub assemblies,W tym elementów dla zespołów sub -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Wprowadź wartość musi być dodatnia -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod pozycji> Grupa towarów> Marka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Wprowadź wartość musi być dodatnia apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Wszystkie obszary DocType: Purchase Invoice,Items,Produkty apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student jest już zarejestrowany. @@ -3412,7 +3418,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Domyślne jednostki miary dla wariantu "{0}" musi być taki sam, jak w szablonie '{1}'" DocType: Shipping Rule,Calculate Based On,Obliczone na podstawie DocType: Delivery Note Item,From Warehouse,Z magazynu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Brak przedmioty z Bill of Materials do produkcji +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Brak przedmioty z Bill of Materials do produkcji DocType: Assessment Plan,Supervisor Name,Nazwa Supervisor DocType: Program Enrollment Course,Program Enrollment Course,Kurs rejestracyjny programu DocType: Program Enrollment Course,Program Enrollment Course,Kurs rekrutacji @@ -3428,23 +3434,23 @@ DocType: Training Event Employee,Attended,Uczęszczany apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,Pole 'Dni od ostatniego zamówienia' musi być większe bądź równe zero DocType: Process Payroll,Payroll Frequency,Częstotliwość Płace DocType: Asset,Amended From,Zmodyfikowany od -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Surowiec +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Surowiec DocType: Leave Application,Follow via Email,Odpowiedz za pomocą E-maila apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Rośliny i maszyn DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Kwota podatku po odliczeniu wysokości rabatu DocType: Daily Work Summary Settings,Daily Work Summary Settings,Codzienne podsumowanie Ustawienia Pracuj -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Waluta cenniku {0} nie jest podobna w wybranej walucie {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Waluta cenniku {0} nie jest podobna w wybranej walucie {1} DocType: Payment Entry,Internal Transfer,Transfer wewnętrzny apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,To konto zawiera konta podrzędne. Nie można usunąć takiego konta. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Wymagana jest ilość lub kwota docelowa apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Brak standardowego BOM dla produktu {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Najpierw wybierz zamieszczenia Data +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Najpierw wybierz zamieszczenia Data apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Data otwarcia powinien być przed Dniem Zamknięcia DocType: Leave Control Panel,Carry Forward,Przeniesienie apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centrum Kosztów z istniejącą transakcją nie może być przekształcone w rejestr DocType: Department,Days for which Holidays are blocked for this department.,Dni kiedy urlop jest zablokowany dla tego departamentu ,Produced,Wyprodukowany -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Utworzony Zarobki Poślizgnięcia +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Utworzony Zarobki Poślizgnięcia DocType: Item,Item Code for Suppliers,Rzecz kod dla dostawców DocType: Issue,Raised By (Email),Wywołany przez (Email) DocType: Training Event,Trainer Name,Nazwa Trainer @@ -3452,9 +3458,10 @@ DocType: Mode of Payment,General,Ogólne apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ostatnia komunikacja apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ostatnia komunikacja apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nie można wywnioskować, kiedy kategoria dotyczy ""Ocena"" a kiedy ""Oceny i Total""" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista podatków (np. VAT, cło, itp. - powinny mieć unikatowe nazwy) i ich standardowe stawki. Spowoduje to utworzenie standardowego szablonu, który można edytować później lub posłuży za wzór do dodania kolejnych podatków." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista podatków (np. VAT, cło, itp. - powinny mieć unikatowe nazwy) i ich standardowe stawki. Spowoduje to utworzenie standardowego szablonu, który można edytować później lub posłuży za wzór do dodania kolejnych podatków." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Nr-y seryjne Wymagane do szeregowania pozycji {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Płatności mecz fakturami +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Wiersz # {0}: Proszę podać Data Dostawy od pozycji {1} DocType: Journal Entry,Bank Entry,Operacja bankowa DocType: Authorization Rule,Applicable To (Designation),Stosowne dla (Nominacja) ,Profitability Analysis,Analiza rentowności @@ -3470,17 +3477,18 @@ DocType: Quality Inspection,Item Serial No,Nr seryjny apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Tworzenie pracownicze Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Razem Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Raporty księgowe -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Godzina +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Godzina apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nowy nr seryjny nie może mieć Magazynu. Magazyn musi być ustawiona przez Zasoby lub na podstawie Paragonu Zakupu DocType: Lead,Lead Type,Typ Tropu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Nie masz uprawnień do zatwierdzania tych urlopów -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Na wszystkie te przedmioty już została wystawiona faktura +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Na wszystkie te przedmioty już została wystawiona faktura +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Miesięczny cel sprzedaży apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Może być zatwierdzone przez {0} DocType: Item,Default Material Request Type,Domyślnie Materiał Typ żądania apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Nieznany DocType: Shipping Rule,Shipping Rule Conditions,Warunki zasady dostawy DocType: BOM Replace Tool,The new BOM after replacement,Nowy BOM po wymianie -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Punkt Sprzedaży (POS) +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Punkt Sprzedaży (POS) DocType: Payment Entry,Received Amount,Kwota otrzymana DocType: GST Settings,GSTIN Email Sent On,Wysłano pocztę GSTIN DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop przez Guardian @@ -3497,8 +3505,8 @@ DocType: Batch,Source Document Name,Nazwa dokumentu źródłowego DocType: Batch,Source Document Name,Nazwa dokumentu źródłowego DocType: Job Opening,Job Title,Nazwa stanowiska pracy apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Tworzenie użytkowników -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Ilość do produkcji musi być większy niż 0 ° C. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Ilość do produkcji musi być większy niż 0 ° C. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Raport wizyty dla wezwania konserwacji. DocType: Stock Entry,Update Rate and Availability,Aktualizuj cenę i dostępność DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procent który wolno Ci otrzymać lub dostarczyć ponad zamówioną ilość. Na przykład: jeśli zamówiłeś 100 jednostek i Twój procent wynosi 10% oznacza to, że możesz otrzymać 110 jednostek" @@ -3511,7 +3519,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Anuluj faktura zakupu {0} Pierwszy apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Adres e-mail musi być unikalny, istnieje już dla {0}" DocType: Serial No,AMC Expiry Date,AMC Data Ważności -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Paragon +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Paragon ,Sales Register,Rejestracja Sprzedaży DocType: Daily Work Summary Settings Company,Send Emails At,Wyślij pocztę elektroniczną w DocType: Quotation,Quotation Lost Reason,Utracony Powód Wyceny @@ -3524,14 +3532,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Brak klientó apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Raport kasowy apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kwota kredytu nie może przekroczyć maksymalna kwota kredytu o {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licencja -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Proszę usunąć tę fakturę {0} z C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Proszę usunąć tę fakturę {0} z C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Proszę wybrać Przeniesienie jeżeli chcesz uwzględnić balans poprzedniego roku rozliczeniowego do tego roku rozliczeniowego DocType: GL Entry,Against Voucher Type,Rodzaj dowodu DocType: Item,Attributes,Atrybuty apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Proszę zdefiniować konto odpisów apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Data Ostatniego Zamówienia apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konto {0} nie należy do firmy {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Numery seryjne w wierszu {0} nie pasują do opisu dostawy +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Numery seryjne w wierszu {0} nie pasują do opisu dostawy DocType: Student,Guardian Details,Szczegóły Stróża DocType: C-Form,C-Form, apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Zaznacz Obecność dla wielu pracowników @@ -3563,16 +3571,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ro DocType: Tax Rule,Sales,Sprzedaż DocType: Stock Entry Detail,Basic Amount,Kwota podstawowa DocType: Training Event,Exam,Egzamin -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Magazyn wymagany dla przedmiotu {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Magazyn wymagany dla przedmiotu {0} DocType: Leave Allocation,Unused leaves,Niewykorzystane urlopy -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Kr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Kr DocType: Tax Rule,Billing State,Stan Billing apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nie jest skojarzony z kontem odbiorcy {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies), +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies), DocType: Authorization Rule,Applicable To (Employee),Stosowne dla (Pracownik) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date jest obowiązkowe apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Przyrost dla atrybutu {0} nie może być 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klient> Grupa klienta> Terytorium DocType: Journal Entry,Pay To / Recd From,Zapłać / Rachunek od DocType: Naming Series,Setup Series,Konfigurowanie serii DocType: Payment Reconciliation,To Invoice Date,Aby Data faktury @@ -3599,7 +3608,7 @@ DocType: Journal Entry,Write Off Based On,Odpis bazowano na apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Dokonaj Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Druk i papiernicze DocType: Stock Settings,Show Barcode Field,Pokaż pole kodu kreskowego -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Wyślij e-maile Dostawca +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Wyślij e-maile Dostawca apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Wynagrodzenie już przetwarzane w okresie od {0} i {1} Zostaw okresu stosowania nie może być pomiędzy tym zakresie dat. apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Numer instalacyjny dla numeru seryjnego DocType: Guardian Interest,Guardian Interest,Strażnik Odsetki @@ -3613,7 +3622,7 @@ DocType: Offer Letter,Awaiting Response,Oczekuje na Odpowiedź apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Powyżej apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Nieprawidłowy atrybut {0} {1} DocType: Supplier,Mention if non-standard payable account,"Wspomnij, jeśli nietypowe konto płatne" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Ten sam element został wprowadzony wielokrotnie. {lista} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Ten sam element został wprowadzony wielokrotnie. {lista} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Proszę wybrać grupę oceniającą inną niż "Wszystkie grupy oceny" DocType: Salary Slip,Earning & Deduction,Dochód i Odliczenie apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcjonalne. Te Ustawienie będzie użyte w filtrze dla różnych transacji. @@ -3632,7 +3641,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Koszt złomowany aktywach apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: MPK jest obowiązkowe dla pozycji {2} DocType: Vehicle,Policy No,Polityka nr -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Elementy z Bundle produktu +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Elementy z Bundle produktu DocType: Asset,Straight Line,Linia prosta DocType: Project User,Project User,Użytkownik projektu apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Rozdzielać @@ -3647,6 +3656,7 @@ DocType: Bank Reconciliation,Payment Entries,Wpisy płatności DocType: Production Order,Scrap Warehouse,złom Magazyn DocType: Production Order,Check if material transfer entry is not required,"Sprawdź, czy nie ma konieczności wczytywania materiału" DocType: Production Order,Check if material transfer entry is not required,"Sprawdź, czy nie ma konieczności wczytywania materiału" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Proszę skonfigurować system nazwisk pracowników w zasobach ludzkich> ustawienia HR DocType: Program Enrollment Tool,Get Students From,Uzyskaj studentów z DocType: Hub Settings,Seller Country,Sprzedawca Kraj apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publikowanie przedmioty na stronie internetowej @@ -3665,19 +3675,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,Określ warunki do obliczenia kwoty wysyłki 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 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Wartość otwarcia +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Wartość otwarcia DocType: Salary Detail,Formula,Formuła apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Seryjny # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Prowizja od sprzedaży DocType: Offer Letter Term,Value / Description,Wartość / Opis -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Wiersz # {0}: {1} aktywami nie mogą być składane, jest już {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Wiersz # {0}: {1} aktywami nie mogą być składane, jest już {2}" DocType: Tax Rule,Billing Country,Kraj fakturowania DocType: Purchase Order Item,Expected Delivery Date,Spodziewana data odbioru przesyłki apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debetowe i kredytowe nie równe dla {0} # {1}. Różnica jest {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Wydatki na reprezentację apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Materiał uczynić żądanie apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Pozycja otwarta {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktura Sprzedaży {0} powinna być anulowana przed anulowaniem samego Zlecenia Sprzedaży +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktura Sprzedaży {0} powinna być anulowana przed anulowaniem samego Zlecenia Sprzedaży apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Wiek DocType: Sales Invoice Timesheet,Billing Amount,Kwota Rozliczenia apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Nieprawidłowa ilość określona dla elementu {0}. Ilość powinna być większa niż 0. @@ -3700,7 +3710,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nowy Przychody klienta apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Wydatki na podróże DocType: Maintenance Visit,Breakdown,Rozkład -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} z waluty: nie można wybrać {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Konto: {0} z waluty: nie można wybrać {1} DocType: Bank Reconciliation Detail,Cheque Date,Data czeku apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Konto nadrzędne {1} nie należy do firmy: {2} DocType: Program Enrollment Tool,Student Applicants,Wnioskodawcy studenckie @@ -3720,11 +3730,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planow DocType: Material Request,Issued,Wydany apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Działalność uczniowska DocType: Project,Total Billing Amount (via Time Logs),Łączna kwota płatności (przez Time Logs) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Sprzedajemy ten przedmiot/usługę +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Sprzedajemy ten przedmiot/usługę apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ID Dostawcy DocType: Payment Request,Payment Gateway Details,Payment Gateway Szczegóły -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Ilość powinna być większa niż 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Przykładowe dane +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Ilość powinna być większa niż 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Przykładowe dane DocType: Journal Entry,Cash Entry,Wpis gotówkowy apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,węzły potomne mogą być tworzone tylko w węzłach typu "grupa" DocType: Leave Application,Half Day Date,Pół Dzień Data @@ -3733,17 +3743,18 @@ DocType: Sales Partner,Contact Desc,Opis kontaktu apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Typ urlopu (okolicznościowy, chorobowy, itp.)" DocType: Email Digest,Send regular summary reports via Email.,Wyślij regularne raporty podsumowujące poprzez e-mail. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Proszę ustawić domyślne konto w Expense Claim typu {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Proszę ustawić domyślne konto w Expense Claim typu {0} DocType: Assessment Result,Student Name,Nazwa Student DocType: Brand,Item Manager,Pozycja menedżera apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Płace Płatne DocType: Buying Settings,Default Supplier Type,Domyślny Typ Dostawcy DocType: Production Order,Total Operating Cost,Całkowity koszt operacyjny -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Uwaga: Element {0} wpisano kilka razy +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Uwaga: Element {0} wpisano kilka razy apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Wszystkie kontakty. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Ustaw cel apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Nazwa skrótowa firmy apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Użytkownik {0} nie istnieje -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Surowiec nie może być taki sam jak główny Przedmiot +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Surowiec nie może być taki sam jak główny Przedmiot DocType: Item Attribute Value,Abbreviation,Skrót apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Zapis takiej Płatności już istnieje apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Brak autoryzacji od {0} przekroczono granice @@ -3761,7 +3772,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Rola Zezwala na edycj ,Territory Target Variance Item Group-Wise, apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Wszystkie grupy klientów apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,skumulowana miesięczna -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} jest obowiązkowe. Możliwe, że rekord Wymiana walut nie jest utworzony dla {1} do {2}." +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} jest obowiązkowe. Możliwe, że rekord Wymiana walut nie jest utworzony dla {1} do {2}." apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Szablon podatkowa jest obowiązkowe. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Konto nadrzędne {1} nie istnieje DocType: Purchase Invoice Item,Price List Rate (Company Currency),Wartość w cenniku (waluta firmy) @@ -3772,7 +3783,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Przydział Procen apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretarka DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",Jeśli wyłączyć "w słowach" pole nie będzie widoczne w każdej transakcji DocType: Serial No,Distinct unit of an Item,Odrębna jednostka przedmiotu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Proszę ustawić firmę +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Proszę ustawić firmę DocType: Pricing Rule,Buying,Zakupy DocType: HR Settings,Employee Records to be created by,Rekordy pracownika do utworzenia przez DocType: POS Profile,Apply Discount On,Zastosuj RABAT @@ -3783,7 +3794,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail, apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Instytut Skrót ,Item-wise Price List Rate, -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Wyznaczony dostawca +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Wyznaczony dostawca DocType: Quotation,In Words will be visible once you save the Quotation., apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Liczba ({0}) nie może być ułamkiem w rzędzie {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Liczba ({0}) nie może być ułamkiem w rzędzie {1} @@ -3808,7 +3819,7 @@ Updated via 'Time Log'","w minutach DocType: Customer,From Lead,Od śladu apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Zamówienia puszczone do produkcji. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Wybierz rok finansowy ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,Profil POS wymagany do tworzenia wpisu z POS +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,Profil POS wymagany do tworzenia wpisu z POS DocType: Program Enrollment Tool,Enroll Students,zapisać studentów DocType: Hub Settings,Name Token,Nazwa jest już w użyciu apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard sprzedaży @@ -3826,7 +3837,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Różnica wartości zapasów apps/erpnext/erpnext/config/learn.py +234,Human Resource,Zasoby Ludzkie DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Płatność Wyrównawcza Płatności apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Podatek należny (zwrot) -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Zlecenie produkcyjne zostało {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Zlecenie produkcyjne zostało {0} DocType: BOM Item,BOM No,Nr zestawienia materiałowego DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Księgowanie {0} nie masz konta {1} lub już porównywane inne bon @@ -3840,7 +3851,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Prześl apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Zaległa wartość DocType: Sales Person,Set targets Item Group-wise for this Sales Person., DocType: Stock Settings,Freeze Stocks Older Than [Days],Zamroź asortyment starszy niż [dni] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Wiersz # {0}: atutem jest obowiązkowe w przypadku środków trwałych kupna / sprzedaży +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Wiersz # {0}: atutem jest obowiązkowe w przypadku środków trwałych kupna / sprzedaży apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jeśli dwóch lub więcej Zasady ustalania cen na podstawie powyższych warunków, jest stosowana Priorytet. Priorytetem jest liczba z zakresu od 0 do 20, podczas gdy wartość domyślna wynosi zero (puste). Wyższa liczba oznacza, że będzie mieć pierwszeństwo, jeśli istnieje wiele przepisów dotyczących cen z samych warunkach." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Rok fiskalny: {0} nie istnieje DocType: Currency Exchange,To Currency,Do przewalutowania @@ -3849,7 +3860,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Rodzaje roszczeń apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Współczynnik sprzedaży dla elementu {0} jest niższy niż {1}. Procent sprzedaży powinien wynosić co najmniej {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Współczynnik sprzedaży dla elementu {0} jest niższy niż {1}. Prędkość sprzedaży powinna wynosić co najmniej {2} DocType: Item,Taxes,Podatki -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Płatny i niedostarczone +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Płatny i niedostarczone DocType: Project,Default Cost Center,Domyślne Centrum Kosztów DocType: Bank Guarantee,End Date,Data zakończenia apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Operacje magazynowe @@ -3866,7 +3877,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Codzienna praca podsumowanie Ustawienia firmy apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Element {0} jest ignorowany od momentu, kiedy nie ma go w magazynie" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Zgłoś zamówienie produkcji dla dalszego przetwarzania. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Zgłoś zamówienie produkcji dla dalszego przetwarzania. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Cennik nie stosuje regułę w danej transakcji, wszystkie obowiązujące przepisy dotyczące cen powinny być wyłączone." DocType: Assessment Group,Parent Assessment Group,Rodzic Assesment Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Oferty pracy @@ -3874,10 +3885,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Oferty pracy DocType: Employee,Held On,W dniach apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Pozycja Produkcja ,Employee Information,Informacja o pracowniku -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Stawka (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Stawka (%) DocType: Stock Entry Detail,Additional Cost,Dodatkowy koszt apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nie można przefiltrować wg Podstawy, jeśli pogrupowano z użyciem Podstawy" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation, +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation, DocType: Quality Inspection,Incoming,Przychodzące DocType: BOM,Materials Required (Exploded),Materiał Wymaga (Rozdzielony) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Dodaj użytkowników do swojej organizacji, innych niż siebie" @@ -3893,7 +3904,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} może być aktualizowana tylko przez operacje magazynowe DocType: Student Group Creation Tool,Get Courses,Uzyskaj kursy DocType: GL Entry,Party,Grupa -DocType: Sales Order,Delivery Date,Data dostawy +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Data dostawy DocType: Opportunity,Opportunity Date,Data szansy DocType: Purchase Receipt,Return Against Purchase Receipt,Powrót Przeciwko ZAKUPU DocType: Request for Quotation Item,Request for Quotation Item,Przedmiot zapytania ofertowego @@ -3907,7 +3918,7 @@ DocType: Task,Actual Time (in Hours),Rzeczywisty czas (w godzinach) DocType: Employee,History In Company,Historia Firmy apps/erpnext/erpnext/config/learn.py +107,Newsletters,Biuletyny DocType: Stock Ledger Entry,Stock Ledger Entry,Zapis w księdze zapasów -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Sama pozycja została wprowadzona wielokrotnie +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Sama pozycja została wprowadzona wielokrotnie DocType: Department,Leave Block List,Lista Blokowanych Urlopów DocType: Sales Invoice,Tax ID,Identyfikator podatkowy (NIP) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Element {0} nie jest ustawiony na nr seryjny. Kolumny powinny być puste @@ -3925,25 +3936,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Czarny DocType: BOM Explosion Item,BOM Explosion Item, DocType: Account,Auditor,Audytor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} pozycji wyprodukowanych +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} pozycji wyprodukowanych DocType: Cheque Print Template,Distance from top edge,Odległość od górnej krawędzi apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cennik {0} jest wyłączona lub nie istnieje DocType: Purchase Invoice,Return,Powrót DocType: Production Order Operation,Production Order Operation,Produkcja Zamówienie Praca DocType: Pricing Rule,Disable,Wyłącz -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,"Sposób płatności jest wymagane, aby dokonać płatności" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,"Sposób płatności jest wymagane, aby dokonać płatności" DocType: Project Task,Pending Review,Czekający na rewizję apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nie jest zapisany do partii {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Składnik {0} nie może zostać wycofane, jak to jest już {1}" DocType: Task,Total Expense Claim (via Expense Claim),Razem zwrot kosztów (przez zwrot kosztów) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Oznacz Nieobecna -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Wiersz {0}: Waluta BOM # {1} powinna być równa wybranej walucie {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Wiersz {0}: Waluta BOM # {1} powinna być równa wybranej walucie {2} DocType: Journal Entry Account,Exchange Rate,Kurs wymiany -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Zlecenie Sprzedaży {0} nie jest jeszcze złożone +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Zlecenie Sprzedaży {0} nie jest jeszcze złożone DocType: Homepage,Tag Line,tag Linia DocType: Fee Component,Fee Component,opłata Komponent apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet Management -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Dodaj elementy z +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Dodaj elementy z DocType: Cheque Print Template,Regular,Regularny apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Razem weightage wszystkich kryteriów oceny muszą być w 100% DocType: BOM,Last Purchase Rate,Data Ostatniego Zakupu @@ -3964,12 +3975,12 @@ DocType: Employee,Reports to,Raporty do DocType: SMS Settings,Enter url parameter for receiver nos,Wpisz URL dla odbiorcy numeru DocType: Payment Entry,Paid Amount,Zapłacona kwota DocType: Assessment Plan,Supervisor,Kierownik -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,online ,Available Stock for Packing Items,Dostępne ilości dla materiałów opakunkowych DocType: Item Variant,Item Variant,Pozycja Wersja DocType: Assessment Result Tool,Assessment Result Tool,Wynik oceny Narzędzie DocType: BOM Scrap Item,BOM Scrap Item,BOM Złom Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Złożone zlecenia nie mogą zostać usunięte +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Złożone zlecenia nie mogą zostać usunięte apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto jest na minusie, nie możesz ustawić wymagań jako kredyt." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Zarządzanie jakością apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Element {0} została wyłączona @@ -4001,7 +4012,7 @@ DocType: Item Group,Default Expense Account,Domyślne konto rozchodów apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student ID email DocType: Employee,Notice (days),Wymówienie (dni) DocType: Tax Rule,Sales Tax Template,Szablon Podatek od sprzedaży -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,"Wybierz elementy, aby zapisać fakturę" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,"Wybierz elementy, aby zapisać fakturę" DocType: Employee,Encashment Date,Data Inkaso DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Korekta @@ -4050,10 +4061,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Wyślij apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maksymalna zniżka pozwoliło na pozycji: {0} jest {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Wartość aktywów netto na DocType: Account,Receivable,Należności -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Wiersz # {0}: Nie wolno zmienić dostawcę, jak już istnieje Zamówienie" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Wiersz # {0}: Nie wolno zmienić dostawcę, jak już istnieje Zamówienie" DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rola pozwala na zatwierdzenie transakcji, których kwoty przekraczają ustalone limity kredytowe." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Wybierz produkty do Manufacture -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Mistrz synchronizacja danych, może to zająć trochę czasu" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Wybierz produkty do Manufacture +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Mistrz synchronizacja danych, może to zająć trochę czasu" DocType: Item,Material Issue,Wydanie materiałów DocType: Hub Settings,Seller Description,Sprzedawca Opis DocType: Employee Education,Qualification,Kwalifikacja @@ -4074,11 +4085,10 @@ DocType: BOM,Rate Of Materials Based On,Stawka Materiałów Wzorowana na apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Wsparcie techniczne apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Odznacz wszystkie DocType: POS Profile,Terms and Conditions,Regulamin -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Proszę skonfigurować system nazwisk pracowników w zasobach ludzkich> ustawienia HR apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Aby Data powinna być w tym roku podatkowym. Zakładając To Date = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Tutaj wypełnij i przechowaj dane takie jak wzrost, waga, alergie, problemy medyczne itd" DocType: Leave Block List,Applies to Company,Dotyczy Firmy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Nie można anulować, ponieważ wskazane Wprowadzenie na magazyn {0} istnieje" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Nie można anulować, ponieważ wskazane Wprowadzenie na magazyn {0} istnieje" DocType: Employee Loan,Disbursement Date,wypłata Data DocType: Vehicle,Vehicle,Pojazd DocType: Purchase Invoice,In Words,Słownie @@ -4117,7 +4127,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Ustawienia globalne DocType: Assessment Result Detail,Assessment Result Detail,Wynik oceny Szczegóły DocType: Employee Education,Employee Education,Wykształcenie pracownika apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplikat grupę pozycji w tabeli grupy produktów -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,"Jest to niezbędne, aby pobrać szczegółowe dotyczące pozycji." +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,"Jest to niezbędne, aby pobrać szczegółowe dotyczące pozycji." DocType: Salary Slip,Net Pay,Stawka Netto DocType: Account,Account,Konto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Nr seryjny {0} otrzymano @@ -4125,7 +4135,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,pojazd Log DocType: Purchase Invoice,Recurring Id,Powtarzające się ID DocType: Customer,Sales Team Details,Szczegóły dotyczące Teamu Sprzedażowego -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Usuń na stałe? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Usuń na stałe? DocType: Expense Claim,Total Claimed Amount,Całkowita kwota roszczeń apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencjalne szanse na sprzedaż. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Nieprawidłowy {0} @@ -4137,7 +4147,7 @@ DocType: Warehouse,PIN,KOŁEK apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Konfiguracja swoją szkołę w ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Kwota bazowa Change (Spółka waluty) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Brak zapisów księgowych dla następujących magazynów -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Zapisz dokument jako pierwszy. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Zapisz dokument jako pierwszy. DocType: Account,Chargeable,Odpowedni do pobierania opłaty. DocType: Company,Change Abbreviation,Zmień Skrót DocType: Expense Claim Detail,Expense Date,Data wydatku @@ -4151,7 +4161,6 @@ DocType: BOM,Manufacturing User,Produkcja użytkownika DocType: Purchase Invoice,Raw Materials Supplied,Dostarczone surowce DocType: Purchase Invoice,Recurring Print Format,Format wydruku cykliczne DocType: C-Form,Series,Seria -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Spodziewana data odbioru przesyłki nie może być wcześniejsza od daty jej kupna DocType: Appraisal,Appraisal Template,Szablon oceny DocType: Item Group,Item Classification,Pozycja Klasyfikacja apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4190,12 +4199,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Wybierz ma apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Szkolenia Wydarzenia / Wyniki apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Skumulowana amortyzacja jak na DocType: Sales Invoice,C-Form Applicable, -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Czas działania musi być większy niż 0 do operacji {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Czas działania musi być większy niż 0 do operacji {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Magazyn jest obowiązkowe DocType: Supplier,Address and Contacts,Adres i Kontakt DocType: UOM Conversion Detail,UOM Conversion Detail,Szczegóły konwersji jednostki miary DocType: Program,Program Abbreviation,Skrót programu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Produkcja Zamówienie nie może zostać podniesiona przed Szablon Element +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Produkcja Zamówienie nie może zostać podniesiona przed Szablon Element apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Opłaty są aktualizowane w ZAKUPU każdej pozycji DocType: Warranty Claim,Resolved By,Rozstrzygnięte przez DocType: Bank Guarantee,Start Date,Data startu @@ -4230,6 +4239,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Szkolenie Zgłoszenie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Zamówienie Produkcji {0} musi być zgłoszone apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Wybierz Datę Startu i Zakończenia dla elementu {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Określ cel sprzedaży, jaki chcesz osiągnąć." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurs jest obowiązkowy w wierszu {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,"""Do daty"" nie może być terminem przed ""od daty""" DocType: Supplier Quotation Item,Prevdoc DocType,Typ dokumentu dla poprzedniego dokumentu @@ -4248,7 +4258,7 @@ DocType: Account,Income,Przychody DocType: Industry Type,Industry Type,Typ Przedsiębiorstwa apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Coś poszło nie tak! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Ostrzeżenie: Aplikacja o urlop zawiera następujące zablokowane daty -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Faktura Sprzedaży {0} została już wprowadzona +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Faktura Sprzedaży {0} została już wprowadzona DocType: Assessment Result Detail,Score,Wynik apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Rok fiskalny {0} nie istnieje apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Data ukończenia @@ -4278,7 +4288,7 @@ DocType: Naming Series,Help HTML,Pomoc HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Narzędzie tworzenia grupy studenta DocType: Item,Variant Based On,Wariant na podstawie apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Całkowita przypisana waga powinna wynosić 100%. Jest {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Twoi Dostawcy +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Twoi Dostawcy apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Nie można ustawić jako Utracone Zamówienia Sprzedaży DocType: Request for Quotation Item,Supplier Part No,Dostawca Część nr apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nie można odliczyć, gdy kategoria jest dla 'Wycena' lub 'Vaulation i Total'" @@ -4288,14 +4298,14 @@ DocType: Item,Has Serial No,Posiada numer seryjny DocType: Employee,Date of Issue,Data wydania apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: od {0} do {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Zgodnie z ustawieniami zakupów, jeśli wymagany jest zakup recieptu == 'YES', to w celu utworzenia faktury zakupu użytkownik musi najpierw utworzyć pokwitowanie zakupu dla elementu {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Wiersz # {0}: Ustaw Dostawca dla pozycji {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Wiersz {0}: Godziny wartość musi być większa od zera. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Wiersz # {0}: Ustaw Dostawca dla pozycji {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Wiersz {0}: Godziny wartość musi być większa od zera. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Strona Obraz {0} dołączone do pozycji {1} nie można znaleźć DocType: Issue,Content Type,Typ zawartości apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Komputer DocType: Item,List this Item in multiple groups on the website.,Pokaż ten produkt w wielu grupach na stronie internetowej. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Proszę sprawdzić multi opcji walutowych, aby umożliwić rachunki w innych walutach" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Pozycja: {0} nie istnieje w systemie +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Pozycja: {0} nie istnieje w systemie apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nie masz uprawnień do ustawienia zamrożenej wartości DocType: Payment Reconciliation,Get Unreconciled Entries,Pobierz Wpisy nieuzgodnione DocType: Payment Reconciliation,From Invoice Date,Od daty faktury @@ -4321,7 +4331,7 @@ DocType: Stock Entry,Default Source Warehouse,Domyślny magazyn źródłowy DocType: Item,Customer Code,Kod Klienta apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Przypomnienie o Urodzinach dla {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dni od ostatniego zamówienia -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debetowane konto musi być kontem bilansowym +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debetowane konto musi być kontem bilansowym DocType: Buying Settings,Naming Series,Seria nazw DocType: Leave Block List,Leave Block List Name,Opuść Zablokowaną Listę Nazw apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Data rozpoczęcia ubezpieczenia powinna być mniejsza niż data zakończenia ubezpieczenia @@ -4338,7 +4348,7 @@ DocType: Vehicle Log,Odometer,Drogomierz DocType: Sales Order Item,Ordered Qty,Ilość Zamówiona apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Element {0} jest wyłączony DocType: Stock Settings,Stock Frozen Upto,Zamroź zapasy do -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nie zawiera żadnego elementu akcji +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM nie zawiera żadnego elementu akcji apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Okres Okres Od i Do dat obowiązkowych dla powtarzających {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Czynność / zadanie projektu DocType: Vehicle Log,Refuelling Details,Szczegóły tankowania @@ -4348,7 +4358,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Ostatni kurs kupna nie został znaleziony DocType: Purchase Invoice,Write Off Amount (Company Currency),Kwota Odpisu (Waluta Firmy) DocType: Sales Invoice Timesheet,Billing Hours,Godziny billingowe -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Domyślnie BOM dla {0} Nie znaleziono +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Domyślnie BOM dla {0} Nie znaleziono apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Wiersz # {0}: Proszę ustawić ilość zmienić kolejność apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Dotknij elementów, aby je dodać tutaj" DocType: Fees,Program Enrollment,Rejestracja w programie @@ -4383,6 +4393,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Starzenie Zakres 2 DocType: SG Creation Tool Course,Max Strength,Maksymalna siła apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced, +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Wybierz pozycje w oparciu o datę dostarczenia ,Sales Analytics,Analityka sprzedaży apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Dostępne {0} ,Prospects Engaged But Not Converted,"Perspektywy zaręczone, ale nie przekształcone" @@ -4431,7 +4442,7 @@ DocType: Authorization Rule,Customerwise Discount,Zniżka dla klienta apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Grafiku zadań. DocType: Purchase Invoice,Against Expense Account,Konto wydatków DocType: Production Order,Production Order,Zamówinie produkcji -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Notka instalacyjna {0} została już dodana +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Notka instalacyjna {0} została już dodana DocType: Bank Reconciliation,Get Payment Entries,Uzyskaj Wpisy płatności DocType: Quotation Item,Against Docname, DocType: SMS Center,All Employee (Active),Wszyscy pracownicy (aktywni) @@ -4440,7 +4451,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Koszt surowców DocType: Item Reorder,Re-Order Level,Próg ponowienia zamówienia DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Wpisz nazwy przedmiotów i planowaną ilość dla której chcesz zwiększyć produkcję zamówień lub ściągnąć surowe elementy dla analizy. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Wykres Gantta +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Wykres Gantta apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Niepełnoetatowy DocType: Employee,Applicable Holiday List,Stosowna Lista Urlopów DocType: Employee,Cheque,Czek @@ -4498,11 +4509,11 @@ DocType: Bin,Reserved Qty for Production,Reserved Ilość Produkcji DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Opuść zaznaczenie, jeśli nie chcesz rozważyć partii przy jednoczesnym tworzeniu grup kursów." DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Opuść zaznaczenie, jeśli nie chcesz rozważyć partii przy jednoczesnym tworzeniu grup kursów." DocType: Asset,Frequency of Depreciation (Months),Częstotliwość Amortyzacja (miesiące) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Konto kredytowe +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Konto kredytowe DocType: Landed Cost Item,Landed Cost Item,Koszt Przedmiotu apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Pokaż wartości zerowe DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Ilość produktu otrzymanego po produkcji / przepakowaniu z podanych ilości surowców -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Konfiguracja prosta strona mojej organizacji +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Konfiguracja prosta strona mojej organizacji DocType: Payment Reconciliation,Receivable / Payable Account,Konto Należności / Zobowiązań DocType: Delivery Note Item,Against Sales Order Item,Na podstawie pozycji zamówienia sprzedaży apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Proszę podać wartość atrybutu dla atrybutu {0} @@ -4567,22 +4578,22 @@ DocType: Student,Nationality,Narodowość ,Items To Be Requested, DocType: Purchase Order,Get Last Purchase Rate,Uzyskaj stawkę z ostatniego zakupu DocType: Company,Company Info,Informacje o firmie -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Wybierz lub dodaj nowego klienta -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,centrum kosztów jest zobowiązany do zwrotu kosztów rezerwacji +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Wybierz lub dodaj nowego klienta +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,centrum kosztów jest zobowiązany do zwrotu kosztów rezerwacji apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aktywa apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Jest to oparte na obecności pracownika -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Konto debetowe +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Konto debetowe DocType: Fiscal Year,Year Start Date,Data początku roku DocType: Attendance,Employee Name,Nazwisko pracownika DocType: Sales Invoice,Rounded Total (Company Currency),Końcowa zaokrąglona kwota (waluta firmy) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Nie można konwertowanie do grupy, ponieważ jest wybrany rodzaj konta." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} został zmodyfikowany. Proszę odświeżyć. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} został zmodyfikowany. Proszę odświeżyć. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Zatrzymaj możliwość składania zwolnienia chorobowego użytkownikom w następujące dni. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Kwota zakupu apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dostawca notowań {0} tworzone apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Koniec roku nie może być przed rozpoczęciem Roku apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Świadczenia pracownicze -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Wartość spakowana musi równać się ilości dla przedmiotu {0} w rzędzie {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Wartość spakowana musi równać się ilości dla przedmiotu {0} w rzędzie {1} DocType: Production Order,Manufactured Qty,Ilość wyprodukowanych DocType: Purchase Receipt Item,Accepted Quantity,Przyjęta Ilość apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Proszę ustawić domyślnej listy wypoczynkowe dla pracowników {0} lub {1} firmy @@ -4593,11 +4604,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Wiersz nr {0}: Kwota nie może być większa niż oczekiwaniu Kwota wobec Kosztów zastrzeżenia {1}. W oczekiwaniu Kwota jest {2} DocType: Maintenance Schedule,Schedule,Harmonogram DocType: Account,Parent Account,Nadrzędne konto -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Dostępny +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Dostępny DocType: Quality Inspection Reading,Reading 3,Odczyt 3 ,Hub,Piasta DocType: GL Entry,Voucher Type,Typ Podstawy -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cennik nie został znaleziony lub wyłączone +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Cennik nie został znaleziony lub wyłączone DocType: Employee Loan Application,Approved,Zatwierdzono DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',pracownik zwalnia się na {0} musi być ustawiony jako 'opuścił' @@ -4667,7 +4678,7 @@ DocType: SMS Settings,Static Parameters,Parametry statyczne DocType: Assessment Plan,Room,Pokój DocType: Purchase Order,Advance Paid,Zaliczka DocType: Item,Item Tax,Podatek dla tej pozycji -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiał do Dostawcy +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiał do Dostawcy apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Akcyza Faktura apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Próg {0}% występuje więcej niż jeden raz DocType: Expense Claim,Employees Email Id,Email ID pracownika @@ -4707,7 +4718,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Model DocType: Production Order,Actual Operating Cost,Rzeczywisty koszt operacyjny DocType: Payment Entry,Cheque/Reference No,Czek / numer -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dostawca> Typ dostawcy apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root nie może być edytowany DocType: Item,Units of Measure,Jednostki miary DocType: Manufacturing Settings,Allow Production on Holidays,Pozwól Produkcja na święta @@ -4740,12 +4750,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days, apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Bądź Batch Studenta DocType: Leave Type,Is Carry Forward, -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Weź produkty z zestawienia materiałowego +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Weź produkty z zestawienia materiałowego apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Czas realizacji (dni) -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Wiersz # {0}: Data księgowania musi być taka sama jak data zakupu {1} z {2} aktywów +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Wiersz # {0}: Data księgowania musi być taka sama jak data zakupu {1} z {2} aktywów DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Sprawdź, czy Student mieszka w Hostelu Instytutu." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Proszę podać zleceń sprzedaży w powyższej tabeli -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Krótkometrażowy Zarobki Poślizgnięcia +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Krótkometrażowy Zarobki Poślizgnięcia ,Stock Summary,Podsumowanie Zdjęcie apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Przeniesienie aktywów z jednego magazynu do drugiego DocType: Vehicle,Petrol,Benzyna diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv index 2a6fc43f632..422f78277c5 100644 --- a/erpnext/translations/ps.csv +++ b/erpnext/translations/ps.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,مشتری DocType: Employee,Rented,د کشت DocType: Purchase Order,PO-,تبديليږي DocType: POS Profile,Applicable for User,د کارن د تطبيق وړ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ودرول تولید نظم نه لغوه شي کولای، نو دا د لومړي Unstop لغوه +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ودرول تولید نظم نه لغوه شي کولای، نو دا د لومړي Unstop لغوه DocType: Vehicle Service,Mileage,ګټه apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,آيا تاسو په رښتيا غواړئ چې دا شتمني راټولوي؟ apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,انتخاب Default عرضه @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,٪ محاسبې ته apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),د بدلولو نرخ باید په توګه ورته وي {0} د {1} ({2}) DocType: Sales Invoice,Customer Name,پیریدونکي نوم DocType: Vehicle,Natural Gas,طبیعی ګاز -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},بانکي حساب په توګه نه ونومول شي کولای {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},بانکي حساب په توګه نه ونومول شي کولای {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,سرونه (یا ډلو) په وړاندې چې د محاسبې توکي دي او انډول وساتل شي. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),بيالنس د {0} کولای شي او نه د صفر څخه کم ({1}) DocType: Manufacturing Settings,Default 10 mins,افتراضي 10 دقیقه @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,پريږدئ ډول نوم apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,وښایاست خلاص apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,لړۍ Updated په بریالیتوب apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,بشپړ ی وګوره -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural ژورنال انفاذ ته وسپارل +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural ژورنال انفاذ ته وسپارل DocType: Pricing Rule,Apply On,Apply د DocType: Item Price,Multiple Item prices.,څو د قالب بيه. ,Purchase Order Items To Be Received,د اخستلو امر توکي ترلاسه شي @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,د تادیاتو حس apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,انکړپټه ښودل تانبه DocType: Academic Term,Academic Term,علمي مهاله apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,د مادي -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,کمیت +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,کمیت apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,جوړوي جدول نه خالي وي. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),پورونه (مسؤلیتونه) DocType: Employee Education,Year of Passing,د تصویب کال @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,روغتیایی پاملرنه apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),د ځنډ په پیسو (ورځې) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,خدمتونو د اخراجاتو -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},مسلسله شمېره: {0} د مخکې نه په خرڅلاو صورتحساب ماخذ: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,صورتحساب +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},مسلسله شمېره: {0} د مخکې نه په خرڅلاو صورتحساب ماخذ: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,صورتحساب DocType: Maintenance Schedule Item,Periodicity,Periodicity apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,مالي کال د {0} ته اړتیا لیدل کیږي -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,د تمی د سپارلو نېټه ده مخکې خرڅلاو نظم نېټه وي apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,د دفاع DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),نمره (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,د کتارونو تر # {0}: DocType: Timesheet,Total Costing Amount,Total لګښت مقدار DocType: Delivery Note,Vehicle No,موټر نه -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,مهرباني غوره بیې لېست +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,مهرباني غوره بیې لېست apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,د کتارونو تر # {0}: د تادیاتو سند ته اړتيا ده چې د trasaction بشپړ DocType: Production Order Operation,Work In Progress,کار په جریان کښی apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,مهرباني غوره نیټه @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} د {1} په هر فعال مالي کال نه. DocType: Packed Item,Parent Detail docname,Parent تفصیلي docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",ماخذ: {0}، شمیره کوډ: {1} او پيرودونکو: {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,کيلوګرام +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,کيلوګرام DocType: Student Log,Log,يادښت apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,د دنده پرانيستل. DocType: Item Attribute,Increment,بهرمن @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,واده apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},لپاره نه اجازه {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,له توکي ترلاسه کړئ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},دحمل د سپارنې يادونه په وړاندې د تازه نه شي {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},دحمل د سپارنې يادونه په وړاندې د تازه نه شي {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},د محصول د {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,هیڅ توکي لست DocType: Payment Reconciliation,Reconcile,پخلا @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,د ت apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,بل د استهالک نېټه مخکې رانيول نېټه نه شي DocType: SMS Center,All Sales Person,ټول خرڅلاو شخص DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** میاشتنی ویش ** تاسو سره مرسته کوي که تاسو د خپل کاروبار د موسمي لري د بودجې د / د هدف په ټول مياشتو وویشي. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,نه توکي موندل +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,نه توکي موندل apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,معاش جوړښت ورک DocType: Lead,Person Name,کس نوم DocType: Sales Invoice Item,Sales Invoice Item,خرڅلاو صورتحساب د قالب @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","آیا ثابته شتمني" کولای وناکتل نه وي، ځکه چې د توکي په وړاندې د شتمنیو د ثبت شتون لري DocType: Vehicle Service,Brake Oil,لنت ترمز د تیلو DocType: Tax Rule,Tax Type,د مالياتو ډول -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,د ماليې وړ مقدار +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,د ماليې وړ مقدار apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},تاسو اختيار نه لري چې مخکې ثبت کرښې زیاتولی او یا تازه {0} DocType: BOM,Item Image (if not slideshow),د قالب د انځور (که سلاید نه) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,د پيرودونکو سره په همدې نوم شتون لري DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(قيامت Rate / 60) * د عملیاتو د وخت -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,انتخاب هیښ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,انتخاب هیښ DocType: SMS Log,SMS Log,SMS ننوتنه apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,د تحویلوونکی سامان لګښت apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,د {0} د رخصتۍ له تاريخ او د تاريخ تر منځ نه ده @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,د ښوونځيو DocType: School Settings,Validate Batch for Students in Student Group,لپاره د زده کونکو د زده ګروپ دسته اعتباري apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},نه رخصت شی پيدا نشول لپاره کارکوونکي {0} د {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,مهرباني وکړئ لومړی شرکت ته ننوځي -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,مهرباني غوره شرکت لومړۍ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,مهرباني غوره شرکت لومړۍ DocType: Employee Education,Under Graduate,لاندې د فراغت apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,هدف د DocType: BOM,Total Cost,ټولیز لګښت، DocType: Journal Entry Account,Employee Loan,د کارګر د پور -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,فعالیت ننوتنه: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} د قالب په سيستم شتون نه لري يا وخت تېر شوی دی +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,فعالیت ننوتنه: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,{0} د قالب په سيستم شتون نه لري يا وخت تېر شوی دی apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,املاک apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,د حساب اعلامیه apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,د درملو د @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,ادعا مقدار apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,دوه ګونو مشتريانو د ډلې په cutomer ډلې جدول کې وموندل apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,عرضه ډول / عرضه DocType: Naming Series,Prefix,هغه مختاړی -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,مهرباني وکړئ د سایټ نوم نومول د سیٹ اپ> ترتیباتو له لارې {0} نومونې لړۍ وټاکئ -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,د مصرف +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,د مصرف DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,د وارداتو ننوتنه DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,د ډول د جوړون توکو غوښتنه پر بنسټ د پورته معیارونو پر وباسي DocType: Training Result Employee,Grade,ټولګي DocType: Sales Invoice Item,Delivered By Supplier,تحویلوونکی By عرضه DocType: SMS Center,All Contact,ټول سره اړيکي -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,تولید نظم لا سره د هیښ ټول توکي جوړ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,تولید نظم لا سره د هیښ ټول توکي جوړ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,کلنی معاش DocType: Daily Work Summary,Daily Work Summary,هره ورځ د کار لنډیز DocType: Period Closing Voucher,Closing Fiscal Year,مالي کال تړل -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} د {1} ده کنګل +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} د {1} ده کنګل apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,لورينه وکړئ د د حسابونو چارټ جوړولو موجوده شرکت وټاکئ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,دحمل داخراجاتو apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,وټاکئ هدف ګدام @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},منل + رد Qty باید د قالب برابر رارسيدلي مقدار وي {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,رسولو لپاره خام توکي د رانيول -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,د پیسو تر لږه یوه اکر لپاره POS صورتحساب ته اړتيا لري. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,د پیسو تر لږه یوه اکر لپاره POS صورتحساب ته اړتيا لري. DocType: Products Settings,Show Products as a List,انکړپټه ښودل محصوالت په توګه بشپړفهرست DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",دانلود د کينډۍ، د مناسبو معلوماتو د ډکولو او د دوتنه کې ضمیمه کړي. د ټاکل شوې مودې په ټولو نیټې او کارمند ترکیب به په کېنډۍ کې راغلي، د موجوده حاضري سوابق apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} د قالب فعاله نه وي او يا د ژوند د پای ته رسیدلی دی شوی -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,بېلګه: د اساسي ریاضیاتو -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",په قطار {0} په قالب کچه د ماليې شامل دي، چې په قطارونو ماليه {1} هم باید شامل شي +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,بېلګه: د اساسي ریاضیاتو +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",په قطار {0} په قالب کچه د ماليې شامل دي، چې په قطارونو ماليه {1} هم باید شامل شي apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,د بشري حقونو د څانګې ماډل امستنې DocType: SMS Center,SMS Center,SMS مرکز DocType: Sales Invoice,Change Amount,د بدلون لپاره د مقدار @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},نصب او نېټې لپاره د قالب د سپارلو نېټې مخکې نه شي {0} DocType: Pricing Rule,Discount on Price List Rate (%),تخفیف پر بیې لېست کچه)٪ ( DocType: Offer Letter,Select Terms and Conditions,منتخب اصطلاحات او شرایط -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,له جملې څخه د ارزښت +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,له جملې څخه د ارزښت DocType: Production Planning Tool,Sales Orders,خرڅلاو امر DocType: Purchase Taxes and Charges,Valuation,سنجي ,Purchase Order Trends,پیري نظم رجحانات @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,ده انفاذ پرانيستل DocType: Customer Group,Mention if non-standard receivable account applicable,یادونه که غیر معیاري ترلاسه حساب د تطبيق وړ DocType: Course Schedule,Instructor Name,د لارښوونکي نوم -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,د ګدام مخکې اړتیا سپارل +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,د ګدام مخکې اړتیا سپارل apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,د ترلاسه DocType: Sales Partner,Reseller,د پلورنې DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.",که وکتل، به په مادي غوښتنې غیر سټاک توکي شامل دي. @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,په وړاندې د خرڅلاو صورتحساب د قالب ,Production Orders in Progress,په پرمختګ تولید امر apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,له مالي خالص د نغدو -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save",LocalStorage ډک شي، نه د ژغورلو نه +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save",LocalStorage ډک شي، نه د ژغورلو نه DocType: Lead,Address & Contact,پته تماس DocType: Leave Allocation,Add unused leaves from previous allocations,د تیرو تخصیص ناکارول پاڼي ورزیات کړئ apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},بل د راګرځېدل {0} به جوړ شي {1} DocType: Sales Partner,Partner website,همکار ویب پاڼه apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Add د قالب -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,تماس نوم +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,تماس نوم DocType: Course Assessment Criteria,Course Assessment Criteria,کورس د ارزونې معیارونه DocType: Process Payroll,Creates salary slip for above mentioned criteria.,لپاره د پورته ذکر معیارونو معاش ټوټه. DocType: POS Customer Group,POS Customer Group,POS پيرودونکو ګروپ @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,د کتارونو تر {0}: مهرباني وکړئ وګورئ 'آیا پرمختللی' حساب په وړاندې د {1} که دا د يو داسې پرمختللي ننوتلو ده. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},ګدام {0} نه شرکت سره تړاو نه لري {1} DocType: Email Digest,Profit & Loss,ګټه او زیان -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,ني +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,ني DocType: Task,Total Costing Amount (via Time Sheet),Total لګښت مقدار (د وخت پاڼه له لارې) DocType: Item Website Specification,Item Website Specification,د قالب د ځانګړتیاوو وېب پاڼه apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,د وتو بنديز لګېدلی @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,خرڅلاو صورتحساب نه DocType: Material Request Item,Min Order Qty,Min نظم Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,د زده کونکو د ګروپ خلقت اسباب کورس DocType: Lead,Do Not Contact,نه د اړيکې -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,هغه خلک چې په خپل سازمان د درس +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,هغه خلک چې په خپل سازمان د درس DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,د ټولو تکراري رسیدونه تعقیب بې سارې پېژند. دا کار په وړاندې تولید دی. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,د پوستکالي د پراختیا DocType: Item,Minimum Order Qty,لږ تر لږه نظم Qty @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,په مرکز د خپرېدو DocType: Student Admission,Student Admission,د زده کونکو د شاملیدو ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} د قالب دی لغوه -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,د موادو غوښتنه +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,د موادو غوښتنه DocType: Bank Reconciliation,Update Clearance Date,تازه چاڼېزو نېټه DocType: Item,Purchase Details,رانيول نورولوله apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},د قالب {0} په خام مواد 'جدول په اخستلو امر ونه موندل {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,د بیړیو د مدير apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},د کتارونو تر # {0}: {1} نه شي لپاره توکی منفي وي {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,غلط شفر DocType: Item,Variant Of,د variant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',بشپړ Qty نه شي کولای په پرتله 'Qty تولید' وي +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',بشپړ Qty نه شي کولای په پرتله 'Qty تولید' وي DocType: Period Closing Voucher,Closing Account Head,حساب مشر تړل DocType: Employee,External Work History,بهرني کار تاریخ apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,متحدالمال ماخذ کې تېروتنه @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,کيڼې څنډې څخه apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} د [{1}] واحدونه (# فورمه / د قالب / {1}) په [{2}] وموندل (# فورمه / تون / د {2}) DocType: Lead,Industry,صنعت DocType: Employee,Job Profile,دنده پېژندنه +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,دا د دې شرکت په وړاندې د راکړې ورکړې پر بنسټ دی. د جزیاتو لپاره لاندې مهال ویش وګورئ DocType: Stock Settings,Notify by Email on creation of automatic Material Request,د اتومات د موادو غوښتنه رامنځته کېدو له امله دبرېښنا ليک خبر DocType: Journal Entry,Multi Currency,څو د اسعارو DocType: Payment Reconciliation Invoice,Invoice Type,صورتحساب ډول -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,د سپارنې پرمهال یادونه +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,د سپارنې پرمهال یادونه apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,مالیات ترتیبول apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,د شتمنيو د دلال لګښت apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,د پیسو د داخلولو بدل شوی دی وروسته کش تاسو دا. دا بیا لطفا وباسي. @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,لطفا ډګر ارزښت 'د مياشتې په ورځ تکرار' DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,په ميزان کي پيرودونکو د اسعارو له دی چې د مشتريانو د اډې اسعارو بدل DocType: Course Scheduling Tool,Course Scheduling Tool,کورس اوقات اوزار -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},د کتارونو تر # {0}: رانيول صورتحساب د شته شتمنیو په وړاندې نه شي کولای شي د {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},د کتارونو تر # {0}: رانيول صورتحساب د شته شتمنیو په وړاندې نه شي کولای شي د {1} DocType: Item Tax,Tax Rate,د مالياتو د Rate apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} لپاره د کارګر لا ځانګړې {1} لپاره موده {2} د {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,انتخاب د قالب +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,انتخاب د قالب apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,پیري صورتحساب {0} لا وسپارل apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},د کتارونو تر # {0}: دسته نه باید ورته وي {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,د غیر ګروپ ته واړوئ @@ -447,7 +446,7 @@ DocType: Employee,Widowed,کونډې DocType: Request for Quotation,Request for Quotation,لپاره د داوطلبۍ غوښتنه DocType: Salary Slip Timesheet,Working Hours,کار ساعتونه DocType: Naming Series,Change the starting / current sequence number of an existing series.,د پیل / اوسني تسلسل کې د شته لړ شمېر کې بدلون راولي. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,یو نوی پيرودونکو جوړول +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,یو نوی پيرودونکو جوړول apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",که څو د بیو د اصولو دوام پراخیدل، د کاروونکو څخه پوښتنه کيږي چي د لومړیتوب ټاکل لاسي د شخړې حل کړي. apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,رانيول امر جوړول ,Purchase Register,رانيول د نوم ثبتول @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Examiner نوم DocType: Purchase Invoice Item,Quantity and Rate,کمیت او Rate DocType: Delivery Note,% Installed,٪ ولګول شو -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,درسي / لابراتوارونو او نور هلته د لکچر کولای ټاکل شي. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,درسي / لابراتوارونو او نور هلته د لکچر کولای ټاکل شي. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,مهرباني وکړئ د شرکت نوم د لومړي ننوځي DocType: Purchase Invoice,Supplier Name,عرضه کوونکي نوم apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,د ERPNext لارښود ادامه @@ -490,7 +489,7 @@ DocType: Account,Old Parent,زاړه Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,اجباري ډګر - تعليمي کال د apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,اجباري ډګر - تعليمي کال د DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,د مقدماتي متن چې د دغې ایمیل يوې برخې په توګه ځي دتنظيمولو. هر معامله جلا مقدماتي متن لري. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},مهرباني وکړئ د شرکت لپاره د تلوالیزه د تادیې وړ ګڼون جوړ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},مهرباني وکړئ د شرکت لپاره د تلوالیزه د تادیې وړ ګڼون جوړ {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,د ټولو د توليد د پروسې Global امستنې. DocType: Accounts Settings,Accounts Frozen Upto,جوړوي ګنګل ترمړوندونو پورې DocType: SMS Log,Sent On,ته وليږدول د @@ -529,7 +528,7 @@ DocType: Journal Entry,Accounts Payable,ورکړې وړ حسابونه apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,د ټاکل شوي BOMs د همدغه توکي نه دي DocType: Pricing Rule,Valid Upto,د اعتبار وړ ترمړوندونو پورې DocType: Training Event,Workshop,د ورکشاپ -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,لست د خپل پېرېدونکي يو څو. هغوی کولی شي، سازمانونو یا وګړو. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,لست د خپل پېرېدونکي يو څو. هغوی کولی شي، سازمانونو یا وګړو. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,بس برخي د جوړولو apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,مستقيم عايداتو apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",نه په حساب پر بنسټ کولای شي Filter، که د حساب ګروپ @@ -537,7 +536,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,لطفا کورس انتخاب apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,لطفا کورس انتخاب DocType: Timesheet Detail,Hrs,بجو -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,مهرباني وکړئ د شرکت وټاکئ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,مهرباني وکړئ د شرکت وټاکئ DocType: Stock Entry Detail,Difference Account,توپير اکانټ DocType: Purchase Invoice,Supplier GSTIN,عرضه GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,نږدې دنده په توګه خپل دنده پورې تړلې {0} تړلي نه ده نه شي کولای. @@ -554,7 +553,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,لطفا لپاره قدمه 0٪ ټولګي تعریف DocType: Sales Order,To Deliver,ته تحویل DocType: Purchase Invoice Item,Item,د قالب -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,سریال نه توکی نه شي کولای یوه برخه وي +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,سریال نه توکی نه شي کولای یوه برخه وي DocType: Journal Entry,Difference (Dr - Cr),توپير (ډاکټر - CR) DocType: Account,Profit and Loss,ګټه او زیان apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,د اداره کولو په ټیکه @@ -580,7 +579,7 @@ DocType: Serial No,Warranty Period (Days),ګرنټی د دورې (ورځې) DocType: Installation Note Item,Installation Note Item,نصب او يادونه د قالب DocType: Production Plan Item,Pending Qty,تصویبه Qty DocType: Budget,Ignore,له پامه -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} د {1} فعاله نه وي +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} د {1} فعاله نه وي apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},پیغامونه د دې لاندې شمېرې ته استول: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,د چاپ Setup چک ابعادو DocType: Salary Slip,Salary Slip Timesheet,معاش ټوټه Timesheet @@ -686,8 +685,8 @@ DocType: Installation Note,IN-,د داخل DocType: Production Order Operation,In minutes,په دقيقو DocType: Issue,Resolution Date,لیک نیټه DocType: Student Batch Name,Batch Name,دسته نوم -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet جوړ: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},لطفا د تادیاتو په اکر کې default د نغدي او يا بانک حساب جوړ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet جوړ: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},لطفا د تادیاتو په اکر کې default د نغدي او يا بانک حساب جوړ {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,کې شامل کړي DocType: GST Settings,GST Settings,GST امستنې DocType: Selling Settings,Customer Naming By,پيرودونکو نوم By @@ -707,7 +706,7 @@ DocType: Activity Cost,Projects User,د پروژو د کارن apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,په مصرف apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: په صورتحساب نورولوله جدول نه د {1} وموندل شول DocType: Company,Round Off Cost Center,پړاو لګښت مرکز -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,{0} د ساتنې په سفر کې باید بندول د دې خرڅلاو نظم مخکې لغوه شي +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,{0} د ساتنې په سفر کې باید بندول د دې خرڅلاو نظم مخکې لغوه شي DocType: Item,Material Transfer,د توکو لېږدونه د apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),د پرانستلو په (ډاکټر) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},نوکرې timestamp باید وروسته وي {0} @@ -716,7 +715,7 @@ DocType: Employee Loan,Total Interest Payable,ټولې ګټې د راتلوون DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,تيرماښام لګښت مالیات او په تور DocType: Production Order Operation,Actual Start Time,واقعي د پیل وخت DocType: BOM Operation,Operation Time,د وخت د عملياتو -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,فنلند +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,فنلند apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,اډه DocType: Timesheet,Total Billed Hours,Total محاسبې ته ساعتونه DocType: Journal Entry,Write Off Amount,مقدار ولیکئ پړاو @@ -743,7 +742,7 @@ DocType: Vehicle,Odometer Value (Last),Odometer ارزښت (په تېره) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,بازار موندنه apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,د پیسو د داخلولو د مخکې نه جوړ DocType: Purchase Receipt Item Supplied,Current Stock,اوسني دحمل -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},د کتارونو تر # {0}: د شتمنیو د {1} نه د قالب تړاو نه {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},د کتارونو تر # {0}: د شتمنیو د {1} نه د قالب تړاو نه {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,د مخکتنې معاش ټوټه apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,ګڼون {0} په څو ځله داخل شوي دي DocType: Account,Expenses Included In Valuation,لګښتونه شامل په ارزښت @@ -768,7 +767,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,فضایي DocType: Journal Entry,Credit Card Entry,کریډیټ کارټ انفاذ apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,شرکت او حسابونه apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,توکو څخه عرضه ترلاسه کړ. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,په ارزښت +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,په ارزښت DocType: Lead,Campaign Name,د کمپاین نوم DocType: Selling Settings,Close Opportunity After Days,بندول فرصت ورځې وروسته ,Reserved,خوندي دي @@ -793,17 +792,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,د انرژۍ د DocType: Opportunity,Opportunity From,فرصت له apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,میاشتنی معاش خبرپاڼه. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,د {0}: {1} سیریل شمېره د 2 {2} لپاره اړین ده. تاسو {3} چمتو کړی. DocType: BOM,Website Specifications,وېب پاڼه ځانګړتیاو apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: د {0} د ډول {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,د کتارونو تر {0}: د تغیر فکتور الزامی دی DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",څو د بیو د اصول سره ورته معیارونه شتون، لطفا له خوا لومړیتوب وګومارل شخړې حل کړي. بيه اصول: {0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,نه خنثی کولای شي او یا هیښ لغوه په توګه دا ده چې له نورو BOMs سره تړاو لري +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,نه خنثی کولای شي او یا هیښ لغوه په توګه دا ده چې له نورو BOMs سره تړاو لري DocType: Opportunity,Maintenance,د ساتنې او DocType: Item Attribute Value,Item Attribute Value,د قالب ځانتیا ارزښت apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,خرڅلاو مبارزو. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Timesheet د کمکیانو لپاره +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Timesheet د کمکیانو لپاره DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -837,7 +837,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ترتیبول بريښناليک حساب apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,مهرباني وکړئ لومړی د قالب ته ننوځي DocType: Account,Liability,Liability -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,تحریم مقدار نه شي کولای په کتارونو ادعا مقدار څخه ډيره وي {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,تحریم مقدار نه شي کولای په کتارونو ادعا مقدار څخه ډيره وي {0}. DocType: Company,Default Cost of Goods Sold Account,د حساب د پلورل شوو اجناسو Default لګښت apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,بیې په لېست کې نه ټاکل DocType: Employee,Family Background,د کورنۍ مخينه @@ -848,10 +848,10 @@ DocType: Company,Default Bank Account,Default بانک حساب apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",پر بنسټ د ګوند چاڼ، غوره ګوند د لومړي ډول apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'تازه دحمل' چک نه شي ځکه چې توکي له لارې ونه وېشل {0} DocType: Vehicle,Acquisition Date,د استملاک نېټه -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,وځيري +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,وځيري DocType: Item,Items with higher weightage will be shown higher,سره د لوړو weightage توکي به د لوړو ښودل شي DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,بانک پخلاينې تفصیلي -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,د کتارونو تر # {0}: د شتمنیو د {1} بايد وسپارل شي +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,د کتارونو تر # {0}: د شتمنیو د {1} بايد وسپارل شي apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,هیڅ یو کارمند وموندل شول DocType: Supplier Quotation,Stopped,ودرول DocType: Item,If subcontracted to a vendor,که قرارداد ته د يو خرڅوونکي په @@ -868,7 +868,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,لږ تر لږه صورت apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} د {1}: لګښت مرکز {2} کوي چې د دې شرکت سره تړاو نه لري {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} د {1}: Account {2} نه شي کولای د يو ګروپ وي apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,د قالب د کتارونو تر {idx}: {doctype} {docname} په پورته نه شته '{doctype}' جدول -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} لا د مخه د بشپړې او يا لغوه +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} لا د مخه د بشپړې او يا لغوه apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,نه دندو DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",د مياشتې په ورځ چې د موټرو د صورتحساب به د مثال په 05، 28 او نور تولید شي DocType: Asset,Opening Accumulated Depreciation,د استهلاک د پرانيستلو @@ -927,7 +927,7 @@ DocType: SMS Log,Requested Numbers,غوښتنه شميرې DocType: Production Planning Tool,Only Obtain Raw Materials,یوازې خام مواد په لاس راوړئ apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,د اجرآتو ارزونه. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",توانمنوونکې 'کولر په ګاډۍ څخه استفاده وکړئ، په توګه، کولر په ګاډۍ دی فعال شوی او هلته بايد کولر په ګاډۍ لږ تر لږه يو د مالياتو د حاکمیت وي -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",د پیسو د داخلولو {0} دی تړاو نظم {1}، وګورئ که دا بايد په توګه په دې صورتحساب مخکې کش شي په وړاندې. +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",د پیسو د داخلولو {0} دی تړاو نظم {1}، وګورئ که دا بايد په توګه په دې صورتحساب مخکې کش شي په وړاندې. DocType: Sales Invoice Item,Stock Details,دحمل په بشپړه توګه کتل apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,د پروژې د ارزښت apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-خرڅول @@ -950,15 +950,15 @@ DocType: Naming Series,Update Series,تازه لړۍ DocType: Supplier Quotation,Is Subcontracted,د دې لپاره قرارداد DocType: Item Attribute,Item Attribute Values,د قالب ځانتیا ارزښتونه DocType: Examination Result,Examination Result,د ازموینې د پایلو د -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,رانيول رسيد +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,رانيول رسيد ,Received Items To Be Billed,ترلاسه توکي چې د محاسبې ته شي -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ته وسپارل معاش رسید +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,ته وسپارل معاش رسید apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,د اسعارو د تبادلې نرخ د بادار. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},ماخذ Doctype بايد د يو شي {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ته د وخت د عملياتو په راتلونکو {0} ورځو کې د څوکۍ د موندلو توان نلري {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ته د وخت د عملياتو په راتلونکو {0} ورځو کې د څوکۍ د موندلو توان نلري {1} DocType: Production Order,Plan material for sub-assemblies,فرعي شوراګانو لپاره پلان مواد apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,خرڅلاو همکارانو او خاوره -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,هیښ {0} بايد فعال وي +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,هیښ {0} بايد فعال وي DocType: Journal Entry,Depreciation Entry,د استهالک د داخلولو apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,مهرباني وکړئ لومړی انتخاب سند ډول apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,لغوه مواد ليدنه {0} بندول د دې د ساتنې سفر مخکې @@ -968,7 +968,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,جمله پیسی apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,د انټرنېټ Publishing DocType: Production Planning Tool,Production Orders,تولید امر -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,توازن ارزښت +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,توازن ارزښت apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,د پلورنې د بیې لېست apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,ته توکي پرانیځئ د خپرېدو DocType: Bank Reconciliation,Account Currency,حساب د اسعارو @@ -993,12 +993,12 @@ DocType: Employee,Exit Interview Details,د وتلو سره مرکه په بشپ DocType: Item,Is Purchase Item,آیا د رانيول د قالب DocType: Asset,Purchase Invoice,رانيول صورتحساب DocType: Stock Ledger Entry,Voucher Detail No,ګټمنو تفصیلي نه -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,نوي خرڅلاو صورتحساب +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,نوي خرڅلاو صورتحساب DocType: Stock Entry,Total Outgoing Value,Total باورلیک ارزښت apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,پرانيستل نېټه او د بندولو نېټه باید ورته مالي کال په چوکاټ کې وي DocType: Lead,Request for Information,معلومات د غوښتنې لپاره ,LeaderBoard,LeaderBoard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,پرانیځئ نالیکی صورتحساب +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,پرانیځئ نالیکی صورتحساب DocType: Payment Request,Paid,ورکړل DocType: Program Fee,Program Fee,پروګرام فیس DocType: Salary Slip,Total in words,په لفظ Total @@ -1006,7 +1006,7 @@ DocType: Material Request Item,Lead Time Date,سرب د وخت نېټه DocType: Guardian,Guardian Name,ګارډین نوم DocType: Cheque Print Template,Has Print Format,لري چاپ شکل DocType: Employee Loan,Sanctioned,تحریم -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,الزامی دی. ښايي د پیسو د بدلولو ریکارډ نه ده لپاره جوړ +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,الزامی دی. ښايي د پیسو د بدلولو ریکارډ نه ده لپاره جوړ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},د کتارونو تر # {0}: مهرباني وکړئ سریال لپاره د قالب نه مشخص {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",لپاره 'د محصول د بنډل په' توکي، ګدام، شعبه او دسته نه به د 'پروپیلن لیست جدول کې له پام کې ونیول شي. که ګدام او دسته هيڅ لپاره د هر 'د محصول د بنډل په' توکی د ټولو بسته بنديو توکو يو شان دي، د هغو ارزښتونو په اصلي شمیره جدول داخل شي، ارزښتونو به کاپي شي چې د 'پروپیلن لیست جدول. DocType: Job Opening,Publish on website,په ويب پاڼه د خپرېدو @@ -1019,7 +1019,7 @@ DocType: Cheque Print Template,Date Settings,نېټه امستنې apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,متفرقه ,Company Name,دکمپنی نوم DocType: SMS Center,Total Message(s),Total پيغام (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,د انتقال انتخاب د قالب +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,د انتقال انتخاب د قالب DocType: Purchase Invoice,Additional Discount Percentage,اضافي کمښت سلنه apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,ښکاره د په مرسته د ټولو ویډیوګانو يو لست DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,د بانک انتخاب حساب مشر هلته پوستې شو امانت. @@ -1034,7 +1034,7 @@ DocType: BOM,Raw Material Cost(Company Currency),لومړنیو توکو لګښ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,ټول توکي لا له وړاندې د دې تولید نظم ته انتقال شوي دي. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},د کتارونو تر # {0}: اندازه کېدای شي نه په ميزان کې کارول په پرتله زیات وي {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},د کتارونو تر # {0}: اندازه کېدای شي نه په ميزان کې کارول په پرتله زیات وي {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,متره +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,متره DocType: Workstation,Electricity Cost,د بريښنا د لګښت DocType: HR Settings,Don't send Employee Birthday Reminders,آيا د کارګر کالیزې په دوراني ډول نه استوي DocType: Item,Inspection Criteria,تفتیش معیارونه @@ -1049,7 +1049,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,ترلاسه کړئ پرمختګونه ورکړل DocType: Item,Automatically Create New Batch,په خپلکارې توګه د نوي دسته جوړول DocType: Item,Automatically Create New Batch,په خپلکارې توګه د نوي دسته جوړول -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,د کمکیانو لپاره د +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,د کمکیانو لپاره د DocType: Student Admission,Admission Start Date,د شاملیدو د پیل نیټه DocType: Journal Entry,Total Amount in Words,په وييکي Total مقدار apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,یوه تېروتنه وه. يو احتمالي لامل کیدای شي چې تاسو په بڼه نه وژغوره. لطفا تماس support@erpnext.com که ستونزه دوام ولري. @@ -1057,7 +1057,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,زما په ګاډۍ apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},نظم ډول باید د یو وي {0} DocType: Lead,Next Contact Date,بل د تماس نېټه apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,پرانيستل Qty -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,مهرباني وکړئ د بدلون لپاره د مقدار حساب ته ننوځي +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,مهرباني وکړئ د بدلون لپاره د مقدار حساب ته ننوځي DocType: Student Batch Name,Student Batch Name,د زده کونکو د دسته نوم DocType: Holiday List,Holiday List Name,رخصتي بشپړفهرست نوم DocType: Repayment Schedule,Balance Loan Amount,د توازن د پور مقدار @@ -1065,7 +1065,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,دحمل غوراوي DocType: Journal Entry Account,Expense Claim,اخراجاتو ادعا apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,آيا تاسو په رښتيا غواړئ چې د دې پرزه د شتمنیو بيازېرمل؟ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},د Qty {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},د Qty {0} DocType: Leave Application,Leave Application,رخصت کاریال apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,پريږدئ تخصيص اوزار DocType: Leave Block List,Leave Block List Dates,بالک بشپړفهرست نیټی څخه ووځي @@ -1116,7 +1116,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,په وړاندې DocType: Item,Default Selling Cost Center,Default پلورل لګښت مرکز DocType: Sales Partner,Implementation Partner,د تطبیق همکار -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,زیپ کوډ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,زیپ کوډ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},خرڅلاو نظم {0} دی {1} DocType: Opportunity,Contact Info,تماس پيژندنه apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,جوړول دحمل توکي @@ -1135,14 +1135,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,د حاضرۍ کنګل نېټه DocType: School Settings,Attendance Freeze Date,د حاضرۍ کنګل نېټه DocType: Opportunity,Your sales person who will contact the customer in future,ستاسې د پلورنې شخص چې په راتلونکي کې به د مشتريانو سره اړیکه -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,لست ستاسو د عرضه کوونکو د څو. هغوی کولی شي، سازمانونو یا وګړو. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,لست ستاسو د عرضه کوونکو د څو. هغوی کولی شي، سازمانونو یا وګړو. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,ښکاره ټول محصولات د apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),لږ تر لږه مشري عمر (ورځې) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),لږ تر لږه مشري عمر (ورځې) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,ټول BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,ټول BOMs DocType: Company,Default Currency,default د اسعارو DocType: Expense Claim,From Employee,له کارګر -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,خبرداری: د سیستم به راهیسې لپاره د قالب اندازه overbilling وګورئ نه {0} د {1} صفر ده +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,خبرداری: د سیستم به راهیسې لپاره د قالب اندازه overbilling وګورئ نه {0} د {1} صفر ده DocType: Journal Entry,Make Difference Entry,بدلون د داخلولو د کمکیانو لپاره DocType: Upload Attendance,Attendance From Date,د حاضرۍ له نېټه DocType: Appraisal Template Goal,Key Performance Area,د اجراآتو مهم Area @@ -1159,7 +1159,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ستاسو د مرجع شرکت ليکنې د کارت شمېرې. د مالياتو د شمېر او نور DocType: Sales Partner,Distributor,ویشونکی- DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,خرید په ګاډۍ نقل حاکمیت -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,تولید نظم {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,تولید نظم {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',مهرباني وکړئ ټاکل 'د اضافي کمښت Apply' ,Ordered Items To Be Billed,امر توکي چې د محاسبې ته شي apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,له Range لري چې کم وي په پرتله د Range @@ -1168,10 +1168,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,د مجرايي DocType: Leave Allocation,LAL/,لعل / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,بیا کال -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},د GSTIN لومړی 2 ګڼې باید سره د بهرنیو چارو شمېر سمون {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},د GSTIN لومړی 2 ګڼې باید سره د بهرنیو چارو شمېر سمون {0} DocType: Purchase Invoice,Start date of current invoice's period,بیا د روان صورتحساب د مودې نېټه DocType: Salary Slip,Leave Without Pay,پرته له معاشونو څخه ووځي -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,د ظرفیت د پلان کې تېروتنه +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,د ظرفیت د پلان کې تېروتنه ,Trial Balance for Party,د محاکمې بیلانس د ګوندونو DocType: Lead,Consultant,مشاور DocType: Salary Slip,Earnings,عوايد @@ -1187,7 +1187,7 @@ DocType: Cheque Print Template,Payer Settings,د ورکوونکي امستنې DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",دا به د د variant د قالب کوډ appended شي. د بیلګې په توګه، که ستا اختصاري دی "SM"، او د توکي کوډ دی "T-کميس"، د variant توکی کوډ به "T-کميس-SM" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,خالص د معاشونو (په لفظ) به د ليدو وړ وي. هر کله چې تاسو د معاش ټوټه وژغوري. DocType: Purchase Invoice,Is Return,آیا بیرته -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,بیرته / ګزارې يادونه +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,بیرته / ګزارې يادونه DocType: Price List Country,Price List Country,بیې په لېست کې د هېواد DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} لپاره د قالب د اعتبار وړ سریال ترانسفارمرونو د {1} @@ -1200,7 +1200,7 @@ DocType: Employee Loan,Partially Disbursed,په نسبی ډول مصرف apps/erpnext/erpnext/config/buying.py +38,Supplier database.,عرضه ډیټابیس. DocType: Account,Balance Sheet,توازن پاڼه apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',لګښت لپاره مرکز سره د قالب کوډ 'د قالب -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",د پیسو په اکر کې نده شکل بندي شوې ده. مهرباني وکړئ وګورئ، چې آيا حساب په د تادياتو د اکر یا د POS پېژندنه ټاکل شوي دي. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",د پیسو په اکر کې نده شکل بندي شوې ده. مهرباني وکړئ وګورئ، چې آيا حساب په د تادياتو د اکر یا د POS پېژندنه ټاکل شوي دي. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,ستاسې د پلورنې کس به د پند په دې نېټې ته د مشتريانو د تماس ترلاسه apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ورته توکی نه شي کولای شي د څو ځله ننوتل. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",لا حسابونو شي ډلو لاندې کړې، خو د زياتونې شي غیر ډلو په وړاندې د @@ -1229,7 +1229,7 @@ DocType: Employee Loan Application,Repayment Info,دبيرته پيژندنه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'توکي' نه شي کولای تش وي apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},{0} دوه ګونو قطار سره ورته {1} ,Trial Balance,د محاکمې بیلانس -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,مالي کال د {0} ونه موندل شو +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,مالي کال د {0} ونه موندل شو apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,مامورین ترتیبول DocType: Sales Order,SO-,اصطالح apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,مهرباني وکړئ لومړی مختاړی وټاکئ @@ -1244,11 +1244,11 @@ DocType: Grading Scale,Intervals,انټروال apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ژر apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",د قالب ګروپ سره په همدې نوم شتون لري، لطفا توکی نوم بدل کړي او يا د توکي ډلې نوم apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,د زده کوونکو د موبايل په شمیره -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,د نړۍ پاتې +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,د نړۍ پاتې apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,د قالب {0} نه شي کولای دسته لري ,Budget Variance Report,د بودجې د توپیر راپور DocType: Salary Slip,Gross Pay,Gross د معاشونو -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,د کتارونو تر {0}: فعالیت ډول فرض ده. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,د کتارونو تر {0}: فعالیت ډول فرض ده. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,د سهم ورکړل apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,د محاسبې د پنډو DocType: Stock Reconciliation,Difference Amount,توپیر رقم @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,د کارګر اجازه بیلانس apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},د حساب انډول {0} بايد تل وي {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},سنجي Rate په قطار لپاره د قالب اړتیا {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,مثال په توګه: په کمپیوټر ساینس د ماسټرۍ +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,مثال په توګه: په کمپیوټر ساینس د ماسټرۍ DocType: Purchase Invoice,Rejected Warehouse,رد ګدام DocType: GL Entry,Against Voucher,په وړاندې د ګټمنو DocType: Item,Default Buying Cost Center,Default د خريداري لګښت مرکز apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",د ERPNext څخه غوره شي، مونږ سپارښتنه کوو چې تاسو ته يو څه وخت ونيسي او دغه مرسته ویډیوګانو ننداره کوي. -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,ته +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,ته DocType: Supplier Quotation Item,Lead Time in days,په ورځو په غاړه وخت apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,حسابونه د راتلوونکې لنډيز -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},څخه د {0} د معاش د ورکړې د {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},څخه د {0} د معاش د ورکړې د {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},نه اجازه کنګل حساب د سمولو {0} DocType: Journal Entry,Get Outstanding Invoices,يو وتلي صورتحساب ترلاسه کړئ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,خرڅلاو نظم {0} د اعتبار وړ نه دی +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,خرڅلاو نظم {0} د اعتبار وړ نه دی apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,رانيول امر تاسو سره مرسته پلان او ستاسو د اخیستلو تعقيب apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",بښنه غواړو، شرکتونو نه مدغم شي apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,غیر مستقیم مصارف apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,د کتارونو تر {0}: Qty الزامی دی apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,د کرنې -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,پرانیځئ ماسټر معلوماتو -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,ستاسو د تولیداتو يا خدمتونو +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,پرانیځئ ماسټر معلوماتو +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,ستاسو د تولیداتو يا خدمتونو DocType: Mode of Payment,Mode of Payment,د تادیاتو اکر apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,وېب پاڼه د انځور بايد د عامه دوتنه يا ويب URL وي DocType: Student Applicant,AP,AP @@ -1325,18 +1325,18 @@ DocType: Student Group Student,Group Roll Number,ګروپ رول شمیره DocType: Student Group Student,Group Roll Number,ګروپ رول شمیره apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",د {0}، يوازې د پور حسابونو بل ډیبیټ د ننوتلو په وړاندې سره وتړل شي apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,د ټولو دنده وزن Total باید 1. مهرباني وکړی د ټولو د پروژې د دندو وزن سره سم عیار -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,د سپارنې پرمهال يادونه {0} نه سپارل +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,د سپارنې پرمهال يادونه {0} نه سپارل apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,د قالب {0} باید یو فرعي قرارداد د قالب وي apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,پلازمیینه تجهیزاتو apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",د بیې د حاکمیت لومړی پر بنسټ ټاکل 'Apply د' ډګر، چې کولای شي د قالب، د قالب ګروپ یا نښې وي. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,مهرباني وکړئ لومړی د کوډ کوډ ولیکئ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,مهرباني وکړئ لومړی د کوډ کوډ ولیکئ DocType: Hub Settings,Seller Website,پلورونکی وېب پاڼه DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,د خرڅلاو ټيم ټولې سلنه بايد 100 وي DocType: Appraisal Goal,Goal,موخه DocType: Sales Invoice Item,Edit Description,سمول Description ,Team Updates,ټيم اوسمهالونه -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,د عرضه +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,د عرضه DocType: Account,Setting Account Type helps in selecting this Account in transactions.,د خوښو حساب ډول په معاملو دې حساب په ټاکلو کې مرسته کوي. DocType: Purchase Invoice,Grand Total (Company Currency),Grand Total (شرکت د اسعارو) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,چاپ شکل جوړول @@ -1350,12 +1350,12 @@ DocType: Item,Website Item Groups,وېب پاڼه د قالب ډلې DocType: Purchase Invoice,Total (Company Currency),Total (شرکت د اسعارو) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,سریال {0} ننوتل څخه یو ځل بیا DocType: Depreciation Schedule,Journal Entry,په ورځپانه کی ثبت شوی مطلب -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} په پرمختګ توکي +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} په پرمختګ توکي DocType: Workstation,Workstation Name,Workstation نوم DocType: Grading Scale Interval,Grade Code,ټولګي کوډ DocType: POS Item Group,POS Item Group,POS د قالب ګروپ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ولېږئ Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},هیښ {0} نه د قالب سره تړاو نه لري {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},هیښ {0} نه د قالب سره تړاو نه لري {1} DocType: Sales Partner,Target Distribution,د هدف د ویش DocType: Salary Slip,Bank Account No.,بانکي حساب شمیره DocType: Naming Series,This is the number of the last created transaction with this prefix,دا په دې مختاړی د تېرو جوړ معامله شمیر @@ -1413,7 +1413,7 @@ DocType: Quotation,Shopping Cart,د سودا لاس ګاډی apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg دورځني باورلیک DocType: POS Profile,Campaign,د کمپاین DocType: Supplier,Name and Type,نوم او ډول -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',تصویب حالت بايد د تصویب 'يا' رد ' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',تصویب حالت بايد د تصویب 'يا' رد ' DocType: Purchase Invoice,Contact Person,د اړیکې نفر apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','د تمی د پیل نیټه د' نه وي زیات 'د تمی د پای نیټه' DocType: Course Scheduling Tool,Course End Date,د کورس د پای نیټه @@ -1425,8 +1425,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,prefered دبرېښنا ليک apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,په ثابته شتمني خالص د بدلون DocType: Leave Control Panel,Leave blank if considered for all designations,خالي پريږدئ که د ټولو هغو کارونو په پام کې -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,د ډول 'واقعي په قطار چارج په قالب Rate نه {0} شامل شي -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},اعظمي: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,د ډول 'واقعي په قطار چارج په قالب Rate نه {0} شامل شي +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},اعظمي: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,له Datetime DocType: Email Digest,For Company,د شرکت apps/erpnext/erpnext/config/support.py +17,Communication log.,د مخابراتو يادښت. @@ -1467,7 +1467,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.",دنده پېژ DocType: Journal Entry Account,Account Balance,موجوده حساب apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,د معاملو د ماليې حاکمیت. DocType: Rename Tool,Type of document to rename.,د سند ډول نوم بدلولی شی. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,موږ د دې توکي پېري +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,موږ د دې توکي پېري apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} د {1}: پيرودونکو ده ترلاسه ګڼون په وړاندې د اړتيا {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total مالیات او په تور (شرکت د اسعارو) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,وښایاست ناتړل مالي کال د P & L توازن @@ -1478,7 +1478,7 @@ DocType: Quality Inspection,Readings,نانود DocType: Stock Entry,Total Additional Costs,Total اضافي لګښتونو DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),د اوسپنې د موادو لګښت (شرکت د اسعارو) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,فرعي شورا +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,فرعي شورا DocType: Asset,Asset Name,د شتمنیو نوم DocType: Project,Task Weight,کاري وزن DocType: Shipping Rule Condition,To Value,ته ارزښت @@ -1507,7 +1507,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,د قالب تانبه DocType: Company,Services,خدمتونه DocType: HR Settings,Email Salary Slip to Employee,Email معاش د کارکونکو ټوټه DocType: Cost Center,Parent Cost Center,Parent لګښت مرکز -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,ممکنه عرضه وټاکئ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,ممکنه عرضه وټاکئ DocType: Sales Invoice,Source,سرچینه apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,انکړپټه ښودل تړل DocType: Leave Type,Is Leave Without Pay,ده پرته د معاشونو د وتو @@ -1519,7 +1519,7 @@ DocType: POS Profile,Apply Discount,Apply کمښت DocType: GST HSN Code,GST HSN Code,GST HSN کوډ DocType: Employee External Work History,Total Experience,Total تجربې apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,د پرانیستې پروژو -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,بسته بنديو ټوټه (s) لغوه +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,بسته بنديو ټوټه (s) لغوه apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,له پانګه اچونه نقدو پیسو د جریان DocType: Program Course,Program Course,د پروګرام د کورس apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,بار او استول په تور @@ -1560,9 +1560,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,د پروګرام د شموليت DocType: Sales Invoice Item,Brand Name,دتوليد نوم DocType: Purchase Receipt,Transporter Details,ته لېږدول، په بشپړه توګه کتل -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Default ګودام لپاره غوره توکی اړتیا -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,بکس -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,ممکنه عرضه +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Default ګودام لپاره غوره توکی اړتیا +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,بکس +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,ممکنه عرضه DocType: Budget,Monthly Distribution,میاشتنی ویش apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,د اخيستونکي بشپړفهرست تش دی. لطفا رامنځته اخيستونکي بشپړفهرست DocType: Production Plan Sales Order,Production Plan Sales Order,تولید پلان خرڅلاو نظم @@ -1595,7 +1595,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,د شرکت apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students",زده کوونکي دي د نظام په زړه کې، ستاسو د ټولو زده کوونکو اضافه apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},د کتارونو تر # {0}: چاڼېزو نېټې {1} نه مخکې آرډر نېټه وي {2} DocType: Company,Default Holiday List,افتراضي رخصتي بشپړفهرست -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},د کتارونو تر {0}: د وخت او د وخت د {1} له ده سره د تداخل {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},د کتارونو تر {0}: د وخت او د وخت د {1} له ده سره د تداخل {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,دحمل مسؤلیتونه DocType: Purchase Invoice,Supplier Warehouse,عرضه ګدام DocType: Opportunity,Contact Mobile No,د تماس د موبايل په هيڅ @@ -1611,18 +1611,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},د ډول رخصت {0} په پرتله نور نه شي {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,له مخکې پلان لپاره د X ورځو عملیاتو کوښښ وکړئ. DocType: HR Settings,Stop Birthday Reminders,Stop کالیزې په دوراني ډول -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},لطفا په شرکت Default د معاشاتو د راتلوونکې حساب جوړ {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},لطفا په شرکت Default د معاشاتو د راتلوونکې حساب جوړ {0} DocType: SMS Center,Receiver List,د اخيستونکي بشپړفهرست -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,د لټون د قالب +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,د لټون د قالب apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,په مصرف مقدار apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,په نغدو خالص د بدلون DocType: Assessment Plan,Grading Scale,د رتبو او مقياس apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,د {0} اندازه واحد په د تغیر فکتور جدول څخه يو ځل داخل شوي دي -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,لا د بشپړ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,لا د بشپړ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,دحمل په لاس کې apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},د پیسو غوښتنه د مخکې نه شتون {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,د خپریدلو سامان لګښت -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},اندازه بايد زيات نه وي {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},اندازه بايد زيات نه وي {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,مخکینی مالي کال تړل نه دی apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),عمر (ورځې) DocType: Quotation Item,Quotation Item,د داوطلبۍ د قالب @@ -1636,6 +1636,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,ماخذ لاسوند apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} د {1} ده لغوه یا ودرول DocType: Accounts Settings,Credit Controller,اعتبار کنټرولر +DocType: Sales Order,Final Delivery Date,د سپارلو نیټه DocType: Delivery Note,Vehicle Dispatch Date,چلاونه د موټرو نېټه DocType: Purchase Invoice Item,HSN/SAC,HSN / د ژېړو apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,رانيول رسيد {0} نه سپارل @@ -1728,9 +1729,9 @@ DocType: Employee,Date Of Retirement,نېټه د تقاعد DocType: Upload Attendance,Get Template,ترلاسه کينډۍ DocType: Material Request,Transferred,سپارل DocType: Vehicle,Doors,دروازو -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup بشپړ! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup بشپړ! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,د مالياتو د تګلاردا +DocType: Purchase Invoice,Tax Breakup,د مالياتو د تګلاردا DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} د {1}: لګښت مرکز د 'ګټه او زیان' ګڼون اړتیا {2}. لطفا يو default لپاره د دې شرکت د لګښت مرکز جوړ. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A پيرودونکو ګروپ سره په همدې نوم موجود دی لطفا د پيرودونکو نوم بدل کړي او يا د مراجعينو د ګروپ نوم بدلولی شی @@ -1743,14 +1744,14 @@ DocType: Announcement,Instructor,د لارښوونکي DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",که د دې توکي د بېرغونو لري، نو دا په خرڅلاو امر او نور نه ټاکل شي DocType: Lead,Next Contact By,بل د تماس By -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},مقدار په قطار د {0} د قالب اړتیا {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},مقدار په قطار د {0} د قالب اړتیا {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},ګدام {0} په توګه د قالب اندازه موجود نه ړنګ شي {1} DocType: Quotation,Order Type,نظم ډول DocType: Purchase Invoice,Notification Email Address,خبرتیا دبرېښنا ليک پته ,Item-wise Sales Register,د قالب-هوښيار خرڅلاو د نوم ثبتول DocType: Asset,Gross Purchase Amount,Gross رانيول مقدار DocType: Asset,Depreciation Method,د استهالک Method -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,د نالیکي +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,د نالیکي DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,آیا دا د مالياتو په اساسي Rate شامل دي؟ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Total هدف DocType: Job Applicant,Applicant for a Job,د دنده متقاضي @@ -1771,7 +1772,7 @@ DocType: Employee,Leave Encashed?,ووځي Encashed؟ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصت له ډګر الزامی دی DocType: Email Digest,Annual Expenses,د کلني لګښتونو DocType: Item,Variants,تانبه -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,د کمکیانو لپاره د اخستلو امر +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,د کمکیانو لپاره د اخستلو امر DocType: SMS Center,Send To,لېږل apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},لپاره اجازه او ډول په کافي اندازه رخصت توازن نه شته {0} DocType: Payment Reconciliation Payment,Allocated amount,ځانګړې اندازه @@ -1779,7 +1780,7 @@ DocType: Sales Team,Contribution to Net Total,له افغان بېسیم څخه DocType: Sales Invoice Item,Customer's Item Code,پيرودونکو د قالب کوډ DocType: Stock Reconciliation,Stock Reconciliation,دحمل پخلاينې DocType: Territory,Territory Name,خاوره نوم -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,کار-in-پرمختګ ګدام مخکې اړتیا سپارل +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,کار-in-پرمختګ ګدام مخکې اړتیا سپارل apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,د دنده متقاضي. DocType: Purchase Order Item,Warehouse and Reference,ګدام او ماخذ DocType: Supplier,Statutory info and other general information about your Supplier,قانوني معلومات او ستاسو د عرضه په هکله د نورو عمومي معلومات @@ -1792,16 +1793,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,ارزونه apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},دوه شعبه لپاره د قالب ته ننوتل {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,لپاره يو نقل د حاکمیت شرط apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ولیکۍ -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",په قطار د {0} شمیره overbill نه شي کولای {1} څخه زيات {2}. ته-د بیلونو په اجازه، لطفا په اخیستلو ته امستنې جوړ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,لطفا چاڼګر جوړ پر بنسټ د قالب یا ګدام +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",په قطار د {0} شمیره overbill نه شي کولای {1} څخه زيات {2}. ته-د بیلونو په اجازه، لطفا په اخیستلو ته امستنې جوړ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,لطفا چاڼګر جوړ پر بنسټ د قالب یا ګدام DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),د دې بسته خالص وزن. (په توګه د توکو خالص وزن مبلغ په اتوماتيک ډول محاسبه) DocType: Sales Order,To Deliver and Bill,ته کول او د بیل DocType: Student Group,Instructors,د ښوونکو DocType: GL Entry,Credit Amount in Account Currency,په حساب د اسعارو د پورونو مقدار -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,هیښ {0} بايد وسپارل شي +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,هیښ {0} بايد وسپارل شي DocType: Authorization Control,Authorization Control,د واک ورکولو د کنټرول apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},د کتارونو تر # {0}: رد ګدام رد د قالب په وړاندې د الزامی دی {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,د پیسو +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,د پیسو apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",ګدام {0} دی چې هر ډول حساب سره تړاو نه، مهرباني وکړئ په شرکت کې د ګدام ریکارډ د حساب يا جوړ تلوالیزه انبار حساب ذکر {1}. apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,ستاسو د امر اداره DocType: Production Order Operation,Actual Time and Cost,واقعي وخت او لګښت @@ -1817,12 +1818,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,د خر DocType: Quotation Item,Actual Qty,واقعي Qty DocType: Sales Invoice Item,References,ماخذونه DocType: Quality Inspection Reading,Reading 10,لوستلو 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",ستاسو د تولیداتو يا خدمتونو چې تاسو واخلي او يا خرڅ لست کړئ. د کمکیانو لپاره د ډاډ تر لاسه کله چې تاسو د پيل د قالب ګروپ، د اندازه کولو او نورو ملکیتونو واحد وګورئ. +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",ستاسو د تولیداتو يا خدمتونو چې تاسو واخلي او يا خرڅ لست کړئ. د کمکیانو لپاره د ډاډ تر لاسه کله چې تاسو د پيل د قالب ګروپ، د اندازه کولو او نورو ملکیتونو واحد وګورئ. DocType: Hub Settings,Hub Node,مرکزي غوټه apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,تا د دوه ګونو توکو ته ننوتل. لطفا د سمولو او بیا کوښښ وکړه. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ملګري +DocType: Company,Sales Target,د پلور هدف DocType: Asset Movement,Asset Movement,د شتمنیو غورځنګ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,د نوي په ګاډۍ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,د نوي په ګاډۍ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} د قالب يو serialized توکی نه دی DocType: SMS Center,Create Receiver List,جوړول د اخيستونکي بشپړفهرست DocType: Vehicle,Wheels,په عرابو @@ -1864,13 +1866,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,د پروژو د ا DocType: Supplier,Supplier of Goods or Services.,د اجناسو يا خدمتونو د عرضه. DocType: Budget,Fiscal Year,پولي کال، مالي کال DocType: Vehicle Log,Fuel Price,د ګازو د بیو +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د سایټ اپ> شمېره لړۍ له لارې د حاضریدو لړۍ سیسټم DocType: Budget,Budget,د بودجې د apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,د ثابت د شتمنیو د قالب باید یو غیر سټاک وي. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",د بودجې د {0} په وړاندې د ګمارل نه شي، ځکه چې نه يو عايد يا اخراجاتو حساب apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,السته DocType: Student Admission,Application Form Route,د غوښتنليک فورمه لار apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,خاوره / پيرودونکو -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,د مثال په 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,د مثال په 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,پريږدئ ډول {0} نه شي ځانګړي شي ځکه چې دی پرته له معاش څخه ووځي apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},د کتارونو تر {0}: ځانګړې اندازه {1} بايد په پرتله لږ وي او یا مساوي له بيالنس اندازه صورتحساب {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د خرڅلاو صورتحساب وژغوري. @@ -1879,11 +1882,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} د قالب د سریال ترانسفارمرونو د تشکیلاتو نه ده. د قالب د بادار د وګورئ DocType: Maintenance Visit,Maintenance Time,د ساتنې او د وخت ,Amount to Deliver,اندازه کول -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,تولید یا د خدمت +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,تولید یا د خدمت apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,د دورې د پیل نیټه نه شي کولای د کال د پیل د تعليمي کال د نېټه چې د اصطلاح ده سره تړاو لري په پرتله مخکې وي (تعليمي کال د {}). لطفا د خرما د اصلاح او بیا کوښښ وکړه. DocType: Guardian,Guardian Interests,ګارډین علاقه DocType: Naming Series,Current Value,اوسنی ارزښت -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,لپاره د نېټې {0} څو مالي کلونو کې شتون لري. لطفا د مالي کال په شرکت جوړ +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,لپاره د نېټې {0} څو مالي کلونو کې شتون لري. لطفا د مالي کال په شرکت جوړ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} جوړ DocType: Delivery Note Item,Against Sales Order,په وړاندې د خرڅلاو د ترتیب پر اساس ,Serial No Status,شعبه حالت @@ -1896,7 +1899,7 @@ DocType: Pricing Rule,Selling,پلورل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},مقدار د {0} د {1} مجرايي په وړاندې د {2} DocType: Employee,Salary Information,معاش معلومات DocType: Sales Person,Name and Employee ID,نوم او د کارګر ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,له امله نېټه پست کوي نېټه مخکې نه شي +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,له امله نېټه پست کوي نېټه مخکې نه شي DocType: Website Item Group,Website Item Group,وېب پاڼه د قالب ګروپ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,دندې او مالیات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,لطفا ماخذ نېټې ته ننوځي @@ -1953,9 +1956,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},لطفا د ټولګې لپاره د کارمند په یوځای کېدو د نېټه {0} DocType: Task,Total Billing Amount (via Time Sheet),Total اولګښت مقدار (د وخت پاڼه له لارې) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,تکرار پيرودونکو د عوایدو -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) باید رول 'اخراجاتو Approver' لري -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,جوړه -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,د تولید لپاره د هیښ او Qty وټاکئ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) باید رول 'اخراجاتو Approver' لري +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,جوړه +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,د تولید لپاره د هیښ او Qty وټاکئ DocType: Asset,Depreciation Schedule,د استهالک ويش apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,خرڅلاو همکار پتې او د اړيکو DocType: Bank Reconciliation Detail,Against Account,په وړاندې حساب @@ -1965,7 +1968,7 @@ DocType: Item,Has Batch No,لري دسته نه apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},کلنی اولګښت: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),اجناسو او خدماتو د مالياتو د (GST هند) DocType: Delivery Note,Excise Page Number,وسیله Page شمېر -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",شرکت، له تاريخ او د نېټه الزامی دی +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",شرکت، له تاريخ او د نېټه الزامی دی DocType: Asset,Purchase Date,رانيول نېټه DocType: Employee,Personal Details,د شخصي نورولوله apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},مهرباني وکړئ ټاکل په شرکت د شتمنيو د استهالک لګښت مرکز '{0} @@ -1974,9 +1977,9 @@ DocType: Task,Actual End Date (via Time Sheet),واقعي د پای نیټه (د apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},مقدار د {0} د {1} په وړاندې د {2} {3} ,Quotation Trends,د داوطلبۍ رجحانات apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},د قالب ګروپ نه د توکی په توکی بادار ذکر {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,د حساب ډیبیټ باید یو ترلاسه حساب وي +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,د حساب ډیبیټ باید یو ترلاسه حساب وي DocType: Shipping Rule Condition,Shipping Amount,انتقال مقدار -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,پېرېدونکي ورزیات کړئ +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,پېرېدونکي ورزیات کړئ apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,انتظار مقدار DocType: Purchase Invoice Item,Conversion Factor,د تغیر فکتور DocType: Purchase Order,Delivered,تحویلوونکی @@ -1999,7 +2002,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,راوړې توکي شا DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",د موروپلار کورس (پرېږدئ خالي، که دا د موروپلار کورس برخه نه ده) DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",د موروپلار کورس (پرېږدئ خالي، که دا د موروپلار کورس برخه نه ده) DocType: Leave Control Panel,Leave blank if considered for all employee types,خالي پريږدئ که د کارمند ټول ډولونه په پام کې -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,پېرودونکي> پیرودونکي ګروپ> ساحه DocType: Landed Cost Voucher,Distribute Charges Based On,په تور د وېشلو پر بنسټ apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,دحاضري DocType: HR Settings,HR Settings,د بشري حقونو څانګې امستنې @@ -2007,7 +2009,7 @@ DocType: Salary Slip,net pay info,خالص د معاشونو پيژندنه apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,اخراجاتو ادعا ده د تصویب په تمه ده. يوازې د اخراجاتو Approver کولای حالت د اوسمهالولو. DocType: Email Digest,New Expenses,نوي داخراجاتو DocType: Purchase Invoice,Additional Discount Amount,اضافي کمښت مقدار -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",د کتارونو تر # {0}: Qty باید 1، لکه توکی يوه ثابته شتمني ده. لورينه وکړئ د څو qty جلا قطار وکاروي. +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",د کتارونو تر # {0}: Qty باید 1، لکه توکی يوه ثابته شتمني ده. لورينه وکړئ د څو qty جلا قطار وکاروي. DocType: Leave Block List Allow,Leave Block List Allow,پريږدئ بالک بشپړفهرست اجازه apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr نه شي خالي يا ځای وي apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,د غیر ګروپ ګروپ @@ -2015,7 +2017,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,لوبې DocType: Loan Type,Loan Name,د پور نوم apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total واقعي DocType: Student Siblings,Student Siblings,د زده کونکو د ورور -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,د واحد +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,د واحد apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,مهرباني وکړئ د شرکت مشخص ,Customer Acquisition and Loyalty,پيرودونکو د استملاک او داری DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,ګدام ځای کې چې تاسو د رد په پېژندتورو سټاک ساتلو @@ -2034,12 +2036,12 @@ DocType: Workstation,Wages per hour,په هر ساعت کې د معاشونو apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},دحمل په دسته توازن {0} به منفي {1} لپاره د قالب {2} په ګدام {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,مادي غوښتنې لاندې پر بنسټ د قالب د بيا نظم په کچه دي په اتوماتيک ډول راپورته شوې DocType: Email Digest,Pending Sales Orders,انتظار خرڅلاو امر -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},ګڼون {0} ناباوره دی. حساب د اسعارو باید د {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},ګڼون {0} ناباوره دی. حساب د اسعارو باید د {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},په قطار UOM تغیر فکتور ته اړتيا ده {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د خرڅلاو نظم یو، خرڅلاو صورتحساب یا ژورنال انفاذ وي DocType: Salary Component,Deduction,مجرايي -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,د کتارونو تر {0}: له وخت او د وخت فرض ده. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,د کتارونو تر {0}: له وخت او د وخت فرض ده. DocType: Stock Reconciliation Item,Amount Difference,اندازه بدلون apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},د قالب بیه لپاره زياته کړه {0} په بیې په لېست کې د {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,مهرباني وکړئ او دې د پلورنې کس ته ننوځي د کارګر Id @@ -2049,11 +2051,11 @@ DocType: Project,Gross Margin,Gross څنډی apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,مهرباني وکړئ لومړی تولید د قالب ته ننوځي apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,محاسبه شوې بانک اعلامیه توازن apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,معيوبينو د کارونکي عکس -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,د داوطلبۍ +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,د داوطلبۍ DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Total Deduction ,Production Analytics,تولید کړي. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,لګښت Updated +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,لګښت Updated DocType: Employee,Date of Birth,د زیږون نیټه apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,{0} د قالب لا ته راوړل شوي دي DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** مالي کال ** د مالي کال استازيتوب کوي. ټول د محاسبې زياتونې او نورو لويو معاملو ** مالي کال په وړاندې تعقیبیږي **. @@ -2099,18 +2101,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,وټاکئ شرکت ... DocType: Leave Control Panel,Leave blank if considered for all departments,خالي پريږدئ که د ټولو څانګو په پام کې apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",د کار ډولونه (د دایمي، قرارداد، intern او داسې نور). -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} لپاره د قالب الزامی دی {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} لپاره د قالب الزامی دی {1} DocType: Process Payroll,Fortnightly,جلالت DocType: Currency Exchange,From Currency,څخه د پیسو د apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",لطفا په تيروخت کي يو قطار تخصيص مقدار، صورتحساب ډول او صورتحساب شمېر غوره apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,د نوي رانيول لګښت -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},خرڅلاو نظم لپاره د قالب اړتیا {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},خرڅلاو نظم لپاره د قالب اړتیا {0} DocType: Purchase Invoice Item,Rate (Company Currency),کچه (د شرکت د اسعارو) DocType: Student Guardian,Others,نور DocType: Payment Entry,Unallocated Amount,Unallocated مقدار apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,کولی کوم ساری توکی ونه موندل. لورينه وکړئ د {0} يو شمېر نورو ارزښت ټاکي. DocType: POS Profile,Taxes and Charges,مالیه او په تور DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",د تولید یا د خدمت دی چې اخيستي، پلورل او يا په ګدام کې وساتل. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,د توکو کود> توکي ګروپ> برنامه apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,نه زیات تازه apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,آیا تور د ډول په توګه په تیره د کتارونو تر مقدار 'انتخاب نه یا د' په تیره د کتارونو تر Total لپاره په اول قطار apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,د ماشومانو د قالب باید د محصول د بنډل نه وي. لطفا توکی لرې `{0}` او وژغوري @@ -2138,7 +2141,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Total اولګښت مقدار apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,هلته باید یو default راتلونکي ليک حساب د دې کار چارن وي. لطفا د تشکیلاتو د اصلي راتلونکي ليک حساب (POP / IMAP) او بیا کوښښ وکړه. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,ترلاسه اکانټ -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},د کتارونو تر # {0}: د شتمنیو د {1} ده لا د {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},د کتارونو تر # {0}: د شتمنیو د {1} ده لا د {2} DocType: Quotation Item,Stock Balance,دحمل بیلانس apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ته قطعا د خرڅلاو د ترتیب پر اساس apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,اجرايوي ريس @@ -2163,10 +2166,11 @@ DocType: C-Form,Received Date,ترلاسه نېټه DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",که تاسو په خرڅلاو مالیات او په تور کينډۍ د يوې معياري کېنډۍ جوړ، وټاکئ او پر تڼی لاندې ځای کلیک کړی. DocType: BOM Scrap Item,Basic Amount (Company Currency),اساسي مقدار (شرکت د اسعارو) DocType: Student,Guardians,ساتونکو +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,عرضه کوونکي> د عرضه کوونکي ډول DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,بيې به که بیې په لېست کې نه دی جوړ نه ښودل شي apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,لطفا د دې نقل حاکمیت يو هېواد مشخص او يا د نړۍ په نقل وګورئ DocType: Stock Entry,Total Incoming Value,Total راتلونکي ارزښت -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,ډیبیټ ته اړتيا ده +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,ډیبیټ ته اړتيا ده apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",ویشونو لپاره activites ستاسو د ډلې له خوا تر سره د وخت، لګښت او د بلونو د تګلورې کې مرسته وکړي apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,رانيول بیې لېست DocType: Offer Letter Term,Offer Term,وړاندیز مهاله @@ -2185,11 +2189,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,د م DocType: Timesheet Detail,To Time,ته د وخت DocType: Authorization Rule,Approving Role (above authorized value),رول (اجازه ارزښت پورته) تصویب apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,د حساب د پور باید یو د راتلوونکې حساب وي -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},هیښ مخنیوی دی: {0} نه شي مور او يا ماشوم وي {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},هیښ مخنیوی دی: {0} نه شي مور او يا ماشوم وي {2} DocType: Production Order Operation,Completed Qty,بشپړ Qty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",د {0}، يوازې ډیبیټ حسابونو کولای شي د پور بل د ننوتلو په وړاندې سره وتړل شي apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,د بیې په لېست {0} معلول دی -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},د کتارونو تر {0}: بشپړ Qty نه زيات وي د {1} لپاره عمليات {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},د کتارونو تر {0}: بشپړ Qty نه زيات وي د {1} لپاره عمليات {2} DocType: Manufacturing Settings,Allow Overtime,اضافه اجازه apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serialized شمیره {0} سټاک پخلاينې سټاک انفاذ په کارولو سره، لطفا ګټه نه تازه شي apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serialized شمیره {0} سټاک پخلاينې سټاک انفاذ په کارولو سره، لطفا ګټه نه تازه شي @@ -2208,10 +2212,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,د بهرنيو apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,کارنان او حلال DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},تولید امر ايجاد شده: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},تولید امر ايجاد شده: {0} DocType: Branch,Branch,څانګه DocType: Guardian,Mobile Number,ګرځنده شمیره apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,د چاپونې او د عالمه +DocType: Company,Total Monthly Sales,ټول میاشتنۍ پلورنه DocType: Bin,Actual Quantity,واقعي اندازه DocType: Shipping Rule,example: Next Day Shipping,مثال په توګه: بل د ورځې په نقل apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,شعبه {0} ونه موندل شو @@ -2242,7 +2247,7 @@ DocType: Payment Request,Make Sales Invoice,د کمکیانو لپاره د خر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,دکمپیوتر apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,بل د تماس نېټه نه شي کولای د پخوا په وي DocType: Company,For Reference Only.,د ماخذ یوازې. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,انتخاب دسته نه +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,انتخاب دسته نه apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},باطلې {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,پرمختللی مقدار @@ -2255,7 +2260,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},سره Barcode نه د قالب {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Case شمیره نه شي کولای 0 وي DocType: Item,Show a slideshow at the top of the page,د پاڼې په سر کې یو سلاید وښایاست -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,دوکانونه DocType: Serial No,Delivery Time,د لېږدون وخت apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Ageing پر بنسټ @@ -2269,16 +2274,16 @@ DocType: Rename Tool,Rename Tool,ونوموئ اوزار apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,تازه لګښت DocType: Item Reorder,Item Reorder,د قالب ترمیمي apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,انکړپټه ښودل معاش ټوټه -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,د انتقال د موادو +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,د انتقال د موادو DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",د عملیاتو، د عملیاتي مصارفو ليکئ او نه ستاسو په عملیاتو یو بې ساری عملياتو ورکړي. apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,دغه سند له خوا حد دی {0} د {1} لپاره توکی {4}. آیا تاسو د ورته په وړاندې د بل {3} {2}؟ -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,لطفا جوړ ژغورلو وروسته تکراري -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,انتخاب بدلون اندازه حساب +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,لطفا جوړ ژغورلو وروسته تکراري +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,انتخاب بدلون اندازه حساب DocType: Purchase Invoice,Price List Currency,د اسعارو بیې لېست DocType: Naming Series,User must always select,کارن بايد تل انتخاب DocType: Stock Settings,Allow Negative Stock,د منفی دحمل اجازه DocType: Installation Note,Installation Note,نصب او یادونه -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,مالیات ورزیات کړئ +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,مالیات ورزیات کړئ DocType: Topic,Topic,موضوع apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,له مالي نقدو پیسو د جریان DocType: Budget Account,Budget Account,د بودجې د حساب @@ -2292,7 +2297,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,د و apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),د بودیجو سرچینه (مسؤلیتونه) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},په قطار مقدار {0} ({1}) بايد په توګه جوړيږي اندازه ورته وي {2} DocType: Appraisal,Employee,د کارګر -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,انتخاب دسته +DocType: Company,Sales Monthly History,د پلور میاشتني تاریخ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,انتخاب دسته apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} د {1} په بشپړه توګه بیل DocType: Training Event,End Time,د پاي وخت apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,د فعالو معاش جوړښت {0} لپاره د ورکړل شوي نیټی لپاره کارکوونکي {1} موندل @@ -2300,15 +2306,14 @@ DocType: Payment Entry,Payment Deductions or Loss,د پیسو وضع او يا apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,د پلورنې يا رانيول کره د قرارداد د شرطونو. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,له خوا د ګټمنو ګروپ apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,خرڅلاو نل -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},لطفا په معاش برخه default ګڼون جوړ {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},لطفا په معاش برخه default ګڼون جوړ {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,اړتیا ده DocType: Rename Tool,File to Rename,د نوم بدلول د دوتنې apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},لطفا په کتارونو لپاره د قالب هیښ غوره {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},حساب {0} سره د شرکت د {1} کې د حساب اکر سره سمون نه خوري: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},مشخص هیښ {0} لپاره د قالب نه شته {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,د ساتنې او ویش {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,د ساتنې او ویش {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي DocType: Notification Control,Expense Claim Approved,اخراجاتو ادعا تصویب -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د سایټ اپ> شمېره لړۍ له لارې د حاضریدو لړۍ سیسټم apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,د کارکوونکي معاش ټوټه {0} لا په دې موده کې جوړ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutical apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,د رانیولې سامان لګښت @@ -2325,7 +2330,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,لپاره د خت DocType: Upload Attendance,Attendance To Date,د نېټه حاضرۍ DocType: Warranty Claim,Raised By,راپورته By DocType: Payment Gateway Account,Payment Account,د پیسو حساب -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,مهرباني وکړئ د شرکت مشخص چې مخکې لاړ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,مهرباني وکړئ د شرکت مشخص چې مخکې لاړ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,په حسابونه ترلاسه خالص د بدلون apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,د معاوضې پړاو DocType: Offer Letter,Accepted,منل @@ -2335,12 +2340,12 @@ DocType: SG Creation Tool Course,Student Group Name,د زده کونکو د ډل apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,لطفا باوري تاسو په رښتيا غواړئ چې د دې شرکت د ټولو معاملو کې د ړنګولو. ستاسو بادار ارقام به پاتې شي دا. دا عمل ناکړل نه شي. DocType: Room,Room Number,کوټه شمېر apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},باطلې مرجع {0} د {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) د نه په پام کې quanitity څخه ډيره وي ({2}) په تولید نظم {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) د نه په پام کې quanitity څخه ډيره وي ({2}) په تولید نظم {3} DocType: Shipping Rule,Shipping Rule Label,انتقال حاکمیت نښه د apps/erpnext/erpnext/public/js/conf.js +28,User Forum,کارن فورم -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,خام مواد نه شي خالي وي. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.",کیدای شي سټاک د اوسمهالولو لپاره نه، صورتحساب لرونکی د څاڅکی انتقال توکی. -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,د چټک ژورنال انفاذ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,خام مواد نه شي خالي وي. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.",کیدای شي سټاک د اوسمهالولو لپاره نه، صورتحساب لرونکی د څاڅکی انتقال توکی. +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,د چټک ژورنال انفاذ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,تاسو نه شي کولای کچه بدلون که هیښ agianst مواد یاد DocType: Employee,Previous Work Experience,مخکینی کاری تجربه DocType: Stock Entry,For Quantity,د مقدار @@ -2397,7 +2402,7 @@ DocType: SMS Log,No of Requested SMS,نه د غوښتل پیغامونه apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,پرته د معاشونو د وتو سره تصويب اجازه کاریال اسنادو سمون نه خوري DocType: Campaign,Campaign-.####,کمپاين - #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,نور ګامونه -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,لطفا په ښه کچه د مشخص توکو د رسولو +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,لطفا په ښه کچه د مشخص توکو د رسولو DocType: Selling Settings,Auto close Opportunity after 15 days,د موټرونو په 15 ورځو وروسته نږدې فرصت apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,د پای کال apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / مشري٪ @@ -2435,7 +2440,7 @@ DocType: Homepage,Homepage,کورپاڼه DocType: Purchase Receipt Item,Recd Quantity,Recd مقدار apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},فیس سوابق ايجاد - {0} DocType: Asset Category Account,Asset Category Account,د شتمنیو د حساب کټه ګورۍ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},آیا د پلورنې نظم کمیت څخه زیات د قالب {0} د توليد نه {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},آیا د پلورنې نظم کمیت څخه زیات د قالب {0} د توليد نه {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,دحمل {0} د ننوتلو نه سپارل DocType: Payment Reconciliation,Bank / Cash Account,بانک / د نقدو پیسو حساب apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,بل تماس By نه شي کولای په غاړه دبرېښنا ليک پته په توګه ورته وي @@ -2468,7 +2473,7 @@ DocType: Salary Structure,Total Earning,Total وټې DocType: Purchase Receipt,Time at which materials were received,د وخت په کوم توکي ترلاسه کړ DocType: Stock Ledger Entry,Outgoing Rate,د تېرې Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,سازمان د څانګې د بادار. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,او یا +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,او یا DocType: Sales Order,Billing Status,د بیلونو په حالت apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,یو Issue راپور apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ټولګټې داخراجاتو @@ -2476,7 +2481,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,د کتارونو تر # {0}: ژورنال انفاذ {1} نه ګڼون لری {2} يا لا نه خوری بل کوپون پر وړاندې د DocType: Buying Settings,Default Buying Price List,Default د خريداري د بیې په لېست DocType: Process Payroll,Salary Slip Based on Timesheet,معاش ټوټه پر بنسټ Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,د پورته انتخاب معیارونه یا معاش ټوټه هیڅ یو کارمند د مخه جوړ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,د پورته انتخاب معیارونه یا معاش ټوټه هیڅ یو کارمند د مخه جوړ DocType: Notification Control,Sales Order Message,خرڅلاو نظم پيغام apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",د ټاکلو په تلواله ارزښتونو شرکت، د اسعارو، روان مالي کال، او داسې نور په شان DocType: Payment Entry,Payment Type,د پیسو ډول @@ -2501,7 +2506,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,د رسيد سند بايد وسپارل شي DocType: Purchase Invoice Item,Received Qty,ترلاسه Qty DocType: Stock Entry Detail,Serial No / Batch,شعبه / دسته -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,نه ورکړل او نه تحویلوونکی +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,نه ورکړل او نه تحویلوونکی DocType: Product Bundle,Parent Item,د موروپلار د قالب DocType: Account,Account Type,د حساب ډول DocType: Delivery Note,DN-RET-,DN-RET- @@ -2532,8 +2537,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,ټولې پیسې د apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,جوړ تلوالیزه لپاره د دايمي انبار انبار حساب DocType: Item Reorder,Material Request Type,د موادو غوښتنه ډول -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},څخه د {0} ته د معاشونو Accural ژورنال دکانکورازموينه {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save",LocalStorage دی پوره، خو د ژغورلو نه +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},څخه د {0} ته د معاشونو Accural ژورنال دکانکورازموينه {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",LocalStorage دی پوره، خو د ژغورلو نه apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,د کتارونو تر {0}: UOM د تغیر فکتور الزامی دی apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,دسرچینی یادونه DocType: Budget,Cost Center,لګښت مرکز @@ -2551,7 +2556,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,عا apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",که ټاکل د بیې د حاکمیت لپاره 'د بیو د' کړې، نو دا به د بیې په لېست ليکلی. د بیې د حاکمیت بيه وروستۍ بيه، له دې امله د لا تخفیف نه بايد پلی شي. نو له دې کبله، لکه د خرڅلاو د ترتیب پر اساس، د اخستلو امر او نور معاملو، نو دا به په کچه د ساحوي پايلي شي، پر ځای 'د بیې په لېست Rate' ډګر. apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track له خوا د صنعت ډول ځای شوی. DocType: Item Supplier,Item Supplier,د قالب عرضه -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,لطفا د قالب کوډ داخل ته داځکه تر لاسه نه +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,لطفا د قالب کوډ داخل ته داځکه تر لاسه نه apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},لورينه وکړئ د {0} quotation_to د ارزښت ټاکلو {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ټول Addresses. DocType: Company,Stock Settings,دحمل امستنې @@ -2578,7 +2583,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,واقعي Qty د را apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},نه معاش ټوټه تر منځ موندل {0} او {1} ,Pending SO Items For Purchase Request,SO سامان د اخستلو غوښتنه په تمه apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,د زده کوونکو د شمولیت -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} د {1} معلول دی +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} د {1} معلول دی DocType: Supplier,Billing Currency,د بیلونو د اسعارو DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,ډېر لوی @@ -2608,7 +2613,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,کاریال حالت DocType: Fees,Fees,فيس DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ليکئ د بدلولو نرخ ته بل یو اسعارو بدلوي -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,د داوطلبۍ {0} دی لغوه +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,د داوطلبۍ {0} دی لغوه apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Total وتلي مقدار DocType: Sales Partner,Targets,موخې DocType: Price List,Price List Master,د بیې په لېست ماسټر @@ -2625,7 +2630,7 @@ DocType: POS Profile,Ignore Pricing Rule,د بیې د حاکمیت له پامه DocType: Employee Education,Graduate,فارغ DocType: Leave Block List,Block Days,د بنديز ورځې DocType: Journal Entry,Excise Entry,وسیله انفاذ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},خبرداری: د پلورنې نظم {0} لا د پيرودونکو د اخستلو امر په وړاندې شتون لري {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},خبرداری: د پلورنې نظم {0} لا د پيرودونکو د اخستلو امر په وړاندې شتون لري {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2652,7 +2657,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),که ,Salary Register,معاش د نوم ثبتول DocType: Warehouse,Parent Warehouse,Parent ګدام DocType: C-Form Invoice Detail,Net Total,خالص Total -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Default هیښ لپاره توکی ونه موندل {0} او د پروژې د {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Default هیښ لپاره توکی ونه موندل {0} او د پروژې د {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,د پور د مختلفو ډولونو تعریف DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,بيالنس مقدار @@ -2689,7 +2694,7 @@ DocType: Salary Detail,Condition and Formula Help,حالت او فورمول م apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Manage خاوره د ونو. DocType: Journal Entry Account,Sales Invoice,خرڅلاو صورتحساب DocType: Journal Entry Account,Party Balance,ګوند بیلانس -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,مهرباني غوره Apply کمښت د +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,مهرباني غوره Apply کمښت د DocType: Company,Default Receivable Account,Default ترلاسه اکانټ DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,مجموعي معاش لپاره د پورته انتخاب معیارونه ورکول د بانک د انفاذ جوړول DocType: Stock Entry,Material Transfer for Manufacture,د جوړون د توکو لېږدونه د @@ -2703,7 +2708,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,پيرودونکو پته DocType: Employee Loan,Loan Details,د پور نورولوله DocType: Company,Default Inventory Account,Default موجودي حساب -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,د کتارونو تر {0}: بشپړ Qty باید له صفر څخه زیات وي. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,د کتارونو تر {0}: بشپړ Qty باید له صفر څخه زیات وي. DocType: Purchase Invoice,Apply Additional Discount On,Apply اضافي کمښت د DocType: Account,Root Type,د ريښي ډول DocType: Item,FIFO,FIFO @@ -2720,7 +2725,7 @@ DocType: Purchase Invoice Item,Quality Inspection,د کیفیت د تفتیش apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,اضافي واړه DocType: Company,Standard Template,معياري کينډۍ DocType: Training Event,Theory,تیوری -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,خبرداری: مادي غوښتل Qty دی لږ تر لږه نظم Qty څخه کم +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,خبرداری: مادي غوښتل Qty دی لږ تر لږه نظم Qty څخه کم apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,ګڼون {0} ده کنګل DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,قانوني نهاد / مستقلې سره د حسابونه د يو جلا چارت د سازمان پورې. DocType: Payment Request,Mute Email,ګونګ دبرېښنا ليک @@ -2744,7 +2749,7 @@ DocType: Training Event,Scheduled,ټاکل شوې apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,لپاره د آفرونو غوښتنه وکړي. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",لطفا د قالب غوره هلته "د دې لپاره دحمل د قالب" ده "نه" او "آیا د پلورنې د قالب" د "هو" او نورو د محصول د بنډل نه شته DocType: Student Log,Academic,علمي -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total دمخه ({0}) د ترتیب پر وړاندې د {1} نه شي کولای د Grand ټولو څخه ډيره وي ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total دمخه ({0}) د ترتیب پر وړاندې د {1} نه شي کولای د Grand ټولو څخه ډيره وي ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,میاشتنی ویش وټاکئ نا متوازنه توګه په ټول مياشتو هدفونو وویشي. DocType: Purchase Invoice Item,Valuation Rate,سنجي Rate DocType: Stock Reconciliation,SR/,SR / @@ -2810,6 +2815,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,نننیو DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,د کمپاین د نوم ورکړه که د معلوماتو سرچينه ده کمپاین apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,ورځپاڼې اخیستونکي apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,مالي کال وټاکئ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,د تمویل شوي اټکل باید د پلور امر نیټه وروسته وي apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,ترمیمي د ليول DocType: Company,Chart Of Accounts Template,د حسابونو کينډۍ چارت DocType: Attendance,Attendance Date,د حاضرۍ نېټه @@ -2841,7 +2847,7 @@ DocType: Pricing Rule,Discount Percentage,تخفیف سلنه DocType: Payment Reconciliation Invoice,Invoice Number,صورتحساب شمېر DocType: Shopping Cart Settings,Orders,امر کړی DocType: Employee Leave Approver,Leave Approver,Approver ووځي -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,مهرباني وکړئ داځکه انتخاب +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,مهرباني وکړئ داځکه انتخاب DocType: Assessment Group,Assessment Group Name,د ارزونې ډلې نوم DocType: Manufacturing Settings,Material Transferred for Manufacture,د جوړون مواد سپارل DocType: Expense Claim,"A user with ""Expense Approver"" role",A د "اخراجاتو Approver" رول د کارونکي عکس @@ -2878,7 +2884,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,د د راتلونکې میاشتې په وروستۍ ورځ DocType: Support Settings,Auto close Issue after 7 days,د موټرونو 7 ورځې وروسته له نږدې Issue apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",تر وتلو وړاندې نه شي کولای ځانګړي شي {0} په توګه رخصت انډول لا شوي دي انتقال-استولې چې په راتلونکي کې رخصت تخصيص ریکارډ {1} -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نوټ: له کبله / ماخذ نېټه له خوا د {0} په ورځ اجازه مشتريانو د پورونو ورځو څخه زيات (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نوټ: له کبله / ماخذ نېټه له خوا د {0} په ورځ اجازه مشتريانو د پورونو ورځو څخه زيات (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,د زده کوونکو د غوښتنليک DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,اصلي لپاره د دترلاسه DocType: Asset Category Account,Accumulated Depreciation Account,د استهلاک د حساب @@ -2889,7 +2895,7 @@ DocType: Item,Reorder level based on Warehouse,ترمیمي په کچه د پر DocType: Activity Cost,Billing Rate,د بیلونو په کچه ,Qty to Deliver,Qty ته تحویل ,Stock Analytics,دحمل Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,عملیاتو په خالي نه شي پاتې کېدای +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,عملیاتو په خالي نه شي پاتې کېدای DocType: Maintenance Visit Purpose,Against Document Detail No,په وړاندې د سند جزییات نشته apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,ګوند ډول فرض ده DocType: Quality Inspection,Outgoing,د تېرې @@ -2932,15 +2938,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,موجود Qty په ګدام apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,د بلونو د مقدار DocType: Asset,Double Declining Balance,Double کموالی بیلانس -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,د تړلو امر لغوه نه شي. Unclose لغوه. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,د تړلو امر لغوه نه شي. Unclose لغوه. DocType: Student Guardian,Father,پلار -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'تازه سټاک لپاره ثابته شتمني خرڅلاو نه وکتل شي +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'تازه سټاک لپاره ثابته شتمني خرڅلاو نه وکتل شي DocType: Bank Reconciliation,Bank Reconciliation,بانک پخلاينې DocType: Attendance,On Leave,په اړه چې رخصت apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ترلاسه تازه خبرونه apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} د {1}: Account {2} کوي چې د دې شرکت سره تړاو نه لري {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,د موادو غوښتنه {0} دی لغوه یا ودرول -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,نمونه اسنادو يو څو ورزیات کړئ +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,نمونه اسنادو يو څو ورزیات کړئ apps/erpnext/erpnext/config/hr.py +301,Leave Management,د مدیریت څخه ووځي apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,له خوا د حساب ګروپ DocType: Sales Order,Fully Delivered,په بشپړه توګه وسپارل شول @@ -2949,12 +2955,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",توپير حساب باید یو د شتمنیو / Liability ډول په پام کې وي، ځکه په دې کې دحمل پخلاينې يو پرانیستل انفاذ دی apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},ورکړل شوي مقدار نه شي کولای د پور مقدار زیات وي {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},نظم لپاره د قالب اړتیا پیري {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,تولید نظم نه جوړ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,تولید نظم نه جوړ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','له نېټه باید وروسته' ته د نېټه وي apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},آیا په توګه د زده کوونکو حالت بدل نه {0} کې د زده کوونکو د غوښتنلیک سره تړاو دی {1} DocType: Asset,Fully Depreciated,په بشپړه توګه راکم شو ,Stock Projected Qty,دحمل وړاندوینی Qty -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},پيرودونکو {0} نه تړاو نه لري د پروژې د {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},پيرودونکو {0} نه تړاو نه لري د پروژې د {1} DocType: Employee Attendance Tool,Marked Attendance HTML,د پام وړ د حاضرۍ د HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",د داوطلبۍ دي وړانديزونه، د داوطلبۍ د خپل مشتريان تاسو ته ليږلي دي DocType: Sales Order,Customer's Purchase Order,پيرودونکو د اخستلو امر @@ -2964,7 +2970,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,مهرباني وکړئ ټاکل د Depreciations شمېر بک apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ارزښت او يا د Qty apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions امر لپاره نه شي مطرح شي: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,دقیقه +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,دقیقه DocType: Purchase Invoice,Purchase Taxes and Charges,مالیات او په تور پیري ,Qty to Receive,Qty له لاسه DocType: Leave Block List,Leave Block List Allowed,پريږدئ بالک بشپړفهرست اجازه @@ -2978,7 +2984,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ټول عرضه ډولونه DocType: Global Defaults,Disable In Words,نافعال په وييکي apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,د قالب کوډ لازمي ده، ځکه د قالب په اتوماتيک ډول شمېر نه -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},د داوطلبۍ {0} نه د ډول {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},د داوطلبۍ {0} نه د ډول {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,د ساتنې او مهال ویش د قالب DocType: Sales Order,% Delivered,٪ تحویلوونکی DocType: Production Order,PRO-,پلوه @@ -3001,7 +3007,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,پلورونکی دبرېښنا ليک DocType: Project,Total Purchase Cost (via Purchase Invoice),Total رانيول لګښت (له لارې رانيول صورتحساب) DocType: Training Event,Start Time,د پيل وخت -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,انتخاب مقدار +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,انتخاب مقدار DocType: Customs Tariff Number,Customs Tariff Number,د ګمرکي تعرفې شمیره apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,رول تصویب نه شي کولای ورته په توګه رول د واکمنۍ ته د تطبیق وړ وي apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,له دې ليک Digest وباسو @@ -3025,7 +3031,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR تفصیلي DocType: Sales Order,Fully Billed,په بشپړ ډول محاسبې ته apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,د نغدو پيسو په لاس -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},د سپارنې پرمهال ګودام لپاره سټاک توکی اړتیا {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},د سپارنې پرمهال ګودام لپاره سټاک توکی اړتیا {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),د بنډل خالص وزن. معمولا د خالص وزن + د بسته بندۍ مواد وزن. (د چاپي) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,پروګرام DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,سره د دغه رول د کاروونکو دي چې کنګل شوي حسابونه کنګل شوي حسابونه په وړاندې د محاسبې زياتونې جوړ او رامنځته / تعديلوي اجازه @@ -3035,7 +3041,7 @@ DocType: Student Group,Group Based On,ګروپ پر بنسټ DocType: Journal Entry,Bill Date,بیل نېټه apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required",د خدمتونو د قالب، ډول، د فریکونسي او لګښتونو اندازه اړ دي apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",حتی که د لوړ لومړیتوب څو د بیو اصول شته دي، نو لاندې داخلي لومړیتوبونو دي استعمال: -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},تاسو په رښتيا غواړئ چې د {0} چې په معاش د ټولو ټوټه سپارل {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},تاسو په رښتيا غواړئ چې د {0} چې په معاش د ټولو ټوټه سپارل {1} DocType: Cheque Print Template,Cheque Height,آرډر لوړوالی DocType: Supplier,Supplier Details,عرضه نورولوله DocType: Expense Claim,Approval Status,تصویب حالت @@ -3057,7 +3063,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,ته د داوطلب apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,هیڅ مطلب ته وښيي. DocType: Lead,From Customer,له پيرودونکو apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,غږ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,دستو +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,دستو DocType: Project,Total Costing Amount (via Time Logs),Total لګښت مقدار (له لارې د وخت کندي) DocType: Purchase Order Item Supplied,Stock UOM,دحمل UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,پیري نظم {0} نه سپارل @@ -3089,7 +3095,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,بېرته پر وړا DocType: Item,Warranty Period (in days),ګرنټی د دورې (په ورځو) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,سره د اړیکو Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,له عملیاتو خالص د نغدو -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,د بيلګې په توګه VAT +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,د بيلګې په توګه VAT apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,د قالب 4 DocType: Student Admission,Admission End Date,د شاملیدو د پای نیټه apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,فرعي قرارداد @@ -3097,7 +3103,7 @@ DocType: Journal Entry Account,Journal Entry Account,ژورنال انفاذ ا apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,د زده کونکو د ګروپ DocType: Shopping Cart Settings,Quotation Series,د داوطلبۍ لړۍ apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",توکی سره د ورته نوم شتون لري ({0})، لطفا د توکي ډلې نوم بدل کړي او يا د جنس نوم بدلولی شی -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,لطفا د مشتريانو د ټاکلو +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,لطفا د مشتريانو د ټاکلو DocType: C-Form,I,زه DocType: Company,Asset Depreciation Cost Center,د شتمنيو د استهالک لګښت مرکز DocType: Sales Order Item,Sales Order Date,خرڅلاو نظم نېټه @@ -3108,6 +3114,7 @@ DocType: Stock Settings,Limit Percent,حد سلنه ,Payment Period Based On Invoice Date,د پیسو د دورې پر بنسټ د صورتحساب نېټه apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},د ورکو پیسو د بدلولو د نرخونو او {0} DocType: Assessment Plan,Examiner,Examiner +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,مهرباني وکړئ د سایټ نوم نومول د سیٹ اپ> ترتیباتو له لارې {0} نومونې لړۍ وټاکئ DocType: Student,Siblings,ورور DocType: Journal Entry,Stock Entry,دحمل انفاذ DocType: Payment Entry,Payment References,د پیسو ماخذونه @@ -3132,7 +3139,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,هلته عملیاتو په جوړولو سره کيږي. DocType: Asset Movement,Source Warehouse,سرچینه ګدام DocType: Installation Note,Installation Date,نصب او نېټه -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},د کتارونو تر # {0}: د شتمنیو د {1} نه شرکت سره تړاو نه لري {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},د کتارونو تر # {0}: د شتمنیو د {1} نه شرکت سره تړاو نه لري {2} DocType: Employee,Confirmation Date,باوريينه نېټه DocType: C-Form,Total Invoiced Amount,Total رسیدونو د مقدار apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty نه شي کولای Max Qty څخه ډيره وي @@ -3207,7 +3214,7 @@ DocType: Company,Default Letter Head,افتراضي لیک مشر DocType: Purchase Order,Get Items from Open Material Requests,له پرانیستې مادي غوښتنې لپاره توکي ترلاسه کړئ DocType: Item,Standard Selling Rate,معياري پلورل Rate DocType: Account,Rate at which this tax is applied,په ميزان کي دغه ماليه د اجرا وړ ده -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,ترمیمي Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,ترمیمي Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,اوسنۍ دنده په پرانیستولو DocType: Company,Stock Adjustment Account,دحمل اصلاحاتو اکانټ apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,ولیکئ پړاو @@ -3221,7 +3228,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,عرضه کوونکي ته پيرودونکو برابروی apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# فورمه / د قالب / {0}) د ونډې څخه ده apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,بل نېټه بايد پست کوي نېټه څخه ډيره وي -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},له امله / ماخذ نېټه وروسته نه شي {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},له امله / ماخذ نېټه وروسته نه شي {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,په معلوماتو کې د وارداتو او صادراتو د apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,نه زده کوونکي موندل apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,صورتحساب نوکرې نېټه @@ -3242,12 +3249,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,دا د دې د زده کوونکو د ګډون پر بنسټ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,په هيڅ ډول زده کوونکي apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,نور توکي یا علني بشپړه فورمه ورزیات کړئ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',لطفا 'د تمی د سپارلو نېټه' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,د سپارنې پرمهال یاداښتونه {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,د سپارنې پرمهال یاداښتونه {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ورکړل اندازه + ولیکئ پړاو مقدار نه شي کولای په پرتله Grand Total ډيره وي apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} لپاره د قالب یو باوري دسته شمېر نه دی {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},نوټ: د اجازه ډول کافي رخصت توازن نه شته {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,ناسم GSTIN يا د ناثبت شویو NA وليکئ +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,ناسم GSTIN يا د ناثبت شویو NA وليکئ DocType: Training Event,Seminar,سیمینار DocType: Program Enrollment Fee,Program Enrollment Fee,پروګرام شمولیت فیس DocType: Item,Supplier Items,عرضه سامان @@ -3265,7 +3271,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,دحمل Ageing apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},د زده کونکو د {0} زده کوونکو د درخواست په وړاندې د شته {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' معلول دی +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' معلول دی apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,د ټاکل شويو Open DocType: Cheque Print Template,Scanned Cheque,سکن آرډر DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,اتومات بریښنالیکونو ته سپارل معاملو د اړيکې وليږئ. @@ -3312,7 +3318,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,د بیې په لېست د بدلولو نرخ DocType: Purchase Invoice Item,Rate,Rate apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,intern -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,پته نوم +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,پته نوم DocType: Stock Entry,From BOM,له هیښ DocType: Assessment Code,Assessment Code,ارزونه کوډ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,د اساسي @@ -3325,20 +3331,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,معاش جوړښت DocType: Account,Bank,بانک د apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,هوايي شرکت -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Issue مواد +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Issue مواد DocType: Material Request Item,For Warehouse,د ګدام DocType: Employee,Offer Date,وړاندیز نېټه apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Quotations -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,تاسو په نالیکي اکر کې دي. تاسو به ونه کړای شي تر هغه وخته چې د شبکې لري بيا راولېښئ. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,تاسو په نالیکي اکر کې دي. تاسو به ونه کړای شي تر هغه وخته چې د شبکې لري بيا راولېښئ. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,نه د زده کوونکو ډلو جوړ. DocType: Purchase Invoice Item,Serial No,پر له پسې ګڼه apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,میاشتنی پور بيرته مقدار نه شي کولای د پور مقدار زیات شي apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,مهرباني وکړئ لومړی داخل Maintaince نورولوله +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: د تمویل شوي نیټه نیټه د اخیستلو د نیټې نه مخکې نشي کیدی DocType: Purchase Invoice,Print Language,چاپ ژبه DocType: Salary Slip,Total Working Hours,Total کاري ساعتونه DocType: Stock Entry,Including items for sub assemblies,په شمول د فرعي شوراګانو لپاره شیان -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,وليکئ ارزښت باید مثبتې وي -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,د توکو کود> توکي ګروپ> برنامه +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,وليکئ ارزښت باید مثبتې وي apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ټول سیمې DocType: Purchase Invoice,Items,توکي apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,د زده کوونکو د مخکې شامل. @@ -3361,7 +3367,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',د variant اندازه Default واحد '{0}' باید په کينډۍ ورته وي '{1}' DocType: Shipping Rule,Calculate Based On,محاسبه په اساس DocType: Delivery Note Item,From Warehouse,له ګدام -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,سره د توکو بیل نه توکي تولید +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,سره د توکو بیل نه توکي تولید DocType: Assessment Plan,Supervisor Name,څارونکي نوم DocType: Program Enrollment Course,Program Enrollment Course,پروګرام شمولیت کورس DocType: Program Enrollment Course,Program Enrollment Course,پروګرام شمولیت کورس @@ -3377,23 +3383,23 @@ DocType: Training Event Employee,Attended,ګډون apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'ورځو راهیسې تېر نظم' باید په پرتله لویه یا د صفر سره مساوي وي DocType: Process Payroll,Payroll Frequency,د معاشونو د فریکونسۍ DocType: Asset,Amended From,تعدیل له -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,خام توکي +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,خام توکي DocType: Leave Application,Follow via Email,ایمیل له لارې تعقيب apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,د نباتاتو او ماشینونو DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,د مالیې د مقدار کمښت مقدار وروسته DocType: Daily Work Summary Settings,Daily Work Summary Settings,هره ورځ د کار لنډیز امستنې -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},د بیې د {0} لست د اسعارو د ټاکل شوې د اسعارو ورته نه دی {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},د بیې د {0} لست د اسعارو د ټاکل شوې د اسعارو ورته نه دی {1} DocType: Payment Entry,Internal Transfer,کورني انتقال apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,د دې په پام کې د ماشومانو د حساب موجود دی. تاسو نه شي کولای دغه بانکی حساب د ړنګولو. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,يا هدف qty يا هدف اندازه فرض ده apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},نه default هیښ لپاره د قالب موجود {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,مهرباني وکړئ لومړی انتخاب نوکرې نېټه +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,مهرباني وکړئ لومړی انتخاب نوکرې نېټه apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,پرانيستل نېټه بايد تړل د نیټې څخه مخکې وي DocType: Leave Control Panel,Carry Forward,مخ په وړاندې ترسره کړي apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,د موجوده معاملو لګښت مرکز بدل نه شي چې د پنډو DocType: Department,Days for which Holidays are blocked for this department.,ورځو لپاره چې د رخصتۍ لپاره د دې ادارې تړل شوي دي. ,Produced,تولید -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,ايجاد معاش رسید +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,ايجاد معاش رسید DocType: Item,Item Code for Suppliers,د عرضه کوونکي د قالب کوډ DocType: Issue,Raised By (Email),راپورته By (Email) DocType: Training Event,Trainer Name,د روزونکي نوم @@ -3401,9 +3407,10 @@ DocType: Mode of Payment,General,جنرال apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,تېر مخابراتو apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,تېر مخابراتو apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',وضع نه شي کله چې وېشنيزه کې د 'ارزښت' یا د 'ارزښت او Total' دی -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",ستاسو د مالیه سرونه لست؛ د دوی د معياري کچه (د بيلګې په VAT، د ګمرکونو او نور نو بايد بې سارې نومونو لري) او. دا به د يوې معياري کېنډۍ، چې تاسو کولای شي د سمولو او وروسته اضافه رامنځته کړي. +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",ستاسو د مالیه سرونه لست؛ د دوی د معياري کچه (د بيلګې په VAT، د ګمرکونو او نور نو بايد بې سارې نومونو لري) او. دا به د يوې معياري کېنډۍ، چې تاسو کولای شي د سمولو او وروسته اضافه رامنځته کړي. apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},د Serialized د قالب سریال ترانسفارمرونو د مطلوب {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,سره صورتحساب لوبه د پیسو ورکړه +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Row # {0}: مهرباني وکړئ د توکو په وړاندې د سپارلو نېټه ولیکئ {1} DocType: Journal Entry,Bank Entry,بانک د داخلولو DocType: Authorization Rule,Applicable To (Designation),د تطبیق وړ د (دنده) ,Profitability Analysis,دګټي تحلیل @@ -3419,17 +3426,18 @@ DocType: Quality Inspection,Item Serial No,د قالب شعبه apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,کارکوونکی سوابق جوړول apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total حاضر apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,د محاسبې څرګندونې -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,ساعت +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,ساعت apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,نوی شعبه نه شي ګدام لري. ګدام باید د سټاک انفاذ يا رانيول رسيد جوړ شي DocType: Lead,Lead Type,سرب د ډول apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,تاسو اختيار نه لري چې پر بالک نیټی پاڼو تصویب -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,دا ټول توکي لا د رسیدونو شوي +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,دا ټول توکي لا د رسیدونو شوي +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,د میاشتنۍ خرڅلاو هدف apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},آیا له خوا تصویب شي {0} DocType: Item,Default Material Request Type,Default د موادو غوښتنه ډول apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,نامعلوم DocType: Shipping Rule,Shipping Rule Conditions,انتقال حاکمیت شرايط DocType: BOM Replace Tool,The new BOM after replacement,د ځای ناستی وروسته د نوي هیښ -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,د دخرسون ټکی +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,د دخرسون ټکی DocType: Payment Entry,Received Amount,د مبلغ DocType: GST Settings,GSTIN Email Sent On,GSTIN برېښناليک لېږلو د DocType: Program Enrollment,Pick/Drop by Guardian,دپاک / خوا ګارډین 'خه @@ -3446,8 +3454,8 @@ DocType: Batch,Source Document Name,سرچینه د سند نوم DocType: Batch,Source Document Name,سرچینه د سند نوم DocType: Job Opening,Job Title,د دندې سرلیک apps/erpnext/erpnext/utilities/activation.py +97,Create Users,کارنان جوړول -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,ګرام -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,مقدار تولید باید په پرتله 0 ډيره وي. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,ګرام +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,مقدار تولید باید په پرتله 0 ډيره وي. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,د ساتنې غوښتنې ته راپور ته سفر وکړي. DocType: Stock Entry,Update Rate and Availability,تازه Rate او پیدايښت DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,سلنه تاسو اجازه لري چې د تر لاسه او یا د کمیت امر په وړاندې د زيات ورسوي. د مثال په توګه: که تاسو د 100 واحدونو ته امر وکړ. او ستاسو امتياز٪ 10 نو بيا تاسو ته اجازه لري چې 110 واحدونه ترلاسه ده. @@ -3460,7 +3468,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,لطفا لغوه رانيول صورتحساب {0} په لومړي apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",دبرېښنا ليک پته بايد د بې سارې وي، له مخکې د شتون {0} DocType: Serial No,AMC Expiry Date,AMC د پای نېټه -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,رسيد +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,رسيد ,Sales Register,خرڅلاو د نوم ثبتول DocType: Daily Work Summary Settings Company,Send Emails At,برېښناليک وليږئ کې DocType: Quotation,Quotation Lost Reason,د داوطلبۍ ورک دلیل @@ -3473,14 +3481,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,نه پېرې apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,نقدو پیسو د جریان اعلامیه apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},د پور مقدار نه شي کولای د اعظمي پور مقدار زیات {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,منښتليک -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},لطفا لرې دې صورتحساب {0} څخه C-فورمه {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},لطفا لرې دې صورتحساب {0} څخه C-فورمه {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,مهرباني غوره مخ په وړاندې ترسره کړي که تاسو هم غواړي چې عبارت دي د تېر مالي کال د توازن د دې مالي کال ته روان شو DocType: GL Entry,Against Voucher Type,په وړاندې د ګټمنو ډول DocType: Item,Attributes,صفات apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,لطفا حساب ولیکئ پړاو apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,تېره نظم نېټه apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},ګڼون {0} کوي شرکت ته نه پورې {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,په قطار {0} سریال شمیرې سره د سپارلو يادونه سره سمون نه خوري +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,په قطار {0} سریال شمیرې سره د سپارلو يادونه سره سمون نه خوري DocType: Student,Guardian Details,د ګارډین په بشپړه توګه کتل DocType: C-Form,C-Form,C-فورمه apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,د څو کارکوونکي مارک حاضريدل @@ -3512,16 +3520,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,ل DocType: Tax Rule,Sales,خرڅلاو DocType: Stock Entry Detail,Basic Amount,اساسي مقدار DocType: Training Event,Exam,ازموينه -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},ګدام لپاره سټاک د قالب اړتیا {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},ګدام لپاره سټاک د قالب اړتیا {0} DocType: Leave Allocation,Unused leaves,ناکارېدلې پاڼي -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,CR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,CR DocType: Tax Rule,Billing State,د بیلونو د بهرنیو چارو apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,د انتقال د apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} د {1} سره ګوند حساب تړاو نه {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),چاودنه هیښ (فرعي شوراګانو په ګډون) د راوړلو +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),چاودنه هیښ (فرعي شوراګانو په ګډون) د راوړلو DocType: Authorization Rule,Applicable To (Employee),د تطبیق وړ د (کارکوونکی) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,له امله نېټه الزامی دی apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,د خاصې لپاره بهرمن {0} 0 نه شي +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,پېرودونکي> پیرودونکي ګروپ> ساحه DocType: Journal Entry,Pay To / Recd From,د / Recd له ورکړي DocType: Naming Series,Setup Series,Setup لړۍ DocType: Payment Reconciliation,To Invoice Date,ته صورتحساب نېټه @@ -3548,7 +3557,7 @@ DocType: Journal Entry,Write Off Based On,ولیکئ پړاو پر بنسټ apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,د کمکیانو لپاره د مشرتابه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,چاپ او قرطاسيه DocType: Stock Settings,Show Barcode Field,انکړپټه ښودل Barcode ساحوي -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,عرضه برېښناليک وليږئ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,عرضه برېښناليک وليږئ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",معاش لا د تر منځ د {0} او {1}، پريږدئ درخواست موده دې نېټې لړ تر منځ نه وي موده پروسس. apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,لپاره د سریال شمیره نصب ریکارډ DocType: Guardian Interest,Guardian Interest,د ګارډین په زړه پوري @@ -3562,7 +3571,7 @@ DocType: Offer Letter,Awaiting Response,په تمه غبرګون apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,پورته apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},ناباوره ځانتیا د {0} د {1} DocType: Supplier,Mention if non-standard payable account,یادونه که غیر معیاري د تادیې وړ حساب -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ورته توکی دی څو ځله داخل شوي دي. {لست} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},ورته توکی دی څو ځله داخل شوي دي. {لست} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',لطفا د ارزونې په پرتله 'ټول ارزونه ډلو د نورو ګروپ غوره DocType: Salary Slip,Earning & Deduction,وټې & Deduction apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختیاري. دا امستنې به په بېلا بېلو معاملو چاڼ وکارول شي. @@ -3581,7 +3590,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,د پرزه د شتمنیو د لګښت apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} د {1}: لګښت لپاره مرکز د قالب الزامی دی {2} DocType: Vehicle,Policy No,د پالیسۍ نه -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,څخه د محصول د بنډل توکي ترلاسه کړئ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,څخه د محصول د بنډل توکي ترلاسه کړئ DocType: Asset,Straight Line,سیده کرښه DocType: Project User,Project User,د پروژې د کارن apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,وېشل شوى @@ -3596,6 +3605,7 @@ DocType: Bank Reconciliation,Payment Entries,د پیسو توکي DocType: Production Order,Scrap Warehouse,د اوسپنې ګدام DocType: Production Order,Check if material transfer entry is not required,وګورئ که د موادو د ليږدونې د ننوتلو ته اړتيا نه ده DocType: Production Order,Check if material transfer entry is not required,وګورئ که د موادو د ليږدونې د ننوتلو ته اړتيا نه ده +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري منابعو> بشري سیسټمونو کې د کارمندانو نومونې سیستم ترتیب کړئ DocType: Program Enrollment Tool,Get Students From,زده کونکي له ترلاسه کړئ DocType: Hub Settings,Seller Country,پلورونکی هېواد apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,په وېب پاڼه د خپرېدو لپاره توکي @@ -3614,19 +3624,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,شرایطو ته انتقال اندازه محاسبه ليکئ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,رول اجازه ګنګل حسابونه ایډیټ ګنګل توکي ټاکل شوی apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,ته د پنډو لګښت مرکز بدلوي نشي کولای، ځکه دا د ماشوم غوټو لري -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,د پرانستلو په ارزښت +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,د پرانستلو په ارزښت DocType: Salary Detail,Formula,فورمول apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,سریال # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,د کمیسیون په خرڅلاو DocType: Offer Letter Term,Value / Description,د ارزښت / Description -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",د کتارونو تر # {0}: د شتمنیو د {1} نه شي وړاندې شي، دا لا دی {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",د کتارونو تر # {0}: د شتمنیو د {1} نه شي وړاندې شي، دا لا دی {2} DocType: Tax Rule,Billing Country,د بیلونو د هېواد DocType: Purchase Order Item,Expected Delivery Date,د تمی د سپارلو نېټه apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ډیبیټ او اعتبار د {0} # مساوي نه {1}. توپير دی {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,ساعتېري داخراجاتو apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,د موادو غوښتنه د کمکیانو لپاره د apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},د پرانیستې شمیره {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,خرڅلاو صورتحساب {0} بايد لغوه شي بندول د دې خرڅلاو نظم مخکې +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,خرڅلاو صورتحساب {0} بايد لغوه شي بندول د دې خرڅلاو نظم مخکې apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,عمر DocType: Sales Invoice Timesheet,Billing Amount,د بیلونو په مقدار apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,باطلې کمیت لپاره توکی مشخص {0}. مقدار باید په پرتله 0 ډيره وي. @@ -3649,7 +3659,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,نوي پېرېدونکي د عوایدو apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,د سفر لګښت DocType: Maintenance Visit,Breakdown,د ماشین یا د ګاډي ناڅاپه خرابېدل -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ګڼون: {0} سره اسعارو: {1} غوره نه شي +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,ګڼون: {0} سره اسعارو: {1} غوره نه شي DocType: Bank Reconciliation Detail,Cheque Date,آرډر نېټه apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},ګڼون {0}: Parent حساب {1} نه پورې شرکت نه لري چې: {2} DocType: Program Enrollment Tool,Student Applicants,د زده کونکو د درخواست @@ -3669,11 +3679,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,د پ DocType: Material Request,Issued,صادر شوی apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,د زده کونکو د فعالیت DocType: Project,Total Billing Amount (via Time Logs),Total اولګښت مقدار (له لارې د وخت کندي) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,موږ د دې توکي وپلوري +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,موږ د دې توکي وپلوري apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,عرضه Id DocType: Payment Request,Payment Gateway Details,د پیسو ليدونکی نورولوله -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,مقدار باید په پرتله ډيره وي 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,نمونه د معلوماتو د +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,مقدار باید په پرتله ډيره وي 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,نمونه د معلوماتو د DocType: Journal Entry,Cash Entry,د نغدو پیسو د داخلولو apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,د ماشومانو د غوټو يوازې ډله 'ډول غوټو لاندې جوړ شي DocType: Leave Application,Half Day Date,نيمه ورځ نېټه @@ -3682,17 +3692,18 @@ DocType: Sales Partner,Contact Desc,تماس نزولی apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.",د پاڼو په شان واله ډول، ناروغ او داسې نور DocType: Email Digest,Send regular summary reports via Email.,منظم لنډیز راپورونه ليک له لارې واستوئ. DocType: Payment Entry,PE-,پيشبيني شوي -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},لطفا په اخراجاتو ادعا ډول default ګڼون جوړ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},لطفا په اخراجاتو ادعا ډول default ګڼون جوړ {0} DocType: Assessment Result,Student Name,د زده کوونکو نوم DocType: Brand,Item Manager,د قالب مدير apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,د معاشونو د راتلوونکې DocType: Buying Settings,Default Supplier Type,Default عرضه ډول DocType: Production Order,Total Operating Cost,Total عملياتي لګښت -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,يادونه: د قالب {0} څو ځلې ننوتل +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,يادونه: د قالب {0} څو ځلې ننوتل apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ټول د اړيکې. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,خپل هدف وټاکئ apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,شرکت Abbreviation apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,کارن {0} نه شته -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,خام مواد نشي کولای، ځکه اصلي قالب ورته وي +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,خام مواد نشي کولای، ځکه اصلي قالب ورته وي DocType: Item Attribute Value,Abbreviation,لنډیزونه apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,د پیسو د داخلولو د مخکې نه شتون apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,نه authroized راهیسې {0} حدودو څخه تجاوز @@ -3710,7 +3721,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,رول اجازه کن ,Territory Target Variance Item Group-Wise,خاوره د هدف وړ توپیر د قالب ګروپ تدبيراومصلحت apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ټول پيرودونکو ډلې apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,جمع میاشتنی -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی دی. ښايي د پیسو د بدلولو ریکارډ نه د {1} د {2} جوړ. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی دی. ښايي د پیسو د بدلولو ریکارډ نه د {1} د {2} جوړ. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,د مالياتو د کينډۍ الزامی دی. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,ګڼون {0}: Parent حساب {1} نه شته DocType: Purchase Invoice Item,Price List Rate (Company Currency),د بیې په لېست کچه (د شرکت د اسعارو) @@ -3721,7 +3732,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,سلنه تخصي apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,منشي DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",که ناتوان، 'په لفظ' ډګر به په هيڅ معامله د لیدو وړ وي DocType: Serial No,Distinct unit of an Item,د يو قالب توپیر واحد -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,لطفا جوړ شرکت +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,لطفا جوړ شرکت DocType: Pricing Rule,Buying,د خريداري DocType: HR Settings,Employee Records to be created by,د کارګر سوابق له خوا جوړ شي DocType: POS Profile,Apply Discount On,Apply کمښت د @@ -3732,7 +3743,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,د قالب تدبيراومصلحت سره د مالياتو د تفصیلي apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,انستیتوت Abbreviation ,Item-wise Price List Rate,د قالب-هوښيار بیې په لېست کې و ارزوئ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,عرضه کوونکي د داوطلبۍ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,عرضه کوونکي د داوطلبۍ DocType: Quotation,In Words will be visible once you save the Quotation.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د داوطلبۍ وژغوري. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) نه په قطار یوه برخه وي {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) نه په قطار یوه برخه وي {1} @@ -3756,7 +3767,7 @@ Updated via 'Time Log'",په دقيقه يي روز 'د وخت څېره' DocType: Customer,From Lead,له کوونکۍ apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,امر د تولید لپاره د خوشې شول. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,مالي کال لپاره وټاکه ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS د پېژندنې اړتيا ته POS انفاذ لپاره +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS د پېژندنې اړتيا ته POS انفاذ لپاره DocType: Program Enrollment Tool,Enroll Students,زده کوونکي شامل کړي DocType: Hub Settings,Name Token,نوم د نښې apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,معياري پلورل @@ -3774,7 +3785,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,دحمل ارزښت بدلو apps/erpnext/erpnext/config/learn.py +234,Human Resource,د بشري منابعو DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,قطعا د پخلاينې د پیسو apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,د مالياتو د جايدادونو د -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},د تولید د ترتیب شوی دی {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},د تولید د ترتیب شوی دی {0} DocType: BOM Item,BOM No,هیښ نه DocType: Instructor,INS/,ISP د / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ژورنال انفاذ {0} نه په پام کې نه لري د {1} يا لا نه خوری نورو کوپون پر وړاندې د @@ -3788,7 +3799,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,له .c apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,بيالنس نننیو DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ټولګې اهدافو د قالب ګروپ-هوښيار د دې خرڅلاو شخص. DocType: Stock Settings,Freeze Stocks Older Than [Days],د يخبندان په ډیپو کې د زړو څخه [ورځې] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,د کتارونو تر # {0}: د شتمنیو لپاره ثابته شتمني د اخیستلو / خرڅلاو الزامی دی +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,د کتارونو تر # {0}: د شتمنیو لپاره ثابته شتمني د اخیستلو / خرڅلاو الزامی دی apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",که دوه يا زيات د بیې اصول دي د پورته شرايطو پر بنسټ وموندل شول، د لومړيتوب په توګه استعماليږي. د لومړیتوب دا دی چې 20 0 تر منځ د یو شمیر داسې حال کې تلواله ارزښت صفر ده (تش). د لوړو شمېر معنی چې که له هماغه حالت ته څو د بیو اصول شته دي دا به د لمړيتوب حق واخلي. apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,مالي کال: {0} نه شتون DocType: Currency Exchange,To Currency,د پیسو د @@ -3797,7 +3808,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,د اخراجات apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},د پلورلو لپاره د توکی کچه {0} کمه ده چې د خپلو {1}. خرڅول کچه باید تيروخت {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},د پلورلو لپاره د توکی کچه {0} کمه ده چې د خپلو {1}. خرڅول کچه باید تيروخت {2} DocType: Item,Taxes,مالیات -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,ورکړل او نه تحویلوونکی +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,ورکړل او نه تحویلوونکی DocType: Project,Default Cost Center,Default لګښت مرکز DocType: Bank Guarantee,End Date,د پای نیټه apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,دحمل معاملې @@ -3814,7 +3825,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,هره ورځ د کار لنډیز امستنې شرکت apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,د قالب {0} ځکه چې له پامه غورځول يوه سټاک توکی نه دی DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,د نور د پروسس د دې تولید نظم ته وړاندې کړي. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,د نور د پروسس د دې تولید نظم ته وړاندې کړي. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",ته په یوه ځانګړی د راکړې ورکړې د بیو د حاکمیت د پلي کېدو وړ نه، ټولو تطبيقېدونکو د بیې اصول بايد نافعال شي. DocType: Assessment Group,Parent Assessment Group,د موروپلار د ارزونې ګروپ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,دندې @@ -3822,10 +3833,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,دندې DocType: Employee,Held On,جوړه apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,د توليد د قالب ,Employee Information,د کارګر معلومات -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),کچه)٪ ( +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),کچه)٪ ( DocType: Stock Entry Detail,Additional Cost,اضافي لګښت apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",نه ګټمنو نه پر بنسټ کولای شي Filter، که ګروپ له خوا د ګټمنو -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,عرضه د داوطلبۍ د کمکیانو لپاره +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,عرضه د داوطلبۍ د کمکیانو لپاره DocType: Quality Inspection,Incoming,راتلونکي DocType: BOM,Materials Required (Exploded),د توکو ته اړتیا ده (چاودنه) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",کارنان ستاسو د سازمان په پرتله خپل ځان د نورو ورزیات کړئ، @@ -3841,7 +3852,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ګڼون: {0} يوازې دحمل معاملې له لارې تازه شي DocType: Student Group Creation Tool,Get Courses,کورسونه ترلاسه کړئ DocType: GL Entry,Party,ګوند -DocType: Sales Order,Delivery Date,د سپارنې نېټه +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,د سپارنې نېټه DocType: Opportunity,Opportunity Date,فرصت نېټه DocType: Purchase Receipt,Return Against Purchase Receipt,پر وړاندې د رانيول د رسيد Return DocType: Request for Quotation Item,Request for Quotation Item,لپاره د داوطلبۍ د قالب غوښتنه @@ -3855,7 +3866,7 @@ DocType: Task,Actual Time (in Hours),واقعي وخت (په ساعتونه) DocType: Employee,History In Company,تاریخ په شرکت apps/erpnext/erpnext/config/learn.py +107,Newsletters,خبرپا DocType: Stock Ledger Entry,Stock Ledger Entry,دحمل د پنډو انفاذ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,ورته توکی دی څو ځله داخل شوي دي +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,ورته توکی دی څو ځله داخل شوي دي DocType: Department,Leave Block List,پريږدئ بالک بشپړفهرست DocType: Sales Invoice,Tax ID,د مالياتو د تذکرو apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} د قالب د سریال ترانسفارمرونو د تشکیلاتو نه ده. کالم بايد خالي وي @@ -3873,25 +3884,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,تور DocType: BOM Explosion Item,BOM Explosion Item,هیښ چاودنه د قالب DocType: Account,Auditor,پلټونکي -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} توکو توليد +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} توکو توليد DocType: Cheque Print Template,Distance from top edge,له پورتنی څنډې فاصله apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,د بیې په لېست {0} معلول دی او یا موجود ندی DocType: Purchase Invoice,Return,بیرته راتګ DocType: Production Order Operation,Production Order Operation,تولید نظم عمليات DocType: Pricing Rule,Disable,نافعال -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,د پیسو اکر ته اړتيا ده چې د پیسو لپاره +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,د پیسو اکر ته اړتيا ده چې د پیسو لپاره DocType: Project Task,Pending Review,انتظار کتنه apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} په دسته کې د ده شامل نه {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",د شتمنیو د {0} نه پرزه شي، لکه څنګه چې د مخه د {1} DocType: Task,Total Expense Claim (via Expense Claim),Total اخراجاتو ادعا (اخراجاتو ادعا له لارې) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,مارک حاضر -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},د کتارونو تر {0}: د هیښ # د اسعارو د {1} بايد مساوي د ټاکل اسعارو وي {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},د کتارونو تر {0}: د هیښ # د اسعارو د {1} بايد مساوي د ټاکل اسعارو وي {2} DocType: Journal Entry Account,Exchange Rate,د بدلولو نرخ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,خرڅلاو نظم {0} نه سپارل +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,خرڅلاو نظم {0} نه سپارل DocType: Homepage,Tag Line,Tag کرښې DocType: Fee Component,Fee Component,فیس برخه apps/erpnext/erpnext/config/hr.py +195,Fleet Management,د بیړیو د مدیریت -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Add له توکي +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Add له توکي DocType: Cheque Print Template,Regular,منظم apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,د ټولو د ارزونې معیارونه ټول Weightage باید 100٪ شي DocType: BOM,Last Purchase Rate,تېره رانيول Rate @@ -3912,12 +3923,12 @@ DocType: Employee,Reports to,د راپورونو له DocType: SMS Settings,Enter url parameter for receiver nos,د ترلاسه وځيري url عوامل وليکئ DocType: Payment Entry,Paid Amount,ورکړل مقدار DocType: Assessment Plan,Supervisor,څارونکي -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,په آنلاین توګه +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,په آنلاین توګه ,Available Stock for Packing Items,د ت توکي موجود دحمل DocType: Item Variant,Item Variant,د قالب variant DocType: Assessment Result Tool,Assessment Result Tool,د ارزونې د پایلو د اوزار DocType: BOM Scrap Item,BOM Scrap Item,هیښ Scrap د قالب -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,ته وسپارل امر نه ړنګ شي +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ته وسپارل امر نه ړنګ شي apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ګڼون بیلانس د مخه په ګزارې، تاسو ته د ټاکل 'بیلانس باید' په توګه اعتبار 'اجازه نه apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,د کیفیت د مدیریت apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} د قالب نافعال شوی دی @@ -3949,7 +3960,7 @@ DocType: Item Group,Default Expense Account,Default اخراجاتو اکانټ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,د زده کونکو د ليک ID DocType: Employee,Notice (days),خبرتیا (ورځې) DocType: Tax Rule,Sales Tax Template,خرڅلاو د مالياتو د کينډۍ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,توکي چې د صورتحساب د ژغورلو وټاکئ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,توکي چې د صورتحساب د ژغورلو وټاکئ DocType: Employee,Encashment Date,د ورکړې نېټه DocType: Training Event,Internet,د انټرنېټ DocType: Account,Stock Adjustment,دحمل اصلاحاتو @@ -3998,10 +4009,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,چلا apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max تخفیف لپاره توکی اجازه: {0} دی {1}٪ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,خالص د شتمنیو ارزښت په توګه د DocType: Account,Receivable,ترلاسه -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,د کتارونو تر # {0}: نه، اجازه لري چې عرضه بدلون په توګه د اخستلو د امر د مخکې نه شتون +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,د کتارونو تر # {0}: نه، اجازه لري چې عرضه بدلون په توګه د اخستلو د امر د مخکې نه شتون DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,رول چې اجازه راکړه ورکړه چې د پور د حدودو ټاکل تجاوز ته وړاندې کړي. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,وړانديزونه وټاکئ جوړون -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",د بادار د معلوماتو syncing، دا به يو څه وخت ونيسي +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,وړانديزونه وټاکئ جوړون +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",د بادار د معلوماتو syncing، دا به يو څه وخت ونيسي DocType: Item,Material Issue,مادي Issue DocType: Hub Settings,Seller Description,پلورونکی Description DocType: Employee Education,Qualification,وړتوب @@ -4022,11 +4033,10 @@ DocType: BOM,Rate Of Materials Based On,کچه د موادو پر بنسټ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,د ملاتړ Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,څلورڅنډی په ټولو DocType: POS Profile,Terms and Conditions,د قرارداد شرايط -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري منابعو> بشري سیسټمونو کې د کارمندانو نومونې سیستم ترتیب کړئ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},ته نېټه بايد د مالي کال په چوکاټ کې وي. د نېټه فرض = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",دلته تاسو د قد، وزن، الرجی، طبي اندېښنې او نور وساتي DocType: Leave Block List,Applies to Company,د دې شرکت د تطبيق وړ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,لغوه نه شي کولای، ځکه وړاندې دحمل انفاذ {0} شتون لري +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,لغوه نه شي کولای، ځکه وړاندې دحمل انفاذ {0} شتون لري DocType: Employee Loan,Disbursement Date,دویشلو نېټه DocType: Vehicle,Vehicle,موټر DocType: Purchase Invoice,In Words,په وييکي @@ -4065,7 +4075,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Global امستنې DocType: Assessment Result Detail,Assessment Result Detail,د ارزونې د پایلو د تفصیلي DocType: Employee Education,Employee Education,د کارګر ښوونه apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,دوه ګونو توکی ډلې په توکی ډلې جدول کې وموندل -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,دا ته اړتيا ده، د قالب نورولوله راوړي. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,دا ته اړتيا ده، د قالب نورولوله راوړي. DocType: Salary Slip,Net Pay,خالص د معاشونو DocType: Account,Account,ګڼون apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,شعبه {0} لا ترلاسه شوي دي @@ -4073,7 +4083,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,موټر ننوتنه DocType: Purchase Invoice,Recurring Id,راګرځېدل Id DocType: Customer,Sales Team Details,خرڅلاو ټيم په بشپړه توګه کتل -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,د تل لپاره ړنګ کړئ؟ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,د تل لپاره ړنګ کړئ؟ DocType: Expense Claim,Total Claimed Amount,Total ادعا مقدار apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,د پلورلو د بالقوه فرصتونو. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},باطلې {0} @@ -4085,7 +4095,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup په ERPNext ستاسو په ښوونځي DocType: Sales Invoice,Base Change Amount (Company Currency),اډه د بدلون مقدار (شرکت د اسعارو) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,د لاندې زېرمتونونه د محاسبې نه زياتونې -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,لومړی سند وژغورۍ. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,لومړی سند وژغورۍ. DocType: Account,Chargeable,Chargeable DocType: Company,Change Abbreviation,د بدلون Abbreviation DocType: Expense Claim Detail,Expense Date,اخراجاتو نېټه @@ -4099,7 +4109,6 @@ DocType: BOM,Manufacturing User,دفابريکي کارن DocType: Purchase Invoice,Raw Materials Supplied,خام مواد DocType: Purchase Invoice,Recurring Print Format,راګرځېدل چاپ شکل DocType: C-Form,Series,لړۍ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,د تمی د سپارلو نېټه مخکې د اخستلو امر نېټه نه شي DocType: Appraisal,Appraisal Template,ارزونې کينډۍ DocType: Item Group,Item Classification,د قالب طبقه apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,کاروبار انکشاف مدير @@ -4138,12 +4147,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,انتخا apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,د روزنې فعاليتونه / پایلې apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,جمع د استهالک په توګه د DocType: Sales Invoice,C-Form Applicable,C-فورمه د تطبیق وړ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},د وخت عمليات بايد د عملياتو 0 څخه ډيره وي {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},د وخت عمليات بايد د عملياتو 0 څخه ډيره وي {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ګدام الزامی دی DocType: Supplier,Address and Contacts,پته او اړیکې DocType: UOM Conversion Detail,UOM Conversion Detail,UOM اړونه تفصیلي DocType: Program,Program Abbreviation,پروګرام Abbreviation -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,يو قالب کينډۍ پر وړاندې د تولید نظم نه راپورته شي +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,يو قالب کينډۍ پر وړاندې د تولید نظم نه راپورته شي apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,په تور د هري برخي په وړاندې په رانيول رسيد تازه دي DocType: Warranty Claim,Resolved By,حل د DocType: Bank Guarantee,Start Date,پیل نېټه @@ -4178,6 +4187,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,د زده کړې Feedback apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,تولید نظم {0} بايد وسپارل شي apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},مهرباني غوره لپاره د قالب د پیل نیټه او پای نیټه {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,د پلور نښه وټاکئ چې تاسو یې غواړئ ترلاسه کړئ. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},د کورس په قطار الزامی دی {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,تر اوسه پورې ونه شي کولای له نېټې څخه مخکې وي DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4196,7 +4206,7 @@ DocType: Account,Income,پر عايداتو DocType: Industry Type,Industry Type,صنعت ډول apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,کومه تیروتنه وشوه! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,خبرداری: د وتو درخواست لاندې د بنديز خرما لرونکی د -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,خرڅلاو صورتحساب {0} د مخکې نه سپارل +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,خرڅلاو صورتحساب {0} د مخکې نه سپارل DocType: Assessment Result Detail,Score,نمره apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,مالي کال د {0} نه شته apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,د بشپړیدلو نیټه @@ -4226,7 +4236,7 @@ DocType: Naming Series,Help HTML,مرسته د HTML DocType: Student Group Creation Tool,Student Group Creation Tool,د زده کونکو د ګروپ خلقت اسباب DocType: Item,Variant Based On,variant پر بنسټ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Total weightage ګمارل باید 100٪ شي. دا د {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,ستاسو د عرضه کوونکي +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,ستاسو د عرضه کوونکي apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,نه شي په توګه له السه په توګه خرڅلاو نظم جوړ شوی دی. DocType: Request for Quotation Item,Supplier Part No,عرضه برخه نه apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',وضع نه شي کله چې وېشنيزه کې د 'ارزښت' یا د 'Vaulation او Total' دی @@ -4236,14 +4246,14 @@ DocType: Item,Has Serial No,لري شعبه DocType: Employee,Date of Issue,د صدور نېټه apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: د {0} د {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",لکه څنګه چې هر د خريداري امستنې که رانيول Reciept مطلوب ==: هو، بیا د رانيول صورتحساب د رامنځته کولو، د کارونکي باید رانيول رسيد لومړي لپاره توکی جوړ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},د کتارونو تر # {0}: د جنس د ټاکلو په عرضه {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,د کتارونو تر {0}: ساعتونه ارزښت باید له صفر څخه زیات وي. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},د کتارونو تر # {0}: د جنس د ټاکلو په عرضه {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,د کتارونو تر {0}: ساعتونه ارزښت باید له صفر څخه زیات وي. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,وېب پاڼه Image {0} چې په قالب {1} وصل ونه موندل شي DocType: Issue,Content Type,منځپانګه ډول apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,کمپيوټر DocType: Item,List this Item in multiple groups on the website.,په د ويب پاڼې د څو ډلو د دې توکي لست کړئ. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,لطفا د اسعارو انتخاب څو له نورو اسعارو حسابونو اجازه وګورئ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,شمیره: {0} په سيستم کې نه شته +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,شمیره: {0} په سيستم کې نه شته apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,تاسو د ګنګل ارزښت جوړ واک نه دي DocType: Payment Reconciliation,Get Unreconciled Entries,تطبیق توکي ترلاسه کړئ DocType: Payment Reconciliation,From Invoice Date,له صورتحساب نېټه @@ -4269,7 +4279,7 @@ DocType: Stock Entry,Default Source Warehouse,Default سرچینه ګدام DocType: Item,Customer Code,پيرودونکو کوډ apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},د کالیزې په ياد راولي {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ورځو راهیسې تېر نظم -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,د حساب ډیبیټ باید د موازنې د پاڼه په پام کې وي +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,د حساب ډیبیټ باید د موازنې د پاڼه په پام کې وي DocType: Buying Settings,Naming Series,نوم لړۍ DocType: Leave Block List,Leave Block List Name,پريږدئ بالک بشپړفهرست نوم apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,د بيمې د پیل نیټه بايد د بيمې د پای نیټه په پرتله کمه وي @@ -4286,7 +4296,7 @@ DocType: Vehicle Log,Odometer,Odometer DocType: Sales Order Item,Ordered Qty,امر Qty apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,د قالب {0} معلول دی DocType: Stock Settings,Stock Frozen Upto,دحمل ګنګل ترمړوندونو پورې -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,هیښ کوم سټاک توکی نه لري +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,هیښ کوم سټاک توکی نه لري apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},دوره او د د دورې ته د خرما د تکراري اجباري {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,د پروژې د فعاليت / دنده. DocType: Vehicle Log,Refuelling Details,Refuelling نورولوله @@ -4296,7 +4306,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,تېره اخیستلو کچه ونه موندل شو DocType: Purchase Invoice,Write Off Amount (Company Currency),مقدار ولیکئ پړاو (د شرکت د اسعارو) DocType: Sales Invoice Timesheet,Billing Hours,بلونو ساعتونه -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,د {0} ونه موندل Default هیښ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,د {0} ونه موندل Default هیښ apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,د کتارونو تر # {0}: مهرباني وکړئ ټاکل ترمیمي کمیت apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,دلته يې اضافه توکي tap DocType: Fees,Program Enrollment,پروګرام شمولیت @@ -4330,6 +4340,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing Range 2 DocType: SG Creation Tool Course,Max Strength,Max پياوړتيا apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,هیښ بدل +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,د سپارلو نیټه پر بنسټ د توکو توکي وټاکئ ,Sales Analytics,خرڅلاو Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},موجود {0} ,Prospects Engaged But Not Converted,د پانګې لپاره ليوالتيا کوژدن خو نه، ډمتوب @@ -4377,7 +4388,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise کمښت apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,د دندو Timesheet. DocType: Purchase Invoice,Against Expense Account,په وړاندې د اخراجاتو اکانټ DocType: Production Order,Production Order,د توليد د ترتیب پر اساس -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,نصب او يادونه {0} د مخکې نه سپارل +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,نصب او يادونه {0} د مخکې نه سپارل DocType: Bank Reconciliation,Get Payment Entries,د پیسو توکي ترلاسه کړئ DocType: Quotation Item,Against Docname,Docname پر وړاندې د DocType: SMS Center,All Employee (Active),ټول کارکوونکی (فعال) @@ -4386,7 +4397,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,لومړنیو توکو لګښت DocType: Item Reorder,Re-Order Level,Re-نظم د ليول DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,توکي او پالن qty د کوم لپاره چې تاسو غواړئ چې د توليد امر کړي او يا يې د تحليل او د خامو موادو د نیولو لپاره وليکئ. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt چارت +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt چارت apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,بعد له وخته DocType: Employee,Applicable Holiday List,د تطبيق وړ رخصتي بشپړفهرست DocType: Employee,Cheque,آرډر @@ -4444,11 +4455,11 @@ DocType: Bin,Reserved Qty for Production,د تولید خوندي دي Qty DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,وناکتل پريږدئ که تاسو نه غواړي چې په داسې حال کې د کورس پر بنسټ ډلو جوړولو داځکه پام کې ونیسي. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,وناکتل پريږدئ که تاسو نه غواړي چې په داسې حال کې د کورس پر بنسټ ډلو جوړولو داځکه پام کې ونیسي. DocType: Asset,Frequency of Depreciation (Months),د استهالک د فريکوينسي (مياشتې) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,اعتبار اکانټ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,اعتبار اکانټ DocType: Landed Cost Item,Landed Cost Item,تيرماښام لګښت د قالب apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,صفر ارزښتونو وښایاست DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,د توکي مقدار توليدي وروسته ترلاسه / څخه د خامو موادو ورکول اندازه ګیلاسو -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup زما د سازمان لپاره یو ساده ویب پاڼه +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup زما د سازمان لپاره یو ساده ویب پاڼه DocType: Payment Reconciliation,Receivable / Payable Account,ترلاسه / د راتلوونکې اکانټ DocType: Delivery Note Item,Against Sales Order Item,په وړاندې د خرڅلاو نظم قالب apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},مهرباني وکړئ مشخص د خاصې لپاره ارزښت ځانتیا {0} @@ -4513,22 +4524,22 @@ DocType: Student,Nationality,تابعیت ,Items To Be Requested,د ليکنو ته غوښتنه وشي DocType: Purchase Order,Get Last Purchase Rate,ترلاسه تېره رانيول Rate DocType: Company,Company Info,پيژندنه -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,وټاکئ او يا د نوي مشتريانو د اضافه -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,لګښت مرکز ته اړتيا ده چې د لګښت ادعا کتاب +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,وټاکئ او يا د نوي مشتريانو د اضافه +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,لګښت مرکز ته اړتيا ده چې د لګښت ادعا کتاب apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),د بسپنو (شتمني) کاریال apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,دا د دې د کارکونکو د راتګ پر بنسټ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,ډیبیټ اکانټ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,ډیبیټ اکانټ DocType: Fiscal Year,Year Start Date,کال د پیل نیټه DocType: Attendance,Employee Name,د کارګر نوم DocType: Sales Invoice,Rounded Total (Company Currency),غونډ مونډ Total (شرکت د اسعارو) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,آيا له ګروپ د پټو نه ځکه حساب ډول انتخاب. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} د {1} بدل شوی دی. لطفا تازه. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} د {1} بدل شوی دی. لطفا تازه. DocType: Leave Block List,Stop users from making Leave Applications on following days.,څخه په لاندې ورځو کولو اجازه غوښتنلیکونه کاروونکو ودروي. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,رانيول مقدار apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,عرضه کوونکي د داوطلبۍ {0} جوړ apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,د پای کال د پیل کال مخکې نه شي apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,د کارګر ګټې -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},ډک اندازه بايد په قطار د {0} د قالب اندازه برابر {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},ډک اندازه بايد په قطار د {0} د قالب اندازه برابر {1} DocType: Production Order,Manufactured Qty,جوړيږي Qty DocType: Purchase Receipt Item,Accepted Quantity,منل مقدار apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},لطفا یو default رخصتي بشپړفهرست لپاره د کارګر جوړ {0} یا د شرکت د {1} @@ -4539,11 +4550,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},د قطار نه {0}: مقدار نه شي اخراجاتو ادعا {1} په وړاندې د مقدار د انتظار څخه ډيره وي. انتظار مقدار دی {2} DocType: Maintenance Schedule,Schedule,مهال ويش DocType: Account,Parent Account,Parent اکانټ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,شته +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,شته DocType: Quality Inspection Reading,Reading 3,لوستلو 3 ,Hub,مرکز DocType: GL Entry,Voucher Type,ګټمنو ډول -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,بیې په لېست کې ونه موندل او يا معيوب +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,بیې په لېست کې ونه موندل او يا معيوب DocType: Employee Loan Application,Approved,تصویب شوې DocType: Pricing Rule,Price,د بیې apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',د کارګر د کرارۍ د {0} بايد جوړ شي د "کيڼ ' @@ -4613,7 +4624,7 @@ DocType: SMS Settings,Static Parameters,Static Parameters DocType: Assessment Plan,Room,کوټه DocType: Purchase Order,Advance Paid,پرمختللی ورکړل DocType: Item,Item Tax,د قالب د مالياتو -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,ته عرضه مواد +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,ته عرضه مواد apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,وسیله صورتحساب apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ ښکاري څخه یو ځل بیا DocType: Expense Claim,Employees Email Id,د کارکوونکو دبرېښنا ليک Id @@ -4653,7 +4664,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,د نمونوي DocType: Production Order,Actual Operating Cost,واقعي عملياتي لګښت DocType: Payment Entry,Cheque/Reference No,آرډر / ماخذ نه -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,عرضه کوونکي> د عرضه کوونکي ډول apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,د ريښي د تصحيح نه شي. DocType: Item,Units of Measure,د اندازه کولو واحدونه DocType: Manufacturing Settings,Allow Production on Holidays,په رخصتۍ تولید اجازه @@ -4686,12 +4696,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,اعتبار ورځې apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,د کمکیانو لپاره د زده کونکو د دسته DocType: Leave Type,Is Carry Forward,مخ په وړاندې د دې لپاره ترسره کړي -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,له هیښ توکي ترلاسه کړئ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,له هیښ توکي ترلاسه کړئ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,د وخت ورځې سوق -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},د کتارونو تر # {0}: پست کوي نېټه بايد په توګه د اخیستلو نېټې ورته وي {1} د شتمنیو د {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},د کتارونو تر # {0}: پست کوي نېټه بايد په توګه د اخیستلو نېټې ورته وي {1} د شتمنیو د {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,وګورئ دا که د زده کوونکو د ده په انستیتیوت په ليليه درلوده. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,مهرباني وکړی په پورته جدول خرڅلاو امر ته ننوځي -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,معاش رسید ونه لېږل +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,معاش رسید ونه لېږل ,Stock Summary,دحمل لنډيز apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,له يوه ګودام څخه بل د شتمنیو ته سپاري DocType: Vehicle,Petrol,پطرول diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv index 278c4969feb..51b00cd3576 100644 --- a/erpnext/translations/pt-BR.csv +++ b/erpnext/translations/pt-BR.csv @@ -12,7 +12,7 @@ DocType: SMS Center,All Sales Partner Contact,Todos os Contatos de Parceiros de DocType: Employee,Leave Approvers,Aprovadores de Licença DocType: Purchase Order,PO-,PC- DocType: POS Profile,Applicable for User,Aplicável para o usuário -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Parou ordem de produção não pode ser cancelado, desentupir-lo primeiro para cancelar" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Parou ordem de produção não pode ser cancelado, desentupir-lo primeiro para cancelar" apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Você realmente quer se desfazer deste ativo? apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},É necessário informar a Moeda na Lista de Preço {0} DocType: Job Applicant,Job Applicant,Candidato à Vaga @@ -23,14 +23,14 @@ DocType: Purchase Receipt Item,Required By,Entrega em DocType: Delivery Note,Return Against Delivery Note,Devolução contra Guia de Remessa DocType: Purchase Order,% Billed,Faturado % apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Taxa de câmbio deve ser o mesmo que {0} {1} ({2}) -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},A conta bancária não pode ser nomeada como {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},A conta bancária não pode ser nomeada como {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Heads (ou grupos) contra o qual as entradas de Contabilidade são feitas e os saldos são mantidos. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Excelente para {0} não pode ser inferior a zero ( {1}) DocType: Manufacturing Settings,Default 10 mins,Padrão 10 minutos DocType: Leave Type,Leave Type Name,Nome do Tipo de Licença apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mostrar aberta apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Finalizar Compra -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Entrada de Diário de Acréscimo Enviada +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Entrada de Diário de Acréscimo Enviada DocType: Pricing Rule,Apply On,Aplicar em DocType: Item Price,Multiple Item prices.,Vários preços do item. ,Purchase Order Items To Be Received,"Itens Comprados, mas não Recebidos" @@ -51,12 +51,12 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Plano de Saúde apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Atraso no Pagamento (Dias) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Despesa com Manutenção de Veículos -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Nota Fiscal +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Nota Fiscal apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Ano Fiscal {0} é necessário DocType: Appraisal Goal,Score (0-5),Pontuação (0-5) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0}: {1} {2} does not match with {3},Linha {0}: {1} {2} não corresponde com {3} DocType: Delivery Note,Vehicle No,Placa do Veículo -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Por favor, selecione Lista de Preço" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,"Por favor, selecione Lista de Preço" apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Contador DocType: Cost Center,Stock User,Usuário de Estoque apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nova {0}: # {1} @@ -77,7 +77,7 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +61,Select Warehouse...,Seleci apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Mesma empresa está inscrita mais de uma vez DocType: Employee,Married,Casado apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Não permitido para {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Banco não pode ser atualizado contra nota de entrega {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Banco não pode ser atualizado contra nota de entrega {0} DocType: Process Payroll,Make Bank Entry,Fazer Lançamento Bancário apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Estrutura salarial ausente DocType: Sales Invoice Item,Sales Invoice Item,Item da Nota Fiscal de Venda @@ -91,7 +91,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not auth DocType: BOM,Item Image (if not slideshow),Imagem do Item (se não for slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Existe um cliente com o mesmo nome DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Valor por Hora / 60) * Tempo de operação real -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Selecionar LDM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Selecionar LDM DocType: SMS Log,SMS Log,Log de SMS apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Custo de Produtos Entregues DocType: Student Log,Student Log,Log do Aluno @@ -105,13 +105,13 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with exist DocType: Lead,Product Enquiry,Consulta de Produto DocType: Academic Term,Schools,Acadêmico apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Por favor insira primeira empresa -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Por favor, selecione Empresa primeiro" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Por favor, selecione Empresa primeiro" DocType: Employee Education,Under Graduate,Em Graduação apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Meta em DocType: BOM,Total Cost,Custo total DocType: Journal Entry Account,Employee Loan,Empréstimo para Colaboradores -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Log de Atividade: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Item {0} não existe no sistema ou expirou +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Log de Atividade: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Item {0} não existe no sistema ou expirou apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Extrato da conta DocType: Purchase Invoice Item,Is Fixed Asset,É Ativo Imobilizado apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","A qtde disponível é {0}, você necessita de {1}" @@ -124,7 +124,7 @@ DocType: Sales Invoice Item,Delivered By Supplier,Proferido por Fornecedor DocType: SMS Center,All Contact,Todo o Contato DocType: Daily Work Summary,Daily Work Summary,Resumo de Trabalho Diário DocType: Period Closing Voucher,Closing Fiscal Year,Encerramento do Exercício Fiscal -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} está congelado +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} está congelado apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Por favor, selecione empresa já existente para a criação de Plano de Contas" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Despesas com Estoque DocType: Journal Entry,Contra Entry,Contrapartida de Entrada @@ -137,7 +137,7 @@ DocType: Upload Attendance,"Download the Template, fill appropriate data and att All dates and employee combination in the selected period will come in the template, with existing attendance records","Baixe o Template, preencha os dados apropriados e anexe o arquivo modificado. Todas as datas, os colaboradores e suas combinações para o período selecionado virão com o modelo, incluindo os registros já existentes." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Item {0} não está ativo ou fim de vida útil foi atingido -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos em linhas {1} também deve ser incluída" +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos em linhas {1} também deve ser incluída" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Configurações para o Módulo de RH DocType: Sales Invoice,Change Amount,Troco DocType: Depreciation Schedule,Make Depreciation Entry,Fazer Lançamento de Depreciação @@ -161,7 +161,7 @@ apps/erpnext/erpnext/config/selling.py +91,Rules for applying pricing and discou apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must be applicable for Buying or Selling,Lista de Preço deve ser aplicável para comprar ou vender apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Data de instalação não pode ser anterior à data de entrega de item {0} DocType: Pricing Rule,Discount on Price List Rate (%),% de Desconto sobre o Preço da Lista de Preços -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Valor Saída +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Valor Saída DocType: Production Planning Tool,Sales Orders,Pedidos de Venda ,Purchase Order Trends,Tendência de Pedidos de Compra apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Alocar licenças para o ano. @@ -178,7 +178,7 @@ DocType: Company,Default Payroll Payable Account,Conta Padrão para Folha de Pag apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Atualizar Grupo de Email DocType: Sales Invoice,Is Opening Entry,É Lançamento de Abertura DocType: Customer Group,Mention if non-standard receivable account applicable,Mencione se a conta a receber aplicável não for a conta padrão -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Armazén de destino necessário antes de enviar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Armazén de destino necessário antes de enviar apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Recebeu em apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +24,Please enter Company,"Por favor, indique Empresa" DocType: Delivery Note Item,Against Sales Invoice Item,Contra Vendas Nota Fiscal do Item @@ -187,7 +187,7 @@ DocType: Lead,Address & Contact,Endereço e Contato DocType: Leave Allocation,Add unused leaves from previous allocations,Acrescente as licenças não utilizadas de atribuições anteriores apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Próximo Recorrente {0} será criado em {1} DocType: Sales Partner,Partner website,Site Parceiro -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nome do Contato +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nome do Contato DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Cria folha de pagamento para os critérios mencionados acima. DocType: Vehicle,Additional Details,Detalhes Adicionais apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nenhuma descrição informada @@ -217,7 +217,7 @@ DocType: POS Profile,Allow user to edit Rate,Permitir que o usuário altere o pr DocType: Item,Publish in Hub,Publicar no Hub DocType: Student Admission,Student Admission,Admissão do Aluno apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Item {0} é cancelada -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Requisição de Material +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Requisição de Material DocType: Bank Reconciliation,Update Clearance Date,Atualizar Data Liquidação DocType: Item,Purchase Details,Detalhes de Compra apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Item {0} não encontrado em 'matérias-primas fornecidas"" na tabela Pedido de Compra {1}" @@ -243,7 +243,7 @@ DocType: Job Applicant,Cover Letter,Carta de apresentação apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cheques em circulação e depósitos para apagar DocType: Item,Synced With Hub,Sincronizado com o Hub DocType: Vehicle,Fleet Manager,Gerente de Frota -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Qtde concluída não pode ser maior do que ""Qtde de Fabricação""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Qtde concluída não pode ser maior do que ""Qtde de Fabricação""" DocType: Period Closing Voucher,Closing Account Head,Conta de Fechamento DocType: Employee,External Work History,Histórico Profissional no Exterior DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Por extenso (Exportação) será visível quando você salvar a Guia de Remessa. @@ -266,10 +266,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Por favor, digite 'Repeat no Dia do Mês ' valor do campo" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Taxa na qual a moeda do cliente é convertida para a moeda base do cliente DocType: Course Scheduling Tool,Course Scheduling Tool,Ferramenta de Agendamento de Cursos -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha #{0}: Não pode ser criada uma Nota Fiscal de Compra para um ativo existente {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha #{0}: Não pode ser criada uma Nota Fiscal de Compra para um ativo existente {1} DocType: Item Tax,Tax Rate,Alíquota do Imposto apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} já está alocado para o Colaborador {1} para o período de {2} até {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Selecionar item +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Selecionar item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,A Nota Fiscal de Compra {0} já foi enviada apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Linha # {0}: Nº do Lote deve ser o mesmo que {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Converter para Não-Grupo @@ -296,7 +296,7 @@ DocType: Employee,Widowed,Viúvo(a) DocType: Request for Quotation,Request for Quotation,Solicitação de Orçamento DocType: Salary Slip Timesheet,Working Hours,Horas de trabalho DocType: Naming Series,Change the starting / current sequence number of an existing series.,Alterar o número sequencial de início/atual de uma série existente. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Criar novo Cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Criar novo Cliente apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se várias regras de preços continuam a prevalecer, os usuários são convidados a definir a prioridade manualmente para resolver o conflito." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Criar Pedidos de Compra ,Purchase Register,Registro de Compras @@ -347,12 +347,12 @@ DocType: Sales Order Item,Used for Production Plan,Usado para o Plano de Produç DocType: Employee Loan,Total Payment,Pagamento Total DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo entre operações (em minutos) DocType: Pricing Rule,Valid Upto,Válido até -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Lista de alguns de seus clientes. Eles podem ser empresas ou pessoas físicas. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Lista de alguns de seus clientes. Eles podem ser empresas ou pessoas físicas. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Peças suficientes para construir apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Receita Direta apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Não é possível filtrar com base em conta , se agrupados por Conta" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Escritório Administrativo -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Por favor, selecione Empresa" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Por favor, selecione Empresa" DocType: Stock Entry Detail,Difference Account,Conta Diferença apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Não pode fechar tarefa como sua tarefa dependente {0} não está fechado. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Por favor, indique Armazén para as quais as Requisições de Material serão levantadas" @@ -380,7 +380,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Se apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Fechamento (Cr) DocType: Installation Note Item,Installation Note Item,Item da Nota de Instalação DocType: Production Plan Item,Pending Qty,Pendente Qtde -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} não está ativo +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} não está ativo apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Configurar dimensões do cheque para impressão DocType: Salary Slip,Salary Slip Timesheet,Controle de Tempo do Demonstrativo de Pagamento apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Fornecedor Armazém obrigatório para sub- contratados Recibo de compra @@ -395,6 +395,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial No DocType: Timesheet,Payslip,Holerite apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +38,Fiscal Year Start Date should not be greater than Fiscal Year End Date,Ano Fiscal Data de início não deve ser maior do que o Fiscal Year End Date DocType: Issue,Resolution,Solução +DocType: Expense Claim,Payable Account,Conta para Pagamento DocType: Sales Order,Billing and Delivery Status,Status do Faturamento e Entrega DocType: Job Applicant,Resume Attachment,Anexo currículo apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Clientes Repetidos @@ -447,8 +448,8 @@ apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not DocType: Sales Person,Sales Person Targets,Metas do Vendedor DocType: Production Order Operation,In minutes,Em Minutos DocType: Issue,Resolution Date,Data da Solução -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Registro de Tempo criado: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Defina Caixa padrão ou conta bancária no Modo de pagamento {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Registro de Tempo criado: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Defina Caixa padrão ou conta bancária no Modo de pagamento {0} DocType: Selling Settings,Customer Naming By,Nomeação de Cliente por DocType: Depreciation Schedule,Depreciation Amount,Valor de Depreciação apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +56,Convert to Group,Converter em Grupo @@ -461,13 +462,13 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +43,Publishing,Publishi DocType: Activity Cost,Projects User,Usuário de Projetos apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} não foi encontrado na tabela Detalhes da Nota Fiscal DocType: Company,Round Off Cost Center,Centro de Custo de Arredondamento -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Visita de Manutenção {0} deve ser cancelada antes de cancelar este Pedido de Venda +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Visita de Manutenção {0} deve ser cancelada antes de cancelar este Pedido de Venda apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Abertura (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Postando timestamp deve ser posterior a {0} DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impostos e Encargos sobre custos de desembarque DocType: Production Order Operation,Actual Start Time,Hora Real de Início DocType: BOM Operation,Operation Time,Tempo da Operação -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Finalizar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Finalizar DocType: Journal Entry,Write Off Amount,Valor do abatimento DocType: Journal Entry,Bill No,Nota nº DocType: Company,Gain/Loss Account on Asset Disposal,Conta de Ganho / Perda com Descarte de Ativos @@ -485,7 +486,7 @@ DocType: Vehicle,Odometer Value (Last),Quilometragem do Odômetro (última) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Entrada de pagamento já foi criada DocType: Purchase Receipt Item Supplied,Current Stock,Estoque Atual -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Linha # {0}: Ativo {1} não vinculado ao item {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Linha # {0}: Ativo {1} não vinculado ao item {2} DocType: Account,Expenses Included In Valuation,Despesas Incluídas na Avaliação ,Absent Student Report,Relatório de Frequência do Aluno DocType: Email Digest,Next email will be sent on:,Próximo email será enviado em: @@ -501,7 +502,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aeroespaci DocType: Journal Entry,Credit Card Entry,Lançamento de Cartão de Crédito apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Empresas e Contas apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Mercadorias recebidas de fornecedores. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,Valor Entrada +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,Valor Entrada DocType: Selling Settings,Close Opportunity After Days,Fechar Oportunidade Após Dias DocType: Purchase Order,Supply Raw Materials,Abastecimento de Matérias-primas DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,A data na qual a próxima nota fiscal será gerada. Ela é gerada ao enviar. @@ -523,10 +524,10 @@ DocType: BOM,Website Specifications,Especificações do Site apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: A partir de {0} do tipo {1} apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Linha {0}: Fator de Conversão é obrigatório apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Várias regras de preços existe com os mesmos critérios, por favor, resolver o conflito através da atribuição de prioridade. Regras Preço: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar BOM vez que está associada com outras BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar BOM vez que está associada com outras BOMs DocType: Item Attribute Value,Item Attribute Value,Item Atributo Valor apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanhas de vendas . -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Fazer Registro de Tempo +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Fazer Registro de Tempo DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -574,7 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configurando Conta de Email apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Por favor, indique primeiro item" DocType: Account,Liability,Passivo -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Montante Sanctioned não pode ser maior do que na Reivindicação Montante Fila {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Montante Sanctioned não pode ser maior do que na Reivindicação Montante Fila {0}. DocType: Company,Default Cost of Goods Sold Account,Conta de Custo Padrão de Mercadorias Vendidas apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Lista de Preço não selecionado DocType: Employee,Family Background,Antecedentes familiares @@ -582,10 +583,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Per apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Para filtrar baseado em Sujeito, selecione o Tipo de Sujeito primeiro" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Atualização do Estoque 'não pode ser verificado porque os itens não são entregues via {0}" DocType: Vehicle,Acquisition Date,Data da Aquisição -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Os itens com maior weightage será mostrado maior DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detalhe da conciliação bancária -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Linha # {0}: Ativo {1} deve ser apresentado +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Linha # {0}: Ativo {1} deve ser apresentado apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nenhum colaborador encontrado DocType: Item,If subcontracted to a vendor,Se subcontratada a um fornecedor DocType: SMS Center,All Customer Contact,Todo o Contato do Cliente @@ -596,11 +597,12 @@ DocType: Training Event,Event Status,Status do Evento apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +344,"If you have any questions, please get back to us.","Se você tem alguma pergunta, por favor nos contate." DocType: Item,Website Warehouse,Armazém do Site DocType: Payment Reconciliation,Minimum Invoice Amount,Valor Mínimo da Fatura -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,O Registro de Tempo {0} está finalizado ou cancelado +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,O Registro de Tempo {0} está finalizado ou cancelado DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","O dia do mês em que auto factura será gerado por exemplo, 05, 28, etc" apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Pontuação deve ser inferior ou igual a 5 apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Registros C -Form DocType: Email Digest,Email Digest Settings,Configurações do Resumo por Email +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Obrigado pela compra! apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Suporte às perguntas de clientes. DocType: HR Settings,Retirement Age,Idade para Aposentadoria DocType: Bin,Moving Average Rate,Taxa da Média Móvel @@ -635,7 +637,7 @@ DocType: Item Reorder,Re-Order Qty,Qtde para Reposição DocType: Leave Block List Date,Leave Block List Date,Deixe Data Lista de Bloqueios DocType: SMS Log,Requested Numbers,Números solicitadas DocType: Production Planning Tool,Only Obtain Raw Materials,Obter somente matérias-primas -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Pagamento {0} está vinculado à Ordem de Compra {1}, verificar se ele deve ser puxado como adiantamento da presente fatura." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Pagamento {0} está vinculado à Ordem de Compra {1}, verificar se ele deve ser puxado como adiantamento da presente fatura." DocType: Sales Invoice Item,Stock Details,Detalhes do Estoque apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Ponto de Vendas DocType: Vehicle Log,Odometer Reading,Leitura do Odômetro @@ -655,9 +657,9 @@ DocType: Supplier Quotation,Is Subcontracted,É subcontratada DocType: Item Attribute,Item Attribute Values,Valores dos Atributos ,Received Items To Be Billed,"Itens Recebidos, mas não Faturados" apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Cadastro de Taxa de Câmbio -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar entalhe Tempo nos próximos {0} dias para a Operação {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar entalhe Tempo nos próximos {0} dias para a Operação {1} DocType: Production Order,Plan material for sub-assemblies,Material de Plano de sub-conjuntos -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,LDM {0} deve ser ativa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,LDM {0} deve ser ativa DocType: Journal Entry,Depreciation Entry,Lançamento de Depreciação apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Por favor, selecione o tipo de documento primeiro" apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar Materiais Visitas {0} antes de cancelar este Manutenção Visita @@ -666,7 +668,7 @@ DocType: Purchase Receipt Item Supplied,Required Qty,Qtde Requerida DocType: Bank Reconciliation,Total Amount,Valor total apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publishing Internet DocType: Production Planning Tool,Production Orders,Ordens de Produção -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Valor Patrimonial +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Valor Patrimonial apps/erpnext/erpnext/accounts/general_ledger.py +142,Please mention Round Off Account in Company,"Por favor, mencione completam Conta in Company" DocType: Purchase Receipt,Range,Alcance apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not active or does not exist,Colaborador {0} não está ativo ou não existe @@ -682,13 +684,13 @@ DocType: Employee,Exit Interview Details,Detalhes da Entrevista de Saída DocType: Item,Is Purchase Item,É item de compra DocType: Asset,Purchase Invoice,Nota Fiscal de Compra DocType: Stock Ledger Entry,Voucher Detail No,Nº do Detalhe do Comprovante -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nova Nota Fiscal de Venda +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nova Nota Fiscal de Venda apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Abertura Data e Data de Fechamento deve estar dentro mesmo ano fiscal DocType: Lead,Request for Information,Solicitação de Informação -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sincronizar Faturas Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sincronizar Faturas Offline DocType: Program Fee,Program Fee,Taxa do Programa DocType: Material Request Item,Lead Time Date,Prazo de Entrega -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,é obrigatório. Talvez o registro de taxas de câmbios não está criado para +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,é obrigatório. Talvez o registro de taxas de câmbios não está criado para apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Favor especificar Sem Serial para item {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens 'pacote de produtos ", Armazém, Serial e não há Batch Não será considerada a partir do' Packing List 'tabela. Se Warehouse e Batch Não são as mesmas para todos os itens de embalagem para qualquer item de 'Bundle Produto', esses valores podem ser inseridos na tabela do item principal, os valores serão copiados para 'Packing List' tabela." DocType: Job Opening,Publish on website,Publicar no site @@ -716,7 +718,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and l DocType: SMS Center,All Lead (Open),Todos os Clientes em Potencial em Aberto apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: Qtde não disponível do item {4} no armazén {1} no horário do lançamento ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Obter adiantamentos pagos -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Fazer +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Fazer DocType: Journal Entry,Total Amount in Words,Valor total por extenso apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Houve um erro . Uma razão provável pode ser que você não tenha salvo o formulário. Entre em contato com support@erpnext.com se o problema persistir . apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Meu carrinho @@ -729,7 +731,7 @@ DocType: Repayment Schedule,Balance Loan Amount,Saldo do Empréstimo apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opções de Compra DocType: Journal Entry Account,Expense Claim,Pedido de Reembolso de Despesas apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Você realmente deseja restaurar este ativo descartado? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Qtde para {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Qtde para {0} DocType: Leave Application,Leave Application,Solicitação de Licenças apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Ferramenta de Alocação de Licenças DocType: Leave Block List,Leave Block List Dates,Deixe as datas Lista de Bloqueios @@ -760,7 +762,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Contra DocType: Item,Default Selling Cost Center,Centro de Custo Padrão de Vendas DocType: Sales Partner,Implementation Partner,Parceiro de implementação -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,CEP +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,CEP apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Pedido de Venda {0} é {1} DocType: Opportunity,Contact Info,Informações para Contato apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Fazendo Lançamentos no Estoque @@ -774,10 +776,10 @@ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be l DocType: Sales Person,Select company name first.,Selecione o nome da empresa por primeiro. apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Orçamentos recebidos de fornecedores. DocType: Opportunity,Your sales person who will contact the customer in future,Seu vendedor entrará em contato com o cliente no futuro -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Lista de alguns de seus fornecedores. Eles podem ser empresas ou pessoas físicas. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Todas as LDMs +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Lista de alguns de seus fornecedores. Eles podem ser empresas ou pessoas físicas. +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Todas as LDMs DocType: Expense Claim,From Employee,Do Colaborador -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Aviso : O sistema não irá verificar superfaturamento uma vez que o valor para o item {0} em {1} é zero +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Aviso : O sistema não irá verificar superfaturamento uma vez que o valor para o item {0} em {1} é zero DocType: Journal Entry,Make Difference Entry,Criar Lançamento de Contrapartida DocType: Upload Attendance,Attendance From Date,Data Inicial de Comparecimento DocType: Appraisal Template Goal,Key Performance Area,Área de performance principal @@ -787,7 +789,7 @@ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fatura da apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Contribuição% DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Números de registro da empresa para sua referência. Exemplo: CNPJ, IE, etc" DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regra de Envio do Carrinho de Compras -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Ordem de produção {0} deve ser cancelado antes de cancelar este Pedido de Venda +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Ordem de produção {0} deve ser cancelado antes de cancelar este Pedido de Venda apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',"Por favor, defina "Aplicar desconto adicional em '" ,Ordered Items To Be Billed,"Itens Vendidos, mas não Faturados" apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,De Gama tem de ser inferior à gama @@ -795,7 +797,7 @@ DocType: Global Defaults,Global Defaults,Padrões Globais apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Convite para Colaboração em Projeto DocType: Purchase Invoice,Start date of current invoice's period,Data de início do período de fatura atual DocType: Salary Slip,Leave Without Pay,Licença não remunerada -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Erro de Planejamento de Capacidade +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Erro de Planejamento de Capacidade ,Trial Balance for Party,Balancete para o Sujeito DocType: Salary Slip,Earnings,Ganhos apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,O Item finalizado {0} deve ser digitado para a o lançamento de tipo de fabricação @@ -807,7 +809,7 @@ DocType: Cheque Print Template,Payer Settings,Configurações do Pagador DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Isso vai ser anexado ao Código do item da variante. Por exemplo, se a sua abreviatura é ""SM"", e o código do item é ""t-shirt"", o código do item da variante será ""T-shirt-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pagamento líquido (por extenso) será visível quando você salvar a folha de pagamento. DocType: Purchase Invoice,Is Return,É Devolução -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Devolução / Nota de Débito +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Devolução / Nota de Débito DocType: Price List Country,Price List Country,Preço da lista País DocType: Item,UOMs,Unidades de Medida apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} números de série válidos para o item {1} @@ -820,7 +822,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost C DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Seu vendedor receberá um lembrete nesta data para contatar o cliente apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Outras contas podem ser feitas em Grupos, mas as entradas podem ser feitas contra os Não-Grupos" DocType: Lead,Lead,Cliente em Potencial -DocType: Email Digest,Payables,Contas a pagar +DocType: Email Digest,Payables,Contas a Pagar apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Lançamento de Estoque {0} criado apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Linha # {0}: Qtde rejeitada não pode ser lançada na devolução da compra ,Purchase Order Items To Be Billed,"Itens Comprados, mas não Faturados" @@ -845,7 +847,7 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Mais apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Um grupo de itens existe com o mesmo nome, por favor, mude o nome do item ou mude o nome do grupo de itens" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Celular do Aluno apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Celular do Aluno -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resto do Mundo +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Resto do Mundo apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,O item {0} não pode ter Batch ,Budget Variance Report,Relatório de Variação de Orçamento apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Registro Contábil @@ -855,6 +857,7 @@ DocType: Student Sibling,Student Sibling,Irmão do Aluno DocType: Purchase Invoice,Supplied Items,Itens fornecidos DocType: Student,STUD.,ALUN. DocType: Production Order,Qty To Manufacture,Qtde para Fabricar +DocType: Email Digest,New Income,Novas Receitas DocType: Buying Settings,Maintain same rate throughout purchase cycle,Manter o mesmo valor através de todo o ciclo de compra DocType: Opportunity Item,Opportunity Item,Item da Oportunidade ,Employee Leave Balance,Saldo de Licenças do Colaborador @@ -864,12 +867,12 @@ DocType: Purchase Invoice,Rejected Warehouse,Armazén de Itens Rejeitados DocType: GL Entry,Against Voucher,Contra o Comprovante DocType: Item,Default Buying Cost Center,Centro de Custo Padrão de Compra apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Para tirar o melhor proveito do ERPNext, recomendamos que você dedique algum tempo para assistir a esses vídeos de ajuda." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,para +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,para DocType: Supplier Quotation Item,Lead Time in days,Prazo de Entrega (em dias) apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Resumo do Contas a Pagar apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Não autorizado para editar conta congelada {0} DocType: Journal Entry,Get Outstanding Invoices,Obter notas pendentes -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Pedido de Venda {0} não é válido +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Pedido de Venda {0} não é válido apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Desculpe , as empresas não podem ser mescladas" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ cannot be greater than requested quantity {2} for Item {3}",A quantidade total Saída / Transferir {0} na Requisição de Material {1} \ não pode ser maior do que a quantidade solicitada {2} para o Item {3} @@ -884,8 +887,8 @@ DocType: Employee,Place of Issue,Local de Envio DocType: Email Digest,Add Quote,Adicionar Citar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Fator de Conversão de Unidade de Medida é necessário para Unidade de Medida: {0} no Item: {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Linha {0}: Qtde é obrigatória -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sincronizar com o Servidor -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Seus Produtos ou Serviços +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sincronizar com o Servidor +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Seus Produtos ou Serviços DocType: Mode of Payment,Mode of Payment,Forma de Pagamento apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Site de imagem deve ser um arquivo público ou URL do site apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Este é um grupo de itens de raiz e não pode ser editada. @@ -906,7 +909,7 @@ DocType: Hub Settings,Seller Website,Site do Vendedor apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Porcentagem total alocado para a equipe de vendas deve ser de 100 DocType: Appraisal Goal,Goal,Meta ,Team Updates,Updates da Equipe -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Para Fornecedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Para Fornecedor DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Definir o Tipo de Conta ajuda na seleção desta Conta nas transações. DocType: Purchase Invoice,Grand Total (Company Currency),Total geral (moeda da empresa) apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Não havia nenhuma item chamado {0} @@ -916,11 +919,11 @@ DocType: Item,Website Item Groups,Grupos de Itens do Site DocType: Purchase Invoice,Total (Company Currency),Total (moeda da empresa) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Número de série {0} entrou mais de uma vez DocType: Depreciation Schedule,Journal Entry,Lançamento no Livro Diário -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} itens em andamento +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} itens em andamento DocType: Workstation,Workstation Name,Nome da Estação de Trabalho DocType: Grading Scale Interval,Grade Code,Código de Nota de Avaliação apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Resumo por Email: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},A LDM {0} não pertencem ao Item {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},A LDM {0} não pertencem ao Item {1} DocType: Sales Partner,Target Distribution,Distribuição de metas DocType: Salary Slip,Bank Account No.,Nº Conta Bancária DocType: Naming Series,This is the number of the last created transaction with this prefix,Este é o número da última transação criada com este prefixo @@ -956,7 +959,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py +25,From {0} | {1} {2},A p DocType: Item,Will also apply to variants,Também se aplica às variantes apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +34,Cannot change Fiscal Year Start Date and Fiscal Year End Date once the Fiscal Year is saved.,Não é possível alterar o Ano Fiscal Data de Início e Data de Fim Ano Fiscal uma vez que o Ano Fiscal é salvo. apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Média Diária de Saída -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Status de Aprovação deve ser ""Aprovado"" ou ""Rejeitado""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Status de Aprovação deve ser ""Aprovado"" ou ""Rejeitado""" DocType: Purchase Invoice,Contact Person,Pessoa de Contato apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Data de Início Esperada' não pode ser maior que 'Data Final Esperada' DocType: Holiday List,Holidays,Feriados @@ -966,8 +969,8 @@ DocType: Item,Maintain Stock,Manter Estoque apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Lançamentos no Estoque já criados para Ordem de Produção apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Variação Líquida do Ativo Imobilizado DocType: Leave Control Panel,Leave blank if considered for all designations,Deixe em branco se considerado para todas as designações -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge do tipo ' real ' na linha {0} não pode ser incluído no item Taxa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge do tipo ' real ' na linha {0} não pode ser incluído no item Taxa +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,A partir da data e hora apps/erpnext/erpnext/config/support.py +17,Communication log.,Log de Comunicação. apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Buying Amount,Valor de Compra @@ -995,12 +998,12 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Perfil da vaga DocType: Journal Entry Account,Account Balance,Saldo da conta apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regra de imposto para transações. DocType: Rename Tool,Type of document to rename.,Tipo de documento a ser renomeado. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Nós compramos este item +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Nós compramos este item apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Um cliente é necessário contra contas a receber {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total de impostos e taxas (moeda da empresa) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +92,{0} {1}: Account {2} is inactive,{0} {1}: Conta {2} está inativa DocType: BOM,Scrap Material Cost(Company Currency),Custo de material de sucata (moeda da empresa) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Subconjuntos +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Subconjuntos DocType: Shipping Rule Condition,To Value,Para o Valor DocType: Asset Movement,Stock Manager,Gerente de Estoque apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},O armazén de origem é obrigatório para a linha {0} @@ -1017,13 +1020,13 @@ DocType: Item,Item Attribute,Atributos do Item apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantes dos Itens DocType: HR Settings,Email Salary Slip to Employee,Enviar contracheque para colaborador via email DocType: Cost Center,Parent Cost Center,Centro de Custo pai -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Selecione Possível Fornecedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Selecione Possível Fornecedor DocType: Sales Invoice,Source,Origem apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostrar fechada DocType: Leave Type,Is Leave Without Pay,É Licença não remunerada apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nenhum registro encontrado na tabela de pagamento DocType: Student Attendance Tool,Students HTML,Alunos HTML -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Lista(s) de embalagem cancelada(s) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Lista(s) de embalagem cancelada(s) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Frete e Encargos de Envio DocType: Homepage,Company Tagline for website homepage,O Slogan da Empresa para página inicial do site DocType: Item Group,Item Group Name,Nome do Grupo de Itens @@ -1048,7 +1051,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Por extenso será visível quando você salvar a Guia de Remessa. apps/erpnext/erpnext/config/stock.py +200,Brand master.,Cadastro de Marca. DocType: Purchase Receipt,Transporter Details,Detalhes da Transportadora -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Possível Fornecedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Possível Fornecedor apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Lista Receiver está vazio. Por favor, crie Lista Receiver" DocType: Production Plan Sales Order,Production Plan Sales Order,Pedido de Venda do Plano de Produção DocType: Sales Partner,Sales Partner Target,Metas do Parceiro de Vendas @@ -1088,10 +1091,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Variação Líquida em Dinheiro DocType: Assessment Plan,Grading Scale,Escala de avaliação apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidade de Medida {0} foi inserida mais de uma vez na Tabela de Conversão de Fator -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Já concluído +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Já concluído apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Pedido de Pagamento já existe {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Custo dos Produtos Enviados -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Quantidade não deve ser mais do que {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Quantidade não deve ser mais do que {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,O Ano Financeiro Anterior não está fechado DocType: Quotation Item,Quotation Item,Item do Orçamento apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,A partir de data não pode ser maior que a Data @@ -1158,7 +1161,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Total de licenças alocadas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Armazén necessário na Linha nº {0} apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Por favor, indique datas inicial e final válidas do Ano Financeiro" DocType: Employee,Date Of Retirement,Data da aposentadoria -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Configuração do ERPNext Concluída! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Configuração do ERPNext Concluída! apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Centro de Custo é necessário para a conta de ""Lucros e Perdas"" {2}. Por favor, crie um Centro de Custo padrão para a Empresa." apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe um grupo de clientes com o mesmo nome, por favor modifique o nome do cliente ou renomeie o grupo de clientes" apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Novo Contato @@ -1166,12 +1169,12 @@ DocType: Territory,Parent Territory,Território pai DocType: Stock Entry,Material Receipt,Entrada de Material DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Se este item tem variantes, então ele não pode ser selecionado em pedidos de venda etc." DocType: Lead,Next Contact By,Próximo Contato Por -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Quantidade necessária para item {0} na linha {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Quantidade necessária para item {0} na linha {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído pois existe quantidade para item {1} DocType: Purchase Invoice,Notification Email Address,Endereço de email de notificação ,Item-wise Sales Register,Registro de Vendas por Item DocType: Asset,Gross Purchase Amount,Valor Bruto de Compra -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Este Imposto Está Incluído na Base de Cálculo? DocType: Job Applicant,Applicant for a Job,Candidato à uma Vaga DocType: Production Plan Material Request,Production Plan Material Request,Requisição de Material do Planejamento de Produção @@ -1185,21 +1188,21 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be a DocType: Employee,Leave Encashed?,Licenças Cobradas? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"O campo ""Oportunidade de"" é obrigatório" DocType: Email Digest,Annual Expenses,Despesas Anuais -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Criar Pedido de Compra +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Criar Pedido de Compra DocType: Payment Reconciliation Payment,Allocated amount,Quantidade atribuída DocType: Stock Reconciliation,Stock Reconciliation,Conciliação de Estoque DocType: Territory,Territory Name,Nome do Território -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Armazén de Trabalho em Andamento é necessário antes de Enviar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Armazén de Trabalho em Andamento é necessário antes de Enviar apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Candidato à uma Vaga. DocType: Supplier,Statutory info and other general information about your Supplier,Informações contratuais e outras informações gerais sobre o seu fornecedor apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Contra Journal Entry {0} não tem qualquer {1} entrada incomparável apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Duplicar Serial Não entrou para item {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,A condição para uma regra de Remessa -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base em artigo ou Armazém" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base em artigo ou Armazém" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),O peso líquido do pacote. (Calculado automaticamente como soma do peso líquido dos itens) DocType: Sales Order,To Deliver and Bill,Para Entregar e Faturar DocType: GL Entry,Credit Amount in Account Currency,Crédito em moeda da conta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,LDM {0} deve ser enviada +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,LDM {0} deve ser enviada DocType: Authorization Control,Authorization Control,Controle de autorização apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha # {0}: Armazén Rejeitado é obrigatório para o item rejeitado {1} apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gerir seus pedidos @@ -1211,7 +1214,7 @@ DocType: Item,Will also apply for variants,Também se aplica às variantes apps/erpnext/erpnext/accounts/doctype/asset/asset.py +159,"Asset cannot be cancelled, as it is already {0}","Activo não podem ser canceladas, como já é {0}" apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Empacotar itens no momento da venda. DocType: Quotation Item,Actual Qty,Qtde Real -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Liste os produtos ou serviços que você comprar ou vender. +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Liste os produtos ou serviços que você comprar ou vender. DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Você digitou itens duplicados . Por favor, corrigir e tentar novamente." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associado @@ -1255,7 +1258,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not se DocType: Maintenance Visit,Maintenance Time,Horário da Manutenção ,Amount to Deliver,Total à Entregar DocType: Guardian,Guardian Interests,Interesses do Responsável -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Vários anos fiscais existem para a data {0}. Por favor, defina empresa no ano fiscal" +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Vários anos fiscais existem para a data {0}. Por favor, defina empresa no ano fiscal" apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} criou DocType: Delivery Note Item,Against Sales Order,Relacionado ao Pedido de Venda ,Serial No Status,Status do Nº de Série @@ -1267,7 +1270,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Isto é baseado no movimento de estoque. Veja o {0} para maiores detalhes DocType: Employee,Salary Information,Informação Salarial DocType: Sales Person,Name and Employee ID,Nome e ID do Colaborador -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,A data de vencimento não pode ser anterior à data de postagem +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,A data de vencimento não pode ser anterior à data de postagem DocType: Website Item Group,Website Item Group,Grupo de Itens do Site apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Impostos e Contribuições apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Por favor, indique data de referência" @@ -1308,8 +1311,8 @@ DocType: Employee,Resignation Letter Date,Data da Carta de Demissão apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,As regras de tarifação são ainda filtrados com base na quantidade. DocType: Task,Total Billing Amount (via Time Sheet),Total Faturado (via Registro de Tempo) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Receita Clientes Repetidos -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) deve ter o papel 'Aprovador de Despesas' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Selecionar LDM e quantidade para produção +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) deve ter o papel 'Aprovador de Despesas' +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Selecionar LDM e quantidade para produção DocType: Asset,Depreciation Schedule,Tabela de Depreciação DocType: Bank Reconciliation Detail,Against Account,Contra à Conta DocType: Item,Has Batch No,Tem nº de Lote @@ -1322,7 +1325,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Data Final Real (via Registro de Tempo) ,Quotation Trends,Tendência de Orçamentos apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Grupo item não mencionado no mestre de item para item {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,De débito em conta deve ser uma conta a receber +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,De débito em conta deve ser uma conta a receber DocType: Shipping Rule Condition,Shipping Amount,Valor do Transporte apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Total pendente ,Vehicle Expenses,Despesas com Veículos @@ -1339,9 +1342,8 @@ DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir encargos bas apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Registros de Tempo DocType: HR Settings,HR Settings,Configurações de RH apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,O pedido de reembolso de despesas está pendente de aprovação. Somente o aprovador de despesas pode atualizar o status. -DocType: Email Digest,New Expenses,Novas despesas DocType: Purchase Invoice,Additional Discount Amount,Total do Desconto Adicional -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha #{0}: A qtde deve ser 1, pois o item é um ativo imobilizado. Por favor, utilize uma linha separada para múltiplas qtdes." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha #{0}: A qtde deve ser 1, pois o item é um ativo imobilizado. Por favor, utilize uma linha separada para múltiplas qtdes." DocType: Leave Block List Allow,Leave Block List Allow,Deixe Lista de Bloqueios Permitir apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr não pode estar em branco ou espaço apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grupo para Não-Grupo @@ -1363,7 +1365,7 @@ DocType: Workstation,Wages per hour,Salário por hora apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Da balança em Batch {0} se tornará negativo {1} para item {2} no Armazém {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,As seguintes Requisições de Material foram criadas automaticamente com base no nível de reposição do item DocType: Email Digest,Pending Sales Orders,Pedidos de Venda Pendentes -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Conta {0} é inválido. Conta de moeda deve ser {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Conta {0} é inválido. Conta de moeda deve ser {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Fator de Conversão da Unidade de Medida é necessário na linha {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Venda, uma Nota Fiscal de Venda ou um Lançamento Contábil" @@ -1375,7 +1377,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Differe apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,"Por favor, indique item Produção primeiro" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Saldo calculado do extrato bancário apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,usuário desativado -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Orçamento +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Orçamento DocType: Salary Slip,Total Deduction,Dedução total ,Production Analytics,Análise de Produção apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Item {0} já foi devolvido @@ -1399,7 +1401,6 @@ DocType: Purchase Order Item,To be delivered to customer,Para ser entregue ao cl DocType: BOM,Scrap Material Cost,Custo do Material Sucateado apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,O Nº de Série {0} não pertence a nenhum Armazén DocType: Purchase Invoice,In Words (Company Currency),Por extenso (moeda da empresa) -DocType: Global Defaults,Default Company,Empresa padrão apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Despesa ou Diferença conta é obrigatória para item {0} como ela afeta o valor das ações em geral DocType: Employee Loan,Employee Loan Account,Conta de Empréstimo para Colaboradores DocType: Leave Application,Total Leave Days,Total de dias de licença @@ -1407,10 +1408,10 @@ DocType: Email Digest,Note: Email will not be sent to disabled users,Observaçã apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Selecione a Empresa... DocType: Leave Control Panel,Leave blank if considered for all departments,Deixe em branco se considerado para todos os departamentos apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipos de emprego (permanente , contrato, estagiário, etc.)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} é obrigatório para o item {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} é obrigatório para o item {1} apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor, selecione montante atribuído, tipo de fatura e número da fatura em pelo menos uma fileira" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Custo da Nova Compra -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Pedido de Venda necessário para o item {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Pedido de Venda necessário para o item {0} DocType: Purchase Invoice Item,Rate (Company Currency),Preço (moeda da empresa) DocType: Payment Entry,Unallocated Amount,Total não alocado apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,"Não consegue encontrar um item correspondente. Por favor, selecione algum outro valor para {0}." @@ -1435,7 +1436,7 @@ apps/erpnext/erpnext/config/stock.py +315,Serialized Inventory,Inventário por N DocType: Activity Type,Default Billing Rate,Preço de Faturamento Padrão DocType: Sales Invoice,Total Billing Amount,Valor Total do Faturamento apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Contas a Receber -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Linha # {0}: Ativo {1} já é {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Linha # {0}: Ativo {1} já é {2} DocType: Quotation Item,Stock Balance,Balanço de Estoque apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Pedido de Venda para Pagamento DocType: Expense Claim Detail,Expense Claim Detail,Detalhe do Pedido de Reembolso de Despesas @@ -1454,12 +1455,12 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Total Base (moeda da emp DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Os preços não serão mostrados se a lista de preços não estiver configurada apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Por favor, especifique um país para esta regra de envio ou verifique Transporte mundial" DocType: Stock Entry,Total Incoming Value,Valor Total Recebido -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Para Débito é necessária +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Para Débito é necessária apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Preço de Compra Lista DocType: Offer Letter Term,Offer Term,Termos da Oferta DocType: Quality Inspection,Quality Manager,Gerente de Qualidade DocType: Job Applicant,Job Opening,Vaga de Trabalho -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Por favor, selecione o nome do Incharge Pessoa" +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Por favor, selecione a pessoa responsável" apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total a Pagar: {0} DocType: BOM Website Operation,BOM Website Operation,LDM da Operação do Site apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Carta de Ofeta @@ -1468,11 +1469,11 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm DocType: Timesheet Detail,To Time,Até o Horário DocType: Authorization Rule,Approving Role (above authorized value),Função de Aprovador (para autorização de valor excedente) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,A conta de Crédito deve ser uma conta do Contas à Pagar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},LDM recursão: {0} não pode ser pai ou filho de {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},LDM recursão: {0} não pode ser pai ou filho de {2} DocType: Production Order Operation,Completed Qty,Qtde Concluída apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Por {0}, apenas as contas de débito pode ser ligado contra outra entrada crédito" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Preço de {0} está desativado -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Linha {0}: A qtde concluída não pode ser superior a {1} para a operação {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Linha {0}: A qtde concluída não pode ser superior a {1} para a operação {2} DocType: Manufacturing Settings,Allow Overtime,Permitir Hora Extra apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","O item de série {0} não pode ser atualizado utilizando a Reconciliação de Estoque, utilize o Lançamento de Estoque" DocType: Training Event Employee,Training Event Employee,Colaborador do Evento de Treinamento @@ -1514,7 +1515,7 @@ DocType: Employee,Employment Details,Detalhes de emprego apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nenhum artigo com código de barras {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Caso n não pode ser 0 DocType: Item,Show a slideshow at the top of the page,Mostrar uma apresentação de slides no topo da página -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,LDMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,LDMs apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Envelhecimento Baseado em DocType: Item,End of Life,Validade apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Viagem @@ -1528,8 +1529,8 @@ DocType: Item Reorder,Item Reorder,Reposição de Item apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Mostrar Contracheque DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar as operações, custos operacionais e dar um número único de operação às suas operações." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está fora do limite {0} {1} para o item {4}. Você está fazendo outro(a) {3} relacionado(a) a(o) mesmo(a) {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,"Por favor, defina recorrentes depois de salvar" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Selecione a conta de troco +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,"Por favor, defina recorrentes depois de salvar" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Selecione a conta de troco DocType: Naming Series,User must always select,O Usuário deve sempre selecionar DocType: Stock Settings,Allow Negative Stock,Permitir Estoque Negativo DocType: Topic,Topic,Tópico @@ -1551,7 +1552,7 @@ apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required DocType: Rename Tool,File to Rename,Arquivo para Renomear apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Por favor, selecione LDM para o Item na linha {0}" apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},A LDM {0} especificada não existe para o Item {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programação de Manutenção {0} deve ser cancelada antes de cancelar este Pedido de Venda +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programação de Manutenção {0} deve ser cancelada antes de cancelar este Pedido de Venda DocType: Notification Control,Expense Claim Approved,Pedido de Reembolso de Despesas Aprovado apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Contracheque do colaborador {0} já criado para este período apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Custo de Produtos Comprados @@ -1563,18 +1564,18 @@ DocType: Buying Settings,Buying Settings,Configurações de Compras DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nº da LDM para um Item Bom Acabado DocType: Upload Attendance,Attendance To Date,Data Final de Comparecimento DocType: Warranty Claim,Raised By,Levantadas por -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Por favor, especifique Empresa proceder" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Por favor, especifique Empresa proceder" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,compensatória Off DocType: Offer Letter,Accepted,Aceito DocType: SG Creation Tool Course,Student Group Name,Nome do Grupo de Alunos apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, certifique-se de que você realmente quer apagar todas as operações para esta empresa. Os seus dados mestre vai permanecer como está. Essa ação não pode ser desfeita." DocType: Room,Room Number,Número da Sala -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) não pode ser maior do que a quantidade planejada ({2}) na ordem de produção {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) não pode ser maior do que a quantidade planejada ({2}) na ordem de produção {3} DocType: Shipping Rule,Shipping Rule Label,Rótudo da Regra de Envio apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Fórum de Usuários -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Matérias-primas não pode ficar em branco. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar estoque, fatura contém gota artigo do transporte." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Lançamento no Livro Diário Rápido +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Matérias-primas não pode ficar em branco. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar estoque, fatura contém gota artigo do transporte." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Lançamento no Livro Diário Rápido apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Você não pode alterar a taxa se a LDM é mencionada em algum item DocType: Employee,Previous Work Experience,Experiência anterior de trabalho DocType: Stock Entry,For Quantity,Para Quantidade @@ -1617,7 +1618,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32, DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Preço Unitário (de acordo com a UDM do estoque) DocType: SMS Log,No of Requested SMS,Nº de SMS pedidos DocType: Campaign,Campaign-.####,Campanha - . # # # # -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,"Por favor, informe os melhores valores e condições possíveis para os itens especificados" +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,"Por favor, informe os melhores valores e condições possíveis para os itens especificados" DocType: Selling Settings,Auto close Opportunity after 15 days,Fechar automaticamente a oportunidade após 15 dias apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Ano Final apps/erpnext/erpnext/hr/doctype/employee/employee.py +119,Contract End Date must be greater than Date of Joining,Data de Encerramento do Contrato deve ser maior que Data de Inicio @@ -1672,7 +1673,7 @@ The tax rate you define here will be the standard tax rate for all **Items**. If DocType: Purchase Receipt Item,Recd Quantity,Quantidade Recebida apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Registos de Taxas Criados - {0} DocType: Asset Category Account,Asset Category Account,Ativo Categoria Conta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais item {0} do que a quantidade no Pedido de Venda {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais item {0} do que a quantidade no Pedido de Venda {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Lançamento no Estoque {0} não é enviado DocType: Payment Reconciliation,Bank / Cash Account,Banco / Conta Caixa apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,O responsável pelo Próximo Contato não pode ser o mesmo que o Endereço de Email de Potencial Cliente @@ -1693,13 +1694,13 @@ apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +7,Training Res DocType: Salary Structure,Total Earning,Total de ganhos DocType: Purchase Receipt,Time at which materials were received,Horário em que os materiais foram recebidos apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Branch master da organização. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ou +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ou DocType: Sales Order,Billing Status,Status do Faturamento apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Despesas com Serviços Públicos apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Acima de 90 DocType: Buying Settings,Default Buying Price List,Lista de preço de compra padrão DocType: Process Payroll,Salary Slip Based on Timesheet,Demonstrativo de pagamento baseado em controle de tempo -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nenhum colaborador já criado para os critérios acima selecionados ou holerite +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Nenhum colaborador já criado para os critérios acima selecionados ou holerite DocType: Notification Control,Sales Order Message,Mensagem do Pedido de Venda apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Defina valores padrão , como empresa, moeda, ano fiscal atual , etc" DocType: Process Payroll,Select Employees,Selecione Colaboradores @@ -1719,7 +1720,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,O Documento de Recibo precisa ser enviado DocType: Purchase Invoice Item,Received Qty,Qtde Recebida DocType: Stock Entry Detail,Serial No / Batch,N º de Série / lote -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Não pago e não entregue +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Não pago e não entregue DocType: Product Bundle,Parent Item,Item Pai DocType: Delivery Note,DN-RET-,GDR-DEV apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +123,Leave Type {0} cannot be carry-forwarded,Deixe tipo {0} não pode ser encaminhado carry- @@ -1737,7 +1738,7 @@ DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Consul DocType: Appraisal Goal,Key Responsibility Area,Área de responsabilidade principal DocType: Payment Entry,Total Allocated Amount,Total alocado DocType: Item Reorder,Material Request Type,Tipo de Requisição de Material -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Entrada de Diário de Acréscimo para salários de {0} a {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Entrada de Diário de Acréscimo para salários de {0} a {1} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Linha {0}: Fator de Conversão da Unidade de Medida é obrigatório apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Referência apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Comprovante # @@ -1751,7 +1752,7 @@ DocType: Employee Education,Class / Percentage,Classe / Percentual apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Imposto de Renda apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Se regra de preços selecionado é feita por 'preço', ele irá substituir Lista de Preços. Preço regra de preço é o preço final, de forma que nenhum desconto adicional deve ser aplicada. Assim, em operações como Pedido de Venda, Pedido de Compra etc, será buscado no campo ""taxa"", ao invés de campo ""Valor na Lista de Preços""." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,"Rastreia Clientes em Potencial, por Segmento." -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Por favor, insira o Código Item para obter lotes não" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Por favor, insira o Código Item para obter lotes não" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Por favor selecione um valor para {0} orçamento_para {1} DocType: Company,Stock Settings,Configurações de Estoque apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","A fusão só é possível se seguintes propriedades são as mesmas em ambos os registros. É Group, tipo de raiz, Company" @@ -1777,7 +1778,7 @@ DocType: Journal Entry,Total Credit,Crédito total apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Aviso: Outra {0} # {1} existe contra entrada de material {2} DocType: Homepage Featured Product,Homepage Featured Product,Produtos em Destaque na Página Inicial apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nome do Novo Armazén -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Por favor, não mencione de visitas necessárias" +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,O número de visitas é obrigatório DocType: Stock Settings,Default Valuation Method,Método de Avaliação padrão DocType: Vehicle Log,Fuel Qty,Qtde de Combustível DocType: Production Order Operation,Planned Start Time,Horário Planejado de Início @@ -1785,7 +1786,7 @@ DocType: Payment Entry Reference,Allocated,Alocado apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Fechar Balanço e livro ou perda . DocType: Fees,Fees,Taxas DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especifique Taxa de Câmbio para converter uma moeda em outra -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,O Orçamento {0} está cancelado +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,O Orçamento {0} está cancelado apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Saldo devedor total DocType: Price List,Price List Master,Cadastro da Lista de Preços DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Todas as transações de vendas pode ser marcado contra várias pessoas das vendas ** ** para que você pode definir e monitorar as metas. @@ -1800,7 +1801,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorar regra de preços DocType: Employee Education,Graduate,Pós-graduação DocType: Leave Block List,Block Days,Bloco de Dias DocType: Journal Entry,Excise Entry,Lançamento de Impostos -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Aviso: Pedido de Venda {0} já existe relacionado ao Pedido de Compra do Cliente {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Aviso: Pedido de Venda {0} já existe relacionado ao Pedido de Compra do Cliente {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -1855,7 +1856,7 @@ DocType: Purchase Invoice Item,Net Rate (Company Currency),Preço líquido (moed apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Gerenciar territórios DocType: Journal Entry Account,Sales Invoice,Nota Fiscal de Venda DocType: Journal Entry Account,Party Balance,Saldo do Sujeito -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Por favor, selecione Aplicar Discount On" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Por favor, selecione Aplicar Discount On" DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Criar registro bancário para o total pago de salários pelos critérios acima selecionados DocType: Stock Entry,Material Transfer for Manufacture,Transferência de Material para Fabricação apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Percentual de desconto pode ser aplicado contra uma lista de preços ou para todos Lista de Preços. @@ -1865,7 +1866,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Endereço do Cliente DocType: Employee Loan,Loan Details,Detalhes do Empréstimo DocType: Company,Default Inventory Account,Conta de Inventário Padrão -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Linha {0}: A qtde concluída deve superior a zero. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Linha {0}: A qtde concluída deve superior a zero. DocType: Purchase Invoice,Apply Additional Discount On,Aplicar Desconto Adicional em DocType: Account,Root Type,Tipo de Raiz apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Linha # {0}: Não é possível retornar mais de {1} para o item {2} @@ -1878,7 +1879,7 @@ DocType: Purchase Invoice,Select Supplier Address,Selecione um Endereço do Forn apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +380,Add Employees,Adicionar Colaboradores apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Muito Pequeno DocType: Company,Standard Template,Template Padrão -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A quantidade de material solicitado é menor do que o Pedido Mínimo +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A quantidade de material solicitado é menor do que o Pedido Mínimo apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,A Conta {0} está congelada DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidade Legal / Subsidiária com um gráfico separado de Contas pertencente à Organização. DocType: Payment Request,Mute Email,Mudo Email @@ -1895,7 +1896,7 @@ DocType: Training Event,Scheduled,Agendado apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Solicitação de orçamento. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Por favor, selecione o item em que "é o estoque item" é "Não" e "é o item Vendas" é "Sim" e não há nenhum outro pacote de produtos" DocType: Student Log,Academic,Acadêmico -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avanço total ({0}) contra Pedido {1} não pode ser maior do que o total geral ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avanço total ({0}) contra Pedido {1} não pode ser maior do que o total geral ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selecione distribuição mensal para distribuir desigualmente metas nos meses. DocType: Vehicle,Diesel,Diesel apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Lista de Preço Moeda não selecionado @@ -1979,7 +1980,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Último dia do mês seguinte DocType: Support Settings,Auto close Issue after 7 days,Fechar atuomaticamente o incidente após 7 dias apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deixe não pode ser alocado antes {0}, como saldo licença já tenha sido no futuro recorde alocação licença encaminhadas-carry {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Observação: Devido / Data de referência excede dias de crédito de cliente permitido por {0} dia(s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Observação: Devido / Data de referência excede dias de crédito de cliente permitido por {0} dia(s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Inscrição do Aluno DocType: Stock Settings,Freeze Stock Entries,Congelar Lançamentos no Estoque DocType: Asset,Expected Value After Useful Life,Valor Esperado Após Sua Vida Útil @@ -2018,14 +2019,14 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Qtde Disponível no Estoque apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Total Faturado DocType: Asset,Double Declining Balance,Equilíbrio decrescente duplo -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,ordem fechada não pode ser cancelada. Unclose para cancelar. -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Estoque"" não pode ser selecionado para venda de ativo fixo" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,ordem fechada não pode ser cancelada. Unclose para cancelar. +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Estoque"" não pode ser selecionado para venda de ativo fixo" DocType: Bank Reconciliation,Bank Reconciliation,Conciliação bancária DocType: Attendance,On Leave,De Licença apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Receber notícias apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Conta {2} não pertence à empresa {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Requisição de Material {0} é cancelada ou parada -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Adicione alguns registros de exemplo +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Adicione alguns registros de exemplo DocType: Lead,Lower Income,Baixa Renda apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Conta diferença deve ser uma conta de tipo ativo / passivo, uma vez que este da reconciliação é uma entrada de Abertura" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Número do Pedido de Compra necessário para o item {0} @@ -2033,7 +2034,7 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Não é possível alterar o status pois o aluno {0} está relacionado à candidatura à vaga de estudo {1} DocType: Asset,Fully Depreciated,Depreciados Totalmente ,Stock Projected Qty,Projeção de Estoque -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Cliente {0} não pertence ao projeto {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Cliente {0} não pertence ao projeto {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Presença marcante HTML DocType: Sales Order,Customer's Purchase Order,Pedido de Compra do Cliente apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Número de Série e Lote @@ -2048,7 +2049,7 @@ DocType: Sales Partner,Retailer,Varejista apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Para crédito de conta deve ser uma conta de Balanço DocType: Global Defaults,Disable In Words,Desativar por extenso apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Código do item é obrigatório porque Item não é numerada automaticamente -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},O Orçamento {0} não é do tipo {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},O Orçamento {0} não é do tipo {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Ítem da Programação da Manutenção DocType: Production Order,PRO-,OP- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Conta Bancária Garantida @@ -2061,7 +2062,7 @@ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_recei apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leave approver must be one of {0},Aprovador de Licenças deve ser um dos {0} DocType: Project,Total Purchase Cost (via Purchase Invoice),Custo Total de Compra (via Nota Fiscal de Compra) DocType: Training Event,Start Time,Horário de Início -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Select Quantidade +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Select Quantidade apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Perfil Aprovandor não pode ser o mesmo Perfil da regra é aplicável a apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Cancelar a inscrição neste Resumo por Email apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Mensagem enviada @@ -2079,13 +2080,13 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Não é permitido atualizar transações com ações mais velho do que {0} DocType: Purchase Invoice Item,PR Detail,Detalhe PR apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Dinheiro na Mão -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Armazén de entrega necessário para item do estoque {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Armazén de entrega necessário para item do estoque {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),O peso bruto do pacote. Normalmente peso líquido + peso do material de embalagem. (para impressão) DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Os usuários com esta função são autorizados a estabelecer contas congeladas e criar / modificar lançamentos contábeis contra contas congeladas DocType: Serial No,Is Cancelled,É cancelado DocType: Journal Entry,Bill Date,Data de Faturamento apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Mesmo se houver várias regras de preços com maior prioridade, então seguintes prioridades internas são aplicadas:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Você realmente quer enviar todos os contracheques de {0} para {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Você realmente quer enviar todos os contracheques de {0} para {1} DocType: Supplier,Supplier Details,Detalhes do Fornecedor DocType: Expense Claim,Approval Status,Estado da Aprovação DocType: Hub Settings,Publish Items to Hub,Publicar itens ao Hub @@ -2118,13 +2119,13 @@ apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Faturas e DocType: POS Profile,Write Off Account,Conta de Abatimentos apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Valor do Desconto DocType: Purchase Invoice,Return Against Purchase Invoice,Devolução Relacionada à Nota Fiscal de Compra -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,ex: ICMS +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,ex: ICMS apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subcontratação DocType: Journal Entry Account,Journal Entry Account,Conta de Lançamento no Livro Diário apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupo de Alunos DocType: Shopping Cart Settings,Quotation Series,Séries de Orçamento apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Um item existe com o mesmo nome ( {0}) , por favor, altere o nome do grupo de itens ou renomeie o item" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Selecione o cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Selecione o cliente DocType: Company,Asset Depreciation Cost Center,Centro de Custo do Ativo Depreciado DocType: Sales Order Item,Sales Order Date,Data do Pedido de Venda DocType: Sales Invoice Item,Delivered Qty,Qtde Entregue @@ -2145,7 +2146,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast o apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Selecione a natureza do seu negócio. apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Onde as operações de fabricação são realizadas. DocType: Asset Movement,Source Warehouse,Armazém de origem -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Linha # {0}: Ativo {1} não pertence à empresa {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Linha # {0}: Ativo {1} não pertence à empresa {2} DocType: C-Form,Total Invoiced Amount,Valor Total Faturado apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Qtde mínima não pode ser maior do que qtde máxima DocType: Stock Entry,Customer or Supplier Details,Detalhes do Cliente ou Fornecedor @@ -2200,7 +2201,7 @@ DocType: Company,Default Letter Head,Cabeçalho Padrão DocType: Purchase Order,Get Items from Open Material Requests,Obter Itens de Requisições de Material Abertas DocType: Item,Standard Selling Rate,Valor de venda padrão DocType: Account,Rate at which this tax is applied,Taxa em que este imposto é aplicado -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Qtde para Reposição +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Qtde para Reposição apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Vagas Disponíveis Atualmente DocType: Company,Stock Adjustment Account,Conta de Ajuste apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Abatimento @@ -2212,7 +2213,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,O fornecedor entrega diretamente ao cliente apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,Não há [{0}] ({0}) em estoque. apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Próxima Data deve ser maior que data de lançamento -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Vencimento / Data de Referência não pode ser depois de {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Vencimento / Data de Referência não pode ser depois de {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Importação e Exportação de Dados apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nenhum Aluno Encontrado apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Data do Lançamento da Fatura @@ -2224,8 +2225,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Por favor, entre em contato com um usuário que tem a função {0} Gerente de Cadastros de Vendas" apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,"Cadastro da Empresa (a própria companhia, não se refere ao cliente, nem ao fornecedor)" apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Isto é baseado na frequência do aluno -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Por favor, digite a ""Data Prevista de Entrega""" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,A Guia de Remessa {0} deve ser cancelada antes de cancelar este Pedido de Venda +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,A Guia de Remessa {0} deve ser cancelada antes de cancelar este Pedido de Venda apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Valor pago + Valor do abatimento não pode ser maior do que o total geral apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} não é um número de lote válido para o item {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Nota: Não é suficiente equilíbrio pela licença Tipo {0} @@ -2239,7 +2239,7 @@ DocType: Company,Create Chart Of Accounts Based On,Criar plano de contas baseado apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot be greater than today.,Data de nascimento não pode ser maior do que hoje. ,Stock Ageing,Envelhecimento do Estoque apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Registro de Tempo -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' está desativado +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' está desativado DocType: Cheque Print Template,Scanned Cheque,Cheque Escaneado DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Enviar emails automáticos para Contatos sobre transações de enviar. DocType: Purchase Order,Customer Contact Email,Cliente Fale Email @@ -2270,11 +2270,11 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ex: Kg, Unidade, nº, m" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +122,Reference No is mandatory if you entered Reference Date,Referência Não é obrigatório se você entrou Data de Referência apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must be greater than Date of Birth,Data de Contratação deve ser maior do que a Data de Nascimento -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Saída de Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Saída de Material DocType: Material Request Item,For Warehouse,Para Armazén DocType: Employee,Offer Date,Data da Oferta apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Orçamentos -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Você está em modo offline. Você não será capaz de recarregar até ter conexão. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Você está em modo offline. Você não será capaz de recarregar até ter conexão. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Não foi criado nenhum grupo de alunos. DocType: Purchase Invoice Item,Serial No,Nº de Série apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Por favor, indique Maintaince Detalhes primeiro" @@ -2308,16 +2308,16 @@ DocType: Daily Work Summary Settings,Daily Work Summary Settings,Configurações apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Existe uma conta inferior para esta conta. Você não pode excluir esta conta. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ou qty alvo ou valor alvo é obrigatório apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Não existe LDM padrão para o item {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Por favor, selecione Data de lançamento primeiro" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Por favor, selecione Data de lançamento primeiro" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Data de Abertura deve ser antes da Data de Fechamento DocType: Leave Control Panel,Carry Forward,Encaminhar apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centro de custo com as operações existentes não podem ser convertidos em registro DocType: Department,Days for which Holidays are blocked for this department.,Dias para que feriados são bloqueados para este departamento. -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Criar Contracheques +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Criar Contracheques DocType: Issue,Raised By (Email),Levantadas por (Email) DocType: Training Event,Trainer Name,Nome do Instrutor apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Não pode deduzir quando é para categoria ' Avaliação ' ou ' Avaliação e Total' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista de suas cabeças fiscais (por exemplo, IVA, etc aduaneiras; eles devem ter nomes exclusivos) e suas taxas normais. Isto irá criar um modelo padrão, que você pode editar e adicionar mais tarde." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista de suas cabeças fiscais (por exemplo, IVA, etc aduaneiras; eles devem ter nomes exclusivos) e suas taxas normais. Isto irá criar um modelo padrão, que você pode editar e adicionar mais tarde." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Nº de Série Obrigatório para o Item Serializado {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Conciliação de Pagamentos DocType: Journal Entry,Bank Entry,Lançamento Bancário @@ -2335,12 +2335,12 @@ apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Demonstrativo apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"New Serial Não, não pode ter Warehouse. Warehouse deve ser definida pelo Banco de entrada ou Recibo de compra" DocType: Lead,Lead Type,Tipo de Cliente em Potencial apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Você não está autorizado a aprovar folhas em datas Bloco -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Todos esses itens já foram faturados +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Todos esses itens já foram faturados apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Pode ser aprovado pelo {0} DocType: Item,Default Material Request Type,Tipo de Requisição de Material Padrão DocType: Shipping Rule,Shipping Rule Conditions,Regra Condições de envio DocType: BOM Replace Tool,The new BOM after replacement,A nova LDM após substituição -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Ponto de Vendas +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Ponto de Vendas DocType: Payment Entry,Received Amount,Total recebido DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Criar para quantidade total, ignorar quantidade já pedida" DocType: Production Planning Tool,Production Planning Tool,Ferramenta de Planejamento da Produção @@ -2348,7 +2348,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py DocType: Quality Inspection,Report Date,Data do Relatório DocType: Job Opening,Job Title,Cargo apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Criar Usuários -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Quantidade de Fabricação deve ser maior que 0. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Quantidade de Fabricação deve ser maior que 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Relatório da visita da chamada de manutenção. DocType: Stock Entry,Update Rate and Availability,Atualizar Valor e Disponibilidade DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Percentagem que estão autorizados a receber ou entregar mais contra a quantidade encomendada. Por exemplo: Se você encomendou 100 unidades. e seu subsídio é de 10%, então você está autorizada a receber 110 unidades." @@ -2364,7 +2364,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Selecione apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Referência da transação nº {0} em {1} apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Não há nada a ser editado. apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Demonstrativo de Fluxo de Caixa -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Invoice {0} a partir de C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Invoice {0} a partir de C-Form {1}" DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor selecione Encaminhar se você também quer incluir o saldo de licenças do ano fiscal anterior neste ano fiscal DocType: GL Entry,Against Voucher Type,Contra o Tipo de Comprovante apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Por favor, indique a conta de abatimento" @@ -2392,11 +2392,11 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandator DocType: Student Sibling,Student ID,ID do Aluno apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Tipos de Atividades para Registros de Tempo DocType: Stock Entry Detail,Basic Amount,Valor Base -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Armazém necessário para o ítem do estoque {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Armazém necessário para o ítem do estoque {0} DocType: Leave Allocation,Unused leaves,Folhas não utilizadas DocType: Tax Rule,Billing State,Estado de Faturamento apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} não está associado com a Conta do Sujeito {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Buscar LDM explodida (incluindo sub-conjuntos ) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Buscar LDM explodida (incluindo sub-conjuntos ) DocType: Authorization Rule,Applicable To (Employee),Aplicável para (Colaborador) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date é obrigatória apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Atributo incremento para {0} não pode ser 0 @@ -2416,7 +2416,7 @@ DocType: Payment Entry,Account Paid From,Conta de Origem do Pagamento DocType: Purchase Order Item Supplied,Raw Material Item Code,Código de Item de Matérias-primas DocType: Journal Entry,Write Off Based On,Abater baseado em DocType: Stock Settings,Show Barcode Field,Mostrar Campo Código de Barras -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Enviar emails a fornecedores +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Enviar emails a fornecedores apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Registro de instalação de um nº de série apps/erpnext/erpnext/config/hr.py +177,Training,Treinamento DocType: Timesheet,Employee Detail,Detalhes do Colaborador @@ -2439,7 +2439,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Custo do Ativo Sucateado apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Custo é obrigatória para item {2} DocType: Vehicle,Policy No,Nº da Apólice -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Obter Itens do Pacote de Produtos +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Obter Itens do Pacote de Produtos DocType: Asset,Straight Line,Linha reta DocType: Project User,Project User,Usuário do Projeto DocType: GL Entry,Is Advance,É Adiantamento @@ -2456,16 +2456,16 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especificar condições para calcular valor de frete DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Papel permissão para definir as contas congeladas e editar entradas congeladas apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"Não é possível converter Centro de Custo de contabilidade , uma vez que tem nós filhos" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valor de Abertura +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Valor de Abertura apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha # {0}: Ativo {1} não pode ser enviado, já é {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha # {0}: Ativo {1} não pode ser enviado, já é {2}" DocType: Tax Rule,Billing Country,País de Faturamento DocType: Purchase Order Item,Expected Delivery Date,Data Prevista de Entrega apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,O Débito e Crédito não são iguais para {0} # {1}. A diferença é de {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Despesas com Entretenimento apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Fazer Requisição de Material apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Abrir Item {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A Nota Fiscal de Venda {0} deve ser cancelada antes de cancelar este Pedido de Venda +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A Nota Fiscal de Venda {0} deve ser cancelada antes de cancelar este Pedido de Venda DocType: Sales Invoice Timesheet,Billing Amount,Total para Faturamento apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantidade inválido especificado para o item {0} . Quantidade deve ser maior do que 0 . apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Solicitações de licença. @@ -2483,7 +2483,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Receita com novos clientes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Despesas com viagem DocType: Maintenance Visit,Breakdown,Pane -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,A Conta: {0} com moeda: {1} não pode ser selecionada +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,A Conta: {0} com moeda: {1} não pode ser selecionada apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Conta {0}: A Conta Superior {1} não pertence à empresa: {2} DocType: Program Enrollment Tool,Student Applicants,Candidatos à Vaga de Estudo apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Todas as transações relacionadas a esta empresa foram excluídas com sucesso! @@ -2495,20 +2495,20 @@ DocType: Production Order Item,Transferred Qty,Qtde Transferida apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planejamento DocType: Project,Total Billing Amount (via Time Logs),Valor Total do Faturamento (via Time Logs) apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ID do Fornecedor -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Quantidade deve ser maior do que 0 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Quantidade deve ser maior do que 0 DocType: Journal Entry,Cash Entry,Entrada de Caixa DocType: Sales Partner,Contact Desc,Descrição do Contato apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tipo de licenças como casual, doença, etc." DocType: Email Digest,Send regular summary reports via Email.,Enviar relatórios periódicos de síntese via Email. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Por favor configure uma conta padrão no tipo de Reembolso de Despesas {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Por favor configure uma conta padrão no tipo de Reembolso de Despesas {0} DocType: Brand,Item Manager,Gerente de Item DocType: Buying Settings,Default Supplier Type,Padrão de Tipo de Fornecedor DocType: Production Order,Total Operating Cost,Custo de Operacional Total -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Observação: O Item {0} foi inserido mais de uma vez +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Observação: O Item {0} foi inserido mais de uma vez apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Todos os Contatos. apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Sigla da Empresa apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Usuário {0} não existe -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Matéria-prima não pode ser o mesmo como o principal item +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Matéria-prima não pode ser o mesmo como o principal item apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Pagamento já existe apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Não authroized desde {0} excede os limites apps/erpnext/erpnext/config/hr.py +110,Salary template master.,Modelo de cadastro de salário. @@ -2521,7 +2521,7 @@ apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotaç DocType: Stock Settings,Role Allowed to edit frozen stock,Papel permissão para editar estoque congelado ,Territory Target Variance Item Group-Wise,Variação Territorial de Público por Grupo de Item apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Todos os grupos de clientes -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o valor de câmbio não exista de {1} para {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o valor de câmbio não exista de {1} para {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Modelo de impostos é obrigatório. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Conta {0}: A Conta Superior {1} não existe DocType: Purchase Invoice Item,Price List Rate (Company Currency),Preço da Lista de Preços (moeda da empresa) @@ -2537,7 +2537,7 @@ DocType: POS Profile,Apply Discount On,Aplicar Discount On apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Linha # {0}: O número de série é obrigatório DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detalhes do Imposto Vinculados ao Item ,Item-wise Price List Rate,Lista de Preços por Item -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Orçamento de Fornecedor +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Orçamento de Fornecedor DocType: Quotation,In Words will be visible once you save the Quotation.,Por extenso será visível quando você salvar o orçamento. apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Código de barras {0} já utilizado em item {1} DocType: Lead,Add to calendar on this date,Adicionar data ao calendário @@ -2557,7 +2557,7 @@ Updated via 'Time Log'","em Minutos DocType: Customer,From Lead,Do Cliente em Potencial apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Ordens liberadas para produção. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Selecione o Ano Fiscal ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,Perfil do PDV necessário para fazer entrada no PDV +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,Perfil do PDV necessário para fazer entrada no PDV DocType: Program Enrollment Tool,Enroll Students,Matricular Alunos DocType: Hub Settings,Name Token,Nome do token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Venda padrão @@ -2592,16 +2592,16 @@ DocType: Maintenance Visit,Customer Feedback,Comentário do Cliente DocType: Item Attribute,From Range,Da Faixa DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Configurações Resumo de Trabalho Diário da Empresa apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Item {0} ignorado uma vez que não é um item de estoque -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Enviar esta ordem de produção para posterior processamento. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Enviar esta ordem de produção para posterior processamento. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Para não aplicar regra de preços em uma transação particular, todas as regras de preços aplicáveis devem ser desativados." apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Tarefas ,Sales Order Trends,Tendência de Pedidos de Venda DocType: Employee,Held On,Realizada em apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Bem de Produção ,Employee Information,Informações do Colaborador -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Percentual (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Percentual (%) apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Não é possível filtrar com base no Comprovante Não, se agrupados por voucher" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Criar Orçamento do Fornecedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Criar Orçamento do Fornecedor DocType: BOM,Materials Required (Exploded),Materiais necessários (lista explodida) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Adicione usuários à sua organização, além de você mesmo" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Número de ordem {1} não coincide com {2} {3} @@ -2637,9 +2637,9 @@ DocType: Production Order Operation,Production Order Operation,Ordem de produç apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Activo {0} não pode ser descartado, uma vez que já é {1}" DocType: Task,Total Expense Claim (via Expense Claim),Reivindicação Despesa Total (via Despesa Claim) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marcar Ausente -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Linha {0}: Moeda da LDM # {1} deve ser igual à moeda selecionada {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Linha {0}: Moeda da LDM # {1} deve ser igual à moeda selecionada {2} DocType: Journal Entry Account,Exchange Rate,Taxa de Câmbio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Pedido de Venda {0} não foi enviado +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Pedido de Venda {0} não foi enviado DocType: Homepage,Tag Line,Slogan DocType: Fee Component,Fee Component,Componente da Taxa DocType: BOM,Last Purchase Rate,Valor da Última Compra @@ -2678,7 +2678,7 @@ DocType: Item Group,Default Expense Account,Conta Padrão de Despesa apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Email do Aluno DocType: Employee,Notice (days),Aviso Prévio ( dias) DocType: Tax Rule,Sales Tax Template,Modelo de Impostos sobre Vendas -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Selecione os itens para salvar a nota +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Selecione os itens para salvar a nota DocType: Employee,Encashment Date,Data da cobrança DocType: Account,Stock Adjustment,Ajuste do estoque apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Existe Atividade Custo Padrão para o Tipo de Atividade - {0} @@ -2709,10 +2709,10 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Valor pago apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Gerente de Projetos apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max desconto permitido para o item: {0} é {1}% -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Linha # {0}: Não é permitido mudar de fornecedor quando o Pedido de Compra já existe +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Linha # {0}: Não é permitido mudar de fornecedor quando o Pedido de Compra já existe DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Papel que é permitido submeter transações que excedam os limites de crédito estabelecidos. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Selecionar Itens para Produzir -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Os dados estão sendo sincronizados, isto pode demorar algum tempo" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Selecionar Itens para Produzir +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Os dados estão sendo sincronizados, isto pode demorar algum tempo" DocType: Item Price,Item Price,Preço do Item apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +48,Soap & Detergent,Soap & detergente DocType: BOM,Show Items,Mostrar Itens @@ -2726,7 +2726,7 @@ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Sup apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Para data deve ser dentro do exercício social. Assumindo Para Date = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aqui você pode manter a altura, peso, alergias, restrições médicas, etc" DocType: Leave Block List,Applies to Company,Aplica-se a Empresa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar por causa da entrada submetido {0} existe +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar por causa da entrada submetido {0} existe DocType: Employee Loan,Disbursement Date,Data do Desembolso apps/erpnext/erpnext/hr/doctype/employee/employee.py +217,Today is {0}'s birthday!,{0} faz aniversário hoje! DocType: Production Planning Tool,Material Request For Warehouse,Requisição de Material para Armazém @@ -2751,14 +2751,14 @@ DocType: BOM,Manage cost of operations,Gerenciar custo das operações DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Quando qualquer uma das operações marcadas são ""Enviadas"", um pop-up abre automaticamente para enviar um email para o ""Contato"" associado a transação, com a transação como um anexo. O usuário pode ou não enviar o email." apps/erpnext/erpnext/config/setup.py +14,Global Settings,Configurações Globais DocType: Employee Education,Employee Education,Escolaridade do Colaborador -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,É preciso buscar Número detalhes. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,É preciso buscar Número detalhes. DocType: Salary Slip,Net Pay,Pagamento Líquido apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Nº de Série {0} já foi recebido ,Requested Items To Be Transferred,"Items Solicitados, mas não Transferidos" DocType: Expense Claim,Vehicle Log,Log do Veículo DocType: Purchase Invoice,Recurring Id,Id recorrente DocType: Customer,Sales Team Details,Detalhes da Equipe de Vendas -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Apagar de forma permanente? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Apagar de forma permanente? DocType: Expense Claim,Total Claimed Amount,Quantia Total Reivindicada apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Oportunidades potenciais para a venda. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Licença Médica @@ -2767,16 +2767,15 @@ DocType: Delivery Note,Billing Address Name,Endereço de Faturamento apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Lojas de Departamento DocType: Sales Invoice,Base Change Amount (Company Currency),Troco (moeda da empresa) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nenhuma entrada de contabilidade para os seguintes armazéns -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Salve o documento pela primeira vez. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Salve o documento pela primeira vez. DocType: Account,Chargeable,Taxável -DocType: Company,Change Abbreviation,Miudar abreviação +DocType: Company,Change Abbreviation,Mudar abreviação DocType: Expense Claim Detail,Expense Date,Data da despesa apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Valor do último pedido DocType: Daily Work Summary,Email Sent To,Email Enviado para DocType: Budget,Warn,Avisar DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Quaisquer outras observações, esforço digno de nota que deve constar nos registros." DocType: BOM,Manufacturing User,Usuário de Fabricação -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,A Data de Previsão de Entrega não pode ser anterior a data do Pedido de Compra apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Gerente de Desenvolvimento de Negócios DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Finalidade da Visita de Manutenção apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Livro Razão @@ -2805,11 +2804,11 @@ DocType: Email Digest,New Purchase Orders,Novos Pedidos de Compra apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root não pode ter um centro de custos pai apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Depreciação acumulada como em DocType: Sales Invoice,C-Form Applicable,Formulário-C Aplicável -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Tempo de Operação deve ser maior que 0 para a operação {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Tempo de Operação deve ser maior que 0 para a operação {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Armazém é obrigatório DocType: Supplier,Address and Contacts,Endereços e Contatos DocType: UOM Conversion Detail,UOM Conversion Detail,Detalhe da Conversão de Unidade de Medida -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Ordem de produção não pode ser levantada contra um modelo de item +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Ordem de produção não pode ser levantada contra um modelo de item apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Encargos são atualizados em Recibo de compra para cada item DocType: Warranty Claim,Resolved By,Resolvido por apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Alocar licenças por um período. @@ -2846,7 +2845,7 @@ DocType: Account,Income,Receita DocType: Industry Type,Industry Type,Tipo de Indústria apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Algo deu errado! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Aviso: pedido de férias contém as datas de intervalos -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,A Nota Fiscal de Venda {0} já foi enviada +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,A Nota Fiscal de Venda {0} já foi enviada apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Ano Fiscal {0} não existe DocType: Purchase Invoice Item,Amount (Company Currency),Total (moeda da empresa) DocType: Fee Structure,Student Category,Categoria do Aluno @@ -2872,12 +2871,12 @@ DocType: Request for Quotation Item,Supplier Part No,Nº da Peça no Fornecedor apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Recebido de DocType: Item,Has Serial No,Tem nº de Série apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: A partir de {0} para {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Linha # {0}: Defina o fornecedor para o item {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Linha {0}: Horas deve ser um valor maior que zero +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Linha # {0}: Defina o fornecedor para o item {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Linha {0}: Horas deve ser um valor maior que zero apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Site Imagem {0} anexada ao Item {1} não pode ser encontrado DocType: Item,List this Item in multiple groups on the website.,Listar este item em vários grupos no site. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Por favor, verifique multi opção de moeda para permitir que contas com outra moeda" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} não existe no sistema +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Item: {0} não existe no sistema apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Você não está autorizado para definir o valor congelado DocType: Payment Reconciliation,Get Unreconciled Entries,Obter Lançamentos não Conciliados DocType: Payment Reconciliation,From Invoice Date,A Partir da Data de Faturamento @@ -2900,7 +2899,7 @@ DocType: Stock Entry,Default Source Warehouse,Armazén de Origem Padrão DocType: Item,Customer Code,Código do Cliente apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Lembrete de aniversário para {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dias desde a última compra -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Débito em conta deve ser uma conta de Balanço +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Débito em conta deve ser uma conta de Balanço DocType: Buying Settings,Naming Series,Código dos Documentos DocType: Leave Block List,Leave Block List Name,Deixe o nome Lista de Bloqueios apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,A data de início da cobertura do seguro deve ser inferior a data de término da cobertura @@ -2915,7 +2914,7 @@ DocType: Vehicle Log,Odometer,Odômetro DocType: Sales Order Item,Ordered Qty,Qtde Encomendada apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Item {0} está desativado DocType: Stock Settings,Stock Frozen Upto,Estoque congelado até -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,LDM não contém nenhum item de estoque +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,LDM não contém nenhum item de estoque apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Período Do período Para datas e obrigatórias para os recorrentes {0} DocType: Vehicle Log,Refuelling Details,Detalhes de Abastecimento apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Gerar contracheques @@ -3020,11 +3019,11 @@ DocType: Packing Slip,Gross Weight UOM,Unidade de Medida do Peso Bruto DocType: Delivery Note Item,Against Sales Invoice,Contra a Nota Fiscal de Venda DocType: Bin,Reserved Qty for Production,Qtde Reservada para Produção DocType: Asset,Frequency of Depreciation (Months),Frequência das Depreciações (meses) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Conta de crédito +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Conta de crédito DocType: Landed Cost Item,Landed Cost Item,Custo de Desembarque do Item apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostrar valores zerados DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantidade do item obtido após a fabricação / reembalagem a partir de determinadas quantidades de matéria-prima -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Configurar um website simples para a minha organização +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Configurar um website simples para a minha organização DocType: Payment Reconciliation,Receivable / Payable Account,Conta de Recebimento/Pagamento DocType: Delivery Note Item,Against Sales Order Item,Relacionado ao Item do Pedido de Venda apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Por favor, especifique Atributo Valor para o atributo {0}" @@ -3062,23 +3061,23 @@ DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Manter o mes DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planejar Registros de Tempo fora do horário de trabalho da estação de trabalho. ,Items To Be Requested,Itens para Requisitar DocType: Purchase Order,Get Last Purchase Rate,Obter Valor da Última Compra -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Selecione ou adicione um novo cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Selecione ou adicione um novo cliente apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicação de Recursos (Ativos) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Isto é baseado na frequência deste Colaborador DocType: Fiscal Year,Year Start Date,Data do início do ano DocType: Attendance,Employee Name,Nome do Colaborador DocType: Sales Invoice,Rounded Total (Company Currency),Total arredondado (moeda da empresa) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o tipo de conta é selecionado." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,"{0} {1} foi modificado. Por favor, atualize." +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,"{0} {1} foi modificado. Por favor, atualize." DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impedir que usuários solicitem licenças em dias seguintes apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Valor de Compra apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Orçamento do fornecedor {0} criado apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,O ano final não pode ser antes do ano de início apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Benefícios a Colaboradores -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Embalado quantidade deve ser igual a quantidade de item {0} na linha {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Embalado quantidade deve ser igual a quantidade de item {0} na linha {1} DocType: Production Order,Manufactured Qty,Qtde Fabricada DocType: Purchase Receipt Item,Accepted Quantity,Quantidade Aceita -apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, defina uma Lista de Férias padrão para o(a) Colaboador(a) {0} ou para a Empresa {1}" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, defina uma Lista de Feriados padrão para o(a) Colaboador(a) {0} ou para a Empresa {1}" apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Faturas emitidas para Clientes. apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id Projeto apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Linha {0}: Valor não pode ser superior ao valor pendente relacionado ao Reembolso de Despesas {1}. O valor pendente é {2} @@ -3086,7 +3085,7 @@ DocType: Maintenance Schedule,Schedule,Agendar DocType: Account,Parent Account,Conta Superior ,Hub,Cubo DocType: GL Entry,Voucher Type,Tipo de Comprovante -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Preço de tabela não encontrado ou deficientes +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Preço de tabela não encontrado ou deficientes apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Colaborador dispensado em {0} deve ser definido como 'Desligamento' apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,Avaliação {0} criada para o Colaborador {1} no intervalo de datas informado DocType: Selling Settings,Campaign Naming By,Nomeação de Campanha por @@ -3129,7 +3128,7 @@ DocType: Asset,Asset Category,Categoria de Ativos apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Salário líquido não pode ser negativo DocType: SMS Settings,Static Parameters,Parâmetros estáticos DocType: Assessment Plan,Room,Sala -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Material a Fornecedor +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Material a Fornecedor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Guia de Recolhimento de Tributos DocType: Expense Claim,Employees Email Id,Endereços de Email dos Colaboradores apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Passivo Circulante diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index e8d6d89cc32..b41ec7c5110 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Revendedor DocType: Employee,Rented,Alugado DocType: Purchase Order,PO-,OC- DocType: POS Profile,Applicable for User,Aplicável para o utilizador -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","A Ordem de Produção parada não pode ser cancelada, continue com mesma antes para depois cancelar" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","A Ordem de Produção parada não pode ser cancelada, continue com mesma antes para depois cancelar" DocType: Vehicle Service,Mileage,Quilometragem apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Você realmente quer descartar esse ativo? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Selecione o Fornecedor Padrão @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Faturado apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Taxa de Câmbio deve ser a mesma que {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Nome do Cliente DocType: Vehicle,Natural Gas,Gás Natural -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Conta bancária não pode ser nomeada como {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Conta bancária não pode ser nomeada como {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Elementos (ou grupos) dos quais os Lançamentos Contabilísticos são feitas e os saldos são mantidos. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Pendente para {0} não pode ser menor que zero ({1}) DocType: Manufacturing Settings,Default 10 mins,Padrão de 10 min @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Nome do Tipo de Baixa apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Mostrar aberto apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Série Atualizada com Sucesso apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Check-out -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Submetido +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Submetido DocType: Pricing Rule,Apply On,Aplicar Em DocType: Item Price,Multiple Item prices.,Preços de Vários Artigos. ,Purchase Order Items To Be Received,Artigos da Ordem de Compra a serem recebidos @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Modo da Conta de Pagame apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Mostrar Variantes DocType: Academic Term,Academic Term,Período Letivo apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Material -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Quantidade +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Quantidade apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,A tabela de contas não pode estar vazia. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Empréstimos (Passivo) DocType: Employee Education,Year of Passing,Ano de conclusão @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Assistência Médica apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Atraso no pagamento (Dias) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Despesa de Serviço -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de série: {0} já está referenciado na fatura de vendas: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Fatura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de série: {0} já está referenciado na fatura de vendas: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Fatura DocType: Maintenance Schedule Item,Periodicity,Periodicidade apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,O Ano Fiscal {0} é obrigatório -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Data prevista de entrega é de ser antes de Ordem de Vendas Data apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Defesa DocType: Salary Component,Abbr,Abrev DocType: Appraisal Goal,Score (0-5),Pontuação (de 0 a 5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Linha # {0}: DocType: Timesheet,Total Costing Amount,Valor Total dos Custos DocType: Delivery Note,Vehicle No,Nº do Veículo -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Por favor, selecione a Lista de Preços" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,"Por favor, selecione a Lista de Preços" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: documento de pagamento é necessário para concluir o trasaction DocType: Production Order Operation,Work In Progress,Trabalho em Andamento apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Por favor selecione a data @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} não em qualquer ano fiscal ativa. DocType: Packed Item,Parent Detail docname,Dados Principais de docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referência: {0}, Código do Item: {1} e Cliente: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Registo apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Vaga para um Emprego. DocType: Item Attribute,Increment,Aumento @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Casado/a apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Não tem permissão para {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Obter itens de -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},O Stock não pode ser atualizado nesta Guia de Remessa {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},O Stock não pode ser atualizado nesta Guia de Remessa {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produto {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nenhum item listado DocType: Payment Reconciliation,Reconcile,Conciliar @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Fundo apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Próxima Depreciação A data não pode ser antes Data da compra DocType: SMS Center,All Sales Person,Todos os Vendedores DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"A **Distribuição Mensal** ajuda-o a distribuir o Orçamento/Meta por vários meses, caso o seu negócio seja sazonal." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Não itens encontrados +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Não itens encontrados apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Falta a Estrutura Salarial DocType: Lead,Person Name,Nome da Pessoa DocType: Sales Invoice Item,Sales Invoice Item,Item de Fatura de Vendas @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É um Ativo Imobilizado"" não pode ser desmarcado, pois existe um registo de ativos desse item" DocType: Vehicle Service,Brake Oil,Óleo dos Travões DocType: Tax Rule,Tax Type,Tipo de imposto -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Valor taxado +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Valor taxado apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Não está autorizado a adicionar ou atualizar registos antes de {0} DocType: BOM,Item Image (if not slideshow),Imagem do Item (se não for diapositivo de imagens) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Existe um Cliente com o mesmo nome DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Valor por Hora / 60) * Tempo Real Operacional -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Selecionar BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Selecionar BOM DocType: SMS Log,SMS Log,Registo de SMS apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Custo de Itens Entregues apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,O feriado em {0} não é entre De Data e To Date @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Escolas DocType: School Settings,Validate Batch for Students in Student Group,Validar Lote para Estudantes em Grupo de Estudantes apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nenhum registo de falta encontrados para o funcionário {0} para {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Por favor, insira primeiro a empresa" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Por favor, selecione primeiro a Empresa" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Por favor, selecione primeiro a Empresa" DocType: Employee Education,Under Graduate,Universitário apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Objetivo DocType: BOM,Total Cost,Custo Total DocType: Journal Entry Account,Employee Loan,Empréstimo a funcionário -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Registo de Atividade: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,O Item {0} não existe no sistema ou já expirou +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Registo de Atividade: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,O Item {0} não existe no sistema ou já expirou apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Imóveis apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Extrato de Conta apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmacêuticos @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Quantidade do Pedido apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Foi encontrado um grupo de clientes duplicado na tabela de grupo do cliente apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tipo de Fornecedor / Fornecedor DocType: Naming Series,Prefix,Prefixo -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Defina Naming Series para {0} por Configuração> Configurações> Série de nomeação -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumíveis +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumíveis DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Importar Registo DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Retirar as Solicitações de Material do tipo de Fabrico com base nos critérios acima DocType: Training Result Employee,Grade,Classe DocType: Sales Invoice Item,Delivered By Supplier,Entregue Pelo Fornecedor DocType: SMS Center,All Contact,Todos os Contactos -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Ordem de produção já criado para todos os artigos com BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Ordem de produção já criado para todos os artigos com BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salário Anual DocType: Daily Work Summary,Daily Work Summary,Resumo do Trabalho Diário DocType: Period Closing Voucher,Closing Fiscal Year,A Encerrar Ano Fiscal -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} foi suspenso +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} foi suspenso apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Por favor, seleccione uma Empresa Existente para a criação do Plano de Contas" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Despesas de Stock apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selecionar depósito de destino @@ -213,14 +211,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},A Qtd Aceite + Rejeitada deve ser igual à quantidade Recebida pelo Item {0} DocType: Request for Quotation,RFQ-,SDC- DocType: Item,Supply Raw Materials for Purchase,Abastecimento de Matérias-Primas para Compra -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,É necessário pelo menos um modo de pagamento para a fatura POS. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,É necessário pelo menos um modo de pagamento para a fatura POS. DocType: Products Settings,Show Products as a List,Mostrar os Produtos como Lista DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Transfira o Modelo, preencha os dados apropriados e anexe o ficheiro modificado. Todas as datas e combinação de funcionários no período selecionado aparecerão no modelo, com os registos de assiduidade existentes" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,O Item {0} não está ativo ou expirou -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Exemplo: Fundamentos de Matemática -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos nas linhas {1} também deverão ser incluídos" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Exemplo: Fundamentos de Matemática +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos nas linhas {1} também deverão ser incluídos" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Definições para o Módulo RH DocType: SMS Center,SMS Center,Centro de SMS DocType: Sales Invoice,Change Amount,Alterar Montante @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},A data de instalação não pode ser anterior à data de entrega do Item {0} DocType: Pricing Rule,Discount on Price List Rate (%),Desconto na Taxa de Lista de Preços (%) DocType: Offer Letter,Select Terms and Conditions,Selecione os Termos e Condições -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Valor de Saída +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Valor de Saída DocType: Production Planning Tool,Sales Orders,Ordens de Vendas DocType: Purchase Taxes and Charges,Valuation,Avaliação ,Purchase Order Trends,Tendências de Ordens de Compra @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,É Registo de Entrada DocType: Customer Group,Mention if non-standard receivable account applicable,Mencione se é uma conta a receber não padrão DocType: Course Schedule,Instructor Name,Nome do Instrutor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,É necessário colocar Para o Armazém antes de Enviar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,É necessário colocar Para o Armazém antes de Enviar apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Recebido Em DocType: Sales Partner,Reseller,Revendedor DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Se for selecionado, Incluirá itens não armazenáveis nos Pedidos de Material." @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Na Nota Fiscal de Venda do Item ,Production Orders in Progress,Pedidos de Produção em Progresso apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Caixa Líquido de Financiamento -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","O Armazenamento Local está cheio, não foi guardado" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","O Armazenamento Local está cheio, não foi guardado" DocType: Lead,Address & Contact,Endereço e Contacto DocType: Leave Allocation,Add unused leaves from previous allocations,Adicionar licenças não utilizadas através de atribuições anteriores apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},O próximo Recorrente {0} será criado em {1} DocType: Sales Partner,Partner website,Website parceiro apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Adicionar Item -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nome de Contacto +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nome de Contacto DocType: Course Assessment Criteria,Course Assessment Criteria,Critérios de Avaliação do Curso DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Cria a folha de pagamento com os critérios acima mencionados. DocType: POS Customer Group,POS Customer Group,Grupo de Cliente POS @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Linha {0}: Por favor, selecione ""É um Adiantamento"" na Conta {1} se for um registo dum adiantamento." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},O Armazém {0} não pertence à empresa {1} DocType: Email Digest,Profit & Loss,Lucros e Perdas -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litro +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litro DocType: Task,Total Costing Amount (via Time Sheet),Quantia de Custo Total (através da Folha de Serviço) DocType: Item Website Specification,Item Website Specification,Especificação de Website do Item apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Licença Bloqueada @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,Fatura de Vendas Nr DocType: Material Request Item,Min Order Qty,Qtd de Pedido Mín. DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curso de Ferramenta de Criação de Grupo de Estudantes DocType: Lead,Do Not Contact,Não Contactar -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Pessoas que ensinam na sua organização +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Pessoas que ensinam na sua organização DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,A id exclusiva para acompanhar todas as faturas recorrentes. Ela é gerada ao enviar. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Desenvolvedor de Software DocType: Item,Minimum Order Qty,Qtd de Pedido Mínima @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,Publicar na Plataforma DocType: Student Admission,Student Admission,Admissão de Estudante ,Terretory,Território apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,O Item {0} foi cancelado -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Solicitação de Material +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Solicitação de Material DocType: Bank Reconciliation,Update Clearance Date,Atualizar Data de Liquidação DocType: Item,Purchase Details,Dados de Compra apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},O Item {0} não foi encontrado na tabela das 'Matérias-primas Fornecidas' na Ordens de Compra {1} @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Gestor de Frotas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} não pode ser negativo para o item {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Senha Incorreta DocType: Item,Variant Of,Variante de -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"A Qtd Concluída não pode ser superior à ""Qtd de Fabrico""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"A Qtd Concluída não pode ser superior à ""Qtd de Fabrico""" DocType: Period Closing Voucher,Closing Account Head,A Fechar Título de Contas DocType: Employee,External Work History,Histórico Profissional Externo apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Erro de Referência Circular @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,Distância da margem esqu apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),Foram encontradas {0} unidades de [{1}](#Formulário/Item/{1}) encontradas [{2}](#Formulário/Armazém/{2}) DocType: Lead,Industry,Setor DocType: Employee,Job Profile,Perfil de Emprego +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Isso é baseado em transações contra esta empresa. Veja a linha abaixo para detalhes DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificar por Email na criação de Solicitações de Material automáticas DocType: Journal Entry,Multi Currency,Múltiplas Moedas DocType: Payment Reconciliation Invoice,Invoice Type,Tipo de Fatura -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Guia de Remessa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Guia de Remessa apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,A Configurar Impostos apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Custo do Ativo Vendido apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"O Registo de Pagamento foi alterado após o ter retirado. Por favor, retire-o novamente." @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Por favor, insira o valor do campo ""Repetir no Dia do Mês""" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Taxa a que a Moeda do Cliente é convertida para a moeda principal do cliente DocType: Course Scheduling Tool,Course Scheduling Tool,Ferramenta de Agendamento de Curso -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha #{0}: Não pode ser efetuada uma Fatura de Compra para o ativo existente {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha #{0}: Não pode ser efetuada uma Fatura de Compra para o ativo existente {1} DocType: Item Tax,Tax Rate,Taxa de Imposto apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} já foi alocado para o Funcionário {1} para o período de {2} a {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Selecionar Item +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Selecionar Item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,A Fatura de Compra {0} já foi enviada apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Linha # {0}: O Nº de Lote deve ser igual a {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Converter a Fora do Grupo @@ -448,7 +447,7 @@ DocType: Employee,Widowed,Viúvo/a DocType: Request for Quotation,Request for Quotation,Solicitação de Cotação DocType: Salary Slip Timesheet,Working Hours,Horas de Trabalho 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. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Criar um novo cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Criar um novo cliente apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se várias Regras de Fixação de Preços continuarem a prevalecer, será pedido aos utilizadores que definam a Prioridade manualmente para que este conflito seja resolvido." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Criar ordens de compra ,Purchase Register,Registo de Compra @@ -474,7 +473,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Nome do Examinador DocType: Purchase Invoice Item,Quantity and Rate,Quantidade e Valor DocType: Delivery Note,% Installed,% Instalada -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Salas de Aula / Laboratórios, etc. onde podem ser agendadas palestras." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Salas de Aula / Laboratórios, etc. onde podem ser agendadas palestras." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Por favor, insira o nome da empresa primeiro" DocType: Purchase Invoice,Supplier Name,Nome do Fornecedor apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Leia o Manual de ERPNext @@ -491,7 +490,7 @@ DocType: Account,Old Parent,Fonte Antiga apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Campo obrigatório - Ano Acadêmico apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Campo obrigatório - Ano Acadêmico DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Personaliza o texto introdutório que vai fazer parte desse email. Cada transação tem um texto introdutório em separado. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Defina a conta pagável padrão da empresa {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Defina a conta pagável padrão da empresa {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,As definições gerais para todos os processos de fabrico. DocType: Accounts Settings,Accounts Frozen Upto,Contas Congeladas Até DocType: SMS Log,Sent On,Enviado Em @@ -531,7 +530,7 @@ DocType: Journal Entry,Accounts Payable,Contas a Pagar apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,As listas de materiais selecionadas não são para o mesmo item DocType: Pricing Rule,Valid Upto,Válido Até DocType: Training Event,Workshop,Workshop -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Insira alguns dos seus clientes. Podem ser organizações ou indivíduos. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Insira alguns dos seus clientes. Podem ser organizações ou indivíduos. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Peças suficiente para construir apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Rendimento Direto apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Não é possivel filtrar com base na Conta, se estiver agrupado por Conta" @@ -539,7 +538,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Por favor selecione Curso apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Por favor selecione Curso DocType: Timesheet Detail,Hrs,Hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Por favor, selecione a Empresa" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Por favor, selecione a Empresa" DocType: Stock Entry Detail,Difference Account,Conta de Diferenças DocType: Purchase Invoice,Supplier GSTIN,Fornecedor GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Não pode encerrar a tarefa pois a sua tarefa dependente {0} não está encerrada. @@ -556,7 +555,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Por favor defina o grau para o Limiar 0% DocType: Sales Order,To Deliver,A Entregar DocType: Purchase Invoice Item,Item,Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,O nr. de série do item não pode ser uma fração +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,O nr. de série do item não pode ser uma fração DocType: Journal Entry,Difference (Dr - Cr),Diferença (Db - Cr) DocType: Account,Profit and Loss,Lucros e Perdas apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gestão de Subcontratação @@ -582,7 +581,7 @@ DocType: Serial No,Warranty Period (Days),Período de Garantia (Dias) DocType: Installation Note Item,Installation Note Item,Nota de Instalação de Item DocType: Production Plan Item,Pending Qty,Qtd Pendente DocType: Budget,Ignore,Ignorar -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} não é activa +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} não é activa apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS enviado a seguintes números: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Defina as dimensões do cheque para impressão DocType: Salary Slip,Salary Slip Timesheet,Folhas de Vencimento de Registo de Horas @@ -686,8 +685,8 @@ DocType: Installation Note,IN-,EM- DocType: Production Order Operation,In minutes,Em minutos DocType: Issue,Resolution Date,Data de Resolução DocType: Student Batch Name,Batch Name,Nome de Lote -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Registo de Horas criado: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Por favor defina o Dinheiro ou Conta Bancária padrão no Modo de Pagamento {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Registo de Horas criado: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Por favor defina o Dinheiro ou Conta Bancária padrão no Modo de Pagamento {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Matricular DocType: GST Settings,GST Settings,Configurações de GST DocType: Selling Settings,Customer Naming By,Nome de Cliente Por @@ -707,7 +706,7 @@ DocType: Activity Cost,Projects User,Utilizador de Projetos apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Consumido apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,Não foi encontrado{0}: {1} na tabela de Dados da Fatura DocType: Company,Round Off Cost Center,Arredondar Centro de Custos -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,A Visita de Manutenção {0} deve ser cancelada antes de cancelar esta Ordem de Vendas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,A Visita de Manutenção {0} deve ser cancelada antes de cancelar esta Ordem de Vendas DocType: Item,Material Transfer,Transferência de Material apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Inicial (Db) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},A marca temporal postada deve ser posterior a {0} @@ -716,7 +715,7 @@ DocType: Employee Loan,Total Interest Payable,Interesse total a pagar DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impostos e Taxas de Custo de Entrega DocType: Production Order Operation,Actual Start Time,Hora de Início Efetiva DocType: BOM Operation,Operation Time,Tempo de Operação -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Terminar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Terminar apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Base DocType: Timesheet,Total Billed Hours,Horas Totais Faturadas DocType: Journal Entry,Write Off Amount,Liquidar Quantidade @@ -741,7 +740,7 @@ DocType: Vehicle,Odometer Value (Last),Valor do Conta-quilómetros (Último) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,O Registo de Pagamento já tinha sido criado DocType: Purchase Receipt Item Supplied,Current Stock,Stock Atual -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Linha #{0}: O Ativo {1} não está vinculado ao Item {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Linha #{0}: O Ativo {1} não está vinculado ao Item {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Pré-visualizar Folha de Pagamento apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,A Conta {0} foi inserida várias vezes DocType: Account,Expenses Included In Valuation,Despesas Incluídas na Estimativa @@ -765,7 +764,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Espaço A DocType: Journal Entry,Credit Card Entry,Registo de Cartão de Crédito apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Empresa e Contas apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Bens recebidos de Fornecedores. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,No Valor +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,No Valor DocType: Lead,Campaign Name,Nome da Campanha DocType: Selling Settings,Close Opportunity After Days,Fechar Oportunidade Depois Dias ,Reserved,Reservado @@ -790,17 +789,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energia DocType: Opportunity,Opportunity From,Oportunidade De apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Declaração salarial mensal. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Linha {0}: {1} Números de série necessários para o Item {2}. Você forneceu {3}. DocType: BOM,Website Specifications,Especificações do Website apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: De {0} do tipo {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão DocType: Employee,A+,A+ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Existem Várias Regras de Preços com os mesmos critérios, por favor, resolva o conflito através da atribuição de prioridades. Regras de Preços: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar a LDM pois está associada a outras LDM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar a LDM pois está associada a outras LDM DocType: Opportunity,Maintenance,Manutenção DocType: Item Attribute Value,Item Attribute Value,Valor do Atributo do Item apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanhas de vendas. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Criar Registo de Horas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Criar Registo de Horas DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -853,7 +853,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configurar conta de email apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Por favor, insira o Item primeiro" DocType: Account,Liability,Responsabilidade -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,O Montante Sancionado não pode ser maior do que o Montante de Reembolso na Fila {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,O Montante Sancionado não pode ser maior do que o Montante de Reembolso na Fila {0}. DocType: Company,Default Cost of Goods Sold Account,Custo Padrão de Conta de Produtos Vendidos apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,A Lista de Preços não foi selecionada DocType: Employee,Family Background,Antecedentes Familiares @@ -864,10 +864,10 @@ DocType: Company,Default Bank Account,Conta Bancária Padrão apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Para filtrar com base nas Partes, selecione o Tipo de Parte primeiro" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Atualizar Stock' não pode ser ativado porque os itens não são entregues através de {0}" DocType: Vehicle,Acquisition Date,Data de Aquisição -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nrs. +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nrs. DocType: Item,Items with higher weightage will be shown higher,Os itens com maior peso serão mostrados em primeiro lugar DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Dados de Conciliação Bancária -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Linha #{0}: O Ativo {1} deve ser enviado +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Linha #{0}: O Ativo {1} deve ser enviado apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Não foi encontrado nenhum funcionário DocType: Supplier Quotation,Stopped,Parado DocType: Item,If subcontracted to a vendor,Se for subcontratado a um fornecedor @@ -883,7 +883,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Montante Mínimo da Fatur apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: O Centro de Custo {2} não pertence à Empresa {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: A Conta {2} não pode ser um Grupo apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,A Linha do Item {idx}: {doctype} {docname} não existe na tabela '{doctype}' -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,O Registo de Horas {0} já está concluído ou foi cancelado +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,O Registo de Horas {0} já está concluído ou foi cancelado apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,não há tarefas DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","O dia do mês em que a fatura automática será gerada. Por exemplo, 05, 28, etc." DocType: Asset,Opening Accumulated Depreciation,Depreciação Acumulada Inicial @@ -942,7 +942,7 @@ DocType: SMS Log,Requested Numbers,Números Solicitados DocType: Production Planning Tool,Only Obtain Raw Materials,Só Obter as Matérias-primas apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Avaliação de desempenho. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Ao ativar a ""Utilização para Carrinho de Compras"", o Carrinho de Compras ficará ativado e deverá haver pelo menos uma Regra de Impostos para o Carrinho de Compras" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","O Registo de Pagamento {0} está ligado ao Pedido {1}, por favor verifique se o mesmo deve ser retirado como adiantamento da presente fatura." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","O Registo de Pagamento {0} está ligado ao Pedido {1}, por favor verifique se o mesmo deve ser retirado como adiantamento da presente fatura." DocType: Sales Invoice Item,Stock Details,Dados de Stock apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valor do Projeto apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Ponto de Venda @@ -965,15 +965,15 @@ DocType: Naming Series,Update Series,Atualizar Séries DocType: Supplier Quotation,Is Subcontracted,É Subcontratado DocType: Item Attribute,Item Attribute Values,Valores do Atributo do Item DocType: Examination Result,Examination Result,Resultado do Exame -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Recibo de Compra +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Recibo de Compra ,Received Items To Be Billed,Itens Recebidos a Serem Faturados -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Folhas de salário Submetido +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Folhas de salário Submetido apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Definidor de taxa de câmbio de moeda. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},O Tipo de Documento de Referência deve ser um de {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar o Horário nos próximos {0} dias para a Operação {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar o Horário nos próximos {0} dias para a Operação {1} DocType: Production Order,Plan material for sub-assemblies,Planear material para subconjuntos apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Parceiros de Vendas e Território -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,A LDM {0} deve estar ativa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,A LDM {0} deve estar ativa DocType: Journal Entry,Depreciation Entry,Registo de Depreciação apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Por favor, selecione primeiro o tipo de documento" apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar Visitas Materiais {0} antes de cancelar esta Visita de Manutenção @@ -983,7 +983,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Valor Total apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publicações na Internet DocType: Production Planning Tool,Production Orders,Pedidos de Produção -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Valor de Saldo +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Valor de Saldo apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Lista de Preço de Venda apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publicar para sincronizar itens DocType: Bank Reconciliation,Account Currency,Moeda da Conta @@ -1008,12 +1008,12 @@ DocType: Employee,Exit Interview Details,Sair de Dados da Entrevista DocType: Item,Is Purchase Item,É o Item de Compra DocType: Asset,Purchase Invoice,Fatura de Compra DocType: Stock Ledger Entry,Voucher Detail No,Dado de Voucher Nr. -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nova Fatura de Venda +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nova Fatura de Venda DocType: Stock Entry,Total Outgoing Value,Valor Total de Saída apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,A Data de Abertura e a Data de Término devem estar dentro do mesmo Ano Fiscal DocType: Lead,Request for Information,Pedido de Informação ,LeaderBoard,Entre os melhores -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sincronização de Facturas Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sincronização de Facturas Offline DocType: Payment Request,Paid,Pago DocType: Program Fee,Program Fee,Proprina do Programa DocType: Salary Slip,Total in words,Total por extenso @@ -1021,7 +1021,7 @@ DocType: Material Request Item,Lead Time Date,Data de Chegada ao Armazém DocType: Guardian,Guardian Name,Nome do Responsável DocType: Cheque Print Template,Has Print Format,Tem Formato de Impressão DocType: Employee Loan,Sanctioned,sancionada -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,é obrigatório. Talvez o registo de Câmbio não tenha sido criado para +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,é obrigatório. Talvez o registo de Câmbio não tenha sido criado para apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Linha #{0}: Por favor, especifique o Nr. de Série para o Item {1}" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens dos ""Pacote de Produtos"", o Armazém e Nr. de Lote serão considerados a partir da tabela de ""Lista de Empacotamento"". Se o Armazém e o Nr. de Lote forem os mesmos para todos os itens empacotados para qualquer item dum ""Pacote de Produto"", esses valores podem ser inseridos na tabela do Item principal, e os valores serão copiados para a tabela da ""Lista de Empacotamento'""." DocType: Job Opening,Publish on website,Publicar no website @@ -1034,7 +1034,7 @@ DocType: Cheque Print Template,Date Settings,Definições de Data apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variação ,Company Name,Nome da Empresa DocType: SMS Center,Total Message(s),Mensagens Totais -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Selecionar Item para Transferência +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Selecionar Item para Transferência DocType: Purchase Invoice,Additional Discount Percentage,Percentagem de Desconto Adicional apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Veja uma lista de todos os vídeos de ajuda DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Selecione o título de conta do banco onde cheque foi depositado. @@ -1049,7 +1049,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Custo da Matéria-prima (Moeda apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Todos os itens já foram transferidos para esta Ordem de Produção. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Linha # {0}: A taxa não pode ser maior que a taxa usada em {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Linha # {0}: A taxa não pode ser maior que a taxa usada em {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Metro +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Metro DocType: Workstation,Electricity Cost,Custo de Eletricidade DocType: HR Settings,Don't send Employee Birthday Reminders,Não enviar Lembretes de Aniversário de Funcionários DocType: Item,Inspection Criteria,Critérios de Inspeção @@ -1064,7 +1064,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Obter Adiantamentos Pagos DocType: Item,Automatically Create New Batch,Criar novo lote automaticamente DocType: Item,Automatically Create New Batch,Criar novo lote automaticamente -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Registar +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Registar DocType: Student Admission,Admission Start Date,Data de Início de Admissão DocType: Journal Entry,Total Amount in Words,Valor Total por Extenso apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Houve um erro. Um dos motivos prováveis para isto ter ocorrido, poderá ser por ainda não ter guardado o formulário. Se o problema persistir, por favor contacte support@erpnext.com." @@ -1072,7 +1072,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Meu Carrinho apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},O Tipo de Pedido deve pertencer a {0} DocType: Lead,Next Contact Date,Data do Próximo Contacto apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qtd Inicial -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Por favor, insira a Conta para o Montante de Alterações" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Por favor, insira a Conta para o Montante de Alterações" DocType: Student Batch Name,Student Batch Name,Nome de Classe de Estudantes DocType: Holiday List,Holiday List Name,Lista de Nomes de Feriados DocType: Repayment Schedule,Balance Loan Amount,Saldo Valor do Empréstimo @@ -1080,7 +1080,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opções de Stock DocType: Journal Entry Account,Expense Claim,Relatório de Despesas apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Deseja realmente restaurar este ativo descartado? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Qtd para {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Qtd para {0} DocType: Leave Application,Leave Application,Pedido de Licença apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Ferramenta de Atribuição de Licenças DocType: Leave Block List,Leave Block List Dates,Datas de Lista de Bloqueio de Licenças @@ -1131,7 +1131,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Em DocType: Item,Default Selling Cost Center,Centro de Custo de Venda Padrão DocType: Sales Partner,Implementation Partner,Parceiro de Implementação -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Código Postal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Código Postal apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},A Ordem de Venda {0} é {1} DocType: Opportunity,Contact Info,Informações de Contacto apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Efetuar Registos de Stock @@ -1150,14 +1150,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,I DocType: School Settings,Attendance Freeze Date,Data de congelamento do comparecimento DocType: School Settings,Attendance Freeze Date,Data de congelamento do comparecimento DocType: Opportunity,Your sales person who will contact the customer in future,O seu vendedor que contactará com o cliente no futuro -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Insira alguns dos seus fornecedores. Podem ser organizações ou indivíduos. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Insira alguns dos seus fornecedores. Podem ser organizações ou indivíduos. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Ver Todos os Produtos apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Idade mínima de entrega (dias) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Idade mínima de entrega (dias) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Todos os BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Todos os BOMs DocType: Company,Default Currency,Moeda Padrão DocType: Expense Claim,From Employee,Do(a) Funcionário(a) -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Aviso: O sistema não irá verificar a sobre faturação pois o montante para o Item {0} em {1} é zero +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Aviso: O sistema não irá verificar a sobre faturação pois o montante para o Item {0} em {1} é zero DocType: Journal Entry,Make Difference Entry,Efetuar Registo de Diferença DocType: Upload Attendance,Attendance From Date,Assiduidade a Partir De DocType: Appraisal Template Goal,Key Performance Area,Área de Desempenho Fundamental @@ -1174,7 +1174,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Os números de registo da empresa para sua referência. Números fiscais, etc." DocType: Sales Partner,Distributor,Distribuidor DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regra de Envio de Carrinho de Compras -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,a Ordem de Produção {0} deve ser cancelado antes de cancelar esta Ordem de Vendas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,a Ordem de Produção {0} deve ser cancelado antes de cancelar esta Ordem de Vendas apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',"Por favor, defina ""Aplicar Desconto Adicional Em""" ,Ordered Items To Be Billed,Itens Pedidos A Serem Faturados apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,A Faixa De tem de ser inferior à Faixa Para @@ -1183,10 +1183,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Deduções DocType: Leave Allocation,LAL/,LAL/ apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Ano de Início -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Os primeiros 2 dígitos do GSTIN devem corresponder com o número do estado {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Os primeiros 2 dígitos do GSTIN devem corresponder com o número do estado {0} DocType: Purchase Invoice,Start date of current invoice's period,A data de início do período de fatura atual DocType: Salary Slip,Leave Without Pay,Licença Sem Vencimento -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Erro de Planeamento de Capacidade +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Erro de Planeamento de Capacidade ,Trial Balance for Party,Balancete para a Parte DocType: Lead,Consultant,Consultor DocType: Salary Slip,Earnings,Remunerações @@ -1202,7 +1202,7 @@ DocType: Cheque Print Template,Payer Settings,Definições de Pagador DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Isto será anexado ao Código do Item da variante. Por exemplo, se a sua abreviatura for ""SM"", e o código do item é ""T-SHIRT"", o código do item da variante será ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,A Remuneração Líquida (por extenso) será visível assim que guardar a Folha de Vencimento. DocType: Purchase Invoice,Is Return,É um Retorno -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Retorno / Nota de Débito +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Retorno / Nota de Débito DocType: Price List Country,Price List Country,País da Lista de Preços DocType: Item,UOMs,UNIDs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},Nr. de série válido {0} para o Item {1} @@ -1215,7 +1215,7 @@ DocType: Employee Loan,Partially Disbursed,parcialmente Desembolso apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Banco de dados de fornecedores. DocType: Account,Balance Sheet,Balanço apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',O Centro de Custo Para o Item com o Código de Item ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","O Modo de Pagamento não está configurado. Por favor, verifique se conta foi definida no Modo de Pagamentos ou no Perfil POS." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","O Modo de Pagamento não está configurado. Por favor, verifique se conta foi definida no Modo de Pagamentos ou no Perfil POS." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,O seu vendedor receberá um lembrete nesta data para contatar o cliente apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Mesmo item não pode ser inserido várias vezes. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Podem ser realizadas outras contas nos Grupos, e os registos podem ser efetuados em Fora do Grupo" @@ -1243,7 +1243,7 @@ DocType: Employee Loan Application,Repayment Info,Informações de reembolso apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"As ""Entradas"" não podem estar vazias" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Linha duplicada {0} com o mesmo {1} ,Trial Balance,Balancete -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,O Ano Fiscal de {0} não foi encontrado +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,O Ano Fiscal de {0} não foi encontrado apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,A Configurar Funcionários DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Por favor, seleccione o prefixo primeiro" @@ -1258,11 +1258,11 @@ DocType: Grading Scale,Intervals,intervalos apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Mais Cedo apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Já existe um Grupo de Itens com o mesmo nome, Por favor, altere o nome desse grupo de itens ou modifique o nome deste grupo de itens" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Nr. de Telemóvel de Estudante -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resto Do Mundo +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Resto Do Mundo apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,O Item {0} não pode ter um Lote ,Budget Variance Report,Relatório de Desvios de Orçamento DocType: Salary Slip,Gross Pay,Salário Bruto -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Linha {0}: É obrigatório colocar o Tipo de Atividade. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Linha {0}: É obrigatório colocar o Tipo de Atividade. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendos Pagos apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Livro Contabilístico DocType: Stock Reconciliation,Difference Amount,Montante da Diferença @@ -1285,18 +1285,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Balanço de Licenças do Funcionário apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},O Saldo da Conta {0} deve ser sempre {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},É necessária a Taxa de Avaliação para o Item na linha {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Exemplo: Mestrado em Ciência de Computadores +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Exemplo: Mestrado em Ciência de Computadores DocType: Purchase Invoice,Rejected Warehouse,Armazém Rejeitado DocType: GL Entry,Against Voucher,No Voucher DocType: Item,Default Buying Cost Center,Centro de Custo de Compra Padrão apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Para aproveitar melhor ERPNext, recomendamos que use algum tempo a assistir a estes vídeos de ajuda." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,a +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,a DocType: Supplier Quotation Item,Lead Time in days,Chegada ao Armazém em dias apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Resumo das Contas a Pagar -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},O pagamento do salário de {0} para {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},O pagamento do salário de {0} para {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Não está autorizado a editar a Conta congelada {0} DocType: Journal Entry,Get Outstanding Invoices,Obter Faturas Pendentes -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,A Ordem de Vendas {0} não é válida +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,A Ordem de Vendas {0} não é válida apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,As ordens de compra ajudá-lo a planejar e acompanhar suas compras apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Desculpe, mas as empresas não podem ser unidas" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1318,8 +1318,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Despesas Indiretas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Linha {0}: É obrigatório colocar a qtd apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Agricultura -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sincronização de Def. de Dados -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Os seus Produtos ou Serviços +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sincronização de Def. de Dados +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Os seus Produtos ou Serviços DocType: Mode of Payment,Mode of Payment,Modo de Pagamento apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,O Website de Imagem deve ser um ficheiro público ou um URL de website DocType: Student Applicant,AP,AP @@ -1338,18 +1338,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Taxa Fiscal do Item DocType: Student Group Student,Group Roll Number,Número de rolo de grupo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Para {0}, só podem ser ligadas contas de crédito noutro registo de débito" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,O total de todos os pesos da tarefa deve ser 1. Por favor ajuste os pesos de todas as tarefas do Projeto em conformidade -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,A Guia de Remessa {0} não foi enviada +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,A Guia de Remessa {0} não foi enviada apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,O Item {0} deve ser um Item Subcontratado apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Bens de Equipamentos apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","A Regra de Fixação de Preços é selecionada primeiro com base no campo ""Aplicar Em"", que pode ser um Item, Grupo de Itens ou Marca." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Defina primeiro o código do item +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Defina primeiro o código do item DocType: Hub Settings,Seller Website,Website do Vendedor DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,A percentagem total atribuída à equipa de vendas deve ser de 100 DocType: Appraisal Goal,Goal,Objetivo DocType: Sales Invoice Item,Edit Description,Editar Descrição ,Team Updates,equipe Updates -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Para o Fornecedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Para o Fornecedor DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Definir o Tipo de Conta ajuda na seleção desta Conta em transações. DocType: Purchase Invoice,Grand Total (Company Currency),Total Geral (Moeda da Empresa) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Criar Formato de Impressão @@ -1363,12 +1363,12 @@ DocType: Item,Website Item Groups,Website de Grupos de Itens DocType: Purchase Invoice,Total (Company Currency),Total (Moeda da Empresa) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,O número de série {0} foi introduzido mais do que uma vez DocType: Depreciation Schedule,Journal Entry,Lançamento Contabilístico -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} itens em progresso +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} itens em progresso DocType: Workstation,Workstation Name,Nome do Posto de Trabalho DocType: Grading Scale Interval,Grade Code,Classe de Código DocType: POS Item Group,POS Item Group,Grupo de Itens POS apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email de Resumo: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},A LDM {0} não pertence ao Item {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},A LDM {0} não pertence ao Item {1} DocType: Sales Partner,Target Distribution,Objetivo de Distribuição 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 @@ -1426,7 +1426,7 @@ DocType: Quotation,Shopping Cart,Carrinho de Compras apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Saída Diária Média DocType: POS Profile,Campaign,Campanha DocType: Supplier,Name and Type,Nome e Tipo -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"O Estado de Aprovação deve ser ""Aprovado"" ou ""Rejeitado""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"O Estado de Aprovação deve ser ""Aprovado"" ou ""Rejeitado""" DocType: Purchase Invoice,Contact Person,Contactar Pessoa apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"A ""Data de Início Esperada"" não pode ser mais recente que a ""Data de Término Esperada""" DocType: Course Scheduling Tool,Course End Date,Data de Término do Curso @@ -1438,8 +1438,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Email Preferido apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Variação Líquida no Ativo Imobilizado DocType: Leave Control Panel,Leave blank if considered for all designations,Deixe em branco se for para todas as designações -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"A cobrança do tipo ""Real"" na linha {0} não pode ser incluída no preço do Item" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Máx.: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"A cobrança do tipo ""Real"" na linha {0} não pode ser incluída no preço do Item" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Máx.: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Data e Hora De DocType: Email Digest,For Company,Para a Empresa apps/erpnext/erpnext/config/support.py +17,Communication log.,Registo de comunicação. @@ -1481,7 +1481,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Perfil de empr DocType: Journal Entry Account,Account Balance,Saldo da Conta apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regra de Impostos para transações. DocType: Rename Tool,Type of document to rename.,Tipo de documento a que o nome será alterado. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Nós compramos este Item +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Nós compramos este Item apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: É necessário o cliente nas contas A Receber {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total de Impostos e Taxas (Moeda da Empresa) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Mostrar saldos P&L de ano fiscal não encerrado @@ -1492,7 +1492,7 @@ DocType: Quality Inspection,Readings,Leituras DocType: Stock Entry,Total Additional Costs,Total de Custos Adicionais DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Custo de Material de Sucata (Moeda da Empresa) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Submontagens +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Submontagens DocType: Asset,Asset Name,Nome do Ativo DocType: Project,Task Weight,Peso da Tarefa DocType: Shipping Rule Condition,To Value,Ao Valor @@ -1521,7 +1521,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantes do Item DocType: Company,Services,Serviços DocType: HR Settings,Email Salary Slip to Employee,Enviar Email de Folha de Pagamento a um Funcionário DocType: Cost Center,Parent Cost Center,Centro de Custo Principal -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Selecione Fornecedor Possível +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Selecione Fornecedor Possível DocType: Sales Invoice,Source,Fonte apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostrar encerrado DocType: Leave Type,Is Leave Without Pay,É uma Licença Sem Vencimento @@ -1533,7 +1533,7 @@ DocType: POS Profile,Apply Discount,Aplicar Desconto DocType: GST HSN Code,GST HSN Code,Código GST HSN DocType: Employee External Work History,Total Experience,Experiência total apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Abrir Projetos -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Nota(s) Fiscal(ais) cancelada(s) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Nota(s) Fiscal(ais) cancelada(s) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Fluxo de Caixa de Investimentos DocType: Program Course,Program Course,Curso do Programa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Custos de Transporte e Envio @@ -1574,9 +1574,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Inscrições no Programa DocType: Sales Invoice Item,Brand Name,Nome da Marca DocType: Purchase Receipt,Transporter Details,Dados da Transportadora -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,É necessário colocar o armazém padrão para o item selecionado -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Caixa -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Fornecedor possível +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,É necessário colocar o armazém padrão para o item selecionado +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Caixa +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Fornecedor possível DocType: Budget,Monthly Distribution,Distribuição Mensal apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"A Lista de Recetores está vazia. Por favor, crie uma Lista de Recetores" DocType: Production Plan Sales Order,Production Plan Sales Order,Plano de produção da Ordem de Venda @@ -1609,7 +1609,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Os reembolsos apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Os estudantes estão no centro do sistema, adicione todos os seus alunos" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Linha #{0}: A Data de Liquidação {1} não pode ser anterior à Data do Cheque {2} DocType: Company,Default Holiday List,Lista de Feriados Padrão -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Responsabilidades de Stock DocType: Purchase Invoice,Supplier Warehouse,Armazém Fornecedor DocType: Opportunity,Contact Mobile No,Nº de Telemóvel de Contacto @@ -1625,18 +1625,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},A licença do tipo {0} não pode ser mais longa do que {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Tente planear operações para X dias de antecedência. DocType: HR Settings,Stop Birthday Reminders,Parar Lembretes de Aniversário -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Por favor definir Payroll Conta a Pagar padrão in Company {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Por favor definir Payroll Conta a Pagar padrão in Company {0} DocType: SMS Center,Receiver List,Lista de Destinatários -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Pesquisar Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Pesquisar Item apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Montante Consumido apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Variação Líquida na Caixa DocType: Assessment Plan,Grading Scale,Escala de classificação apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,A Unidade de Medida {0} foi inserido mais do que uma vez na Tabela de Conversão de Fatores -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Já foi concluído +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Já foi concluído apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Estoque na mão apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},A Solicitação de Pagamento {0} já existe apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Custo dos Itens Emitidos -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},A quantidade não deve ser superior a {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},A quantidade não deve ser superior a {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,O Ano Fiscal Anterior não está encerrado apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Idade (Dias) DocType: Quotation Item,Quotation Item,Item de Cotação @@ -1650,6 +1650,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Documento de Referência apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} foi cancelado ou interrompido DocType: Accounts Settings,Credit Controller,Controlador de Crédito +DocType: Sales Order,Final Delivery Date,Data final de entrega DocType: Delivery Note,Vehicle Dispatch Date,Datade Expedição do Veículo DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,O Recibo de Compra {0} não foi enviado @@ -1742,9 +1743,9 @@ DocType: Employee,Date Of Retirement,Data de Reforma DocType: Upload Attendance,Get Template,Obter Modelo DocType: Material Request,Transferred,Transferido DocType: Vehicle,Doors,Portas -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Instalação de ERPNext Concluída! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Instalação de ERPNext Concluída! DocType: Course Assessment Criteria,Weightage,Peso -DocType: Sales Invoice,Tax Breakup,Desagregação de impostos +DocType: Purchase Invoice,Tax Breakup,Desagregação de impostos DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: É necessário colocar o centro de custo para a conta ""Lucros e Perdas"" {2}. Por favor, crie um Centro de Custo padrão para a Empresa." apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Já existe um Grupo de Clientes com o mesmo nome, por favor altere o nome do Cliente ou do Grupo de Clientes" @@ -1757,14 +1758,14 @@ DocType: Announcement,Instructor,Instrutor DocType: Employee,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Se este item tem variantes, então ele não pode ser selecionado nas Ordens de venda etc." DocType: Lead,Next Contact By,Próximo Contacto Por -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},A quantidade necessária para o item {0} na linha {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},A quantidade necessária para o item {0} na linha {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído como existe quantidade para item {1} DocType: Quotation,Order Type,Tipo de Pedido DocType: Purchase Invoice,Notification Email Address,Endereço de Email de Notificação ,Item-wise Sales Register,Registo de Vendas de Item Inteligente DocType: Asset,Gross Purchase Amount,Montante de Compra Bruto DocType: Asset,Depreciation Method,Método de Depreciação -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Off-line +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Off-line DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Esta Taxa está incluída na Taxa Básica? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Alvo total DocType: Job Applicant,Applicant for a Job,Candidato a um Emprego @@ -1786,7 +1787,7 @@ DocType: Employee,Leave Encashed?,Sair de Pagos? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,É obrigatório colocar o campo Oportunidade De DocType: Email Digest,Annual Expenses,Despesas anuais DocType: Item,Variants,Variantes -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Criar Ordem de Compra +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Criar Ordem de Compra DocType: SMS Center,Send To,Enviar para apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Não há o suficiente equilíbrio pela licença Tipo {0} DocType: Payment Reconciliation Payment,Allocated amount,Montante alocado @@ -1794,7 +1795,7 @@ DocType: Sales Team,Contribution to Net Total,Contribuição para o Total Líqui DocType: Sales Invoice Item,Customer's Item Code,Código do Item do Cliente DocType: Stock Reconciliation,Stock Reconciliation,Da Reconciliação DocType: Territory,Territory Name,Nome território -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Trabalho em andamento Warehouse é necessário antes de Enviar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Trabalho em andamento Warehouse é necessário antes de Enviar apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Candidato a um Emprego. DocType: Purchase Order Item,Warehouse and Reference,Armazém e Referência DocType: Supplier,Statutory info and other general information about your Supplier,Informações legais e outras informações gerais sobre o seu Fornecedor @@ -1807,16 +1808,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Avaliações apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Foi inserido um Nº de Série em duplicado para o Item {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Uma condição para uma Regra de Envio apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,"Por favor, insira" -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Não pode sobrefaturar o item {0} na linha {1} mais de {2}. Para permitir que a sobrefaturação, defina em Configurações de Comprar" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base no Item ou no Armazém" +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Não pode sobrefaturar o item {0} na linha {1} mais de {2}. Para permitir que a sobrefaturação, defina em Configurações de Comprar" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base no Item ou no Armazém" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),O peso líquido do pacote. (Calculado automaticamente como soma de peso líquido dos itens) DocType: Sales Order,To Deliver and Bill,Para Entregar e Cobrar DocType: Student Group,Instructors,instrutores DocType: GL Entry,Credit Amount in Account Currency,Montante de Crédito na Moeda da Conta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,A LDM {0} deve ser enviada +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,A LDM {0} deve ser enviada DocType: Authorization Control,Authorization Control,Controlo de Autorização apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha #{0}: É obrigatório colocar o Armazém Rejeitado no Item Rejeitado {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Pagamento +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Pagamento apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","O depósito {0} não está vinculado a nenhuma conta, mencione a conta no registro do depósito ou defina a conta do inventário padrão na empresa {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gerir as suas encomendas DocType: Production Order Operation,Actual Time and Cost,Horas e Custos Efetivos @@ -1832,13 +1833,14 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Pacote DocType: Quotation Item,Actual Qty,Qtd Efetiva DocType: Sales Invoice Item,References,Referências DocType: Quality Inspection Reading,Reading 10,Leitura 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista os produtos ou serviços que compra ou vende. +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista os produtos ou serviços que compra ou vende. Quando começar certifique-se que verifica o Grupo do Item, a Unidade de Medida e outras propriedades." DocType: Hub Settings,Hub Node,Nó da Plataforma apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Inseriu itens duplicados. Por favor retifique esta situação, e tente novamente." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Sócio +DocType: Company,Sales Target,Target de vendas DocType: Asset Movement,Asset Movement,Movimento de Ativo -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,New Cart +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,New Cart apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,O Item {0} não é um item de série DocType: SMS Center,Create Receiver List,Criar Lista de Destinatários DocType: Vehicle,Wheels,Rodas @@ -1880,13 +1882,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Gestão de Projetos DocType: Supplier,Supplier of Goods or Services.,Fornecedor de Bens ou Serviços. DocType: Budget,Fiscal Year,Ano Fiscal DocType: Vehicle Log,Fuel Price,Preço de Combustível +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Por favor, configure a série de numeração para Atendimento por meio da Configuração> Série de numeração" DocType: Budget,Budget,Orçamento apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,O Item Ativo Imobilizado deve ser um item não inventariado. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","O Orçamento não pode ser atribuído a {0}, pois não é uma conta de Rendimentos ou Despesas" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Alcançados DocType: Student Admission,Application Form Route,Percurso de Formulário de Candidatura apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Território / Cliente -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,ex: 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,ex: 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"O Tipo de Licença {0} não pode ser atribuído, uma vez que é uma licença sem vencimento" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Linha {0}: O montante alocado {1} deve ser menor ou igual ao saldo pendente da fatura {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Por Extenso será visível assim que guardar a Nota Fiscal de Vendas. @@ -1895,11 +1898,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,O Item {0} não está configurado para os Nrs. de série. Verifique o definidor de Item DocType: Maintenance Visit,Maintenance Time,Tempo de Manutenção ,Amount to Deliver,Montante a Entregar -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Um Produto ou Serviço +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Um Produto ou Serviço apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"O Prazo da Data de Início não pode ser antes da Data de Início do Ano Letivo com o qual o termo está vinculado (Ano Lectivo {}). Por favor, corrija as datas e tente novamente." DocType: Guardian,Guardian Interests,guardião Interesses DocType: Naming Series,Current Value,Valor Atual -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Existem diversos anos fiscais para a data {0}. Por favor, defina a empresa nesse Ano Fiscal" +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Existem diversos anos fiscais para a data {0}. Por favor, defina a empresa nesse Ano Fiscal" apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} criado DocType: Delivery Note Item,Against Sales Order,Na Ordem de Venda ,Serial No Status,Estado do Nr. de Série @@ -1913,7 +1916,7 @@ DocType: Pricing Rule,Selling,Vendas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Montante {0} {1} deduzido em {2} DocType: Employee,Salary Information,Informação salarial DocType: Sales Person,Name and Employee ID,Nome e ID do Funcionário -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,A Data de Vencimento não pode ser anterior à Data de Lançamento +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,A Data de Vencimento não pode ser anterior à Data de Lançamento DocType: Website Item Group,Website Item Group,Website de Grupo de Item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Impostos e Taxas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Por favor, insira a Data de referência" @@ -1970,9 +1973,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Defina a data de início da sessão para o empregado {0} DocType: Task,Total Billing Amount (via Time Sheet),Montante de Faturação Total (através da Folha de Presenças) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Rendimento de Cliente Fiel -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) deve ter a função de 'Aprovador de Despesas' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Selecione BOM e Qtde de Produção +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) deve ter a função de 'Aprovador de Despesas' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Par +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Selecione BOM e Qtde de Produção DocType: Asset,Depreciation Schedule,Cronograma de Depreciação apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Endereços e contatos do parceiro de vendas DocType: Bank Reconciliation Detail,Against Account,Na Conta @@ -1982,7 +1985,7 @@ DocType: Item,Has Batch No,Tem Nr. de Lote apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Faturação Anual: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Imposto sobre bens e serviços (GST Índia) DocType: Delivery Note,Excise Page Number,Número de Página de Imposto Especial -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","É obrigatória a Empresa, da Data De à Data Para" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","É obrigatória a Empresa, da Data De à Data Para" DocType: Asset,Purchase Date,Data de Compra DocType: Employee,Personal Details,Dados Pessoais apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},"Por favor, defina o ""Centro de Custos de Depreciação de Ativos"" na Empresa {0}" @@ -1991,9 +1994,9 @@ DocType: Task,Actual End Date (via Time Sheet),Data de Término Efetiva (atravé apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Quantidade {0} {1} em {2} {3} ,Quotation Trends,Tendências de Cotação apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},O Grupo do Item não foi mencionado no definidor de item para o item {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,A conta de Débito Para deve ser uma conta A Receber +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,A conta de Débito Para deve ser uma conta A Receber DocType: Shipping Rule Condition,Shipping Amount,Montante de Envio -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Adicionar clientes +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Adicionar clientes apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Montante Pendente DocType: Purchase Invoice Item,Conversion Factor,Fator de Conversão DocType: Purchase Order,Delivered,Entregue @@ -2016,7 +2019,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Incluir Registos Concili DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Curso para Pais (Deixe em branco, se este não é parte do Curso para Pais)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Curso para Pais (Deixe em branco, se este não é parte do Curso para Pais)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Deixe em branco se for para todos os tipos de funcionários -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuir Cobranças com Base Em apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Registo de Horas DocType: HR Settings,HR Settings,Definições de RH @@ -2024,7 +2026,7 @@ DocType: Salary Slip,net pay info,Informações net pay apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,A aprovação do Reembolso de Despesas está pendente. Só o Aprovador de Despesas é que pode atualizar o seu estado. DocType: Email Digest,New Expenses,Novas Despesas DocType: Purchase Invoice,Additional Discount Amount,Quantia de Desconto Adicional -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha #{0}: A qtd deve ser 1, pois o item é um ativo imobilizado. Por favor, utilize uma linha separada para diversas qtds." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha #{0}: A qtd deve ser 1, pois o item é um ativo imobilizado. Por favor, utilize uma linha separada para diversas qtds." DocType: Leave Block List Allow,Leave Block List Allow,Permissão de Lista de Bloqueio de Licenças apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,A Abr. não pode estar em branco ou conter espaços em branco apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grupo a Fora do Grupo @@ -2032,7 +2034,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Desportos DocType: Loan Type,Loan Name,Nome do empréstimo apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Real DocType: Student Siblings,Student Siblings,Irmãos do Estudante -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Unidade +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Unidade apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Por favor, especifique a Empresa" ,Customer Acquisition and Loyalty,Aquisição e Lealdade de Cliente DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Armazém onde está mantendo o stock de itens rejeitados @@ -2051,12 +2053,12 @@ DocType: Workstation,Wages per hour,Salários por hora apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},O saldo de stock no Lote {0} vai ficar negativo {1} para o item {2} no Armazém {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,As seguintes Solicitações de Materiais têm sido automaticamente executadas com base no nível de reencomenda do Item DocType: Email Digest,Pending Sales Orders,Ordens de Venda Pendentes -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},A conta {0} é inválida. A Moeda da Conta deve ser {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},A conta {0} é inválida. A Moeda da Conta deve ser {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},É necessário colocar o fator de Conversão de UNID na linha {0} DocType: Production Plan Item,material_request_item,item_de_solicitação_de_material apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O tipo de documento referênciado deve ser umas Ordem de Venda, uma Fatura de Venda ou um Lançamento Contabilístico" DocType: Salary Component,Deduction,Dedução -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Linha {0}: É obrigatório colocar a Periodicidade. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Linha {0}: É obrigatório colocar a Periodicidade. DocType: Stock Reconciliation Item,Amount Difference,Diferença de Montante apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},O Preço de Item foi adicionada a {0} na Lista de Preços {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Por favor, insira a ID de Funcionário deste(a) vendedor(a)" @@ -2066,11 +2068,11 @@ DocType: Project,Gross Margin,Margem Bruta apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,"Por favor, insira primeiro o Item de Produção" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Saldo de de Extrato Bancário calculado apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,utilizador desativado -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Cotação +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Cotação DocType: Quotation,QTN-,QUEST- DocType: Salary Slip,Total Deduction,Total de Reduções ,Production Analytics,Analytics produção -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Custo Atualizado +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Custo Atualizado DocType: Employee,Date of Birth,Data de Nascimento apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,O Item {0} já foi devolvido DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,O **Ano Fiscal** representa um Ano de Exercício Financeiro. Todos os lançamentos contabilísticos e outras transações principais são controladas no **Ano Fiscal**. @@ -2116,18 +2118,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Selecionar Empresa... DocType: Leave Control Panel,Leave blank if considered for all departments,Deixe em branco se for para todos os departamentos apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipos de emprego (permanente, a contrato, estagiário, etc.)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} é obrigatório para o Item {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} é obrigatório para o Item {1} DocType: Process Payroll,Fortnightly,Quinzenal DocType: Currency Exchange,From Currency,De Moeda apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Custo de Nova Compra -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Ordem de Venda necessária para o Item {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Ordem de Venda necessária para o Item {0} DocType: Purchase Invoice Item,Rate (Company Currency),Taxa (Moeda da Empresa) DocType: Student Guardian,Others,Outros DocType: Payment Entry,Unallocated Amount,Montante Não Atribuído apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,"Não foi possível encontrar um item para esta pesquisa. Por favor, selecione outro valor para {0}." DocType: POS Profile,Taxes and Charges,Impostos e Encargos DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Um Produto ou Serviço que é comprado, vendido ou mantido em stock." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Código do Item> Item Group> Brand apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Não há mais atualizações apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Não é possível selecionar o tipo de cobrança como ""No Valor da Linha Anterior"" ou ""No Total da Linha Anterior"" para a primeira linha" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Um Subitem não deve ser um Pacote de Produtos. Por favor remova o item `{0}` e guarde-o @@ -2155,7 +2158,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Valor Total de Faturação apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Deve haver um padrão de entrada da Conta de Email ativado para que isto funcione. Por favor, configure uma Conta de Email de entrada padrão (POP / IMAP) e tente novamente." apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Conta a Receber -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Linha #{0}: O Ativo {1} já é {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Linha #{0}: O Ativo {1} já é {2} DocType: Quotation Item,Stock Balance,Balanço de Stock apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Ordem de Venda para Pagamento apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2180,10 +2183,11 @@ DocType: C-Form,Received Date,Data de Receção DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Se criou algum modelo padrão em Taxas de Vendas e no Modelo de Cobranças, selecione um e clique no botão abaixo." DocType: BOM Scrap Item,Basic Amount (Company Currency),Montante de Base (Moeda da Empresa) DocType: Student,Guardians,Responsáveis +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Os preços não será mostrado se Preço de tabela não está definido apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Por favor, especifique um país para esta Regra de Envio ou verifique o Envio Mundial" DocType: Stock Entry,Total Incoming Value,Valor Total de Entrada -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,É necessário colocar o Débito Para +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,É necessário colocar o Débito Para apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","O Registo de Horas ajudar a manter o controlo do tempo, custo e faturação para atividades feitas pela sua equipa" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Lista de Preços de Compra DocType: Offer Letter Term,Offer Term,Termo de Oferta @@ -2202,11 +2206,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Pesqu DocType: Timesheet Detail,To Time,Para Tempo DocType: Authorization Rule,Approving Role (above authorized value),Aprovar Função (acima do valor autorizado) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,O Crédito Para a conta deve ser uma conta A Pagar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Recursividade da LDM: {0} não pode ser o grupo de origem ou o subgrupo de {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},Recursividade da LDM: {0} não pode ser o grupo de origem ou o subgrupo de {2} DocType: Production Order Operation,Completed Qty,Qtd Concluída apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",Só podem ser vinculadas contas de dédito noutro registo de crébito para {0} apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,A Lista de Preços {0} está desativada -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Linha {0}: A Qtd Concluída não pode ser superior a {1} para a operação {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Linha {0}: A Qtd Concluída não pode ser superior a {1} para a operação {2} DocType: Manufacturing Settings,Allow Overtime,Permitir Horas Extra apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","O item de série {0} não pode ser atualizado usando Reconciliação de stock, use a Entrada de stock" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","O item de série {0} não pode ser atualizado usando Reconciliação de stock, use a Entrada de stock" @@ -2225,10 +2229,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Externo apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Utilizadores e Permissões DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Ordens de produção Criado: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Ordens de produção Criado: {0} DocType: Branch,Branch,Filial DocType: Guardian,Mobile Number,Número de Telemóvel apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Impressão e Branding +DocType: Company,Total Monthly Sales,Total de vendas mensais DocType: Bin,Actual Quantity,Quantidade Efetiva DocType: Shipping Rule,example: Next Day Shipping,exemplo: Envio no Dia Seguinte apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Nr. de Série {0} não foi encontrado @@ -2259,7 +2264,7 @@ DocType: Payment Request,Make Sales Invoice,Efetuar Fatura de Compra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,A Próxima Data de Contacto não pode ocorrer no passado DocType: Company,For Reference Only.,Só para Referência. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Selecione lote não +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Selecione lote não apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Inválido {0}: {1} DocType: Purchase Invoice,PINV-RET-,FPAG-DEV- DocType: Sales Invoice Advance,Advance Amount,Montante de Adiantamento @@ -2272,7 +2277,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nenhum Item com Código de Barras {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,O Nr. de Processo não pode ser 0 DocType: Item,Show a slideshow at the top of the page,Ver uma apresentação de slides no topo da página -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Lojas DocType: Serial No,Delivery Time,Prazo de Entrega apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Idade Baseada em @@ -2286,16 +2291,16 @@ DocType: Rename Tool,Rename Tool,Ferr. de Alt. de Nome apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Atualizar Custo DocType: Item Reorder,Item Reorder,Reencomenda do Item apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Mostrar Folha de Vencimento -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transferência de Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transferência de Material DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar as operações, custo operacional e dar um só Nr. Operação às suas operações." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está acima do limite por {0} {1} para o item {4}. Está a fazer outra {3} no/a mesmo/a {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,"Por favor, defina como recorrente depois de guardar" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Selecionar alterar montante de conta +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,"Por favor, defina como recorrente depois de guardar" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Selecionar alterar montante de conta DocType: Purchase Invoice,Price List Currency,Moeda da Lista de Preços DocType: Naming Series,User must always select,O utilizador tem sempre que escolher DocType: Stock Settings,Allow Negative Stock,Permitir Stock Negativo DocType: Installation Note,Installation Note,Nota de Instalação -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Adicionar Impostos +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Adicionar Impostos DocType: Topic,Topic,Tema apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Fluxo de Caixa de Financiamento DocType: Budget Account,Budget Account,Conta do Orçamento @@ -2309,7 +2314,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Rastr apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fonte de Fundos (Passivos) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},A quantidade na linha {0} ( {1}) deve ser igual à quantidade fabricada em {2} DocType: Appraisal,Employee,Funcionário -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Selecione lote +DocType: Company,Sales Monthly History,Histórico mensal de vendas +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Selecione lote apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} está totalmente faturado DocType: Training Event,End Time,Data de Término apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Estrutura de Salário ativa {0} encontrada para o funcionário {1} para as datas indicadas @@ -2317,15 +2323,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Deduções ou Perdas de Pagame apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Termos do contrato padrão para Vendas ou Compra. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Agrupar por Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Canal de Vendas -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},"Por favor, defina conta padrão no Componente Salarial {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},"Por favor, defina conta padrão no Componente Salarial {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Necessário Em DocType: Rename Tool,File to Rename,Ficheiro para Alterar Nome apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Por favor, selecione uma LDM para o Item na Linha {0}" apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},A conta {0} não coincide com a Empresa {1} no Modo de Conta: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},A LDM especificada {0} não existe para o Item {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,O Cronograma de Manutenção {0} deve ser cancelado antes de cancelar esta Ordem de Venda +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,O Cronograma de Manutenção {0} deve ser cancelado antes de cancelar esta Ordem de Venda DocType: Notification Control,Expense Claim Approved,Reembolso de Despesas Aprovado -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Por favor, configure a série de numeração para Atendimento por meio da Configuração> Série de numeração" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Já foi criada a Folha de Vencimento do funcionário {0} para este período apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmacêutico apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Custo dos Itens Adquiridos @@ -2342,7 +2347,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nº da LDM para um DocType: Upload Attendance,Attendance To Date,Assiduidade Até À Data DocType: Warranty Claim,Raised By,Levantado Por DocType: Payment Gateway Account,Payment Account,Conta de Pagamento -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Por favor, especifique a Empresa para poder continuar" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Por favor, especifique a Empresa para poder continuar" apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Variação Líquida em Contas a Receber apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Descanso de Compensação DocType: Offer Letter,Accepted,Aceite @@ -2351,12 +2356,12 @@ DocType: SG Creation Tool Course,Student Group Name,Nome do Grupo de Estudantes apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, certifique-se de que realmente deseja apagar todas as transações para esta empresa. Os seus dados principais permanecerão como estão. Esta ação não pode ser anulada." DocType: Room,Room Number,Número de Sala apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referência inválida {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) não pode ser maior do que a quantidade planeada ({2}) no Pedido de Produção {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) não pode ser maior do que a quantidade planeada ({2}) no Pedido de Produção {3} DocType: Shipping Rule,Shipping Rule Label,Regra Rotulação de Envio apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Fórum de Utilizadores -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,As Matérias-primas não podem ficar em branco. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar o stock, a fatura contém um item de envio direto." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Lançamento Contabilístico Rápido +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,As Matérias-primas não podem ficar em branco. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar o stock, a fatura contém um item de envio direto." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Lançamento Contabilístico Rápido apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Não pode alterar a taxa se a LDM for mencionada nalgum item DocType: Employee,Previous Work Experience,Experiência Laboral Anterior DocType: Stock Entry,For Quantity,Para a Quantidade @@ -2413,7 +2418,7 @@ DocType: SMS Log,No of Requested SMS,Nr. de SMS Solicitados apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,A Licença Sem Vencimento não coincide com os registos de Pedido de Licença aprovados DocType: Campaign,Campaign-.####,Campanha-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Próximos Passos -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,"Por favor, forneça os itens especificados com as melhores taxas possíveis" +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,"Por favor, forneça os itens especificados com as melhores taxas possíveis" DocType: Selling Settings,Auto close Opportunity after 15 days,perto Opportunity Auto após 15 dias apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Fim do Ano apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2471,7 +2476,7 @@ DocType: Homepage,Homepage,Página Inicial DocType: Purchase Receipt Item,Recd Quantity,Qtd Recebida apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Registos de Propinas Criados - {0} DocType: Asset Category Account,Asset Category Account,Categoria de Conta de Ativo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais Itens {0} do que a quantidade da Ordem de Vendas {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais Itens {0} do que a quantidade da Ordem de Vendas {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,O Registo de Stock {0} não foi enviado DocType: Payment Reconciliation,Bank / Cash Account,Conta Bancária / Dinheiro apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,O Próximo Contacto Por não pode ser o mesmo que o Endereço de Email de Potencial Cliente @@ -2504,7 +2509,7 @@ DocType: Salary Structure,Total Earning,Ganhos Totais DocType: Purchase Receipt,Time at which materials were received,Momento em que os materiais foram recebidos DocType: Stock Ledger Entry,Outgoing Rate,Taxa de Saída apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Definidor da filial da organização. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ou +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ou DocType: Sales Order,Billing Status,Estado do Faturação apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Relatar um Incidente apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Despesas de Serviços @@ -2512,7 +2517,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Linha # {0}: O Lançamento Contabilístico {1} não tem uma conta {2} ou está relacionado a outro voucher DocType: Buying Settings,Default Buying Price List,Lista de Compra de Preço Padrão DocType: Process Payroll,Salary Slip Based on Timesheet,Folha de Vencimento Baseada no Registo de Horas -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Não existe nenhum funcionário para os critérios selecionados acima OU já foi criada a folha de vencimento +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Não existe nenhum funcionário para os critérios selecionados acima OU já foi criada a folha de vencimento DocType: Notification Control,Sales Order Message,Mensagem da Ordem de Venda apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Definir Valores Padrão, como a Empresa, Moeda, Ano Fiscal Atual, etc." DocType: Payment Entry,Payment Type,Tipo de Pagamento @@ -2537,7 +2542,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Deve ser enviado o documento de entrega DocType: Purchase Invoice Item,Received Qty,Qtd Recebida DocType: Stock Entry Detail,Serial No / Batch,Nr. de Série / Lote -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Não Pago e Não Entregue +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Não Pago e Não Entregue DocType: Product Bundle,Parent Item,Item Principal DocType: Account,Account Type,Tipo de Conta DocType: Delivery Note,DN-RET-,NE-DEV- @@ -2568,8 +2573,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Valor Total Atribuído apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Defina a conta de inventário padrão para o inventário perpétuo DocType: Item Reorder,Material Request Type,Tipo de Solicitação de Material -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural entrada de diário para salários de {0} para {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage está cheio, não salvou" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural entrada de diário para salários de {0} para {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage está cheio, não salvou" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão de UNID apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref. DocType: Budget,Cost Center,Centro de Custos @@ -2587,7 +2592,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Impos apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Se a Regra de Fixação de Preços selecionada for efetuada para o ""Preço"", ela irá substituir a Lista de Preços. A Regra de Fixação de Preços é o preço final, portanto nenhum outro desconto deverá ser aplicado. Portanto, em transações como o Pedido de Venda, Pedido de Compra, etc., será obtida do campo ""Taxa"", em vez do campo ""Taxa de Lista de Preços""." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Acompanhar Potenciais Clientes por Tipo de Setor. DocType: Item Supplier,Item Supplier,Fornecedor do Item -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Por favor, insira o Código do Item para obter o nr. de lote" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Por favor, insira o Código do Item para obter o nr. de lote" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},"Por favor, selecione um valor para {0} a cotação_para {1}" apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Todos os Endereços. DocType: Company,Stock Settings,Definições de Stock @@ -2614,7 +2619,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qtd Efetiva Após Trans apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Sem folha de salário encontrada entre {0} e {1} ,Pending SO Items For Purchase Request,Itens Pendentes PV para Solicitação de Compra apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admissão de Estudantes -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} está desativado +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} está desativado DocType: Supplier,Billing Currency,Moeda de Faturação DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra-Grande @@ -2644,7 +2649,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Estado da Candidatura DocType: Fees,Fees,Propinas DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especifique a Taxa de Câmbio para converter uma moeda noutra -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,A cotação {0} foi cancelada +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,A cotação {0} foi cancelada apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Montante Total em Dívida DocType: Sales Partner,Targets,Metas DocType: Price List,Price List Master,Definidor de Lista de Preços @@ -2661,7 +2666,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorar Regra de Fixação de Preços DocType: Employee Education,Graduate,Licenciado DocType: Leave Block List,Block Days,Bloquear Dias DocType: Journal Entry,Excise Entry,Registo de Imposto Especial -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Aviso: Ordem de Vendas {0} já existe para a Ordem de Compra do Cliente {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Aviso: Ordem de Vendas {0} já existe para a Ordem de Compra do Cliente {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2700,7 +2705,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Se h ,Salary Register,salário Register DocType: Warehouse,Parent Warehouse,Armazém Principal DocType: C-Form Invoice Detail,Net Total,Total Líquido -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Lista de materiais padrão não encontrada para Item {0} e Projeto {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Definir vários tipos de empréstimo DocType: Bin,FCFS Rate,Preço FCFS DocType: Payment Reconciliation Invoice,Outstanding Amount,Montante em Dívida @@ -2737,7 +2742,7 @@ DocType: Salary Detail,Condition and Formula Help,Seção de Ajuda de Condiçõe apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Gerir Esquema de Território. DocType: Journal Entry Account,Sales Invoice,Fatura de Vendas DocType: Journal Entry Account,Party Balance,Saldo da Parte -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Por favor, selecione Aplicar Desconto Em" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Por favor, selecione Aplicar Desconto Em" DocType: Company,Default Receivable Account,Contas a Receber Padrão DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,"Criar Registo Bancário para o salário total pago, para os critérios acima selecionados" DocType: Stock Entry,Material Transfer for Manufacture,Transferência de Material para Fabrico @@ -2751,7 +2756,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Endereço de Cliente DocType: Employee Loan,Loan Details,Detalhes empréstimo DocType: Company,Default Inventory Account,Conta de inventário padrão -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Linha {0}: A Qtd Concluída deve superior a zero. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Linha {0}: A Qtd Concluída deve superior a zero. DocType: Purchase Invoice,Apply Additional Discount On,Aplicar Desconto Adicional Em DocType: Account,Root Type,Tipo de Fonte DocType: Item,FIFO,FIFO @@ -2768,7 +2773,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Inspeção de Qualidade apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra-pequeno DocType: Company,Standard Template,Modelo Padrão DocType: Training Event,Theory,Teoria -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A Qtd do Material requisitado é menor que a Qtd de Pedido Mínima +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A Qtd do Material requisitado é menor que a Qtd de Pedido Mínima apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,A conta {0} está congelada DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidade Legal / Subsidiária com um Gráfico de Contas separado pertencente à Organização. DocType: Payment Request,Mute Email,Email Sem Som @@ -2792,7 +2797,7 @@ DocType: Training Event,Scheduled,Programado apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Solicitação de cotação. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Por favor, selecione o item onde o ""O Stock de Item"" é ""Não"" e o ""Item de Vendas"" é ""Sim"" e se não há nenhum outro Pacote de Produtos" DocType: Student Log,Academic,Académico -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),O Avanço total ({0}) no Pedido {1} não pode ser maior do que o Total Geral ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),O Avanço total ({0}) no Pedido {1} não pode ser maior do que o Total Geral ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selecione a distribuição mensal para distribuir os objetivos desigualmente através meses. DocType: Purchase Invoice Item,Valuation Rate,Taxa de Avaliação DocType: Stock Reconciliation,SR/,SR/ @@ -2858,6 +2863,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Mtt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Insira o nome da campanha se a fonte da consulta for a campanha apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Editores de Jornais apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Selecionar Ano Fiscal +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Data de entrega esperada deve ser após a data da ordem de venda apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Reordenar Nível DocType: Company,Chart Of Accounts Template,Modelo de Plano de Contas DocType: Attendance,Attendance Date,Data de Presença @@ -2889,7 +2895,7 @@ DocType: Pricing Rule,Discount Percentage,Percentagem de Desconto DocType: Payment Reconciliation Invoice,Invoice Number,Número da Fatura DocType: Shopping Cart Settings,Orders,Pedidos DocType: Employee Leave Approver,Leave Approver,Aprovador de Licenças -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Selecione um lote +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Selecione um lote DocType: Assessment Group,Assessment Group Name,Nome do Grupo de Avaliação DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferido para Fabrico DocType: Expense Claim,"A user with ""Expense Approver"" role","Um utilizador com a função de ""Aprovador de Despesas""" @@ -2926,7 +2932,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Último Dia do Mês Seguinte DocType: Support Settings,Auto close Issue after 7 days,Fechar automáticamente incidentes após 7 dias apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","A licença não pode ser atribuída antes de {0}, pois o saldo de licenças já foi carregado no registo de atribuição de licenças {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: A Data de Vencimento / Referência excede os dias de crédito permitidos por cliente em {0} dia(s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: A Data de Vencimento / Referência excede os dias de crédito permitidos por cliente em {0} dia(s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Candidatura de Estudante DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL PARA RECEPTOR DocType: Asset Category Account,Accumulated Depreciation Account,Conta de Depreciação Acumulada @@ -2937,7 +2943,7 @@ DocType: Item,Reorder level based on Warehouse,Nível de reencomenda no Armazém DocType: Activity Cost,Billing Rate,Preço de faturação padrão ,Qty to Deliver,Qtd a Entregar ,Stock Analytics,Análise de Stock -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,As operações não podem ser deixadas em branco +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,As operações não podem ser deixadas em branco DocType: Maintenance Visit Purpose,Against Document Detail No,No Nr. de Dados de Documento apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,É obrigatório colocar o Tipo de Parte DocType: Quality Inspection,Outgoing,Saída @@ -2979,15 +2985,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Qtd Disponível no Armazém apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Montante Faturado DocType: Asset,Double Declining Balance,Saldo Decrescente Duplo -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Um pedido fechado não pode ser cancelado. Anule o fecho para o cancelar. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Um pedido fechado não pode ser cancelado. Anule o fecho para o cancelar. DocType: Student Guardian,Father,Pai -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Stock"" não pode ser ativado para a venda de ativos imobilizado" +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Stock"" não pode ser ativado para a venda de ativos imobilizado" DocType: Bank Reconciliation,Bank Reconciliation,Conciliação Bancária DocType: Attendance,On Leave,em licença apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obter Atualizações apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: A Conta {2} não pertence à Empresa {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,A Solicitação de Material {0} foi cancelada ou interrompida -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Adicione alguns registos de exemplo +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Adicione alguns registos de exemplo apps/erpnext/erpnext/config/hr.py +301,Leave Management,Gestão de Licenças apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Agrupar por Conta DocType: Sales Order,Fully Delivered,Totalmente Entregue @@ -2996,12 +3002,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","A Conta de Diferenças deve ser uma conta do tipo Ativo/Passivo, pois esta Conciliação de Stock é um Registo de Abertura" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Desembolso Valor não pode ser maior do que o valor do empréstimo {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Nº da Ordem de Compra necessário para o Item {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Ordem de produção não foi criado +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Ordem de produção não foi criado apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"A ""Data De"" deve ser depois da ""Data Para""" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Não é possível alterar o estado pois o estudante {0} está ligado à candidatura de estudante {1} DocType: Asset,Fully Depreciated,Totalmente Depreciados ,Stock Projected Qty,Qtd Projetada de Stock -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},O Cliente {0} não pertence ao projeto {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},O Cliente {0} não pertence ao projeto {1} DocType: Employee Attendance Tool,Marked Attendance HTML,HTML de Presenças Marcadas apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citações são propostas, as propostas que enviou aos seus clientes" DocType: Sales Order,Customer's Purchase Order,Ordem de Compra do Cliente @@ -3011,7 +3017,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Por favor, defina o Número de Depreciações Marcado" apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valor ou Qtd apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Não podem ser criados Pedidos de Produção para: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minuto +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minuto DocType: Purchase Invoice,Purchase Taxes and Charges,Impostos e Taxas de Compra ,Qty to Receive,Qtd a Receber DocType: Leave Block List,Leave Block List Allowed,Lista de Bloqueio de Licenças Permitida @@ -3025,7 +3031,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Todos os Tipos de Fornecedores DocType: Global Defaults,Disable In Words,Desativar Por Extenso apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,É obrigatório colocar o Código do Item porque o Item não é automaticamente numerado -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},A Cotação {0} não é do tipo {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},A Cotação {0} não é do tipo {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Item do Cronograma de Manutenção DocType: Sales Order,% Delivered,% Entregue DocType: Production Order,PRO-,PRO- @@ -3048,7 +3054,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Email do Vendedor DocType: Project,Total Purchase Cost (via Purchase Invoice),Custo total de compra (através da Fatura de Compra) DocType: Training Event,Start Time,Hora de início -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Selecionar Quantidade +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Selecionar Quantidade DocType: Customs Tariff Number,Customs Tariff Number,Número de tarifa alfandegária apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,A Função Aprovada não pode ser igual à da regra Aplicável A apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Cancelar a Inscrição neste Resumo de Email @@ -3072,7 +3078,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,Dados de RC DocType: Sales Order,Fully Billed,Totalmente Faturado apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Dinheiro Em Caixa -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},É necessário colocar o armazém de entrega para o item de stock {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},É necessário colocar o armazém de entrega para o item de stock {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),O peso bruto do pacote. Normalmente peso líquido + peso do material de embalagem. (Para impressão) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Programa DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Os utilizadores com esta função poderão definir contas congeladas e criar / modificar os registos contabilísticos em contas congeladas @@ -3082,7 +3088,7 @@ DocType: Student Group,Group Based On,Grupo baseado em DocType: Journal Entry,Bill Date,Data de Faturação apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","É necessário colocar o Item de Serviço, Tipo, frequência e valor da despesa" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Mesmo se houver várias Regras de Fixação de Preços com alta prioridade, as seguintes prioridades internas serão aplicadas:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Deseja realmente Enviar todas as Folhas de Vencimento de {0} para {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Deseja realmente Enviar todas as Folhas de Vencimento de {0} para {1} DocType: Cheque Print Template,Cheque Height,Altura do Cheque DocType: Supplier,Supplier Details,Dados de Fornecedor DocType: Expense Claim,Approval Status,Estado de Aprovação @@ -3104,7 +3110,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,De Potencial Cliente apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nada mais para mostrar. DocType: Lead,From Customer,Do Cliente apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Chamadas -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Lotes +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Lotes DocType: Project,Total Costing Amount (via Time Logs),Montante de Orçamento Total (através de Registos de Tempo) DocType: Purchase Order Item Supplied,Stock UOM,UNID de Stock apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,A Ordem de Compra {0} não foi enviada @@ -3136,7 +3142,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Devolver Na Fatura de DocType: Item,Warranty Period (in days),Período de Garantia (em dias) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relação com Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Caixa Líquido de Operações -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,ex: IVA +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,ex: IVA apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Item 4 DocType: Student Admission,Admission End Date,Data de Término de Admissão apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-contratação @@ -3144,7 +3150,7 @@ DocType: Journal Entry Account,Journal Entry Account,Conta para Lançamento Cont apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupo Estudantil DocType: Shopping Cart Settings,Quotation Series,Série de Cotação apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Já existe um item com o mesmo nome ({0}), por favor, altere o nome deste item ou altere o nome deste item" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,"Por favor, selecione o cliente" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,"Por favor, selecione o cliente" DocType: C-Form,I,I DocType: Company,Asset Depreciation Cost Center,Centro de Custo de Depreciação de Ativo DocType: Sales Order Item,Sales Order Date,Data da Ordem de Venda @@ -3155,6 +3161,7 @@ DocType: Stock Settings,Limit Percent,limite Percent ,Payment Period Based On Invoice Date,Período De Pagamento Baseado Na Data Da Fatura apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Faltam as Taxas de Câmbio de {0} DocType: Assessment Plan,Examiner,Examinador +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Defina Naming Series para {0} por Configuração> Configurações> Série de nomeação DocType: Student,Siblings,Irmãos DocType: Journal Entry,Stock Entry,Registo de Stock DocType: Payment Entry,Payment References,Referências de Pagamento @@ -3179,7 +3186,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Sempre que são realizadas operações de fabrico. DocType: Asset Movement,Source Warehouse,Armazém Fonte DocType: Installation Note,Installation Date,Data de Instalação -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Linha #{0}: O Ativo {1} não pertence à empresa {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Linha #{0}: O Ativo {1} não pertence à empresa {2} DocType: Employee,Confirmation Date,Data de Confirmação DocType: C-Form,Total Invoiced Amount,Valor total faturado apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,A Qtd Mín. não pode ser maior do que a Qtd Máx. @@ -3254,7 +3261,7 @@ DocType: Company,Default Letter Head,Cabeçalho de Carta Padrão DocType: Purchase Order,Get Items from Open Material Requests,Obter Itens de Solicitações de Materiais Abertas DocType: Item,Standard Selling Rate,Taxa de Vendas Padrão DocType: Account,Rate at which this tax is applied,Taxa à qual este imposto é aplicado -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Qtd de Reencomenda +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Qtd de Reencomenda apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Vagas de Emprego Atuais DocType: Company,Stock Adjustment Account,Conta de Acerto de Stock apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Liquidar @@ -3268,7 +3275,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Entregas de Fornecedor ao Cliente apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,Não há stock de [{0}](#Formulário/Item/{0}) apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,A Próxima Data deve ser mais antiga que a Data de Postagem -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},A Data de Vencimento / Referência não pode ser após {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},A Data de Vencimento / Referência não pode ser após {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Dados de Importação e Exportação apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Não foi Encontrado nenhum aluno apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Data de Lançamento da Fatura @@ -3288,12 +3295,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Isto baseia-se na assiduidade deste Estudante apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Não alunos em apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Adicionar mais itens ou abrir formulário inteiro -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Por favor, insira a ""Data de Entrega Prevista""" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Deverá cancelar as Guias de Remessa {0} antes de cancelar esta Ordem de Venda +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Deverá cancelar as Guias de Remessa {0} antes de cancelar esta Ordem de Venda apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,O Montante Pago + Montante Liquidado não pode ser superior ao Total Geral apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} não é um Número de Lote válido para o Item {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Nota: Não possui saldo de licença suficiente para o Tipo de Licença {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN inválido ou Digite NA para não registrado +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN inválido ou Digite NA para não registrado DocType: Training Event,Seminar,Seminário DocType: Program Enrollment Fee,Program Enrollment Fee,Propina de Inscrição no Programa DocType: Item,Supplier Items,Itens de Fornecedor @@ -3311,7 +3317,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Envelhecimento de Stock apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},O aluno {0} existe contra candidato a estudante {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Registo de Horas -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' está desativada +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' está desativada apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Definir como Aberto DocType: Cheque Print Template,Scanned Cheque,Cheque Digitalizado DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Enviar emails automáticos para Contactos nas transações A Enviar. @@ -3358,7 +3364,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Taxa de Câmbio da Lista de Preços DocType: Purchase Invoice Item,Rate,Valor apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Estagiário -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Nome endereço +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Nome endereço DocType: Stock Entry,From BOM,Da LDM DocType: Assessment Code,Assessment Code,Código de Avaliação apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Básico @@ -3371,20 +3377,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Estrutura Salarial DocType: Account,Bank,Banco apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Companhia Aérea -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Enviar Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Enviar Material DocType: Material Request Item,For Warehouse,Para o Armazém DocType: Employee,Offer Date,Data de Oferta apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Cotações -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Está em modo offline. Não poderá recarregar até ter rede. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Está em modo offline. Não poderá recarregar até ter rede. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Não foi criado nenhum Grupo de Estudantes. DocType: Purchase Invoice Item,Serial No,Nr. de Série apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mensal Reembolso Valor não pode ser maior do que o valor do empréstimo apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Por favor, insira os Dados de Manutenção primeiro" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Linha # {0}: a data de entrega prevista não pode ser anterior à data da ordem de compra DocType: Purchase Invoice,Print Language,Idioma de Impressão DocType: Salary Slip,Total Working Hours,Total de Horas de Trabalho DocType: Stock Entry,Including items for sub assemblies,A incluir itens para subconjuntos -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,O valor introduzido deve ser positivo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Código do Item> Item Group> Brand +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,O valor introduzido deve ser positivo apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Todos os Territórios DocType: Purchase Invoice,Items,Itens apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,O Estudante já está inscrito. @@ -3407,7 +3413,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A Unidade de Medida Padrão para a Variante '{0}' deve ser igual à do Modelo '{1}' DocType: Shipping Rule,Calculate Based On,Calcular com Base Em DocType: Delivery Note Item,From Warehouse,Armazém De -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Não há itens com Bill of Materials para Fabricação +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Não há itens com Bill of Materials para Fabricação DocType: Assessment Plan,Supervisor Name,Nome do Supervisor DocType: Program Enrollment Course,Program Enrollment Course,Curso de inscrição no programa DocType: Program Enrollment Course,Program Enrollment Course,Curso de inscrição no programa @@ -3423,23 +3429,23 @@ DocType: Training Event Employee,Attended,Participaram apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"Os ""Dias Desde o Último Pedido"" devem ser superiores ou iguais a zero" DocType: Process Payroll,Payroll Frequency,Frequência de Pagamento DocType: Asset,Amended From,Alterado De -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Matéria-prima +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Matéria-prima DocType: Leave Application,Follow via Email,Seguir através do Email apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Plantas e Máquinas DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Total de Impostos Depois do Montante do Desconto DocType: Daily Work Summary Settings,Daily Work Summary Settings,Definições de Resumo de Trabalho Diário -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},A Moeda da lista de preços {0} não é semelhante à moeda escolhida {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},A Moeda da lista de preços {0} não é semelhante à moeda escolhida {1} DocType: Payment Entry,Internal Transfer,Transferência Interna apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Existe uma subconta para esta conta. Não pode eliminar esta conta. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,É obrigatório colocar a qtd prevista ou o montante previsto apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Não existe nenhuma LDM padrão para o Item {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Por favor, selecione a Data de Postagem primeiro" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Por favor, selecione a Data de Postagem primeiro" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,A Data de Abertura deve ser antes da Data de Término DocType: Leave Control Panel,Carry Forward,Continuar apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,"O Centro de Custo, com as operações existentes, não pode ser convertido em livro" DocType: Department,Days for which Holidays are blocked for this department.,Dias em que as Férias estão bloqueadas para este departamento. ,Produced,Produzido -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Folhas de salário criados +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Folhas de salário criados DocType: Item,Item Code for Suppliers,Código do Item para Fornecedores DocType: Issue,Raised By (Email),Levantado Por (Email) DocType: Training Event,Trainer Name,Nome do Formador @@ -3447,9 +3453,10 @@ DocType: Mode of Payment,General,Geral apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Última comunicação apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Última comunicação apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Não pode deduzir quando a categoria é da ""Estimativa"" ou ""Estimativa e Total""" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste os seus títulos fiscais (por exemplo, IVA, Alfândega; eles devem ter nomes únicos) e as suas taxas normais. Isto irá criar um modelo padrão, em que poderá efetuar edições e adições mais tarde." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste os seus títulos fiscais (por exemplo, IVA, Alfândega; eles devem ter nomes únicos) e as suas taxas normais. Isto irá criar um modelo padrão, em que poderá efetuar edições e adições mais tarde." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},É Necessário colocar o Nr. de Série para o Item em Série {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Combinar Pagamentos com Faturas +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Linha # {0}: Por favor insira Data de entrega contra item {1} DocType: Journal Entry,Bank Entry,Registo Bancário DocType: Authorization Rule,Applicable To (Designation),Aplicável A (Designação) ,Profitability Analysis,Análise de Lucro @@ -3465,17 +3472,18 @@ DocType: Quality Inspection,Item Serial No,Nº de Série do Item apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Criar Funcionário Registros apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total Atual apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Demonstrações Contabilísticas -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Hora +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Hora apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,O Novo Nr. de Série não pode ter um Armazém. O Armazém deve ser definido no Registo de Compra ou no Recibo de Compra DocType: Lead,Lead Type,Tipo Potencial Cliente apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Não está autorizado a aprovar licenças em Datas Bloqueadas -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Todos estes itens já foram faturados +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Todos estes itens já foram faturados +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Alvo de Vendas Mensais apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Pode ser aprovado por {0} DocType: Item,Default Material Request Type,Tipo de Solicitação de Material Padrão apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Desconhecido DocType: Shipping Rule,Shipping Rule Conditions,Condições de Regras de Envio DocType: BOM Replace Tool,The new BOM after replacement,A LDM nova após substituição -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Ponto de Venda +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Ponto de Venda DocType: Payment Entry,Received Amount,Montante Recebido DocType: GST Settings,GSTIN Email Sent On,E-mail do GSTIN enviado DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop by Guardian @@ -3492,8 +3500,8 @@ DocType: Batch,Source Document Name,Nome do Documento de Origem DocType: Batch,Source Document Name,Nome do Documento de Origem DocType: Job Opening,Job Title,Título de Emprego apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Criar utilizadores -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gramas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,A Quantidade de Fabrico deve ser superior a 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gramas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,A Quantidade de Fabrico deve ser superior a 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Relatório de visita para a chamada de manutenção. DocType: Stock Entry,Update Rate and Availability,Atualizar Taxa e Disponibilidade DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"A percentagem que está autorizado a receber ou entregar da quantidade pedida. Por ex: Se encomendou 100 unidades e a sua Ajuda de Custo é de 10%, então está autorizado a receber 110 unidades." @@ -3505,7 +3513,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,"Por favor, cancele a Fatura de Compra {0} primeiro" apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","O ID de Email deve ser único, já existe para {0}" DocType: Serial No,AMC Expiry Date,Data de Validade do CMA -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Recibo +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Recibo ,Sales Register,Registo de Vendas DocType: Daily Work Summary Settings Company,Send Emails At,Enviar Emails Em DocType: Quotation,Quotation Lost Reason,Motivo de Perda de Cotação @@ -3518,14 +3526,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Nenhum client apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Demonstração dos Fluxos de Caixa apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Valor do Empréstimo não pode exceder Máximo Valor do Empréstimo de {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licença -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Fatura {0} do Form-C {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Fatura {0} do Form-C {1}" DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor selecione Continuar se também deseja incluir o saldo de licenças do ano fiscal anterior neste ano fiscal DocType: GL Entry,Against Voucher Type,No Tipo de Voucher DocType: Item,Attributes,Atributos apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Por favor, insira a Conta de Liquidação" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Data do Último Pedido apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},A conta {0} não pertence à empresa {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Os números de série na linha {0} não correspondem à nota de entrega +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Os números de série na linha {0} não correspondem à nota de entrega DocType: Student,Guardian Details,Dados de Responsável DocType: C-Form,C-Form,Form-C apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Marcar Presença em vários funcionários @@ -3557,16 +3565,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ti DocType: Tax Rule,Sales,Vendas DocType: Stock Entry Detail,Basic Amount,Montante de Base DocType: Training Event,Exam,Exame -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Armazém necessário para o Item {0} do stock +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Armazém necessário para o Item {0} do stock DocType: Leave Allocation,Unused leaves,Licensas não utilizadas -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Estado de Faturação apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transferir apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} não está associado à Conta da Parte {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Trazer LDM expandida (incluindo os subconjuntos) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Trazer LDM expandida (incluindo os subconjuntos) DocType: Authorization Rule,Applicable To (Employee),Aplicável Ao/À (Funcionário/a) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,É obrigatório colocar a Data de Vencimento apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,O Aumento do Atributo {0} não pode ser 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território DocType: Journal Entry,Pay To / Recd From,Pagar A / Recb De DocType: Naming Series,Setup Series,Série de Instalação DocType: Payment Reconciliation,To Invoice Date,Para Data da Fatura @@ -3593,7 +3602,7 @@ DocType: Journal Entry,Write Off Based On,Liquidação Baseada Em apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Crie um Potencial Cliente apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Impressão e artigos de papelaria DocType: Stock Settings,Show Barcode Field,Mostrar Campo do Código de Barras -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Enviar Emails de Fornecedores +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Enviar Emails de Fornecedores apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","O salário já foi processado para período entre {0} e {1}, o período de aplicação da Licença não pode estar entre este intervalo de datas." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Registo de Instalação para um Nr. de Série DocType: Guardian Interest,Guardian Interest,Interesse do Responsável @@ -3607,7 +3616,7 @@ DocType: Offer Letter,Awaiting Response,A aguardar Resposta apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Acima apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Atributo inválido {0} {1} DocType: Supplier,Mention if non-standard payable account,Mencionar se a conta a pagar não padrão -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},O mesmo item foi inserido várias vezes. {Lista} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},O mesmo item foi inserido várias vezes. {Lista} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Selecione o grupo de avaliação diferente de "Todos os grupos de avaliação" DocType: Salary Slip,Earning & Deduction,Remunerações e Deduções apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcional. Esta definição será utilizada para filtrar várias transações. @@ -3626,7 +3635,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Custo do Ativo Descartado apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: O Centro de Custo é obrigatório para o Item {2} DocType: Vehicle,Policy No,Nr. de Política -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Obter Itens de Pacote de Produtos +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Obter Itens de Pacote de Produtos DocType: Asset,Straight Line,Linha Reta DocType: Project User,Project User,Utilizador do Projecto apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Dividido @@ -3641,6 +3650,7 @@ DocType: Bank Reconciliation,Payment Entries,Registos de Pagamento DocType: Production Order,Scrap Warehouse,Armazém de Sucata DocType: Production Order,Check if material transfer entry is not required,Verifique se a entrada de transferência de material não é necessária DocType: Production Order,Check if material transfer entry is not required,Verifique se a entrada de transferência de material não é necessária +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configure o Sistema de Nomeação de Empregados em Recursos Humanos> Configurações de RH DocType: Program Enrollment Tool,Get Students From,Obter Estudantes De DocType: Hub Settings,Seller Country,País do Vendedor apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publicar Itens no Website @@ -3659,19 +3669,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,O H DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especificar condições para calcular valor de envio DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Função Permitida para Definir as Contas Congeladas e Editar Registos Congelados apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valor Inicial +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Valor Inicial DocType: Salary Detail,Formula,Fórmula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Série # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Comissão sobre Vendas DocType: Offer Letter Term,Value / Description,Valor / Descrição -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha #{0}: O Ativo {1} não pode ser enviado, já é {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha #{0}: O Ativo {1} não pode ser enviado, já é {2}" DocType: Tax Rule,Billing Country,País de Faturação DocType: Purchase Order Item,Expected Delivery Date,Data de Entrega Prevista apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,O Débito e o Crédito não são iguais para {0} #{1}. A diferença é de {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Despesas de Entretenimento apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Fazer Pedido de Material apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Abrir item {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A Fatura de Venda {0} deve ser cancelada antes de cancelar esta Ordem de Venda +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A Fatura de Venda {0} deve ser cancelada antes de cancelar esta Ordem de Venda apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Idade DocType: Sales Invoice Timesheet,Billing Amount,Montante de Faturação apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,A quantidade especificada para o item {0} é inválida. A quantidade deve ser maior do que 0. @@ -3694,7 +3704,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Novo Rendimento de Cliente apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Despesas de Viagem DocType: Maintenance Visit,Breakdown,Decomposição -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Não é possível selecionar a conta: {0} com a moeda: {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Não é possível selecionar a conta: {0} com a moeda: {1} DocType: Bank Reconciliation Detail,Cheque Date,Data do Cheque apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},A Conta {0}: da Conta Principal {1} não pertence à empresa: {2} DocType: Program Enrollment Tool,Student Applicants,Candidaturas de Estudantes @@ -3714,11 +3724,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planea DocType: Material Request,Issued,Emitido apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Atividade estudantil DocType: Project,Total Billing Amount (via Time Logs),Valor Total de Faturação (através do Registo do Tempo) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Nós vendemos este item +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Nós vendemos este item apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id de Fornecedor DocType: Payment Request,Payment Gateway Details,Dados do Portal de Pagamento -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,A quantidade deve ser superior a 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Dados de amostra +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,A quantidade deve ser superior a 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Dados de amostra DocType: Journal Entry,Cash Entry,Registo de Caixa apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,"Os Subgrupos só podem ser criados sob os ramos do tipo ""Grupo""" DocType: Leave Application,Half Day Date,Meio Dia Data @@ -3727,17 +3737,18 @@ DocType: Sales Partner,Contact Desc,Descr. de Contacto apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tipo de licenças como casual, por doença, etc." DocType: Email Digest,Send regular summary reports via Email.,Enviar relatórios de resumo periódicos através do Email. DocType: Payment Entry,PE-,RP- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Por favor, defina a conta padrão no Tipo de Despesas de Reembolso {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},"Por favor, defina a conta padrão no Tipo de Despesas de Reembolso {0}" DocType: Assessment Result,Student Name,Nome do Aluno DocType: Brand,Item Manager,Gestor do Item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,folha de pagamento Pagar DocType: Buying Settings,Default Supplier Type,Tipo de Fornecedor Padrão DocType: Production Order,Total Operating Cost,Custo Operacional Total -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Nota: O item {0} já for introduzido diversas vezes +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Nota: O item {0} já for introduzido diversas vezes apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Todos os Contactos. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Defina seu alvo apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abreviatura da Empresa apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Utilizador {0} não existe -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,A matéria-prima não pode ser igual ao Item principal +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,A matéria-prima não pode ser igual ao Item principal DocType: Item Attribute Value,Abbreviation,Abreviatura apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,O Registo de Pagamento já existe apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Não está autorizado pois {0} excede os limites @@ -3755,7 +3766,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Função Com Permissã ,Territory Target Variance Item Group-Wise,Variação de Item de Alvo Territorial por Grupo apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Todos os Grupos de Clientes apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Acumulada Mensalmente -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o registo de Câmbio não tenha sido criado para {1} a {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o registo de Câmbio não tenha sido criado para {1} a {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,É obrigatório inserir o Modelo de Impostos. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,A Conta {0}: Conta principal {1} não existe DocType: Purchase Invoice Item,Price List Rate (Company Currency),Taxa de Lista de Preços (Moeda da Empresa) @@ -3766,7 +3777,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Percentagem de At apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secretário DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Se desativar o campo ""Por Extenso"" ele não será visível em nenhuma transação" DocType: Serial No,Distinct unit of an Item,Unidade distinta dum Item -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Defina Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Defina Company DocType: Pricing Rule,Buying,Comprar DocType: HR Settings,Employee Records to be created by,Os Registos de Funcionário devem ser criados por DocType: POS Profile,Apply Discount On,Aplicar Desconto Em @@ -3777,7 +3788,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Dados de Taxa por Item apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Abreviação do Instituto ,Item-wise Price List Rate,Taxa de Lista de Preço por Item -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Cotação do Fornecedor +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Cotação do Fornecedor DocType: Quotation,In Words will be visible once you save the Quotation.,Por extenso será visível assim que guardar o Orçamento. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Quantidade ({0}) não pode ser uma fração na linha {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Quantidade ({0}) não pode ser uma fração na linha {1} @@ -3802,7 +3813,7 @@ Atualizado através do ""Registo de Tempo""" DocType: Customer,From Lead,Do Potencial Cliente apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Pedidos lançados para a produção. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Selecione o Ano Fiscal... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,É necessário colocar o Perfil POS para efetuar um Registo POS +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,É necessário colocar o Perfil POS para efetuar um Registo POS DocType: Program Enrollment Tool,Enroll Students,Matricular Estudantes DocType: Hub Settings,Name Token,Nome do Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Venda Padrão @@ -3820,7 +3831,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Diferença de Valor de Stock apps/erpnext/erpnext/config/learn.py +234,Human Resource,Recursos Humanos DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pagamento de Conciliação de Pagamento apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Ativo Fiscal -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},A ordem de produção foi {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},A ordem de produção foi {0} DocType: BOM Item,BOM No,Nr. da LDM DocType: Instructor,INS/,INS/ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,O Lançamento Contabilístico {0} não tem conta {1} ou já foi vinculado a outro voucher @@ -3834,7 +3845,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Carrega apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Mtt em Dívida DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Estabelecer Item Alvo por Grupo para este Vendedor/a. DocType: Stock Settings,Freeze Stocks Older Than [Days],Suspender Stocks Mais Antigos Que [Dias] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Linha #{0}: É obrigatória colocar o Ativo para a compra/venda do ativo fixo +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Linha #{0}: É obrigatória colocar o Ativo para a compra/venda do ativo fixo apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Se forem encontradas duas ou mais Regras de Fixação de Preços baseadas nas condições acima, é aplicada a Prioridade. A Prioridade é um número entre 0 a 20, enquanto que o valor padrão é zero (em branco). Um número maior significa que terá prioridade se houver várias Regras de Fixação de Preços com as mesmas condições." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,O Ano Fiscal: {0} não existe DocType: Currency Exchange,To Currency,A Moeda @@ -3843,7 +3854,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tipos de Reembols apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},A taxa de venda do item {0} é menor que a {1}. A taxa de venda deve ser pelo menos {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},A taxa de venda do item {0} é menor que a {1}. A taxa de venda deve ser pelo menos {2} DocType: Item,Taxes,Impostos -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Pago e Não Entregue +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Pago e Não Entregue DocType: Project,Default Cost Center,Centro de Custo Padrão DocType: Bank Guarantee,End Date,Data de Término apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transações de Stock @@ -3860,7 +3871,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Definições do Resumo de Diário Trabalho da Empresa apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,O Item {0} foi ignorado pois não é um item de stock DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Submeta este Pedido de Produção para posterior processamento. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Submeta este Pedido de Produção para posterior processamento. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Para não aplicar regra de preços numa determinada transação, todas as regras de preços aplicáveis devem ser desativadas." DocType: Assessment Group,Parent Assessment Group,Grupo de Avaliação pai apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Empregos @@ -3868,10 +3879,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Empregos DocType: Employee,Held On,Realizado Em apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Item de Produção ,Employee Information,Informações do Funcionário -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Taxa (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Taxa (%) DocType: Stock Entry Detail,Additional Cost,Custo Adicional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"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" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Efetuar Cotação de Fornecedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Efetuar Cotação de Fornecedor DocType: Quality Inspection,Incoming,Entrada DocType: BOM,Materials Required (Exploded),Materiais Necessários (Expandidos) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Adiciona utilizadores à sua organização, para além de si" @@ -3887,7 +3898,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,A Conta: {0} só pode ser atualizada através das Transações de Stock DocType: Student Group Creation Tool,Get Courses,Obter Cursos DocType: GL Entry,Party,Parte -DocType: Sales Order,Delivery Date,Data de Entrega +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Data de Entrega DocType: Opportunity,Opportunity Date,Data de Oportunidade DocType: Purchase Receipt,Return Against Purchase Receipt,Devolver No Recibo de Compra DocType: Request for Quotation Item,Request for Quotation Item,Solicitação de Item de Cotação @@ -3901,7 +3912,7 @@ DocType: Task,Actual Time (in Hours),Tempo Real (em Horas) DocType: Employee,History In Company,Historial na Empresa apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletters DocType: Stock Ledger Entry,Stock Ledger Entry,Registo do Livro de Stock -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Mesmo item foi inserido várias vezes +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Mesmo item foi inserido várias vezes DocType: Department,Leave Block List,Lista de Bloqueio de Licenças DocType: Sales Invoice,Tax ID,NIF/NIPC apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,"O Item {0} não está configurado para os Nrs. de Série, a coluna deve estar em branco" @@ -3919,25 +3930,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Preto DocType: BOM Explosion Item,BOM Explosion Item,Expansão de Item da LDM DocType: Account,Auditor,Auditor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} itens produzidos +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} itens produzidos DocType: Cheque Print Template,Distance from top edge,Distância da margem superior apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Preço de tabela {0} está desativado ou não existe DocType: Purchase Invoice,Return,Devolver DocType: Production Order Operation,Production Order Operation,Operação de Pedido de Produção DocType: Pricing Rule,Disable,Desativar -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Modo de pagamento é necessário para fazer um pagamento +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Modo de pagamento é necessário para fazer um pagamento DocType: Project Task,Pending Review,Revisão Pendente apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} não está inscrito no lote {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","O ativo {0} não pode ser eliminado, uma vez que já é um/a {1}" DocType: Task,Total Expense Claim (via Expense Claim),Reivindicação de Despesa Total (através de Reembolso de Despesas) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marcar Ausência -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Linha {0}: A Moeda da LDM # {1} deve ser igual à moeda selecionada {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Linha {0}: A Moeda da LDM # {1} deve ser igual à moeda selecionada {2} DocType: Journal Entry Account,Exchange Rate,Valor de Câmbio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,A Ordem de Vendas {0} não foi enviada +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,A Ordem de Vendas {0} não foi enviada DocType: Homepage,Tag Line,Linha de tag DocType: Fee Component,Fee Component,Componente de Propina apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Gestão de Frotas -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Adicionar itens de +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Adicionar itens de DocType: Cheque Print Template,Regular,Regular apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage total de todos os Critérios de Avaliação deve ser 100% DocType: BOM,Last Purchase Rate,Taxa da Última Compra @@ -3958,12 +3969,12 @@ DocType: Employee,Reports to,Relatórios para DocType: SMS Settings,Enter url parameter for receiver nos,Insira o parâmetro de url para os números de recetores DocType: Payment Entry,Paid Amount,Montante Pago DocType: Assessment Plan,Supervisor,Supervisor -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online ,Available Stock for Packing Items,Stock Disponível para Items Embalados DocType: Item Variant,Item Variant,Variante do Item DocType: Assessment Result Tool,Assessment Result Tool,Avaliação Resultado Ferramenta DocType: BOM Scrap Item,BOM Scrap Item,Item de Sucata da LDM -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,ordens enviadas não pode ser excluído +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ordens enviadas não pode ser excluído apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","O saldo da conta já está em débito, não tem permissão para definir o ""Saldo Deve Ser"" como ""Crédito""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestão da Qualidade apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,O Item {0} foi desativado @@ -3995,7 +4006,7 @@ DocType: Item Group,Default Expense Account,Conta de Despesas Padrão apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student E-mail ID DocType: Employee,Notice (days),Aviso (dias) DocType: Tax Rule,Sales Tax Template,Modelo do Imposto sobre Vendas -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Selecione os itens para guardar a fatura +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Selecione os itens para guardar a fatura DocType: Employee,Encashment Date,Data de Pagamento DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Ajuste de Stock @@ -4050,10 +4061,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Expedi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,O máx. de desconto permitido para o item: {0} é de {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Valor Patrimonial Líquido como em DocType: Account,Receivable,A receber -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Linha {0}: Não é permitido alterar o Fornecedor pois já existe uma Ordem de Compra +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Linha {0}: Não é permitido alterar o Fornecedor pois já existe uma Ordem de Compra DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,A função para a qual é permitida enviar transações que excedam os limites de crédito estabelecidos. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Selecione os itens para Fabricação -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Os dados do definidor estão a sincronizar, isto pode demorar algum tempo" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Selecione os itens para Fabricação +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Os dados do definidor estão a sincronizar, isto pode demorar algum tempo" DocType: Item,Material Issue,Saída de Material DocType: Hub Settings,Seller Description,Descrição do Vendedor DocType: Employee Education,Qualification,Qualificação @@ -4074,11 +4085,10 @@ DocType: BOM,Rate Of Materials Based On,Taxa de Materiais Baseada Em apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Apoio Analítico apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Desmarcar todos DocType: POS Profile,Terms and Conditions,Termos e Condições -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configure o Sistema de Nomeação de Empregados em Recursos Humanos> Configurações de RH apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},A Data Para deve estar dentro do Ano Fiscal. Assumindo que a Data Para = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aqui pode colocar a altura, o peso, as alergias, problemas médicos, etc." DocType: Leave Block List,Applies to Company,Aplica-se à Empresa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar porque o Registo de Stock {0} existe +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar porque o Registo de Stock {0} existe DocType: Employee Loan,Disbursement Date,Data de desembolso DocType: Vehicle,Vehicle,Veículo DocType: Purchase Invoice,In Words,Por Extenso @@ -4117,7 +4127,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Definições Gerais DocType: Assessment Result Detail,Assessment Result Detail,Avaliação Resultado Detalhe DocType: Employee Education,Employee Education,Educação do Funcionário apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Foi encontrado um grupo item duplicado na tabela de grupo de itens -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,É preciso buscar os Dados do Item. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,É preciso buscar os Dados do Item. DocType: Salary Slip,Net Pay,Rem. Líquida DocType: Account,Account,Conta apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,O Nr. de Série {0} já foi recebido @@ -4125,7 +4135,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Registo de Veículo DocType: Purchase Invoice,Recurring Id,ID Recorrente DocType: Customer,Sales Team Details,Dados de Equipa de Vendas -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Eliminar permanentemente? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Eliminar permanentemente? DocType: Expense Claim,Total Claimed Amount,Montante Reclamado Total apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciais oportunidades de venda. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Inválido {0} @@ -4137,7 +4147,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup sua escola em ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Montante de Modificação Base (Moeda da Empresa) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Não foram encontrados registos contabilísticos para os seguintes armazéns -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Guarde o documento pela primeira vez. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Guarde o documento pela primeira vez. DocType: Account,Chargeable,Cobrável DocType: Company,Change Abbreviation,Alterar Abreviação DocType: Expense Claim Detail,Expense Date,Data da Despesa @@ -4151,7 +4161,6 @@ DocType: BOM,Manufacturing User,Utilizador de Fabrico DocType: Purchase Invoice,Raw Materials Supplied,Matérias-primas Fornecidas DocType: Purchase Invoice,Recurring Print Format,Formato de Impressão Recorrente DocType: C-Form,Series,Série -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,A Data de Entrega Prevista não pode ser anterior à Data da Ordem de Compra DocType: Appraisal,Appraisal Template,Modelo de Avaliação DocType: Item Group,Item Classification,Classificação do Item apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Gestor de Desenvolvimento de Negócios @@ -4190,12 +4199,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Selecione apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Eventos de treinamento / resultados apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Depreciação Acumulada como em DocType: Sales Invoice,C-Form Applicable,Aplicável ao Form-C -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},O Tempo de Operação deve ser superior a 0 para a Operação {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},O Tempo de Operação deve ser superior a 0 para a Operação {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,É obrigatório colocar o Armazém DocType: Supplier,Address and Contacts,Endereços e Contactos DocType: UOM Conversion Detail,UOM Conversion Detail,Dados de Conversão de UNID DocType: Program,Program Abbreviation,Abreviação do Programa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Não pode ser criado uma Ordem de Produção para um Item Modelo +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Não pode ser criado uma Ordem de Produção para um Item Modelo apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Os custos de cada item são atualizados no Recibo de Compra DocType: Warranty Claim,Resolved By,Resolvido Por DocType: Bank Guarantee,Start Date,Data de Início @@ -4230,6 +4239,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Feedback de Formação apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,A Ordem de Produção {0} deve ser enviado apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Por favor, seleccione a Data de Início e a Data de Término do Item {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Defina um alvo de vendas que você deseja alcançar. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},O Curso é obrigatório na linha {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,A data a não pode ser anterior à data de DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4248,7 +4258,7 @@ DocType: Account,Income,Rendimento DocType: Industry Type,Industry Type,Tipo de Setor apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Ocorreu um problema! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Atenção: A solicitação duma licença contém as seguintes datas bloqueadas -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,A Fatura de Venda {0} já foi enviada +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,A Fatura de Venda {0} já foi enviada DocType: Assessment Result Detail,Score,Ponto apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,O Ano Fiscal de {0} não existe apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Data de Conclusão @@ -4278,7 +4288,7 @@ DocType: Naming Series,Help HTML,Ajuda de HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Ferramenta de Criação de Grupo de Estudantes DocType: Item,Variant Based On,Variant Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},O peso total atribuído deve ser de 100 %. É {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Seus Fornecedores +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Seus Fornecedores apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Não pode definir como Oportunidade Perdida pois a Ordem de Venda já foi criado. DocType: Request for Quotation Item,Supplier Part No,Peça de Fornecedor Nr. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Não pode deduzir quando a categoria é para ""Estimativa"" ou ""Estimativa e Total""" @@ -4288,14 +4298,14 @@ DocType: Item,Has Serial No,Tem Nr. de Série DocType: Employee,Date of Issue,Data de Emissão apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: De {0} para {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","De acordo com as Configurações de compra, se o Recibo Obtido Obrigatório == 'SIM', então, para criar a Fatura de Compra, o usuário precisa criar o Recibo de Compra primeiro para o item {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Linha #{0}: Definir Fornecedor para o item {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Linha {0}: O valor por hora deve ser maior que zero. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Linha #{0}: Definir Fornecedor para o item {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Linha {0}: O valor por hora deve ser maior que zero. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Não foi possível encontrar a Imagem do Website {0} anexada ao Item {1} DocType: Issue,Content Type,Tipo de Conteúdo apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Computador DocType: Item,List this Item in multiple groups on the website.,Listar este item em vários grupos do website. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Por favor, selecione a opção de Múltiplas Moedas para permitir contas com outra moeda" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,O Item: {0} não existe no sistema +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,O Item: {0} não existe no sistema apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Não está autorizado a definir como valor Congelado DocType: Payment Reconciliation,Get Unreconciled Entries,Obter Registos Não Conciliados DocType: Payment Reconciliation,From Invoice Date,Data de Fatura De @@ -4321,7 +4331,7 @@ DocType: Stock Entry,Default Source Warehouse,Armazém Fonte Padrão DocType: Item,Customer Code,Código de Cliente apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Lembrete de Aniversário para o/a {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dias Desde a última Ordem -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,A conta de Débito Para deve ser uma conta de Balanço +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,A conta de Débito Para deve ser uma conta de Balanço DocType: Buying Settings,Naming Series,Série de Atrib. de Nomes DocType: Leave Block List,Leave Block List Name,Nome de Lista de Bloqueio de Licenças apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,A data de Início do Seguro deve ser anterior à data de Término do Seguro @@ -4338,7 +4348,7 @@ DocType: Vehicle Log,Odometer,Conta-km DocType: Sales Order Item,Ordered Qty,Qtd Pedida apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,O Item {0} está desativado DocType: Stock Settings,Stock Frozen Upto,Stock Congelado Até -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,A LDM não contém nenhum item em stock +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,A LDM não contém nenhum item em stock apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},As datas do Período De e Período A são obrigatórias para os recorrentes {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Atividade / tarefa do projeto. DocType: Vehicle Log,Refuelling Details,Dados de Reabastecimento @@ -4348,7 +4358,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Não foi encontrada a taxa da última compra DocType: Purchase Invoice,Write Off Amount (Company Currency),Montante de Liquidação (Moeda da Empresa) DocType: Sales Invoice Timesheet,Billing Hours,Horas de Faturação -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Não foi encontrado a LDM Padrão para {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Não foi encontrado a LDM Padrão para {0} apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,"Linha #{0}: Por favor, defina a quantidade de reencomenda" apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Toque em itens para adicioná-los aqui DocType: Fees,Program Enrollment,Inscrição no Programa @@ -4382,6 +4392,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Faixa Etária 2 DocType: SG Creation Tool Course,Max Strength,Força Máx. apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,LDM substituída +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Selecione itens com base na data de entrega ,Sales Analytics,Análise de Vendas apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Disponível {0} ,Prospects Engaged But Not Converted,"Perspectivas contratadas, mas não convertidas" @@ -4430,7 +4441,7 @@ DocType: Authorization Rule,Customerwise Discount,Desconto por Cliente apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Registo de Horas para as tarefas. DocType: Purchase Invoice,Against Expense Account,Na Conta de Despesas DocType: Production Order,Production Order,Ordem de Produção -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,A Nota de Instalação {0} já foi enviada +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,A Nota de Instalação {0} já foi enviada DocType: Bank Reconciliation,Get Payment Entries,Obter Registos de Pagamento DocType: Quotation Item,Against Docname,No Nomedoc DocType: SMS Center,All Employee (Active),Todos os Funcionários (Ativos) @@ -4439,7 +4450,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Custo de Matéria-Prima DocType: Item Reorder,Re-Order Level,Nível de Reencomenda DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Insira os itens e a qtd planeada para os pedidos de produção que deseja fazer ou efetue o download de matérias-primas para a análise. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gráfico de Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gráfico de Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Tempo Parcial DocType: Employee,Applicable Holiday List,Lista de Feriados Aplicáveis DocType: Employee,Cheque,Cheque @@ -4497,11 +4508,11 @@ DocType: Bin,Reserved Qty for Production,Qtd Reservada para a Produção DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deixe desmarcada se você não quiser considerar lote ao fazer cursos com base grupos. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deixe desmarcada se você não quiser considerar lote ao fazer cursos com base grupos. DocType: Asset,Frequency of Depreciation (Months),Frequência de Depreciação (Meses) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Conta de Crédito +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Conta de Crédito DocType: Landed Cost Item,Landed Cost Item,Custo de Entrega do Item apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostrar valores de zero DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,A quantidade do item obtido após a fabrico / reembalagem de determinadas quantidades de matérias-primas -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Instalar um website simples para a minha organização +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Instalar um website simples para a minha organização DocType: Payment Reconciliation,Receivable / Payable Account,Conta A Receber / A Pagar DocType: Delivery Note Item,Against Sales Order Item,No Item da Ordem de Venda apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Por favor, especifique um Valor de Atributo para o atributo {0}" @@ -4564,22 +4575,22 @@ DocType: Student,Nationality,Nacionalidade ,Items To Be Requested,Items a Serem Solicitados DocType: Purchase Order,Get Last Purchase Rate,Obter Última Taxa de Compra DocType: Company,Company Info,Informações da Empresa -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Selecionar ou adicionar novo cliente -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,centro de custo é necessário reservar uma reivindicação de despesa +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Selecionar ou adicionar novo cliente +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,centro de custo é necessário reservar uma reivindicação de despesa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicação de Fundos (Ativos) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Esta baseia-se na assiduidade deste Funcionário -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Conta de Débito +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Conta de Débito DocType: Fiscal Year,Year Start Date,Data de Início do Ano DocType: Attendance,Employee Name,Nome do Funcionário DocType: Sales Invoice,Rounded Total (Company Currency),Total Arredondado (Moeda da Empresa) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o Tipo de Conta está selecionado." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,"{0} {1} foi alterado. Por favor, faça uma atualização." +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,"{0} {1} foi alterado. Por favor, faça uma atualização." DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impeça os utilizadores de efetuar Pedidos de Licença nos dias seguintes. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Montante de Compra apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Cotação de Fornecedor {0} criada apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,O Fim do Ano não pode ser antes do Início do Ano apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Benefícios do Funcionário -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},A quantidade embalada deve ser igual à quantidade do Item {0} na linha {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},A quantidade embalada deve ser igual à quantidade do Item {0} na linha {1} DocType: Production Order,Manufactured Qty,Qtd Fabricada DocType: Purchase Receipt Item,Accepted Quantity,Quantidade Aceite apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, defina uma Lista de Feriados padrão para o(a) Funcionário(a) {0} ou para a Empresa {1}" @@ -4590,11 +4601,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Linha Nr. {0}: O valor não pode ser superior ao Montante Pendente no Reembolso de Despesas {1}. O Montante Pendente é {2} DocType: Maintenance Schedule,Schedule,Programar DocType: Account,Parent Account,Conta Principal -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Disponível +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Disponível DocType: Quality Inspection Reading,Reading 3,Leitura 3 ,Hub,Plataforma DocType: GL Entry,Voucher Type,Tipo de Voucher -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Lista de Preços não encontrada ou desativada +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Lista de Preços não encontrada ou desativada DocType: Employee Loan Application,Approved,Aprovado DocType: Pricing Rule,Price,Preço apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"O Funcionário dispensado em {0} deve ser definido como ""Saiu""" @@ -4664,7 +4675,7 @@ DocType: SMS Settings,Static Parameters,Parâmetros Estáticos DocType: Assessment Plan,Room,Quarto DocType: Purchase Order,Advance Paid,Adiantamento Pago DocType: Item,Item Tax,Imposto do Item -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Material para o Fornecedor +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Material para o Fornecedor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Fatura de Imposto Especial apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% aparece mais de uma vez DocType: Expense Claim,Employees Email Id,ID de Email de Funcionários @@ -4704,7 +4715,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Modelo DocType: Production Order,Actual Operating Cost,Custo Operacional Efetivo DocType: Payment Entry,Cheque/Reference No,Nr. de Cheque/Referência -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,A fonte não pode ser editada. DocType: Item,Units of Measure,Unidades de medida DocType: Manufacturing Settings,Allow Production on Holidays,Permitir Produção nas Férias @@ -4737,12 +4747,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Dias de Crédito apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Criar Classe de Estudantes DocType: Leave Type,Is Carry Forward,É para Continuar -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Obter itens da LDM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Obter itens da LDM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Dias para Chegar ao Armazém -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Linha #{0}: A Data de Postagem deve ser igual à data de compra {1} do ativo {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Linha #{0}: A Data de Postagem deve ser igual à data de compra {1} do ativo {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Verifique se o estudante reside no albergue do Instituto. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Insira as Ordens de Venda na tabela acima -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Não foi Submetido Salário deslizamentos +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Não foi Submetido Salário deslizamentos ,Stock Summary,Resumo de Stock apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transferir um ativo de um armazém para outro DocType: Vehicle,Petrol,Gasolina diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index 2c2ba9c6d93..dab4b1c37ea 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Comerciant DocType: Employee,Rented,Închiriate DocType: Purchase Order,PO-,po- DocType: POS Profile,Applicable for User,Aplicabil pentru utilizator -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Oprit comandă de producție nu poate fi anulat, acesta unstop întâi pentru a anula" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Oprit comandă de producție nu poate fi anulat, acesta unstop întâi pentru a anula" DocType: Vehicle Service,Mileage,distanță parcursă apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Chiar vrei să resturi acest activ? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Selectați Furnizor implicit @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Facurat apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Rata de schimb trebuie să fie aceeași ca și {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Nume client DocType: Vehicle,Natural Gas,Gaz natural -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Contul bancar nu poate fi numit ca {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Contul bancar nu poate fi numit ca {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Heads (sau grupuri) față de care înregistrările contabile sunt făcute și soldurile sunt menținute. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Restante pentru {0} nu poate fi mai mică decât zero ({1}) DocType: Manufacturing Settings,Default 10 mins,Implicit 10 minute @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Denumire Tip Concediu apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Afișați deschis apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Seria Actualizat cu succes apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Verifică -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Jurnal de intrare Introdus +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Jurnal de intrare Introdus DocType: Pricing Rule,Apply On,Se aplică pe DocType: Item Price,Multiple Item prices.,Mai multe prețuri element. ,Purchase Order Items To Be Received,Achiziția comandă elementele de încasat @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Modul de cont de plăț apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Arată Variante DocType: Academic Term,Academic Term,termen academic apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Material -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Cantitate +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Cantitate apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Planul de conturi nu poate fi gol. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Imprumuturi (Raspunderi) DocType: Employee Education,Year of Passing,Ani de la promovarea @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Servicii de Sanatate apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Întârziere de plată (zile) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Cheltuieli de serviciu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Numărul de serie: {0} este deja menționat în factura de vânzare: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Factură +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Numărul de serie: {0} este deja menționat în factura de vânzare: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Factură DocType: Maintenance Schedule Item,Periodicity,Periodicitate apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Anul fiscal {0} este necesară -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Data estimată de livrare este înainte de a fi comandă de vânzări Data apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Apărare DocType: Salary Component,Abbr,Presc DocType: Appraisal Goal,Score (0-5),Scor (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:, DocType: Timesheet,Total Costing Amount,Suma totală Costing DocType: Delivery Note,Vehicle No,Vehicul Nici -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Vă rugăm să selectați lista de prețuri +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Vă rugăm să selectați lista de prețuri apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Document de plată este necesară pentru a finaliza trasaction DocType: Production Order Operation,Work In Progress,Lucrări în curs apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Vă rugăm să selectați data @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} nu se gaseste in niciun an fiscal activ. DocType: Packed Item,Parent Detail docname,Părinte Detaliu docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referință: {0}, Cod articol: {1} și Client: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Buturuga apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Deschidere pentru un loc de muncă. DocType: Item Attribute,Increment,Creștere @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Căsătorit apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Nu este permisă {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Obține elemente din -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produs {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nu sunt enumerate elemente DocType: Payment Reconciliation,Reconcile,Reconcilierea @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Fondu apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,În continuare Amortizarea Data nu poate fi înainte Data achiziției DocType: SMS Center,All Sales Person,Toate persoanele de vânzăril DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Lunar Distribuție ** vă ajută să distribuie bugetul / Target peste luni dacă aveți sezonier în afacerea dumneavoastră. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Nu au fost găsite articole +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Nu au fost găsite articole apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Structura de salarizare lipsă DocType: Lead,Person Name,Nume persoană DocType: Sales Invoice Item,Sales Invoice Item,Factură de vânzări Postul @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Este activ fix"" nu poate fi debifată deoarece există informații împotriva produsului" DocType: Vehicle Service,Brake Oil,Ulei de frână DocType: Tax Rule,Tax Type,Tipul de impozitare -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Sumă impozabilă +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Sumă impozabilă apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nu sunteți autorizat să adăugați sau să actualizați intrări înainte de {0} DocType: BOM,Item Image (if not slideshow),Imagine Articol (dacă nu exista prezentare) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Există un client cu același nume DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif orar / 60) * Timp efectiv de operare -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Selectați BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Selectați BOM DocType: SMS Log,SMS Log,SMS Conectare apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Costul de articole livrate apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Vacanta pe {0} nu este între De la data si pana in prezent @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,școli DocType: School Settings,Validate Batch for Students in Student Group,Validați lotul pentru elevii din grupul de studenți apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nici o înregistrare de concediu găsite pentru angajat {0} pentru {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Va rugam sa introduceti prima companie -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Vă rugăm să selectați Company primul +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Vă rugăm să selectați Company primul DocType: Employee Education,Under Graduate,Sub Absolvent apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Țintă pe DocType: BOM,Total Cost,Cost total DocType: Journal Entry Account,Employee Loan,angajat de împrumut -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Jurnal Activitati: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Articolul {0} nu există în sistem sau a expirat +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Jurnal Activitati: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Articolul {0} nu există în sistem sau a expirat apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Imobiliare apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Extras de cont apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Produse farmaceutice @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Suma Cerere apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,grup de clienți dublu exemplar găsit în tabelul grupului cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Furnizor Tip / Furnizor DocType: Naming Series,Prefix,Prefix -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setați seria de numire pentru {0} prin Configurare> Setări> Serii de numire -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Consumabile +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Consumabile DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Import Conectare DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Pull Material Cerere de tip Fabricare pe baza criteriilor de mai sus DocType: Training Result Employee,Grade,calitate DocType: Sales Invoice Item,Delivered By Supplier,Livrate de Furnizor DocType: SMS Center,All Contact,Toate contactele -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Comanda de producție deja creat pentru toate elementele cu BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Comanda de producție deja creat pentru toate elementele cu BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salariu anual DocType: Daily Work Summary,Daily Work Summary,Sumar zilnic de lucru DocType: Period Closing Voucher,Closing Fiscal Year,Închiderea Anului Fiscal -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} este blocat +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} este blocat apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vă rugăm să selectați Companie pentru crearea Existent Plan de conturi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Cheltuieli stoc apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selectați Target Warehouse @@ -213,14 +211,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Cant acceptată + respinsă trebuie să fie egală cu cantitatea recepționată pentru articolul {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Materii prime de alimentare pentru cumparare -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Cel puțin un mod de plată este necesară pentru POS factură. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Cel puțin un mod de plată este necesară pentru POS factură. DocType: Products Settings,Show Products as a List,Afișare produse ca o listă DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Descărcați șablonul, umple de date corespunzătoare și atașați fișierul modificat. Toate datele și angajat combinație în perioada selectata va veni în șablon, cu înregistrări nervi existente" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Articolul {0} nu este activ sau sfarsitul ciclului sau de viata a fost atins -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Exemplu: matematică de bază -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pentru a include taxa în rândul {0} în rata articol, impozitele în rânduri {1} trebuie de asemenea să fie incluse" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Exemplu: matematică de bază +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pentru a include taxa în rândul {0} în rata articol, impozitele în rânduri {1} trebuie de asemenea să fie incluse" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Setările pentru modul HR DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,Sumă schimbare @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Data de instalare nu poate fi înainte de data de livrare pentru postul {0} DocType: Pricing Rule,Discount on Price List Rate (%),Reducere la Lista de preturi Rate (%) DocType: Offer Letter,Select Terms and Conditions,Selectați Termeni și condiții -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Valoarea afară +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Valoarea afară DocType: Production Planning Tool,Sales Orders,Comenzi de vânzări DocType: Purchase Taxes and Charges,Valuation,Evaluare ,Purchase Order Trends,Comandă de aprovizionare Tendințe @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Deschiderea este de intrare DocType: Customer Group,Mention if non-standard receivable account applicable,Menționa dacă non-standard de cont primit aplicabil DocType: Course Schedule,Instructor Name,Nume instructor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Pentru Depozit este necesar înainte de Inregistrare +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Pentru Depozit este necesar înainte de Inregistrare apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Primit la DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Dacă este bifată, va include și non-stoc produse în cererile de materiale." @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Comparativ articolului facturii de vânzări ,Production Orders in Progress,Comenzile de producție în curs de desfășurare apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Numerar net din Finantare -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage este plin, nu a salvat" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage este plin, nu a salvat" DocType: Lead,Address & Contact,Adresă și contact DocType: Leave Allocation,Add unused leaves from previous allocations,Adauga frunze neutilizate de alocări anterioare apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Urmatoarea recurent {0} va fi creat pe {1} DocType: Sales Partner,Partner website,site-ul partenerului apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Adaugare element -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Nume Persoana de Contact +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Nume Persoana de Contact DocType: Course Assessment Criteria,Course Assessment Criteria,Criterii de evaluare a cursului DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Creare fluturas de salariu pentru criteriile mentionate mai sus. DocType: POS Customer Group,POS Customer Group,POS Clienți Grupul @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rând {0}: Vă rugăm să verificați ""Este Advance"" împotriva Cont {1} dacă aceasta este o intrare în avans." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Depozit {0} nu aparține companiei {1} DocType: Email Digest,Profit & Loss,Pierderea profitului -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litru +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litru DocType: Task,Total Costing Amount (via Time Sheet),Suma totală de calculație a costurilor (prin timp Sheet) DocType: Item Website Specification,Item Website Specification,Specificație Site Articol apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Concediu Blocat @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,Factură de vânzări Nu DocType: Material Request Item,Min Order Qty,Min Ordine Cantitate DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curs de grup studențesc instrument de creare DocType: Lead,Do Not Contact,Nu contactati -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Oameni care predau la organizația dumneavoastră +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Oameni care predau la organizația dumneavoastră DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id-ul unic pentru urmărirea toate facturile recurente. Acesta este generat pe prezinte. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer DocType: Item,Minimum Order Qty,Comanda minima Cantitate @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,Publica in Hub DocType: Student Admission,Student Admission,Admiterea studenților ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Articolul {0} este anulat -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Cerere de material +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Cerere de material DocType: Bank Reconciliation,Update Clearance Date,Actualizare Clearance Data DocType: Item,Purchase Details,Detalii de cumpărare apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Postul {0} nu a fost găsit în "Materii prime furnizate" masă în Comandă {1} @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Manager de flotă apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} nu poate fi negativ pentru elementul {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Parola Gresita DocType: Item,Variant Of,Varianta de -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Finalizat Cantitate nu poate fi mai mare decât ""Cantitate de Fabricare""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Finalizat Cantitate nu poate fi mai mare decât ""Cantitate de Fabricare""" DocType: Period Closing Voucher,Closing Account Head,Închidere Cont Principal DocType: Employee,External Work History,Istoricul lucrului externă apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Eroare de referință Circular @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,Distanța de la marginea apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unități de [{1}] (# Forma / Postul / {1}) găsit în [{2}] (# Forma / Depozit / {2}) DocType: Lead,Industry,Industrie DocType: Employee,Job Profile,Profilul postului +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Aceasta se bazează pe tranzacții împotriva acestei companii. Consultați linia temporală de mai jos pentru detalii DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notifica prin e-mail la crearea de cerere automată Material DocType: Journal Entry,Multi Currency,Multi valutar DocType: Payment Reconciliation Invoice,Invoice Type,Factura Tip -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Nota de Livrare +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Nota de Livrare apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configurarea Impozite apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Costul de active vândute apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Plata intrare a fost modificat după ce-l tras. Vă rugăm să trage din nou. @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Va rugam sa introduceti ""Repeat la zi a lunii"" valoare de câmp" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Rata la care Clientul valuta este convertită în valuta de bază a clientului DocType: Course Scheduling Tool,Course Scheduling Tool,Instrument curs de programare -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rând # {0}: Achiziția Factura nu poate fi făcută împotriva unui activ existent {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rând # {0}: Achiziția Factura nu poate fi făcută împotriva unui activ existent {1} DocType: Item Tax,Tax Rate,Cota de impozitare apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} deja alocate pentru Angajat {1} pentru perioada {2} {3} pentru a -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Selectați articol +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Selectați articol apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Factura de cumpărare {0} este deja depusă apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Lot nr trebuie să fie aceeași ca și {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Converti la non-Group @@ -448,7 +447,7 @@ DocType: Employee,Widowed,Văduvit DocType: Request for Quotation,Request for Quotation,Cerere de ofertă DocType: Salary Slip Timesheet,Working Hours,Ore de lucru 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. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Creați un nou client +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Creați un nou client apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","În cazul în care mai multe reguli de stabilire a prețurilor continuă să prevaleze, utilizatorii sunt rugați să setați manual prioritate pentru a rezolva conflictul." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Creare comenzi de aprovizionare ,Purchase Register,Cumpărare Inregistrare @@ -474,7 +473,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Nume examinator DocType: Purchase Invoice Item,Quantity and Rate,Cantitatea și rata DocType: Delivery Note,% Installed,% Instalat -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Classrooms / Laboratoare, etc, unde prelegeri pot fi programate." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Classrooms / Laboratoare, etc, unde prelegeri pot fi programate." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Va rugam sa introduceti numele companiei în primul rând DocType: Purchase Invoice,Supplier Name,Furnizor Denumire apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Citiți manualul ERPNext @@ -491,7 +490,7 @@ DocType: Account,Old Parent,Vechi mamă apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Domeniu obligatoriu - An universitar apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Domeniu obligatoriu - An universitar DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Particulariza textul introductiv, care merge ca o parte din acel email. Fiecare tranzacție are un text introductiv separat." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Ați setat contul de plată implicit pentru compania {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Ați setat contul de plată implicit pentru compania {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Setările globale pentru toate procesele de producție. DocType: Accounts Settings,Accounts Frozen Upto,Conturile sunt Blocate Până la DocType: SMS Log,Sent On,A trimis pe @@ -531,7 +530,7 @@ DocType: Journal Entry,Accounts Payable,Conturi de plată apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Cele BOM selectate nu sunt pentru același articol DocType: Pricing Rule,Valid Upto,Valid Până la DocType: Training Event,Workshop,Atelier -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Listeaza cativa din clienții dvs. Ei ar putea fi organizații sau persoane fizice. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Listeaza cativa din clienții dvs. Ei ar putea fi organizații sau persoane fizice. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Piese de schimb suficient pentru a construi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Venituri Directe apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nu se poate filtra pe baza de cont, în cazul gruparii in functie de Cont" @@ -539,7 +538,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Selectați cursul apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Selectați cursul DocType: Timesheet Detail,Hrs,ore -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Vă rugăm să selectați Company +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Vă rugăm să selectați Company DocType: Stock Entry Detail,Difference Account,Diferența de Cont DocType: Purchase Invoice,Supplier GSTIN,Furnizor GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Nu poate sarcină aproape ca misiune dependente {0} nu este închis. @@ -556,7 +555,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Vă rugăm să definiți gradul pentru pragul 0% DocType: Sales Order,To Deliver,A Livra DocType: Purchase Invoice Item,Item,Obiect -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serial nici un articol nu poate fi o fracție +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serial nici un articol nu poate fi o fracție DocType: Journal Entry,Difference (Dr - Cr),Diferența (Dr - Cr) DocType: Account,Profit and Loss,Profit și pierdere apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gestionarea Subcontracte @@ -582,7 +581,7 @@ DocType: Serial No,Warranty Period (Days),Perioada de garanție (zile) DocType: Installation Note Item,Installation Note Item,Instalare Notă Postul DocType: Production Plan Item,Pending Qty,Așteptare Cantitate DocType: Budget,Ignore,Ignora -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} nu este activ +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} nu este activ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS expediat la următoarele numere: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Dimensiunile de instalare pentru imprimare de verificare DocType: Salary Slip,Salary Slip Timesheet,Salariu alunecare Pontaj @@ -688,8 +687,8 @@ DocType: Installation Note,IN-,ÎN- DocType: Production Order Operation,In minutes,In cateva minute DocType: Issue,Resolution Date,Data rezoluție DocType: Student Batch Name,Batch Name,Nume lot -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Pontajul creat: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Vă rugăm să setați Cash implicit sau cont bancar în modul de plată {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Pontajul creat: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Vă rugăm să setați Cash implicit sau cont bancar în modul de plată {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,A se inscrie DocType: GST Settings,GST Settings,Setări GST DocType: Selling Settings,Customer Naming By,Numire Client de catre @@ -709,7 +708,7 @@ DocType: Activity Cost,Projects User,Proiecte de utilizare apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Consumat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} nu a fost găsit în tabelul detalii factură DocType: Company,Round Off Cost Center,Rotunji cost Center -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vizita de Mentenanta {0} trebuie sa fie anulată înainte de a anula această Comandă de Vânzări +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vizita de Mentenanta {0} trebuie sa fie anulată înainte de a anula această Comandă de Vânzări DocType: Item,Material Transfer,Transfer de material apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Deschidere (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Timestamp postarea trebuie să fie după {0} @@ -718,7 +717,7 @@ DocType: Employee Loan,Total Interest Payable,Dobânda totală de plată DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impozite cost debarcate și Taxe DocType: Production Order Operation,Actual Start Time,Timpul efectiv de începere DocType: BOM Operation,Operation Time,Funcționare Ora -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,finalizarea +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,finalizarea apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Baza DocType: Timesheet,Total Billed Hours,Numărul total de ore facturate DocType: Journal Entry,Write Off Amount,Scrie Off Suma @@ -745,7 +744,7 @@ DocType: Vehicle,Odometer Value (Last),Valoarea contorului de parcurs (Ultimul) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Plata Intrarea este deja creat DocType: Purchase Receipt Item Supplied,Current Stock,Stoc curent -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Rând # {0}: {1} activ nu legat de postul {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Rând # {0}: {1} activ nu legat de postul {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Previzualizare Salariu alunecare apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Contul {0} a fost introdus de mai multe ori DocType: Account,Expenses Included In Valuation,Cheltuieli Incluse în Evaluare @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Spaţiul a DocType: Journal Entry,Credit Card Entry,Card de credit intrare apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Și evidența contabilă apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Bunuri primite de la furnizori. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,în valoare +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,în valoare DocType: Lead,Campaign Name,Denumire campanie DocType: Selling Settings,Close Opportunity After Days,Închide oportunitate După zile ,Reserved,Rezervat @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energie DocType: Opportunity,Opportunity From,Oportunitate de la apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Declarația salariu lunar. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rând {0}: {1} Numerele de serie necesare pentru articolul {2}. Ați oferit {3}. DocType: BOM,Website Specifications,Site-ul Specificații apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: de la {0} de tipul {1} DocType: Warranty Claim,CI-,CI apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rând {0}: Factorul de conversie este obligatorie DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Reguli de preturi multiple există cu aceleași criterii, vă rugăm să rezolve conflictul prin atribuirea de prioritate. Reguli de preț: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nu se poate deactiva sau anula FDM, deoarece este conectat cu alte FDM-uri" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nu se poate deactiva sau anula FDM, deoarece este conectat cu alte FDM-uri" DocType: Opportunity,Maintenance,Mentenanţă DocType: Item Attribute Value,Item Attribute Value,Postul caracteristicii Valoarea apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanii de vanzari. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,asiguraţi-Pontaj +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,asiguraţi-Pontaj DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -857,7 +857,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configurarea contului de e-mail apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Va rugam sa introduceti Articol primul DocType: Account,Liability,Răspundere -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sancționat Suma nu poate fi mai mare decât revendicarea Suma în rândul {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sancționat Suma nu poate fi mai mare decât revendicarea Suma în rândul {0}. DocType: Company,Default Cost of Goods Sold Account,Implicit Costul cont bunuri vândute apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Lista de prețuri nu selectat DocType: Employee,Family Background,Context familial @@ -868,10 +868,10 @@ DocType: Company,Default Bank Account,Cont Bancar Implicit apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Pentru a filtra pe baza Party, selectați Party Tip primul" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Actualizare stoc"" nu poate fi activat, deoarece obiectele nu sunt livrate prin {0}" DocType: Vehicle,Acquisition Date,Data achiziției -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Articole cu weightage mare va fi afișat mai mare DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detaliu reconciliere bancară -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Rând # {0}: {1} activ trebuie să fie depuse +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Rând # {0}: {1} activ trebuie să fie depuse apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nu a fost gasit angajat DocType: Supplier Quotation,Stopped,Oprita DocType: Item,If subcontracted to a vendor,Dacă subcontractat la un furnizor @@ -888,7 +888,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Factură cantitate minim apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} nu aparține Companiei {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Cont {2} nu poate fi un grup apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Postul rând {IDX}: {DOCTYPE} {DOCNAME} nu există în sus "{DOCTYPE} 'masă -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Pontajul {0} este deja finalizată sau anulată +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Pontajul {0} este deja finalizată sau anulată apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nu există nicio sarcină DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc", DocType: Asset,Opening Accumulated Depreciation,Deschidere Amortizarea Acumulate @@ -947,7 +947,7 @@ DocType: SMS Log,Requested Numbers,Numere solicitate DocType: Production Planning Tool,Only Obtain Raw Materials,Se obține numai Materii prime apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,De evaluare a performantei. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Dacă activați opțiunea "Utilizare pentru Cos de cumparaturi ', ca Cosul de cumparaturi este activat și trebuie să existe cel puțin o regulă fiscală pentru Cos de cumparaturi" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Intrarea plată {0} este legată de comanda {1}, verificați dacă acesta ar trebui să fie tras ca avans în această factură." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Intrarea plată {0} este legată de comanda {1}, verificați dacă acesta ar trebui să fie tras ca avans în această factură." DocType: Sales Invoice Item,Stock Details,Stoc Detalii apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valoare proiect apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punct de vânzare @@ -970,15 +970,15 @@ DocType: Naming Series,Update Series,Actualizare Series DocType: Supplier Quotation,Is Subcontracted,Este subcontractată DocType: Item Attribute,Item Attribute Values,Valori Postul Atribut DocType: Examination Result,Examination Result,examinarea Rezultat -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Primirea de cumpărare +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Primirea de cumpărare ,Received Items To Be Billed,Articole primite Pentru a fi facturat -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Depuse Alunecările salariale +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Depuse Alunecările salariale apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Maestru cursului de schimb valutar. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referință Doctype trebuie să fie una dintre {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Imposibilitatea de a găsi timp Slot în următorii {0} zile pentru Operațiunea {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Imposibilitatea de a găsi timp Slot în următorii {0} zile pentru Operațiunea {1} DocType: Production Order,Plan material for sub-assemblies,Material Plan de subansambluri apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Parteneri de vânzări și teritoriu -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} trebuie să fie activ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} trebuie să fie activ DocType: Journal Entry,Depreciation Entry,amortizare intrare apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Vă rugăm să selectați tipul de document primul apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuleaza Vizite Material {0} înainte de a anula această Vizita de întreținere @@ -988,7 +988,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Suma totală apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Editura Internet DocType: Production Planning Tool,Production Orders,Comenzi de producție -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Valoarea bilanţului +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Valoarea bilanţului apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Lista de prețuri de vânzare apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publica pentru a sincroniza articole DocType: Bank Reconciliation,Account Currency,Moneda cont @@ -1013,12 +1013,12 @@ DocType: Employee,Exit Interview Details,Detalii Interviu de Iesire DocType: Item,Is Purchase Item,Este de cumparare Articol DocType: Asset,Purchase Invoice,Factura de cumpărare DocType: Stock Ledger Entry,Voucher Detail No,Detaliu voucher Nu -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Noua factură de vânzări +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Noua factură de vânzări DocType: Stock Entry,Total Outgoing Value,Valoarea totală de ieșire apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Deschiderea și data inchiderii ar trebui să fie în același an fiscal DocType: Lead,Request for Information,Cerere de informații ,LeaderBoard,LEADERBOARD -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sincronizare offline Facturile +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sincronizare offline Facturile DocType: Payment Request,Paid,Plătit DocType: Program Fee,Program Fee,Taxa de program DocType: Salary Slip,Total in words,Total în cuvinte @@ -1026,7 +1026,7 @@ DocType: Material Request Item,Lead Time Date,Data Timp Conducere DocType: Guardian,Guardian Name,Nume tutore DocType: Cheque Print Template,Has Print Format,Are Format imprimare DocType: Employee Loan,Sanctioned,consacrat -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,este obligatorie. Poate înregistrarea de schimb valutar nu este creeatã pentru +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,este obligatorie. Poate înregistrarea de schimb valutar nu este creeatã pentru apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Rând # {0}: Vă rugăm să specificați Nu serial pentru postul {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pentru elementele "produse Bundle", Warehouse, Serial No și lot nr vor fi luate în considerare de la "ambalare List" masa. Dacă Warehouse și Lot nr sunt aceleași pentru toate elementele de ambalaj pentru produs orice "Bundle produs", aceste valori pot fi introduse în tabelul de punctul principal, valorile vor fi copiate "de ambalare Lista" masă." DocType: Job Opening,Publish on website,Publica pe site-ul @@ -1039,7 +1039,7 @@ DocType: Cheque Print Template,Date Settings,dată Setări apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variație ,Company Name,Denumire Furnizor DocType: SMS Center,Total Message(s),Total mesaj(e) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Selectați Element de Transfer +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Selectați Element de Transfer DocType: Purchase Invoice,Additional Discount Percentage,Procentul discount suplimentar apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Vizualizați o listă cu toate filmele de ajutor DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Selectați contul șef al băncii, unde de verificare a fost depus." @@ -1054,7 +1054,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Brut Costul materialelor (compa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Toate articolele acestei comenzi de producție au fost deja transferate. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rândul # {0}: Rata nu poate fi mai mare decât rata folosită în {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rândul # {0}: Rata nu poate fi mai mare decât rata folosită în {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Metru +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Metru DocType: Workstation,Electricity Cost,Cost energie electrică DocType: HR Settings,Don't send Employee Birthday Reminders,Nu trimiteți Memento pentru Zi de Nastere Angajat DocType: Item,Inspection Criteria,Criteriile de inspecție @@ -1069,7 +1069,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Obtine Avansurile Achitate DocType: Item,Automatically Create New Batch,Crearea automată a lotului nou DocType: Item,Automatically Create New Batch,Crearea automată a lotului nou -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Realizare +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Realizare DocType: Student Admission,Admission Start Date,Admitere Data de începere DocType: Journal Entry,Total Amount in Words,Suma totală în cuvinte apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,A aparut o eroare. Un motiv probabil ar putea fi că nu ați salvat formularul. Vă rugăm să contactați iulianolaru@ollala.ro dacă problema persistă. @@ -1077,7 +1077,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Cosul meu apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Pentru Tipul trebuie să fie una dintre {0} DocType: Lead,Next Contact Date,Următor Contact Data apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Deschiderea Cantitate -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Vă rugăm să introduceți cont pentru Schimbare Sumă +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Vă rugăm să introduceți cont pentru Schimbare Sumă DocType: Student Batch Name,Student Batch Name,Nume elev Lot DocType: Holiday List,Holiday List Name,Denumire Lista de Vacanță DocType: Repayment Schedule,Balance Loan Amount,Soldul Suma creditului @@ -1085,7 +1085,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opțiuni pe acțiuni DocType: Journal Entry Account,Expense Claim,Revendicare Cheltuieli apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Sigur doriți să restabiliți acest activ casate? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Cantitate pentru {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Cantitate pentru {0} DocType: Leave Application,Leave Application,Aplicatie pentru Concediu apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Mijloc pentru Alocare Concediu DocType: Leave Block List,Leave Block List Dates,Date Lista Concedii Blocate @@ -1136,7 +1136,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Comparativ DocType: Item,Default Selling Cost Center,Centru de Cost Vanzare Implicit DocType: Sales Partner,Implementation Partner,Partener de punere în aplicare -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Cod postal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Cod postal apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Comandă de vânzări {0} este {1} DocType: Opportunity,Contact Info,Informaţii Persoana de Contact apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Efectuarea de stoc Entries @@ -1155,13 +1155,13 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,V DocType: School Settings,Attendance Freeze Date,Data de înghețare a prezenței DocType: School Settings,Attendance Freeze Date,Data de înghețare a prezenței DocType: Opportunity,Your sales person who will contact the customer in future,Persoana de vânzări care va contacta clientul în viitor -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Listeaza cativa din furnizorii dvs. Ei ar putea fi organizații sau persoane fizice. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Listeaza cativa din furnizorii dvs. Ei ar putea fi organizații sau persoane fizice. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Vezi toate produsele apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Vârsta minimă de plumb (zile) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,toate BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,toate BOM DocType: Company,Default Currency,Monedă implicită DocType: Expense Claim,From Employee,Din Angajat -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Atenție: Sistemul nu va verifica supraîncărcată din sumă pentru postul {0} din {1} este zero +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Atenție: Sistemul nu va verifica supraîncărcată din sumă pentru postul {0} din {1} este zero DocType: Journal Entry,Make Difference Entry,Realizeaza Intrare de Diferenta DocType: Upload Attendance,Attendance From Date,Prezenţa del la data DocType: Appraisal Template Goal,Key Performance Area,Domeniu de Performanță Cheie @@ -1178,7 +1178,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Numerele de înregistrare companie pentru referință. Numerele fiscale etc DocType: Sales Partner,Distributor,Distribuitor DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Cosul de cumparaturi Articolul Transport -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Producția de Ordine {0} trebuie anulată înainte de a anula această comandă de vânzări +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Producția de Ordine {0} trebuie anulată înainte de a anula această comandă de vânzări apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Vă rugăm să setați "Aplicați discount suplimentar pe" ,Ordered Items To Be Billed,Comandat de Articole Pentru a fi facturat apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Din Gama trebuie să fie mai mică de la gama @@ -1187,10 +1187,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Deduceri DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Anul de începere -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Primele 2 cifre ale GSTIN ar trebui să se potrivească cu numărul de stat {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Primele 2 cifre ale GSTIN ar trebui să se potrivească cu numărul de stat {0} DocType: Purchase Invoice,Start date of current invoice's period,Data perioadei de factura de curent începem DocType: Salary Slip,Leave Without Pay,Concediu Fără Plată -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Capacitate de eroare de planificare +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Capacitate de eroare de planificare ,Trial Balance for Party,Trial Balance pentru Party DocType: Lead,Consultant,Consultant DocType: Salary Slip,Earnings,Câștiguri @@ -1206,7 +1206,7 @@ DocType: Cheque Print Template,Payer Settings,Setări plătitorilor DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Acest lucru va fi adăugat la Codul punctul de varianta. De exemplu, în cazul în care abrevierea este ""SM"", iar codul produs face ""T-SHIRT"", codul punctul de varianta va fi ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pay net (în cuvinte) vor fi vizibile după ce salvați fluturasul de salariu. DocType: Purchase Invoice,Is Return,Este de returnare -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Returnare / debit Notă +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Returnare / debit Notă DocType: Price List Country,Price List Country,Lista de preturi Țară DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} numere de serie valabile pentru articolul {1} @@ -1219,7 +1219,7 @@ DocType: Employee Loan,Partially Disbursed,parţial Se eliberează apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Baza de date furnizor. DocType: Account,Balance Sheet,Bilant apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Centrul de cost pentru postul cu codul Postul ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modul de plată nu este configurat. Vă rugăm să verificați, dacă contul a fost setat pe modul de plăți sau la POS Profil." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modul de plată nu este configurat. Vă rugăm să verificați, dacă contul a fost setat pe modul de plăți sau la POS Profil." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Persoană de vânzări va primi un memento la această dată pentru a lua legătura cu clientul apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Același articol nu poate fi introdus de mai multe ori. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Conturile suplimentare pot fi făcute sub Groups, dar intrările pot fi făcute împotriva non-Grupuri" @@ -1249,7 +1249,7 @@ DocType: Employee Loan Application,Repayment Info,Info rambursarea apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Intrările' nu pot fi vide apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Inregistrare {0} este duplicata cu aceeași {1} ,Trial Balance,Balanta -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Anul fiscal {0} nu a fost găsit +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Anul fiscal {0} nu a fost găsit apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Configurarea angajati DocType: Sales Order,SO-,ASA DE- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Vă rugăm să selectați prefix întâi @@ -1264,11 +1264,11 @@ DocType: Grading Scale,Intervals,intervale apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Cel mai devreme apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Există un grup de articole cu aceeaşi denumire, vă rugăm să schimbați denumirea articolului sau să redenumiţi grupul articolului" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Elev mobil Nr -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Restul lumii +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Restul lumii apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Postul {0} nu poate avea Lot ,Budget Variance Report,Raport de variaţie buget DocType: Salary Slip,Gross Pay,Plata Bruta -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rândul {0}: Activitatea de tip este obligatorie. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Rândul {0}: Activitatea de tip este obligatorie. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendele plătite apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Registru Jurnal DocType: Stock Reconciliation,Difference Amount,Diferența Suma @@ -1290,18 +1290,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Bilant Concediu Angajat apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Bilanţă pentru contul {0} trebuie să fie întotdeauna {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Rata de evaluare cerute pentru postul în rândul {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Exemplu: Master în Informatică +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Exemplu: Master în Informatică DocType: Purchase Invoice,Rejected Warehouse,Depozit Respins DocType: GL Entry,Against Voucher,Comparativ voucherului DocType: Item,Default Buying Cost Center,Centru de Cost Cumparare Implicit apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Pentru a obține cele mai bune din ERPNext, vă recomandăm să luați ceva timp și de ceas aceste filme de ajutor." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,la +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,la DocType: Supplier Quotation Item,Lead Time in days,Timp de plumb în zile apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Rezumat conturi pentru plăți -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Plata salariului de la {0} la {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Plata salariului de la {0} la {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Nu este autorizat pentru a edita contul congelate {0} DocType: Journal Entry,Get Outstanding Invoices,Obtine Facturi Neachitate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Comandă de vânzări {0} nu este valid +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Comandă de vânzări {0} nu este valid apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Comenzile de aprovizionare vă ajuta să planificați și să urmați pe achizițiile dvs. apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Ne pare rău, companiile nu se pot uni" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1325,8 +1325,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Cheltuieli indirecte apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Rând {0}: Cant este obligatorie apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Agricultură -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sincronizare Date -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Produsele sau serviciile dvs. +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sincronizare Date +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Produsele sau serviciile dvs. DocType: Mode of Payment,Mode of Payment,Mod de plata apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Site-ul Image ar trebui să fie un fișier public sau site-ul URL-ul DocType: Student Applicant,AP,AP @@ -1345,18 +1345,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Rata de Impozitare Articol DocType: Student Group Student,Group Roll Number,Numărul rolurilor de grup apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Pentru {0}, numai conturi de credit poate fi legat de o altă intrare în debit" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totală a tuturor greutăților sarcinii trebuie să fie 1. Ajustați greutățile tuturor sarcinilor de proiect în consecință -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Nota de Livrare {0} nu este introdusa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Nota de Livrare {0} nu este introdusa apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Articolul {0} trebuie să fie un Articol Sub-contractat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Echipamente de Capital apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regula de stabilire a prețurilor este selectat în primul rând bazat pe ""Aplicați pe"" teren, care poate fi produs, Grupa de articole sau de brand." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Vă rugăm să setați mai întâi Codul elementului +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Vă rugăm să setați mai întâi Codul elementului DocType: Hub Settings,Seller Website,Vânzător Site-ul DocType: Item,ITEM-,ARTICOL- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Procentul total alocat pentru echipa de vânzări ar trebui să fie de 100 DocType: Appraisal Goal,Goal,Obiectiv DocType: Sales Invoice Item,Edit Description,Edit Descriere ,Team Updates,echipa Actualizări -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Pentru furnizor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Pentru furnizor DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Setarea Tipul de cont ajută în selectarea acest cont în tranzacții. DocType: Purchase Invoice,Grand Total (Company Currency),Total general (Valuta Companie) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Creați Format imprimare @@ -1370,12 +1370,12 @@ DocType: Item,Website Item Groups,Site-ul Articol Grupuri DocType: Purchase Invoice,Total (Company Currency),Total (Company valutar) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Număr de serie {0} a intrat de mai multe ori DocType: Depreciation Schedule,Journal Entry,Intrare în jurnal -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} elemente în curs +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} elemente în curs DocType: Workstation,Workstation Name,Stație de lucru Nume DocType: Grading Scale Interval,Grade Code,Cod grad DocType: POS Item Group,POS Item Group,POS Articol Grupa apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} nu aparţine articolului {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} nu aparţine articolului {1} DocType: Sales Partner,Target Distribution,Țintă Distribuție 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 @@ -1433,7 +1433,7 @@ DocType: Quotation,Shopping Cart,Cosul de cumparaturi apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Ieșire zilnică medie DocType: POS Profile,Campaign,Campanie DocType: Supplier,Name and Type,Numele și tipul -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Statusul aprobării trebuie să fie ""Aprobat"" sau ""Respins""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Statusul aprobării trebuie să fie ""Aprobat"" sau ""Respins""" DocType: Purchase Invoice,Contact Person,Persoană de contact apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Data de început preconizatã' nu poate fi dupa data 'Data de sfârșit anticipatã' DocType: Course Scheduling Tool,Course End Date,Desigur Data de încheiere @@ -1445,8 +1445,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,E-mail Preferam apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Schimbarea net în active fixe DocType: Leave Control Panel,Leave blank if considered for all designations,Lăsați necompletat dacă se consideră pentru toate denumirile -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Taxa de tip 'Efectiv' în inregistrarea {0} nu poate fi inclus în Rata Articol""" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Taxa de tip 'Efectiv' în inregistrarea {0} nu poate fi inclus în Rata Articol""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,De la Datetime DocType: Email Digest,For Company,Pentru Companie apps/erpnext/erpnext/config/support.py +17,Communication log.,Log comunicare. @@ -1488,7 +1488,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profilul postu DocType: Journal Entry Account,Account Balance,Soldul contului apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regula de impozit pentru tranzacțiile. DocType: Rename Tool,Type of document to rename.,Tip de document pentru a redenumi. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Cumparam acest articol +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Cumparam acest articol apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Clientul este necesară împotriva contului Receivable {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total Impozite si Taxe (Compania valutar) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Afișați soldurile L P & anul fiscal unclosed lui @@ -1499,7 +1499,7 @@ DocType: Quality Inspection,Readings,Lecturi DocType: Stock Entry,Total Additional Costs,Costuri totale suplimentare DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Cost resturi de material (companie Moneda) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub Assemblies DocType: Asset,Asset Name,Denumire activ DocType: Project,Task Weight,sarcina Greutate DocType: Shipping Rule Condition,To Value,La valoarea @@ -1528,7 +1528,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variante Postul DocType: Company,Services,Servicii DocType: HR Settings,Email Salary Slip to Employee,E-mail Salariu Slip angajatului DocType: Cost Center,Parent Cost Center,Părinte Cost Center -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Selectați Posibil furnizor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Selectați Posibil furnizor DocType: Sales Invoice,Source,Sursă apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Afișează închis DocType: Leave Type,Is Leave Without Pay,Este concediu fără plată @@ -1540,7 +1540,7 @@ DocType: POS Profile,Apply Discount,Aplicați o reducere DocType: GST HSN Code,GST HSN Code,Codul GST HSN DocType: Employee External Work History,Total Experience,Experiența totală apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Proiecte deschise -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Slip de ambalare (e) anulate +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Slip de ambalare (e) anulate apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Cash Flow de la Investiții DocType: Program Course,Program Course,Curs Program apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Incarcatura și Taxe de Expediere @@ -1581,9 +1581,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Inscrierile pentru programul DocType: Sales Invoice Item,Brand Name,Denumire marcă DocType: Purchase Receipt,Transporter Details,Detalii Transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,depozitul implicit este necesar pentru elementul selectat -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Cutie -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,posibil furnizor +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,depozitul implicit este necesar pentru elementul selectat +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Cutie +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,posibil furnizor DocType: Budget,Monthly Distribution,Distributie lunar apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receptor Lista goala. Vă rugăm să creați Receiver Lista DocType: Production Plan Sales Order,Production Plan Sales Order,Planul de producție comandă de vânzări @@ -1617,7 +1617,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Cererile pent apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studenții sunt în centrul sistemului, adăugați toți elevii" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Rând # {0}: Data de lichidare {1} nu poate fi înainte de Cheque Data {2} DocType: Company,Default Holiday List,Implicit Listă de vacanță -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Pasive stoc DocType: Purchase Invoice,Supplier Warehouse,Furnizor Warehouse DocType: Opportunity,Contact Mobile No,Nr. Mobil Persoana de Contact @@ -1633,18 +1633,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Concediul de tip {0} nu poate dura mai mare de {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Încercați planificarea operațiunilor de X zile în avans. DocType: HR Settings,Stop Birthday Reminders,De oprire de naștere Memento -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Vă rugăm să setați Cont Cheltuieli suplimentare salarizare implicit în companie {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Vă rugăm să setați Cont Cheltuieli suplimentare salarizare implicit în companie {0} DocType: SMS Center,Receiver List,Receptor Lista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,căutare articol +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,căutare articol apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Consumat Suma apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Schimbarea net în numerar DocType: Assessment Plan,Grading Scale,Scala de notare apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unitate de măsură {0} a fost introdus mai mult de o dată în Factor de conversie Tabelul -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,deja finalizat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,deja finalizat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stoc în mână apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Cerere de plată există deja {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Costul de articole emise -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Cantitatea nu trebuie să fie mai mare de {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Cantitatea nu trebuie să fie mai mare de {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Exercițiul financiar precedent nu este închis apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Vârstă (zile) DocType: Quotation Item,Quotation Item,Citat Articol @@ -1658,6 +1658,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Documentul de referință apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} este anulată sau oprită DocType: Accounts Settings,Credit Controller,Controler de Credit +DocType: Sales Order,Final Delivery Date,Data finală de livrare DocType: Delivery Note,Vehicle Dispatch Date,Dispeceratul vehicul Data DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Primirea de cumpărare {0} nu este prezentat @@ -1750,9 +1751,9 @@ DocType: Employee,Date Of Retirement,Data Pensionare DocType: Upload Attendance,Get Template,Obține șablon DocType: Material Request,Transferred,transferat DocType: Vehicle,Doors,Usi -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Descărcarea de impozite +DocType: Purchase Invoice,Tax Breakup,Descărcarea de impozite DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Centru de cost este necesară pentru "profit și pierdere" cont de {2}. Vă rugăm să configurați un centru de cost implicit pentru companie. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Există un grup de clienți cu același nume vă rugăm să schimbați numele clientului sau să redenumiți grupul de clienți @@ -1765,14 +1766,14 @@ DocType: Announcement,Instructor,Instructor DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Dacă acest element are variante, atunci nu poate fi selectat în comenzile de vânzări, etc." DocType: Lead,Next Contact By,Următor Contact Prin -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Cantitatea necesară pentru postul {0} în rândul {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Cantitatea necesară pentru postul {0} în rândul {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Depozit {0} nu poate fi ștearsă ca exista cantitate pentru postul {1} DocType: Quotation,Order Type,Tip comandă DocType: Purchase Invoice,Notification Email Address,Notificarea Adresa de e-mail ,Item-wise Sales Register,Registru Vanzari Articol-Avizat DocType: Asset,Gross Purchase Amount,Sumă brută Cumpărare DocType: Asset,Depreciation Method,Metoda de amortizare -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Deconectat +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Deconectat DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Este acest fiscală inclusă în rata de bază? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Raport țintă DocType: Job Applicant,Applicant for a Job,Solicitant pentru un loc de muncă @@ -1794,7 +1795,7 @@ DocType: Employee,Leave Encashed?,Concediu Incasat ? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Oportunitatea de la câmp este obligatoriu DocType: Email Digest,Annual Expenses,Cheltuielile anuale DocType: Item,Variants,Variante -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Realizeaza Comanda de Cumparare +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Realizeaza Comanda de Cumparare DocType: SMS Center,Send To,Trimite la apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nu există echilibru concediu suficient pentru concediul de tip {0} DocType: Payment Reconciliation Payment,Allocated amount,Suma alocată @@ -1802,7 +1803,7 @@ DocType: Sales Team,Contribution to Net Total,Contribuție la Total Net DocType: Sales Invoice Item,Customer's Item Code,Cod Articol Client DocType: Stock Reconciliation,Stock Reconciliation,Stoc Reconciliere DocType: Territory,Territory Name,Teritoriului Denumire -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,De lucru-in-Progress Warehouse este necesară înainte Trimite +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,De lucru-in-Progress Warehouse este necesară înainte Trimite apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Solicitant pentru un loc de muncă. DocType: Purchase Order Item,Warehouse and Reference,Depozit și referință DocType: Supplier,Statutory info and other general information about your Supplier,Info statutar și alte informații generale despre dvs. de Furnizor @@ -1815,16 +1816,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Cotatie apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Nr. Serial introdus pentru articolul {0} este duplicat DocType: Shipping Rule Condition,A condition for a Shipping Rule,O condiție pentru o normă de transport apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Te rog intra -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nu se poate overbill pentru postul {0} în rândul {1} mai mult {2}. Pentru a permite supra-facturare, vă rugăm să setați în Setări de cumpărare" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Vă rugăm să setați filtru bazat pe postul sau depozit +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nu se poate overbill pentru postul {0} în rândul {1} mai mult {2}. Pentru a permite supra-facturare, vă rugăm să setați în Setări de cumpărare" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Vă rugăm să setați filtru bazat pe postul sau depozit DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Greutatea netă a acestui pachet. (Calculat automat ca suma de greutate netă de produs) DocType: Sales Order,To Deliver and Bill,Pentru a livra și Bill DocType: Student Group,Instructors,instructorii DocType: GL Entry,Credit Amount in Account Currency,Suma de credit în cont valutar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} trebuie să fie introdus +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} trebuie să fie introdus DocType: Authorization Control,Authorization Control,Control de autorizare apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Respins Warehouse este obligatorie împotriva postul respins {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Plată +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Plată apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} nu este conectat la niciun cont, menționați contul din înregistrarea din depozit sau setați contul de inventar implicit din compania {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gestionați comenzile DocType: Production Order Operation,Actual Time and Cost,Timp și cost efective @@ -1840,12 +1841,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Set de DocType: Quotation Item,Actual Qty,Cant efectivă DocType: Sales Invoice Item,References,Referințe DocType: Quality Inspection Reading,Reading 10,Reading 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista de produse sau servicii pe care doriti sa le cumparati sau vindeti. Asigurați-vă că ati verificat Grupul Articolului, Unitatea de Măsură și alte proprietăți atunci când incepeti." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista de produse sau servicii pe care doriti sa le cumparati sau vindeti. Asigurați-vă că ati verificat Grupul Articolului, Unitatea de Măsură și alte proprietăți atunci când incepeti." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Ați introdus elemente cu dubluri. Vă rugăm să rectifice și să încercați din nou. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Asociaţi +DocType: Company,Sales Target,Țintă de vânzări DocType: Asset Movement,Asset Movement,Mișcarea activelor -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,nou Coș +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,nou Coș apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Articolul {0} nu este un articol serializat DocType: SMS Center,Create Receiver List,Creare Lista Recipienti DocType: Vehicle,Wheels,roţi @@ -1887,13 +1889,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Managementul Proiect DocType: Supplier,Supplier of Goods or Services.,Furnizor de bunuri sau servicii. DocType: Budget,Fiscal Year,An Fiscal DocType: Vehicle Log,Fuel Price,Preț de combustibil +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurați seria de numerotare pentru Participare prin Configurare> Serie de numerotare DocType: Budget,Budget,Buget apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Fix elementul de activ trebuie să fie un element de bază non-stoc. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bugetul nu pot fi atribuite în {0}, deoarece nu este un cont venituri sau cheltuieli" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Realizat DocType: Student Admission,Application Form Route,Forma de aplicare Calea apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Teritoriu / client -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,de exemplu 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,de exemplu 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Lasă un {0} Tipul nu poate fi alocată, deoarece este în concediu fără plată" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Rândul {0}: Suma alocată {1} trebuie să fie mai mic sau egal cu factura suma restanta {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,În cuvinte va fi vizibil după ce a salva de vânzări factură. @@ -1902,11 +1905,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Articolul {0} nu este configurat pentru Numerotare Seriala. Verificati Articolul Principal. DocType: Maintenance Visit,Maintenance Time,Timp Mentenanta ,Amount to Deliver,Sumă pentru livrare -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Un Produs sau Serviciu +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Un Produs sau Serviciu apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Start Termen Data nu poate fi mai devreme decât data Anul de începere a anului universitar la care este legat termenul (anului universitar {}). Vă rugăm să corectați datele și încercați din nou. DocType: Guardian,Guardian Interests,Guardian Interese DocType: Naming Series,Current Value,Valoare curenta -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,ani fiscali multiple exista in data de {0}. Vă rugăm să setați companie în anul fiscal +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,ani fiscali multiple exista in data de {0}. Vă rugăm să setați companie în anul fiscal apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} creat DocType: Delivery Note Item,Against Sales Order,Comparativ comenzii de vânzări ,Serial No Status,Serial Nu Statut @@ -1919,7 +1922,7 @@ DocType: Pricing Rule,Selling,De vânzare apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Suma {0} {1} dedusă împotriva {2} DocType: Employee,Salary Information,Informațiile de salarizare DocType: Sales Person,Name and Employee ID,Nume și ID angajat -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Data Limita nu poate fi anterioara Datei de POstare +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Data Limita nu poate fi anterioara Datei de POstare DocType: Website Item Group,Website Item Group,Site-ul Grupa de articole apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Impozite și taxe apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Vă rugăm să introduceți data de referință @@ -1976,9 +1979,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Vă rugăm să setați data de îmbarcare pentru angajat {0} DocType: Task,Total Billing Amount (via Time Sheet),Suma totală de facturare (prin timp Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repetați Venituri Clienți -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) trebuie să dețină rolul de ""aprobator cheltuieli""" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pereche -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Selectați BOM și Cant pentru producție +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) trebuie să dețină rolul de ""aprobator cheltuieli""" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Pereche +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Selectați BOM și Cant pentru producție DocType: Asset,Depreciation Schedule,Program de amortizare apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adrese de parteneri de vânzări și contacte DocType: Bank Reconciliation Detail,Against Account,Comparativ contului @@ -1988,7 +1991,7 @@ DocType: Item,Has Batch No,Are nr. de Lot apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Facturare anuală: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Mărfuri și servicii fiscale (GST India) DocType: Delivery Note,Excise Page Number,Numărul paginii accize -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Firma, De la data și până în prezent este obligatorie" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Firma, De la data și până în prezent este obligatorie" DocType: Asset,Purchase Date,Data cumpărării DocType: Employee,Personal Details,Detalii personale apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Vă rugăm să setați "Activ Center Amortizarea Cost" în companie {0} @@ -1997,9 +2000,9 @@ DocType: Task,Actual End Date (via Time Sheet),Data de încheiere efectivă (pri apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Suma {0} {1} împotriva {2} {3} ,Quotation Trends,Cotație Tendințe apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Grupa de articole care nu sunt menționate la punctul de master pentru element {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debit cont trebuie să fie un cont de creanțe +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debit cont trebuie să fie un cont de creanțe DocType: Shipping Rule Condition,Shipping Amount,Suma de transport maritim -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Adăugați clienți +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Adăugați clienți apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,În așteptarea Suma DocType: Purchase Invoice Item,Conversion Factor,Factor de conversie DocType: Purchase Order,Delivered,Livrat @@ -2022,7 +2025,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Includ intrările împă DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Cursul părinților (lăsați necompletat, dacă acest lucru nu face parte din cursul părinte)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Curs pentru părinți (lăsați necompletat, dacă acest lucru nu face parte din cursul părinte)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Lăsați necompletat dacă se consideră pentru toate tipurile de angajați -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriu DocType: Landed Cost Voucher,Distribute Charges Based On,Împărțiți taxelor pe baza apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,pontaje DocType: HR Settings,HR Settings,Setări Resurse Umane @@ -2030,7 +2032,7 @@ DocType: Salary Slip,net pay info,info net pay apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Revendicarea Cheltuielilor este în curs de aprobare. Doar Aprobatorul de Cheltuieli poate actualiza statusul. DocType: Email Digest,New Expenses,Cheltuieli noi DocType: Purchase Invoice,Additional Discount Amount,Reducere suplimentară Suma -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rând # {0}: Cant trebuie să fie 1, ca element este un activ fix. Vă rugăm să folosiți rând separat pentru cantitati multiple." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rând # {0}: Cant trebuie să fie 1, ca element este un activ fix. Vă rugăm să folosiți rând separat pentru cantitati multiple." DocType: Leave Block List Allow,Leave Block List Allow,Permite Lista Concedii Blocate apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr nu poate fi gol sau spațiu apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grup non-grup @@ -2038,7 +2040,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport DocType: Loan Type,Loan Name,Nume de împrumut apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Raport real DocType: Student Siblings,Student Siblings,Siblings Student -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Unitate +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Unitate apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Vă rugăm să specificați companiei ,Customer Acquisition and Loyalty,Achiziționare și Loialitate Client DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Depozit în cazul în care se menține stocul de articole respinse @@ -2057,12 +2059,12 @@ DocType: Workstation,Wages per hour,Salarii pe oră apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},echilibru stoc în Serie {0} va deveni negativ {1} pentru postul {2} la Depozitul {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Ca urmare a solicitărilor de materiale au fost ridicate în mod automat în funcție de nivelul de re-comanda item DocType: Email Digest,Pending Sales Orders,Comenzile de vânzări în așteptare -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Contul {0} nu este valid. Contul valutar trebuie să fie {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Contul {0} nu este valid. Contul valutar trebuie să fie {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Factor UOM de conversie este necesară în rândul {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie una din comandă de vânzări, vânzări factură sau Jurnal de intrare" DocType: Salary Component,Deduction,Deducere -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rândul {0}: De la timp și de Ora este obligatorie. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Rândul {0}: De la timp și de Ora este obligatorie. DocType: Stock Reconciliation Item,Amount Difference,suma diferenţă apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Articol Preț adăugată pentru {0} în lista de prețuri {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vă rugăm să introduceți ID-ul de angajat al acestei persoane de vânzări @@ -2072,11 +2074,11 @@ DocType: Project,Gross Margin,Marja Brută apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Va rugam sa introduceti de producție Articol întâi apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Calculat Bank echilibru Declaratie apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,utilizator dezactivat -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Citat +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Citat DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Total de deducere ,Production Analytics,Google Analytics de producție -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Cost actualizat +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Cost actualizat DocType: Employee,Date of Birth,Data Nașterii apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Articolul {0} a fost deja returnat DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Anul fiscal** reprezintă un an financiar. Toate intrările contabile și alte tranzacții majore sunt monitorizate comparativ cu ** Anul fiscal **. @@ -2121,18 +2123,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Selectați compania ... DocType: Leave Control Panel,Leave blank if considered for all departments,Lăsați necompletat dacă se consideră pentru toate departamentele apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipuri de locuri de muncă (permanent, contractul, intern etc)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} este obligatoriu pentru articolul {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} este obligatoriu pentru articolul {1} DocType: Process Payroll,Fortnightly,bilunară DocType: Currency Exchange,From Currency,Din moneda apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Costul de achiziție nouă -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Ordinul de vânzări necesar pentru postul {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Ordinul de vânzări necesar pentru postul {0} DocType: Purchase Invoice Item,Rate (Company Currency),Rata de (Compania de valuta) DocType: Student Guardian,Others,Altel DocType: Payment Entry,Unallocated Amount,Suma nealocată apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Nu pot găsi o potrivire articol. Vă rugăm să selectați o altă valoare pentru {0}. DocType: POS Profile,Taxes and Charges,Impozite și Taxe DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Un produs sau un serviciu care este cumpărat, vândut sau păstrat în stoc." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codul elementului> Element Grup> Brand apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Nu există mai multe actualizări apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Nu se poate selecta tipul de incasare ca 'Suma inregistrare precedenta' sau 'Total inregistrare precedenta' pentru prima inregistrare apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Postul copil nu ar trebui să fie un pachet de produse. Vă rugăm să eliminați elementul `{0}` și de a salva @@ -2160,7 +2163,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Suma totală de facturare apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Trebuie să existe o valoare implicită de intrare cont de e-mail-ului pentru ca aceasta să funcționeze. Vă rugăm să configurați un implicit de intrare cont de e-mail (POP / IMAP) și încercați din nou. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Contul de încasat -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Rând # {0}: {1} activ este deja {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Rând # {0}: {1} activ este deja {2} DocType: Quotation Item,Stock Balance,Stoc Sold apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Comanda de vânzări la plată apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2185,10 +2188,11 @@ DocType: C-Form,Received Date,Data primit DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Dacă ați creat un model standard la taxele de vânzare și taxe Format, selectați una și faceți clic pe butonul de mai jos." DocType: BOM Scrap Item,Basic Amount (Company Currency),Suma de bază (Companie Moneda) DocType: Student,Guardians,tutorii +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizor> Tipul furnizorului DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Prețurile nu vor fi afișate în cazul în care Prețul de listă nu este setat apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Vă rugăm să specificați o țară pentru această regulă Transport sau verificați Expediere DocType: Stock Entry,Total Incoming Value,Valoarea totală a sosi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Pentru debit este necesar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Pentru debit este necesar apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Pontaje ajuta să urmăriți timp, costuri și de facturare pentru activitati efectuate de echipa ta" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Cumparare Lista de preturi DocType: Offer Letter Term,Offer Term,Termen oferta @@ -2207,11 +2211,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cauta DocType: Timesheet Detail,To Time,La timp DocType: Authorization Rule,Approving Role (above authorized value),Aprobarea Rol (mai mare decât valoarea autorizată) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Credit Pentru cont trebuie să fie un cont de plati -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Recursivitate FDM: {0} nu poate fi parinte sau copil lui {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},Recursivitate FDM: {0} nu poate fi parinte sau copil lui {2} DocType: Production Order Operation,Completed Qty,Cantitate Finalizata apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Pentru {0}, numai conturi de debit poate fi legat de o altă intrare în credit" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Lista de prețuri {0} este dezactivat -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rândul {0}: Completat Cant nu poate fi mai mare de {1} pentru funcționare {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Rândul {0}: Completat Cant nu poate fi mai mare de {1} pentru funcționare {2} DocType: Manufacturing Settings,Allow Overtime,Permiteți ore suplimentare apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Articolul {0} cu elementul serializat nu poate fi actualizat utilizând Reconcilierea stocurilor, vă rugăm să utilizați înregistrarea stocului" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Articolul {0} cu elementul serializat nu poate fi actualizat utilizând Reconcilierea stocurilor, vă rugăm să utilizați înregistrarea stocului" @@ -2230,10 +2234,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Extern apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Utilizatori și permisiuni DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Comenzi de producție Creat: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Comenzi de producție Creat: {0} DocType: Branch,Branch,Ramură DocType: Guardian,Mobile Number,Numar de mobil apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Imprimarea și Branding +DocType: Company,Total Monthly Sales,Vânzări totale lunare DocType: Bin,Actual Quantity,Cantitate Efectivă DocType: Shipping Rule,example: Next Day Shipping,exemplu: Next Day Shipping apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial nr {0} nu a fost găsit @@ -2264,7 +2269,7 @@ DocType: Payment Request,Make Sales Invoice,Realizeaza Factura de Vanzare apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,În continuare Contact Data nu poate fi în trecut DocType: Company,For Reference Only.,Numai Pentru referință. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Selectați numărul lotului +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Selectați numărul lotului apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Invalid {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Sumă în avans @@ -2277,7 +2282,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nici un articol cu coduri de bare {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Cazul Nr. nu poate fi 0 DocType: Item,Show a slideshow at the top of the page,Arata un slideshow din partea de sus a paginii -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,BOM apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Magazine DocType: Serial No,Delivery Time,Timp de Livrare apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Uzură bazată pe @@ -2291,16 +2296,16 @@ DocType: Rename Tool,Rename Tool,Redenumirea Tool apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Actualizare Cost DocType: Item Reorder,Item Reorder,Reordonare Articol apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Afișează Salariu alunecare -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Material de transfer +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Material de transfer DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Specifica operațiunilor, costurile de exploatare și să dea o operațiune unică nu pentru operațiunile dumneavoastră." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Acest document este peste limita de {0} {1} pentru elementul {4}. Faci un alt {3} împotriva aceleași {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Vă rugăm să setați recurente după salvare -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,cont Selectați suma schimbare +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Vă rugăm să setați recurente după salvare +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,cont Selectați suma schimbare DocType: Purchase Invoice,Price List Currency,Lista de pret Valuta DocType: Naming Series,User must always select,Utilizatorul trebuie să selecteze întotdeauna DocType: Stock Settings,Allow Negative Stock,Permiteţi stoc negativ DocType: Installation Note,Installation Note,Instalare Notă -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Adăugaţi Taxe +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Adăugaţi Taxe DocType: Topic,Topic,Subiect apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Cash Flow de la finanțarea DocType: Budget Account,Budget Account,Contul bugetar @@ -2314,7 +2319,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,trasa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Sursa fondurilor (pasive) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Cantitatea în rândul {0} ({1}), trebuie să fie aceeași ca și cantitatea produsă {2}" DocType: Appraisal,Employee,Angajat -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Selectați lotul +DocType: Company,Sales Monthly History,Istoric lunar de vânzări +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Selectați lotul apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} este complet facturat DocType: Training Event,End Time,End Time apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Salariu Structura activă {0} găsite pentru angajat {1} pentru datele indicate @@ -2322,15 +2328,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Deducerile de plată sau pierd apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Clauzele contractuale standard pentru vânzări sau de cumpărare. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grup in functie de Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,conducte de vânzări -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Vă rugăm să setați contul implicit în Salariu Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Vă rugăm să setați contul implicit în Salariu Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Obligatoriu pe DocType: Rename Tool,File to Rename,Fișier de Redenumiți apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Vă rugăm să selectați BOM pentru postul în rândul {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Contul {0} nu se potrivește cu Compania {1} în modul de cont: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM specificată {0} nu există pentru postul {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programul de Mentenanta {0} trebuie anulat înainte de a anula aceasta Comandă de Vânzări +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programul de Mentenanta {0} trebuie anulat înainte de a anula aceasta Comandă de Vânzări DocType: Notification Control,Expense Claim Approved,Revendicare Cheltuieli Aprobata -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurați seria de numerotare pentru Participare prin Configurare> Serie de numerotare apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Platā angajatului {0} deja creat pentru această perioadă apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutic apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Costul de produsele cumparate @@ -2347,7 +2352,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nr. BOM pentru un a DocType: Upload Attendance,Attendance To Date,Prezenţa până la data DocType: Warranty Claim,Raised By,Ridicate de DocType: Payment Gateway Account,Payment Account,Cont de plăți -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Vă rugăm să specificați companiei pentru a continua +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Vă rugăm să specificați companiei pentru a continua apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Schimbarea net în conturile de creanțe apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Fara Masuri Compensatorii DocType: Offer Letter,Accepted,Acceptat @@ -2356,12 +2361,12 @@ DocType: SG Creation Tool Course,Student Group Name,Numele grupului studențesc apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Vă rugăm să asigurați-vă că într-adevăr să ștergeți toate tranzacțiile pentru această companie. Datele dvs. de bază vor rămâne așa cum este. Această acțiune nu poate fi anulată. DocType: Room,Room Number,Numărul de cameră apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referință invalid {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nu poate fi mai mare decât cantitatea planificată ({2}) aferent comenzii de producție {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nu poate fi mai mare decât cantitatea planificată ({2}) aferent comenzii de producție {3} DocType: Shipping Rule,Shipping Rule Label,Regula de transport maritim Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum utilizator -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Materii prime nu poate fi gol. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Nu a putut fi actualizat stoc, factura conține drop de transport maritim." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Jurnal de intrare +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Materii prime nu poate fi gol. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Nu a putut fi actualizat stoc, factura conține drop de transport maritim." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Quick Jurnal de intrare apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Nu puteți schimba rata dacă BOM menționat agianst orice element DocType: Employee,Previous Work Experience,Anterior Work Experience DocType: Stock Entry,For Quantity,Pentru Cantitate @@ -2418,7 +2423,7 @@ DocType: SMS Log,No of Requested SMS,Nu de SMS solicitat apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Concediu fără plată nu se potrivește cu înregistrările privind concediul de aplicare aprobat DocType: Campaign,Campaign-.####,Campanie-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Pasii urmatori -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Vă rugăm să furnizeze elementele specificate la cele mai bune tarife posibile +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Vă rugăm să furnizeze elementele specificate la cele mai bune tarife posibile DocType: Selling Settings,Auto close Opportunity after 15 days,Auto închidere oportunitate după 15 zile apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Anul de încheiere apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Cota / Plumb% @@ -2475,7 +2480,7 @@ DocType: Homepage,Homepage,Pagina principala DocType: Purchase Receipt Item,Recd Quantity,Recd Cantitate apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Taxa de inregistrare Creat - {0} DocType: Asset Category Account,Asset Category Account,Cont activ Categorie -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Nu se pot produce mai multe Articole {0} decât cantitatea din Ordinul de Vânzări {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Nu se pot produce mai multe Articole {0} decât cantitatea din Ordinul de Vânzări {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock intrare {0} nu este prezentat DocType: Payment Reconciliation,Bank / Cash Account,Cont bancă / numerar apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Următoarea Contact Prin faptul că nu poate fi aceeași cu adresa de e-mail Plumb @@ -2508,7 +2513,7 @@ DocType: Salary Structure,Total Earning,Câștigul salarial total de DocType: Purchase Receipt,Time at which materials were received,Timp în care s-au primit materiale DocType: Stock Ledger Entry,Outgoing Rate,Rata de ieșire apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Ramură organizație maestru. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,sau +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,sau DocType: Sales Order,Billing Status,Stare facturare apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Raportați o problemă apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Cheltuieli de utilitate @@ -2516,7 +2521,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rând # {0}: Jurnal de intrare {1} nu are cont {2} sau deja compensată împotriva unui alt voucher DocType: Buying Settings,Default Buying Price List,Lista de POrețuri de Cumparare Implicita DocType: Process Payroll,Salary Slip Based on Timesheet,Bazat pe salariu Slip Pontaj -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nici un angajat pentru criteriile de mai sus selectate sau biletul de salariu deja creat +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Nici un angajat pentru criteriile de mai sus selectate sau biletul de salariu deja creat DocType: Notification Control,Sales Order Message,Comandă de vânzări Mesaj apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Seta valorile implicite, cum ar fi Compania, valutar, Current Anul fiscal, etc" DocType: Payment Entry,Payment Type,Tip de plată @@ -2541,7 +2546,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Document primire trebuie să fie depuse DocType: Purchase Invoice Item,Received Qty,Primit Cantitate DocType: Stock Entry Detail,Serial No / Batch,Serial No / lot -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Nu sunt plătite și nu sunt livrate +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Nu sunt plătite și nu sunt livrate DocType: Product Bundle,Parent Item,Părinte Articol DocType: Account,Account Type,Tipul Contului DocType: Delivery Note,DN-RET-,DN-RET- @@ -2572,8 +2577,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Suma totală alocată apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Setați contul inventarului implicit pentru inventarul perpetuu DocType: Item Reorder,Material Request Type,Material Cerere tip -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Jurnal de intrare pentru salarii din {0} la {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage este plin, nu a salvat" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Jurnal de intrare pentru salarii din {0} la {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage este plin, nu a salvat" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Factorul de conversie UOM este obligatorie apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Re DocType: Budget,Cost Center,Centrul de cost @@ -2591,7 +2596,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Impoz apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","În cazul în care articolul Prețuri selectat se face pentru ""Pret"", se va suprascrie lista de prețuri. Prețul Articolul Prețuri este prețul final, deci ar trebui să se aplice mai departe reducere. Prin urmare, în cazul tranzacțiilor, cum ar fi comandă de vânzări, Ordinului de Procurare, etc, acesta va fi preluat în câmpul ""Rate"", mai degrabă decât câmpul ""Lista de prețuri Rata""." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track conduce de Industrie tip. DocType: Item Supplier,Item Supplier,Furnizor Articol -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Va rugam sa introduceti codul articol pentru a obține lot nu +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Va rugam sa introduceti codul articol pentru a obține lot nu apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Vă rugăm să selectați o valoare de {0} {1} quotation_to apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Toate adresele. DocType: Company,Stock Settings,Setări stoc @@ -2618,7 +2623,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Cant efectivă după tr apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nu slip salariu gasit între {0} și {1} ,Pending SO Items For Purchase Request,Până la SO articole pentru cerere de oferta apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admitere Student -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} este dezactivat +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} este dezactivat DocType: Supplier,Billing Currency,Moneda de facturare DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra mare @@ -2648,7 +2653,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Starea aplicației DocType: Fees,Fees,Taxele de DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Precizați Rata de schimb a converti o monedă în alta -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Citat {0} este anulat +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Citat {0} este anulat apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Total Suma Impresionant DocType: Sales Partner,Targets,Obiective DocType: Price List,Price List Master,Lista de preturi Masterat @@ -2665,7 +2670,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignora Regula Preturi DocType: Employee Education,Graduate,Absolvent DocType: Leave Block List,Block Days,Zile de blocare DocType: Journal Entry,Excise Entry,Intrare accize -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Atenție: comandă de vânzări {0} există deja împotriva Ordinului de Procurare clientului {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Atenție: comandă de vânzări {0} există deja împotriva Ordinului de Procurare clientului {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2704,7 +2709,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),În ,Salary Register,Salariu Înregistrare DocType: Warehouse,Parent Warehouse,Depozit-mamă DocType: C-Form Invoice Detail,Net Total,Total net -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Implicit BOM nu a fost găsit pentru articolele {0} și proiectul {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Implicit BOM nu a fost găsit pentru articolele {0} și proiectul {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Definirea diferitelor tipuri de împrumut DocType: Bin,FCFS Rate,Rata FCFS DocType: Payment Reconciliation Invoice,Outstanding Amount,Remarcabil Suma @@ -2741,7 +2746,7 @@ DocType: Salary Detail,Condition and Formula Help,Stare și Formula Ajutor apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Gestioneaza Ramificatiile Teritoriule. DocType: Journal Entry Account,Sales Invoice,Factură de vânzări DocType: Journal Entry Account,Party Balance,Balanța Party -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Vă rugăm să selectați Aplicați Discount On +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Vă rugăm să selectați Aplicați Discount On DocType: Company,Default Receivable Account,Implicit cont de încasat DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Creați Banca intrare pentru salariul totală plătită pentru criteriile de mai sus selectate DocType: Stock Entry,Material Transfer for Manufacture,Transfer de materii pentru fabricarea @@ -2755,7 +2760,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Adresă clientului DocType: Employee Loan,Loan Details,Creditul Detalii DocType: Company,Default Inventory Account,Contul de inventar implicit -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rândul {0}: Completat Cant trebuie să fie mai mare decât zero. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Rândul {0}: Completat Cant trebuie să fie mai mare decât zero. DocType: Purchase Invoice,Apply Additional Discount On,Aplicați Discount suplimentare La DocType: Account,Root Type,Rădăcină Tip DocType: Item,FIFO,FIFO @@ -2772,7 +2777,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Inspecție de calitate apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,Format standard DocType: Training Event,Theory,Teorie -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Atenție: Materialul solicitat Cant este mai mică decât minima pentru comanda Cantitate +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Atenție: Materialul solicitat Cant este mai mică decât minima pentru comanda Cantitate apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Contul {0} este Blocat DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entitate juridică / Filiala cu o Grafic separat de conturi aparținând Organizației. DocType: Payment Request,Mute Email,Mute Email @@ -2796,7 +2801,7 @@ DocType: Training Event,Scheduled,Programat apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Cerere de ofertă. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Vă rugăm să selectați postul unde "Este Piesa" este "nu" și "Este punctul de vânzare" este "da" și nu este nici un alt produs Bundle DocType: Student Log,Academic,Academic -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),avans total ({0}) împotriva Comanda {1} nu poate fi mai mare decât totalul ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),avans total ({0}) împotriva Comanda {1} nu poate fi mai mare decât totalul ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selectați Distributie lunar pentru a distribui neuniform obiective pe luni. DocType: Purchase Invoice Item,Valuation Rate,Rata de evaluare DocType: Stock Reconciliation,SR/,SR / @@ -2862,6 +2867,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Introduceți numele de campanie dacă sursa de anchetă este campanie apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Editorii de ziare apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Selectați anul fiscal +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Data de livrare preconizată trebuie să fie după data de comandă de vânzare apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Reordonare nivel DocType: Company,Chart Of Accounts Template,Diagrama de conturi de șabloane DocType: Attendance,Attendance Date,Dată prezenţă @@ -2893,7 +2899,7 @@ DocType: Pricing Rule,Discount Percentage,Procentul de Reducere DocType: Payment Reconciliation Invoice,Invoice Number,Numar factura DocType: Shopping Cart Settings,Orders,Comenzi DocType: Employee Leave Approver,Leave Approver,Aprobator Concediu -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Selectați un lot +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Selectați un lot DocType: Assessment Group,Assessment Group Name,Numele grupului de evaluare DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferat pentru fabricarea DocType: Expense Claim,"A user with ""Expense Approver"" role","Un utilizator cu rol de ""aprobator cheltuieli""" @@ -2930,7 +2936,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Ultima zi a lunii următoare DocType: Support Settings,Auto close Issue after 7 days,Auto închidere Problemă după 7 zile apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Concediu nu poate fi repartizat înainte {0}, ca echilibru concediu a fost deja carry transmise în viitor înregistrarea alocare concediu {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Notă: Datorită / Reference Data depășește de companie zile de credit client de {0} zi (le) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Notă: Datorită / Reference Data depășește de companie zile de credit client de {0} zi (le) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Solicitantul elev DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL PENTRU RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Cont Amortizarea cumulată @@ -2941,7 +2947,7 @@ DocType: Item,Reorder level based on Warehouse,Nivel reordona pe baza Warehouse DocType: Activity Cost,Billing Rate,Rata de facturare ,Qty to Deliver,Cantitate pentru a oferi ,Stock Analytics,Analytics stoc -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operații nu poate fi lăsat necompletat +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operații nu poate fi lăsat necompletat DocType: Maintenance Visit Purpose,Against Document Detail No,Comparativ detaliilor documentului nr. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tipul de partid este obligatorie DocType: Quality Inspection,Outgoing,Trimise @@ -2983,15 +2989,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Cantitate disponibilă în depozit apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Sumă facturată DocType: Asset,Double Declining Balance,Dublu degresive -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Pentru închis nu poate fi anulată. Pentru a anula redeschide. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Pentru închis nu poate fi anulată. Pentru a anula redeschide. DocType: Student Guardian,Father,tată -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Actualizare stoc" nu poate fi verificată de vânzare de active fixe +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"Actualizare stoc" nu poate fi verificată de vânzare de active fixe DocType: Bank Reconciliation,Bank Reconciliation,Reconciliere bancară DocType: Attendance,On Leave,La plecare apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obțineți actualizări apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Cont {2} nu aparține Companiei {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Cerere de material {0} este anulată sau oprită -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Adaugă câteva înregistrări eșantion +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Adaugă câteva înregistrări eșantion apps/erpnext/erpnext/config/hr.py +301,Leave Management,Lasă Managementul apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grup in functie de Cont DocType: Sales Order,Fully Delivered,Livrat complet @@ -3000,12 +3006,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Diferența cont trebuie să fie un cont de tip activ / pasiv, deoarece acest stoc Reconcilierea este un intrare de deschidere" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Suma debursate nu poate fi mai mare decât Suma creditului {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Număr de comandă de aprovizionare necesare pentru postul {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Comanda de producție nu a fost creat +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Comanda de producție nu a fost creat apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Din Data' trebuie să fie dupã 'Până în Data' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nu se poate schimba statutul de student ca {0} este legat cu aplicația de student {1} DocType: Asset,Fully Depreciated,Depreciata pe deplin ,Stock Projected Qty,Stoc proiectată Cantitate -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Clientul {0} nu apartine proiectului {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Clientul {0} nu apartine proiectului {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Participarea marcat HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Cotațiile sunt propuneri, sumele licitate le-ați trimis clienților dvs." DocType: Sales Order,Customer's Purchase Order,Comandă clientului @@ -3015,7 +3021,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Vă rugăm să setați Numărul de Deprecieri rezervat apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valoare sau Cantitate apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Comenzile Productions nu pot fi ridicate pentru: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minut +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minut DocType: Purchase Invoice,Purchase Taxes and Charges,Taxele de cumpărare și Taxe ,Qty to Receive,Cantitate de a primi DocType: Leave Block List,Leave Block List Allowed,Lista Concedii Blocate Permise @@ -3029,7 +3035,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Toate tipurile de furnizor DocType: Global Defaults,Disable In Words,Nu fi de acord în cuvinte apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Cod articol este obligatorie, deoarece postul nu este numerotat automat" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Citat {0} nu de tip {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Citat {0} nu de tip {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Articol Program Mentenanta DocType: Sales Order,% Delivered,% Livrat DocType: Production Order,PRO-,PRO- @@ -3052,7 +3058,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Vânzător de e-mail DocType: Project,Total Purchase Cost (via Purchase Invoice),Cost total de achiziție (prin cumparare factură) DocType: Training Event,Start Time,Ora de începere -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Selectați Cantitate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Selectați Cantitate DocType: Customs Tariff Number,Customs Tariff Number,Tariful vamal Număr apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Aprobarea unui rol nu poate fi aceeaşi cu rolul. Regula este aplicabilă pentru apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Dezabona de la acest e-mail Digest @@ -3076,7 +3082,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detaliu DocType: Sales Order,Fully Billed,Complet Taxat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Bani în mână -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Depozit de livrare necesar pentru articol stoc {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Depozit de livrare necesar pentru articol stoc {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),"Greutatea brută a pachetului. Greutate + ambalare, de obicei, greutate netă de material. (Pentru imprimare)" apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Utilizatorii cu acest rol li se permite să stabilească în conturile înghețate și de a crea / modifica intrări contabile împotriva conturile înghețate @@ -3086,7 +3092,7 @@ DocType: Student Group,Group Based On,Grup bazat pe DocType: Journal Entry,Bill Date,Dată factură apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Sunt necesare servicii de post, tipul, frecvența și valoarea cheltuielilor" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Chiar dacă există mai multe reguli de stabilire a prețurilor, cu cea mai mare prioritate, se aplică apoi următoarele priorități interne:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Chiar vrei să Transmiteți toate Slip Salariu de la {0} la {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Chiar vrei să Transmiteți toate Slip Salariu de la {0} la {1} DocType: Cheque Print Template,Cheque Height,Cheque Inaltime DocType: Supplier,Supplier Details,Detalii furnizor DocType: Expense Claim,Approval Status,Status aprobare @@ -3108,7 +3114,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Duce la ofertă apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nimic mai mult pentru a arăta. DocType: Lead,From Customer,De la Client apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Apeluri -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Sarjele +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Sarjele DocType: Project,Total Costing Amount (via Time Logs),Suma totală Costing (prin timp Busteni) DocType: Purchase Order Item Supplied,Stock UOM,Stoc UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Comandă {0} nu este prezentat @@ -3140,7 +3146,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Reveni Împotriva cump DocType: Item,Warranty Period (in days),Perioada de garanție (în zile) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relația cu Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Numerar net din operațiuni -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,"de exemplu, TVA" +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,"de exemplu, TVA" apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Punctul 4 DocType: Student Admission,Admission End Date,Admitere Data de încheiere apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-contractare @@ -3148,7 +3154,7 @@ DocType: Journal Entry Account,Journal Entry Account,Jurnal de cont intrare apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupul studențesc DocType: Shopping Cart Settings,Quotation Series,Ofertă Series apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Există un articol cu aceeaşi denumire ({0}), vă rugăm să schimbați denumirea grupului articolului sau să redenumiţi articolul" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Vă rugăm să selectați Clienți +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Vă rugăm să selectați Clienți DocType: C-Form,I,eu DocType: Company,Asset Depreciation Cost Center,Amortizarea activului Centru de cost DocType: Sales Order Item,Sales Order Date,Comandă de vânzări Data @@ -3159,6 +3165,7 @@ DocType: Stock Settings,Limit Percent,Limita procentuală ,Payment Period Based On Invoice Date,Perioada de plată Bazat pe Data facturii apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Lipsește Schimb valutar prețul pentru {0} DocType: Assessment Plan,Examiner,Examinator +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setați seria de numire pentru {0} prin Configurare> Setări> Serii de numire DocType: Student,Siblings,siblings DocType: Journal Entry,Stock Entry,Stoc de intrare DocType: Payment Entry,Payment References,Referințe de plată @@ -3183,7 +3190,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,În cazul în care operațiunile de fabricație sunt efectuate. DocType: Asset Movement,Source Warehouse,Depozit sursă DocType: Installation Note,Installation Date,Data de instalare -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Rând # {0}: {1} activ nu aparține companiei {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Rând # {0}: {1} activ nu aparține companiei {2} DocType: Employee,Confirmation Date,Data de Confirmare DocType: C-Form,Total Invoiced Amount,Sumă totală facturată apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Cantitate nu poate fi mai mare decât Max Cantitate @@ -3258,7 +3265,7 @@ DocType: Company,Default Letter Head,Implicit Scrisoare Șef DocType: Purchase Order,Get Items from Open Material Requests,Obține elemente din materiale Cereri deschide DocType: Item,Standard Selling Rate,Standard de vânzare Rata DocType: Account,Rate at which this tax is applied,Rata la care se aplică acest impozit -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Reordonare Cantitate +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Reordonare Cantitate apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Locuri de munca disponibile DocType: Company,Stock Adjustment Account,Cont Ajustarea stoc apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Achita @@ -3272,7 +3279,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Furnizor livrează la client apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Forma / Postul / {0}) este din stoc apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Următoarea dată trebuie să fie mai mare de postare Data -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Datorită / Reference Data nu poate fi după {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Datorită / Reference Data nu poate fi după {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Datele de import și export apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nu există elevi găsit apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Postarea factură Data @@ -3293,12 +3300,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Aceasta se bazează pe prezența acestui student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Nu există studenți în apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Adăugați mai multe elemente sau sub formă deschis complet -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Vă rugăm să introduceți ""Data de livrare așteptată""" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota de Livrare {0} trebuie sa fie anulată înainte de a anula aceasta Comandă de Vânzări +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota de Livrare {0} trebuie sa fie anulată înainte de a anula aceasta Comandă de Vânzări apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Suma plătită + Scrie Off Suma nu poate fi mai mare decât Grand total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nu este un număr de lot valid aferent articolului {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Notă: Nu este echilibrul concediu suficient pentru concediul de tip {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN nevalid sau Enter NA pentru neînregistrat +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN nevalid sau Enter NA pentru neînregistrat DocType: Training Event,Seminar,Seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Programul de înscriere Taxa DocType: Item,Supplier Items,Furnizor Articole @@ -3316,7 +3322,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stoc Îmbătrânirea apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} există împotriva solicitantului de student {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,pontajul -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' este dezactivat +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' este dezactivat apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Setați ca Deschis DocType: Cheque Print Template,Scanned Cheque,scanate cecului DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Trimite prin email automate de contact pe tranzacțiile Depunerea. @@ -3363,7 +3369,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Lista de prețuri Cursul de schimb DocType: Purchase Invoice Item,Rate, apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Interna -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Numele adresei +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Numele adresei DocType: Stock Entry,From BOM,De la BOM DocType: Assessment Code,Assessment Code,Codul de evaluare apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Elementar @@ -3376,20 +3382,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Structura salariu DocType: Account,Bank,Bancă apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Linie aeriană -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Eliberarea Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Eliberarea Material DocType: Material Request Item,For Warehouse,Pentru Depozit DocType: Employee,Offer Date,Oferta Date apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Cotațiile -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Sunteți în modul offline. Tu nu va fi capabil să reîncărcați până când nu aveți de rețea. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Sunteți în modul offline. Tu nu va fi capabil să reîncărcați până când nu aveți de rețea. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Nu există grupuri create de studenți. DocType: Purchase Invoice Item,Serial No,Nr. serie apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Rambursarea lunară Suma nu poate fi mai mare decât Suma creditului apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Va rugam sa introduceti maintaince detaliile prima +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Row # {0}: Data livrării așteptată nu poate fi înainte de data comenzii de achiziție DocType: Purchase Invoice,Print Language,Limba de imprimare DocType: Salary Slip,Total Working Hours,Numărul total de ore de lucru DocType: Stock Entry,Including items for sub assemblies,Inclusiv articole pentru subansambluri -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Introduceți valoarea trebuie să fie pozitiv -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codul elementului> Element Grup> Brand +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Introduceți valoarea trebuie să fie pozitiv apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Toate teritoriile DocType: Purchase Invoice,Items,Articole apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student este deja înscris. @@ -3412,7 +3418,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitatea implicit de măsură pentru Variant '{0} "trebuie să fie la fel ca în Template" {1} " DocType: Shipping Rule,Calculate Based On,Calculaţi pe baza DocType: Delivery Note Item,From Warehouse,Din depozitul -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Nu există niciun articol cu Lista de materiale pentru fabricarea +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Nu există niciun articol cu Lista de materiale pentru fabricarea DocType: Assessment Plan,Supervisor Name,Nume supervizor DocType: Program Enrollment Course,Program Enrollment Course,Curs de înscriere la curs DocType: Program Enrollment Course,Program Enrollment Course,Curs de înscriere la curs @@ -3428,23 +3434,23 @@ DocType: Training Event Employee,Attended,A participat apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Zile de la ultima comandă' trebuie să fie mai mare sau egal cu zero DocType: Process Payroll,Payroll Frequency,Frecventa de salarizare DocType: Asset,Amended From,Modificat din -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Material brut +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Material brut DocType: Leave Application,Follow via Email,Urmați prin e-mail apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Plante și mașini DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Suma taxa După Discount Suma DocType: Daily Work Summary Settings,Daily Work Summary Settings,Setări de zi cu zi de lucru Sumar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Moneda a listei de prețuri {0} nu este similar cu moneda selectată {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Moneda a listei de prețuri {0} nu este similar cu moneda selectată {1} DocType: Payment Entry,Internal Transfer,Transfer intern apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Contul copil există pentru acest cont. Nu puteți șterge acest cont. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Cantitatea țintă sau valoarea țintă este obligatorie apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Nu există implicit BOM pentru postul {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vă rugăm să selectați postarea Data primei +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Vă rugăm să selectați postarea Data primei apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,"Deschiderea Data ar trebui să fie, înainte de Data inchiderii" DocType: Leave Control Panel,Carry Forward,Transmite Inainte apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centrul de Cost cu tranzacții existente nu poate fi transformat în registru contabil DocType: Department,Days for which Holidays are blocked for this department.,Zile pentru care Sărbătorile sunt blocate pentru acest departament. ,Produced,Produs -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Creat Alunecările salariale +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Creat Alunecările salariale DocType: Item,Item Code for Suppliers,Articol Cod pentru Furnizori DocType: Issue,Raised By (Email),Ridicate de (e-mail) DocType: Training Event,Trainer Name,Nume formator @@ -3452,9 +3458,10 @@ DocType: Mode of Payment,General,General apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ultima comunicare apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ultima comunicare apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nu se poate deduce când categoria este de 'Evaluare' sau 'Evaluare și total' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista capetele fiscale (de exemplu, TVA, vamale etc., ei ar trebui să aibă nume unice) și ratele lor standard. Acest lucru va crea un model standard, pe care le puteți edita și adăuga mai târziu." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista capetele fiscale (de exemplu, TVA, vamale etc., ei ar trebui să aibă nume unice) și ratele lor standard. Acest lucru va crea un model standard, pe care le puteți edita și adăuga mai târziu." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial nr necesare pentru postul serializat {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Plățile se potrivesc cu facturi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Rândul # {0}: introduceți data livrării pentru articolul {1} DocType: Journal Entry,Bank Entry,Intrare bancară DocType: Authorization Rule,Applicable To (Designation),Aplicabil pentru (destinaţie) ,Profitability Analysis,Analiza profitabilității @@ -3470,17 +3477,18 @@ DocType: Quality Inspection,Item Serial No,Nr. de Serie Articol apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Crearea angajaților Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Raport Prezent apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Declarațiile contabile -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Oră +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Oră apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Noua ordine nu pot avea Warehouse. Depozit trebuie să fie stabilite de către Bursa de intrare sau de primire de cumparare DocType: Lead,Lead Type,Tip Conducere apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Tu nu sunt autorizate să aprobe frunze pe bloc Perioada -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Toate aceste articole au fost deja facturate +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Toate aceste articole au fost deja facturate +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Vânzări lunare apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Poate fi aprobat/a de către {0} DocType: Item,Default Material Request Type,Implicit Material Tip de solicitare apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Necunoscut DocType: Shipping Rule,Shipping Rule Conditions,Condiții Regula de transport maritim DocType: BOM Replace Tool,The new BOM after replacement,Noul BOM după înlocuirea -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Point of Sale DocType: Payment Entry,Received Amount,Suma primită DocType: GST Settings,GSTIN Email Sent On,GSTIN Email trimis pe DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop de Guardian @@ -3497,8 +3505,8 @@ DocType: Batch,Source Document Name,Numele sursei de document DocType: Batch,Source Document Name,Numele sursei de document DocType: Job Opening,Job Title,Denumire post apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Creați Utilizatori -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Cantitatea să Fabricare trebuie sa fie mai mare decât 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Cantitatea să Fabricare trebuie sa fie mai mare decât 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Vizitați raport de apel de întreținere. DocType: Stock Entry,Update Rate and Availability,Actualizarea Rata și disponibilitatea DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procentul vi se permite de a primi sau livra mai mult față de cantitatea comandata. De exemplu: Dacă ați comandat 100 de unități. și alocația este de 10%, atunci vi se permite să primească 110 de unități." @@ -3511,7 +3519,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Vă rugăm să anulați Achiziționarea factură {0} mai întâi apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Adresa de e-mail trebuie să fie unic, există deja pentru {0}" DocType: Serial No,AMC Expiry Date,Dată expirare AMC -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,primire +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,primire ,Sales Register,Vânzări Inregistrare DocType: Daily Work Summary Settings Company,Send Emails At,Trimite email-uri La DocType: Quotation,Quotation Lost Reason,Citat pierdut rațiunea @@ -3524,14 +3532,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Nu există cl apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Situația fluxurilor de trezorerie apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Suma creditului nu poate depăși valoarea maximă a împrumutului de {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licență -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Vă rugăm să eliminați acest factură {0} de la C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Vă rugăm să eliminați acest factură {0} de la C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vă rugăm să selectați reporta dacă doriți și să includă echilibrul de anul precedent fiscal lasă în acest an fiscal DocType: GL Entry,Against Voucher Type,Comparativ tipului de voucher DocType: Item,Attributes,Atribute apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Va rugam sa introduceti Scrie Off cont apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Ultima comandă Data apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Contul {0} nu aparține companiei {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Numerele de serie din rândul {0} nu se potrivesc cu Nota de livrare +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Numerele de serie din rândul {0} nu se potrivesc cu Nota de livrare DocType: Student,Guardian Details,Detalii tutore DocType: C-Form,C-Form,Formular-C apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Marcă Participarea pentru mai mulți angajați @@ -3563,16 +3571,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ti DocType: Tax Rule,Sales,Vânzări DocType: Stock Entry Detail,Basic Amount,Suma de bază DocType: Training Event,Exam,Examen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0} DocType: Leave Allocation,Unused leaves,Frunze neutilizate -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Stat de facturare apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nu este asociat cu contul Party {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Obtine FDM expandat (inclusiv subansamblurile) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Obtine FDM expandat (inclusiv subansamblurile) DocType: Authorization Rule,Applicable To (Employee),Aplicabil pentru (angajat) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date este obligatorie apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Creștere pentru Atribut {0} nu poate fi 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriu DocType: Journal Entry,Pay To / Recd From,Pentru a plăti / Recd de la DocType: Naming Series,Setup Series,Seria de configurare DocType: Payment Reconciliation,To Invoice Date,Pentru a facturii Data @@ -3599,7 +3608,7 @@ DocType: Journal Entry,Write Off Based On,Scrie Off bazat pe apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Asigurați-vă de plumb apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Imprimare și articole de papetărie DocType: Stock Settings,Show Barcode Field,Afișează coduri de bare Câmp -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Trimite email-uri Furnizor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Trimite email-uri Furnizor apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salariu au fost deja procesate pentru perioada între {0} și {1}, Lăsați perioada de aplicare nu poate fi între acest interval de date." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Înregistrare de instalare pentru un nr de serie DocType: Guardian Interest,Guardian Interest,Interes tutore @@ -3613,7 +3622,7 @@ DocType: Offer Letter,Awaiting Response,Se aşteaptă răspuns apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Sus apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},atribut nevalid {0} {1} DocType: Supplier,Mention if non-standard payable account,Menționați dacă contul de plată non-standard -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Același element a fost introdus de mai multe ori. {listă} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Același element a fost introdus de mai multe ori. {listă} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Selectați alt grup de evaluare decât "Toate grupurile de evaluare" DocType: Salary Slip,Earning & Deduction,Câștig Salarial si Deducere apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opțional. Această setare va fi utilizat pentru a filtra în diverse tranzacții. @@ -3632,7 +3641,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Costul de active scoase din uz apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: 아이템 {2} 는 Cost Center가 필수임 DocType: Vehicle,Policy No,Politica nr -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Obține elemente din Bundle produse +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Obține elemente din Bundle produse DocType: Asset,Straight Line,Linie dreapta DocType: Project User,Project User,utilizator proiect apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Despică @@ -3647,6 +3656,7 @@ DocType: Bank Reconciliation,Payment Entries,Intrările de plată DocType: Production Order,Scrap Warehouse,Depozit fier vechi DocType: Production Order,Check if material transfer entry is not required,Verificați dacă nu este necesară introducerea transferului de materiale DocType: Production Order,Check if material transfer entry is not required,Verificați dacă nu este necesară introducerea transferului de materiale +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configurați sistemul de numire a angajaților în Resurse umane> Setări HR DocType: Program Enrollment Tool,Get Students From,Elevii de la a lua DocType: Hub Settings,Seller Country,Vânzător Țară apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publica Articole pe site-ul @@ -3665,19 +3675,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,Precizați condițiile de calcul cantitate de transport maritim DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rolul pot organiza conturile înghețate și congelate Editați intrările apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valoarea de deschidere +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Valoarea de deschidere DocType: Salary Detail,Formula,Formulă apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Comision pentru Vânzări DocType: Offer Letter Term,Value / Description,Valoare / Descriere -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rând # {0}: {1} activ nu poate fi prezentat, este deja {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rând # {0}: {1} activ nu poate fi prezentat, este deja {2}" DocType: Tax Rule,Billing Country,Țara facturării DocType: Purchase Order Item,Expected Delivery Date,Data de Livrare Preconizata apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debit și credit nu este egal pentru {0} # {1}. Diferența este {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Cheltuieli de Divertisment apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Asigurați-vă Material Cerere apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Deschis Postul {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Factură de vânzări {0} trebuie anulată înainte de a anula această comandă de vânzări +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Factură de vânzări {0} trebuie anulată înainte de a anula această comandă de vânzări apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Vârstă DocType: Sales Invoice Timesheet,Billing Amount,Suma de facturare apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Cantitate nevalidă specificată pentru element {0}. Cantitatea ar trebui să fie mai mare decât 0. @@ -3700,7 +3710,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Noi surse de venit pentru clienți apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Cheltuieli de călătorie DocType: Maintenance Visit,Breakdown,Avarie -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Contul: {0} cu moneda: {1} nu poate fi selectat +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Contul: {0} cu moneda: {1} nu poate fi selectat DocType: Bank Reconciliation Detail,Cheque Date,Data Cec apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Contul {0}: cont Părinte {1} nu apartine companiei: {2} DocType: Program Enrollment Tool,Student Applicants,Student Solicitanții @@ -3720,11 +3730,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planif DocType: Material Request,Issued,Emis apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Activitatea studenților DocType: Project,Total Billing Amount (via Time Logs),Suma totală de facturare (prin timp Busteni) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Vindem acest articol +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Vindem acest articol apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Furnizor Id DocType: Payment Request,Payment Gateway Details,Plata Gateway Detalii -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Cantitatea trebuie sa fie mai mare decât 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Datele de probă +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Cantitatea trebuie sa fie mai mare decât 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Datele de probă DocType: Journal Entry,Cash Entry,Cash intrare apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,noduri pentru copii pot fi create numai în noduri de tip "grup" DocType: Leave Application,Half Day Date,Jumatate de zi Data @@ -3733,17 +3743,18 @@ DocType: Sales Partner,Contact Desc,Persoana de Contact Desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tip de frunze, cum ar fi casual, bolnavi, etc" DocType: Email Digest,Send regular summary reports via Email.,Trimite rapoarte de sinteză periodice prin e-mail. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Vă rugăm să setați contul implicit în cheltuielile de revendicare Tip {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Vă rugăm să setați contul implicit în cheltuielile de revendicare Tip {0} DocType: Assessment Result,Student Name,Numele studentului DocType: Brand,Item Manager,Postul de manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Salarizare plateste DocType: Buying Settings,Default Supplier Type,Tip Furnizor Implicit DocType: Production Order,Total Operating Cost,Cost total de operare -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Notă: Articolul {0} a intrat de mai multe ori +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Notă: Articolul {0} a intrat de mai multe ori apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Toate contactele. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Setați țintă apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abreviere Companie apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Utilizatorul {0} nu există -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Materii prime nu poate fi la fel ca Item principal +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Materii prime nu poate fi la fel ca Item principal DocType: Item Attribute Value,Abbreviation,Abreviere apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Există deja intrare plată apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Nu authroized din {0} depășește limitele @@ -3761,7 +3772,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Rol permise pentru a e ,Territory Target Variance Item Group-Wise,Teritoriul țintă Variance Articol Grupa Înțelept apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Toate grupurile de clienți apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,lunar acumulat -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} este obligatoriu. Este posibil ca înregistrarea schimbului valutar nu este creată pentru {1} până la {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} este obligatoriu. Este posibil ca înregistrarea schimbului valutar nu este creată pentru {1} până la {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Format de impozitare este obligatorie. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Contul {0}: cont părinte {1} nu există DocType: Purchase Invoice Item,Price List Rate (Company Currency),Lista de prețuri Rate (Compania de valuta) @@ -3772,7 +3783,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Alocarea procent apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secretar DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","În cazul în care dezactivați, "în cuvinte" câmp nu vor fi vizibile în orice tranzacție" DocType: Serial No,Distinct unit of an Item,Unitate distinctă de Postul -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Stabiliți compania +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Stabiliți compania DocType: Pricing Rule,Buying,Cumpărare DocType: HR Settings,Employee Records to be created by,Inregistrari Angajaților pentru a fi create prin DocType: POS Profile,Apply Discount On,Aplicați Discount pentru @@ -3783,7 +3794,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detaliu Taxa Avizata Articol apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institutul Abreviere ,Item-wise Price List Rate,Rata Lista de Pret Articol-Avizat -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Furnizor ofertă +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Furnizor ofertă DocType: Quotation,In Words will be visible once you save the Quotation.,În cuvinte va fi vizibil după ce salvați citat. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Cantitatea ({0}) nu poate fi o fracțiune în rândul {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Cantitatea ({0}) nu poate fi o fracțiune în rândul {1} @@ -3808,7 +3819,7 @@ Updated via 'Time Log'","în procesul-verbal DocType: Customer,From Lead,Din Conducere apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Comenzi lansat pentru producție. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Selectați anul fiscal ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profil necesare pentru a face POS intrare +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profil necesare pentru a face POS intrare DocType: Program Enrollment Tool,Enroll Students,Studenți Enroll DocType: Hub Settings,Name Token,Numele Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Vanzarea Standard @@ -3826,7 +3837,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Valoarea Stock Diferența apps/erpnext/erpnext/config/learn.py +234,Human Resource,Resurse Umane DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Reconciliere de plata apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Active fiscale -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Ordinul de producție a fost {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Ordinul de producție a fost {0} DocType: BOM Item,BOM No,Nr. BOM DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Jurnal de intrare {0} nu are cont {1} sau deja comparate cu alte voucher @@ -3840,7 +3851,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Încăr apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Impresionant Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Stabilească obiective Articol Grupa-înțelept pentru această persoană de vânzări. DocType: Stock Settings,Freeze Stocks Older Than [Days],Blocheaza Stocurile Mai Vechi De [zile] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rând # {0}: Activ este obligatorie pentru active fixe cumpărare / vânzare +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rând # {0}: Activ este obligatorie pentru active fixe cumpărare / vânzare apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","În cazul în care două sau mai multe reguli de stabilire a prețurilor sunt găsite bazează pe condițiile de mai sus, se aplică prioritate. Prioritatea este un număr între 0 și 20 în timp ce valoarea implicită este zero (gol). Numărul mai mare înseamnă că va avea prioritate în cazul în care există mai multe norme de stabilire a prețurilor, cu aceleași condiții." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Anul fiscal: {0} nu există DocType: Currency Exchange,To Currency,Pentru a valutar @@ -3849,7 +3860,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tipuri de cheltui apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Rata de vânzare pentru articolul {0} este mai mică decât {1}. Rata de vânzare trebuie să fie atinsă {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Rata de vânzare pentru articolul {0} este mai mică decât {1}. Rata de vânzare trebuie să fie atinsă {2} DocType: Item,Taxes,Impozite -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Plătite și nu sunt livrate +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Plătite și nu sunt livrate DocType: Project,Default Cost Center,Cost Center Implicit DocType: Bank Guarantee,End Date,Dată finalizare apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Tranzacții de stoc @@ -3866,7 +3877,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,De zi cu zi de lucru Companie Rezumat Setări apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Element {0} ignorat, deoarece nu este un element de stoc" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Trimiteți acest comandă de producție pentru prelucrarea ulterioară. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Trimiteți acest comandă de producție pentru prelucrarea ulterioară. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","De a nu aplica regula Preturi într-o anumită tranzacție, ar trebui să fie dezactivat toate regulile de tarifare aplicabile." DocType: Assessment Group,Parent Assessment Group,Grup părinte de evaluare apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Locuri de munca @@ -3874,10 +3885,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Locuri de mu DocType: Employee,Held On,Organizat In apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Producția Postul ,Employee Information,Informații angajat -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Rate (%) DocType: Stock Entry Detail,Additional Cost,Cost aditional apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"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" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Realizeaza Ofertă Furnizor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Realizeaza Ofertă Furnizor DocType: Quality Inspection,Incoming,Primite DocType: BOM,Materials Required (Exploded),Materiale necesare (explodat) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Adăugați utilizatori la organizația dvs., altele decât tine" @@ -3893,7 +3904,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Contul: {0} poate fi actualizat doar prin Tranzacții stoc DocType: Student Group Creation Tool,Get Courses,Cursuri de a lua DocType: GL Entry,Party,Grup -DocType: Sales Order,Delivery Date,Data de Livrare +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Data de Livrare DocType: Opportunity,Opportunity Date,Oportunitate Data DocType: Purchase Receipt,Return Against Purchase Receipt,Reveni cu confirmare de primire cumparare DocType: Request for Quotation Item,Request for Quotation Item,Cerere de ofertă Postul @@ -3907,7 +3918,7 @@ DocType: Task,Actual Time (in Hours),Timpul efectiv (în ore) DocType: Employee,History In Company,Istoric In Companie apps/erpnext/erpnext/config/learn.py +107,Newsletters,Buletine DocType: Stock Ledger Entry,Stock Ledger Entry,Stoc Ledger intrare -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Același articol a fost introdus de mai multe ori +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Același articol a fost introdus de mai multe ori DocType: Department,Leave Block List,Lista Concedii Blocate DocType: Sales Invoice,Tax ID,ID impozit apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Articolul {0} nu este configurat pentru Numerotare Seriala. Coloana trebuie să fie vida @@ -3925,25 +3936,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Negru DocType: BOM Explosion Item,BOM Explosion Item,Explozie articol BOM DocType: Account,Auditor,Auditor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} articole produse +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} articole produse DocType: Cheque Print Template,Distance from top edge,Distanța de la marginea de sus apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Listă de prețuri {0} este dezactivat sau nu există DocType: Purchase Invoice,Return,Întoarcere DocType: Production Order Operation,Production Order Operation,Producția Comanda Funcționare DocType: Pricing Rule,Disable,Dezactivati -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Modul de plată este necesară pentru a efectua o plată +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Modul de plată este necesară pentru a efectua o plată DocType: Project Task,Pending Review,Revizuirea în curs apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nu este înscris în lotul {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Activ {0} nu poate fi scoase din uz, deoarece este deja {1}" DocType: Task,Total Expense Claim (via Expense Claim),Revendicarea Total cheltuieli (prin cheltuieli revendicarea) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rând {0}: Moneda de BOM # {1} ar trebui să fie egal cu moneda selectată {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rând {0}: Moneda de BOM # {1} ar trebui să fie egal cu moneda selectată {2} DocType: Journal Entry Account,Exchange Rate,Rata de schimb -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Comandă de vânzări {0} nu este prezentat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Comandă de vânzări {0} nu este prezentat DocType: Homepage,Tag Line,Eticheta linie DocType: Fee Component,Fee Component,Taxa de Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Conducerea flotei -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Adauga articole din +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Adauga articole din DocType: Cheque Print Template,Regular,Regulat apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage totală a tuturor criteriilor de evaluare trebuie să fie 100% DocType: BOM,Last Purchase Rate,Ultima Rate de Cumparare @@ -3964,12 +3975,12 @@ DocType: Employee,Reports to,Rapoarte DocType: SMS Settings,Enter url parameter for receiver nos,Introduceți parametru url pentru receptor nos DocType: Payment Entry,Paid Amount,Suma plătită DocType: Assessment Plan,Supervisor,supraveghetor -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Pe net +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Pe net ,Available Stock for Packing Items,Stoc disponibil pentru articole destinate împachetării DocType: Item Variant,Item Variant,Postul Varianta DocType: Assessment Result Tool,Assessment Result Tool,Instrumentul de evaluare Rezultat DocType: BOM Scrap Item,BOM Scrap Item,BOM Resturi Postul -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,comenzile trimise nu pot fi șterse +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,comenzile trimise nu pot fi șterse apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Soldul contului este deja în credit, nu vă este permis să setați ""Balanța trebuie să fie"" drept ""Credit""." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Managementul calității apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Postul {0} a fost dezactivat @@ -4001,7 +4012,7 @@ DocType: Item Group,Default Expense Account,Cont de Cheltuieli Implicit apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ID-ul de student e-mail DocType: Employee,Notice (days),Preaviz (zile) DocType: Tax Rule,Sales Tax Template,Format impozitul pe vânzări -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Selectați elemente pentru a salva factura +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Selectați elemente pentru a salva factura DocType: Employee,Encashment Date,Data plata in Numerar DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Ajustarea stoc @@ -4049,10 +4060,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Expedie apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Discount maxim permis pentru articol: {0} este {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Valoarea activelor nete pe DocType: Account,Receivable,De încasat -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nu este permis să schimbe furnizorul ca Comandă există deja +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nu este permis să schimbe furnizorul ca Comandă există deja DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol care i se permite să prezinte tranzacțiile care depășesc limitele de credit stabilite. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Selectați elementele de Fabricare -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","datele de bază de sincronizare, ar putea dura ceva timp" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Selectați elementele de Fabricare +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","datele de bază de sincronizare, ar putea dura ceva timp" DocType: Item,Material Issue,Problema de material DocType: Hub Settings,Seller Description,Descriere vânzător DocType: Employee Education,Qualification,Calificare @@ -4073,11 +4084,10 @@ DocType: BOM,Rate Of Materials Based On,Rate de materiale bazate pe apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics Suport apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Deselecteaza tot DocType: POS Profile,Terms and Conditions,Termeni şi condiţii -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configurați sistemul de numire a angajaților în Resurse umane> Setări HR apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Pentru a Data ar trebui să fie în anul fiscal. Presupunând Pentru a Data = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aici puteți stoca informatii despre inaltime, greutate, alergii, probleme medicale etc" DocType: Leave Block List,Applies to Company,Se aplică companiei -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Nu pot anula, deoarece a prezentat Bursa de intrare {0} există" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Nu pot anula, deoarece a prezentat Bursa de intrare {0} există" DocType: Employee Loan,Disbursement Date,debursare DocType: Vehicle,Vehicle,Vehicul DocType: Purchase Invoice,In Words,În cuvinte @@ -4116,7 +4126,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Setări globale DocType: Assessment Result Detail,Assessment Result Detail,Evaluare Rezultat Detalii DocType: Employee Education,Employee Education,Educație Angajat apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Grup de element dublu exemplar găsit în tabelul de grup de elemente -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Este nevoie să-i aducă Detalii despre articol. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Este nevoie să-i aducă Detalii despre articol. DocType: Salary Slip,Net Pay,Plată netă DocType: Account,Account,Cont apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial Nu {0} a fost deja primit @@ -4124,7 +4134,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,vehicul Log DocType: Purchase Invoice,Recurring Id,Recurent Id DocType: Customer,Sales Team Details,Detalii de vânzări Echipa -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Șterge definitiv? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Șterge definitiv? DocType: Expense Claim,Total Claimed Amount,Total suma pretinsă apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potențiale oportunități de vânzare. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0} @@ -4136,7 +4146,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup Școala în ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),De schimbare a bazei Suma (Companie Moneda) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nici o intrare contabile pentru următoarele depozite -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Salvați documentul primul. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Salvați documentul primul. DocType: Account,Chargeable,Taxabil/a DocType: Company,Change Abbreviation,Schimbarea abreviere DocType: Expense Claim Detail,Expense Date,Data cheltuieli @@ -4150,7 +4160,6 @@ DocType: BOM,Manufacturing User,Producție de utilizare DocType: Purchase Invoice,Raw Materials Supplied,Materii prime furnizate DocType: Purchase Invoice,Recurring Print Format,Recurente Print Format DocType: C-Form,Series,Serii -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Data de Livrare Preconizata nu poate fi anterioara Datei Ordinului de Cumparare DocType: Appraisal,Appraisal Template,Model expertiză DocType: Item Group,Item Classification,Postul Clasificare apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Manager pentru Dezvoltarea Afacerilor @@ -4190,12 +4199,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Selectați apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Evenimente de instruire / rezultate apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Amortizarea ca pe acumulat DocType: Sales Invoice,C-Form Applicable,Formular-C aplicabil -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Funcționarea timp trebuie să fie mai mare decât 0 pentru funcționare {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Funcționarea timp trebuie să fie mai mare decât 0 pentru funcționare {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse este obligatorie DocType: Supplier,Address and Contacts,Adresa si contact DocType: UOM Conversion Detail,UOM Conversion Detail,Detaliu UOM de conversie DocType: Program,Program Abbreviation,Abreviere de program -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Producția Comanda nu poate fi ridicată pe un șablon Postul +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Producția Comanda nu poate fi ridicată pe un șablon Postul apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Tarifele sunt actualizate în Primirea cumparare pentru fiecare articol DocType: Warranty Claim,Resolved By,Rezolvat prin DocType: Bank Guarantee,Start Date,Data începerii @@ -4230,6 +4239,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Feedback formare apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Producția de Ordine {0} trebuie să fie prezentate apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Vă rugăm să selectați data de început și Data de final pentru postul {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Stabiliți un obiectiv de vânzări pe care doriți să îl atingeți. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},"Desigur, este obligatorie în rândul {0}" apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Până în prezent nu poate fi înainte de data DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype @@ -4248,7 +4258,7 @@ DocType: Account,Income,Venit DocType: Industry Type,Industry Type,Industrie Tip apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Ceva a mers prost! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Atenție: Lăsați aplicație conține următoarele date de bloc -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Factură de vânzări {0} a fost deja prezentat +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Factură de vânzări {0} a fost deja prezentat DocType: Assessment Result Detail,Score,Scor apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Anul fiscal {0} nu există apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Data Finalizare @@ -4278,7 +4288,7 @@ DocType: Naming Series,Help HTML,Ajutor HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Instrumentul de creare a grupului de student DocType: Item,Variant Based On,Varianta Bazat pe apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Weightage total alocat este de 100%. Este {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Furnizorii dumneavoastră +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Furnizorii dumneavoastră apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Nu se poate seta pierdut deoarece se intocmeste comandă de vânzări. DocType: Request for Quotation Item,Supplier Part No,Furnizor de piesa apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Nu se poate deduce atunci când este categoria de "evaluare" sau "Vaulation și Total" @@ -4288,14 +4298,14 @@ DocType: Item,Has Serial No,Are nr. de serie DocType: Employee,Date of Issue,Data Problemei apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: de la {0} pentru {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","În conformitate cu Setările de cumpărare, dacă este necesară achiziția == 'YES', atunci pentru a crea factura de cumpărare, utilizatorul trebuie să creeze primul chitanță pentru elementul {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Set Furnizor de produs {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rândul {0}: Valoarea ore trebuie să fie mai mare decât zero. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Set Furnizor de produs {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Rândul {0}: Valoarea ore trebuie să fie mai mare decât zero. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Site-ul Image {0} atașat la postul {1} nu poate fi găsit DocType: Issue,Content Type,Tip Conținut apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Computer DocType: Item,List this Item in multiple groups on the website.,Listeaza acest articol in grupuri multiple de pe site-ul.\ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Vă rugăm să verificați Multi opțiune de valuta pentru a permite conturi cu altă valută -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Postul: {0} nu există în sistemul +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Postul: {0} nu există în sistemul apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nu esti autorizat pentru a configura valoarea Congelat DocType: Payment Reconciliation,Get Unreconciled Entries,Ia nereconciliate Entries DocType: Payment Reconciliation,From Invoice Date,De la data facturii @@ -4321,7 +4331,7 @@ DocType: Stock Entry,Default Source Warehouse,Depozit Sursa Implicit DocType: Item,Customer Code,Cod client apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Memento dată naştere pentru {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Zile de la ultima comandă -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debit la contul trebuie să fie un cont de bilanț +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debit la contul trebuie să fie un cont de bilanț DocType: Buying Settings,Naming Series,Naming Series DocType: Leave Block List,Leave Block List Name,Denumire Lista Concedii Blocate apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Asigurare Data de pornire ar trebui să fie mai mică de asigurare Data terminării @@ -4338,7 +4348,7 @@ DocType: Vehicle Log,Odometer,Contorul de kilometraj DocType: Sales Order Item,Ordered Qty,Ordonat Cantitate apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Postul {0} este dezactivat DocType: Stock Settings,Stock Frozen Upto,Stoc Frozen Până la -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nu conține nici un element de stoc +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM nu conține nici un element de stoc apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Perioada de la si perioadă la datele obligatorii pentru recurente {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Activitatea de proiect / sarcină. DocType: Vehicle Log,Refuelling Details,Detalii de realimentare @@ -4348,7 +4358,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Rata Ultima achiziție nu a fost găsit DocType: Purchase Invoice,Write Off Amount (Company Currency),Scrie Off Suma (Compania de valuta) DocType: Sales Invoice Timesheet,Billing Hours,Ore de facturare -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM implicit pentru {0} nu a fost găsit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM implicit pentru {0} nu a fost găsit apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Row # {0}: Va rugam sa seta cantitatea reordona apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Atingeți elementele pentru a le adăuga aici DocType: Fees,Program Enrollment,programul de înscriere @@ -4383,6 +4393,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Clasă de uzură 2 DocType: SG Creation Tool Course,Max Strength,Putere max apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM înlocuit +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Selectați elementele bazate pe data livrării ,Sales Analytics,Analitice de vânzare apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Disponibile {0} ,Prospects Engaged But Not Converted,Perspective implicate dar nu convertite @@ -4431,7 +4442,7 @@ DocType: Authorization Rule,Customerwise Discount,Reducere Client apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet pentru sarcini. DocType: Purchase Invoice,Against Expense Account,Comparativ contului de cheltuieli DocType: Production Order,Production Order,Număr Comandă Producţie: -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Instalarea Nota {0} a fost deja prezentat +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Instalarea Nota {0} a fost deja prezentat DocType: Bank Reconciliation,Get Payment Entries,Participările de plată DocType: Quotation Item,Against Docname,Comparativ denumirii documentului DocType: SMS Center,All Employee (Active),Toți angajații (activi) @@ -4440,7 +4451,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Materie primă Cost DocType: Item Reorder,Re-Order Level,Nivelul de re-comandă DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Introduceti articole și cant planificată pentru care doriți să intocmiti ordine de producție sau sa descărcati materii prime pentru analiză. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagrama Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Diagrama Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part-time DocType: Employee,Applicable Holiday List,Listă de concedii aplicabile DocType: Employee,Cheque,Cheque @@ -4497,11 +4508,11 @@ DocType: Bin,Reserved Qty for Production,Rezervat Cantitate pentru producție DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lăsați necontrolabil dacă nu doriți să luați în considerare lotul în timp ce faceți grupuri bazate pe curs. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lăsați necontrolabil dacă nu doriți să luați în considerare lotul în timp ce faceți grupuri bazate pe curs. DocType: Asset,Frequency of Depreciation (Months),Frecventa de amortizare (Luni) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Cont de credit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Cont de credit DocType: Landed Cost Item,Landed Cost Item,Cost Final Articol apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Afiseaza valorile nule DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Cantitatea de produs obținut după fabricarea / reambalare de la cantități date de materii prime -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Configurarea unui site simplu pentru organizația mea +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Configurarea unui site simplu pentru organizația mea DocType: Payment Reconciliation,Receivable / Payable Account,De încasat de cont / de plătit DocType: Delivery Note Item,Against Sales Order Item,Comparativ articolului comenzii de vânzări apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Vă rugăm să specificați Atribut Valoare pentru atribut {0} @@ -4565,22 +4576,22 @@ DocType: Student,Nationality,Naţionalitate ,Items To Be Requested,Articole care vor fi solicitate DocType: Purchase Order,Get Last Purchase Rate,Obtine Ultima Rate de Cumparare DocType: Company,Company Info,Informatii Companie -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Selectați sau adăugați client nou -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,centru de cost este necesar pentru a rezerva o cerere de cheltuieli +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Selectați sau adăugați client nou +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,centru de cost este necesar pentru a rezerva o cerere de cheltuieli apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicţie a fondurilor (active) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Aceasta se bazează pe prezența a acestui angajat -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Contul debit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Contul debit DocType: Fiscal Year,Year Start Date,An Data începerii DocType: Attendance,Employee Name,Nume angajat DocType: Sales Invoice,Rounded Total (Company Currency),Rotunjite total (Compania de valuta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Nu se poate sub acoperire la Grupul pentru că este selectată Tip cont. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} a fost modificat. Vă rugăm să reîmprospătați. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} a fost modificat. Vă rugăm să reîmprospătați. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Opri utilizatorii de la a face aplicații concediu pentru următoarele zile. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Suma cumpărată apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Furnizor de oferta {0} creat apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Sfârșitul anului nu poate fi înainte de Anul de început apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Beneficiile angajatului -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Cantitate ambalate trebuie să fie egală cantitate pentru postul {0} în rândul {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Cantitate ambalate trebuie să fie egală cantitate pentru postul {0} în rândul {1} DocType: Production Order,Manufactured Qty,Produs Cantitate DocType: Purchase Receipt Item,Accepted Quantity,Cantitatea Acceptata apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Vă rugăm să setați o valoare implicită Lista de vacanță pentru angajat {0} sau companie {1} @@ -4591,11 +4602,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Rândul nr {0}: Suma nu poate fi mai mare decât așteptarea Suma împotriva revendicării cheltuieli {1}. În așteptarea Suma este {2} DocType: Maintenance Schedule,Schedule,Program DocType: Account,Parent Account,Contul părinte -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Disponibil +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Disponibil DocType: Quality Inspection Reading,Reading 3,Reading 3 ,Hub,Butuc DocType: GL Entry,Voucher Type,Tip Voucher -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Lista de preturi nu a fost găsit sau cu handicap +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Lista de preturi nu a fost găsit sau cu handicap DocType: Employee Loan Application,Approved,Aprobat DocType: Pricing Rule,Price,Preț apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Angajat eliberat din finctie pe {0} trebuie să fie setat ca 'Plecat' @@ -4665,7 +4676,7 @@ DocType: SMS Settings,Static Parameters,Parametrii statice DocType: Assessment Plan,Room,Cameră DocType: Purchase Order,Advance Paid,Avans plătit DocType: Item,Item Tax,Taxa Articol -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Material de Furnizor +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Material de Furnizor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Accize factură apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% apare mai mult decât o dată DocType: Expense Claim,Employees Email Id,Id Email Angajat @@ -4705,7 +4716,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Model DocType: Production Order,Actual Operating Cost,Cost efectiv de operare DocType: Payment Entry,Cheque/Reference No,Cecul / de referință nr -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizor> Tipul furnizorului apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Rădăcină nu poate fi editat. DocType: Item,Units of Measure,Unitati de masura DocType: Manufacturing Settings,Allow Production on Holidays,Permiteţi operaţii de producție pe durata sărbătorilor @@ -4738,12 +4748,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Zile de Credit apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Asigurați-Lot Student DocType: Leave Type,Is Carry Forward,Este Carry Forward -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Obține articole din FDM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Obține articole din FDM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Timpul in Zile Conducere -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rând # {0}: Detașarea Data trebuie să fie aceeași ca dată de achiziție {1} din activ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rând # {0}: Detașarea Data trebuie să fie aceeași ca dată de achiziție {1} din activ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Verificați dacă studentul este rezident la Hostelul Institutului. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Vă rugăm să introduceți comenzile de vânzări în tabelul de mai sus -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Netrimisă salariale Alunecările +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Netrimisă salariale Alunecările ,Stock Summary,Rezumat de stoc apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Se transferă un activ de la un depozit la altul DocType: Vehicle,Petrol,Benzină diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index 185294790ea..b609a612535 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Дилер DocType: Employee,Rented,Арендованный DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Применимо для пользователя -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Остановился производственного заказа не может быть отменено, откупоривать сначала отменить" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Остановился производственного заказа не может быть отменено, откупоривать сначала отменить" DocType: Vehicle Service,Mileage,пробег apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Вы действительно хотите отказаться от этого актива? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Выберите По умолчанию Поставщик @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Выставлено apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),"Курс должен быть таким же, как {0} {1} ({2})" DocType: Sales Invoice,Customer Name,Наименование заказчика DocType: Vehicle,Natural Gas,Природный газ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Банковский счет не может быть назван {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Банковский счет не может быть назван {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (или группы), против которого бухгалтерских проводок производится и остатки сохраняются." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Выдающийся для {0} не может быть меньше нуля ({1}) DocType: Manufacturing Settings,Default 10 mins,По умолчанию 10 минут @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Оставьте Тип Название apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Показать открыт apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Серия Обновлено Успешно apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,"Проверять, выписываться" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Запись в журнале Опубликовано +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Запись в журнале Опубликовано DocType: Pricing Rule,Apply On,Применить на DocType: Item Price,Multiple Item prices.,Несколько цены товара. ,Purchase Order Items To Be Received,"Покупка Заказ позиции, которые будут получены" @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Форма оплаты apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Показать варианты DocType: Academic Term,Academic Term,академический срок apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,материал -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Количество +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Количество apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Таблица учета не может быть пустой. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Кредиты (обязательства) DocType: Employee Education,Year of Passing,Год Passing @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Здравоохранение apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Задержка в оплате (дни) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Услуги Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Серийный номер: {0} уже указан в счете продаж: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Счет +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Серийный номер: {0} уже указан в счете продаж: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Счет DocType: Maintenance Schedule Item,Periodicity,Периодичность apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Финансовый год {0} требуется -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Ожидаемая дата поставки быть перед Sales Order Date apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Оборона DocType: Salary Component,Abbr,Аббревиатура DocType: Appraisal Goal,Score (0-5),Оценка (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ряд # {0}: DocType: Timesheet,Total Costing Amount,Общая сумма Стоимостью DocType: Delivery Note,Vehicle No,Автомобиль № -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Пожалуйста, выберите прайс-лист" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,"Пожалуйста, выберите прайс-лист" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Строка # {0}: Платежный документ требуется для завершения операций Устанавливаются DocType: Production Order Operation,Work In Progress,Работа продолжается apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Пожалуйста, выберите даты" @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} не в каком-либо активном финансовом годе. DocType: Packed Item,Parent Detail docname,Родитель Деталь DOCNAME apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Ссылка: {0}, Код товара: {1} и Заказчик: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,кг +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,кг DocType: Student Log,Log,Журнал apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Открытие на работу. DocType: Item Attribute,Increment,Приращение @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Замужем apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Не допускается для {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Получить товары от -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Продукт {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,"Нет элементов, перечисленных" DocType: Payment Reconciliation,Reconcile,Согласовать @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Пе apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Следующая амортизация Дата не может быть перед покупкой Даты DocType: SMS Center,All Sales Person,Все менеджеры по продажам DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**Распределение по месяцам** позволяет распределить бюджет/цель по месяцам при наличии сезонности в вашем бизнесе. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Не нашли товар +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Не нашли товар apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Структура заработной платы Отсутствующий DocType: Lead,Person Name,Имя лица DocType: Sales Invoice Item,Sales Invoice Item,Счет продаж товара @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","Нельзя отменить выбор ""Является основным средством"", поскольку по данному пункту имеется запись по активам" DocType: Vehicle Service,Brake Oil,Тормозные масла DocType: Tax Rule,Tax Type,Налоги Тип -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Налогооблагаемая сумма +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Налогооблагаемая сумма apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},"Вы не авторизованы, чтобы добавить или обновить записи до {0}" DocType: BOM,Item Image (if not slideshow),Пункт изображения (если не слайд-шоу) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Существует клиентов с одноименным названием DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Часовая Ставка / 60) * Фактическое время работы -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Выберите BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Выберите BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Стоимость доставленных изделий apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Праздник на {0} не между From Date и To Date @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,Школы DocType: School Settings,Validate Batch for Students in Student Group,Проверка партии для студентов в студенческой группе apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Нет отпуска найденная запись для сотрудника {0} для {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Пожалуйста, введите название первой Компании" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Пожалуйста, выберите КОМПАНИЯ Первый" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Пожалуйста, выберите КОМПАНИЯ Первый" DocType: Employee Education,Under Graduate,Под Выпускник apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Целевая На DocType: BOM,Total Cost,Общая стоимость DocType: Journal Entry Account,Employee Loan,Сотрудник займа -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Журнал активности: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,"Пункт {0} не существует в системе, или истек" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Журнал активности: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,"Пункт {0} не существует в системе, или истек" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Недвижимость apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Выписка по счету apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Фармацевтика @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Сумма претензии apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Дубликат группа клиентов найти в таблице Cutomer группы apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Тип Поставщик / Поставщик DocType: Naming Series,Prefix,Префикс -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите Naming Series для {0} через Setup> Settings> Naming Series" -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Потребляемый +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Потребляемый DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Лог импорта DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Потянуть Материал запроса типа Производство на основе вышеуказанных критериев DocType: Training Result Employee,Grade,класс DocType: Sales Invoice Item,Delivered By Supplier,Поставленные Поставщиком DocType: SMS Center,All Contact,Все Связаться -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Производственный заказ уже создан для всех элементов с BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Производственный заказ уже создан для всех элементов с BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Годовой оклад DocType: Daily Work Summary,Daily Work Summary,Ежедневно Резюме Работа DocType: Period Closing Voucher,Closing Fiscal Year,Закрытие финансового года -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} заморожен +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} заморожен apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Пожалуйста, выберите существующую компанию для создания плана счетов" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Расходы по Запасам apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Выберите целевое хранилище @@ -213,14 +211,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Кол-во Принято + Отклонено должно быть равно полученному количеству по позиции {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Поставка сырья для покупки -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,По крайней мере один способ оплаты требуется для POS счета. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,По крайней мере один способ оплаты требуется для POS счета. DocType: Products Settings,Show Products as a List,Показать продукты списком DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Скачать шаблон, заполнить соответствующие данные и приложить измененный файл. Все даты и сотрудник сочетание в выбранный период придет в шаблоне, с существующими посещаемости" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Пункт {0} не является активным или конец жизни был достигнут -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Пример: Элементарная математика -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item, налоги в строках должны быть также включены {1}" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Пример: Элементарная математика +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item, налоги в строках должны быть также включены {1}" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Настройки для модуля HR DocType: SMS Center,SMS Center,SMS центр DocType: Sales Invoice,Change Amount,Изменение Сумма @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Дата установки не может быть до даты доставки для Пункт {0} DocType: Pricing Rule,Discount on Price List Rate (%),Скидка на Прайс-лист ставка (%) DocType: Offer Letter,Select Terms and Conditions,Выберите Сроки и условия -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,аута +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,аута DocType: Production Planning Tool,Sales Orders,Заказы клиентов DocType: Purchase Taxes and Charges,Valuation,Оценка ,Purchase Order Trends,Заказ на покупку Тенденции @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Открывает запись DocType: Customer Group,Mention if non-standard receivable account applicable,Упоминание если нестандартная задолженность счет применимо DocType: Course Schedule,Instructor Name,Имя инструктора -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Для Склада является обязательным полем для проведения +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Для Склада является обязательным полем для проведения apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Поступило На DocType: Sales Partner,Reseller,Торговый посредник DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Если этот флажок установлен, будет включать в себя внебиржевые элементы в материале запросов." @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,На накладная Пункт ,Production Orders in Progress,Производственные заказы в Прогресс apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Чистые денежные средства от финансовой деятельности -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage полон, не спасло" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage полон, не спасло" DocType: Lead,Address & Contact,Адрес и контакт DocType: Leave Allocation,Add unused leaves from previous allocations,Добавить неиспользованные отпуска с прошлых периодов apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Следующая Периодическая {0} будет создан на {1} DocType: Sales Partner,Partner website,сайт партнера apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Добавить элемент -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Имя Контакта +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Имя Контакта DocType: Course Assessment Criteria,Course Assessment Criteria,Критерии оценки курса DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Создает ведомость расчета зарплаты за вышеуказанные критерии. DocType: POS Customer Group,POS Customer Group,POS Группа клиентов @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ряд {0}: Пожалуйста, проверьте 'Как Advance ""против счета {1}, если это заранее запись." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Склад {0} не принадлежит компания {1} DocType: Email Digest,Profit & Loss,Потеря прибыли -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Литр +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Литр DocType: Task,Total Costing Amount (via Time Sheet),Общая калькуляция Сумма (с помощью Time Sheet) DocType: Item Website Specification,Item Website Specification,Пункт Сайт Спецификация apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Оставьте Заблокированные @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,Номер Счета Продажи DocType: Material Request Item,Min Order Qty,Минимальный заказ Кол-во DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Курс Студенческая группа Инструмент создания DocType: Lead,Do Not Contact,Не обращайтесь -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Люди, которые преподают в вашей организации" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Люди, которые преподают в вашей организации" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Уникальный идентификатор для отслеживания все повторяющиеся счетов-фактур. Он создается на представить. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Разработчик Программного обеспечения DocType: Item,Minimum Order Qty,Минимальное количество заказа @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,Опубликовать в Hub DocType: Student Admission,Student Admission,приёму студентов ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Пункт {0} отменяется -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Заказ материалов +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Заказ материалов DocType: Bank Reconciliation,Update Clearance Date,Обновление просвет Дата DocType: Item,Purchase Details,Покупка Подробности apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Пункт {0} не найден в "давальческое сырье" таблицы в Заказе {1} @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Управляющий флотом apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Строка # {0}: {1} не может быть отрицательным по пункту {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Неправильный Пароль DocType: Item,Variant Of,Вариант -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Завершен Кол-во не может быть больше, чем ""Кол-во для изготовления""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Завершен Кол-во не может быть больше, чем ""Кол-во для изготовления""" DocType: Period Closing Voucher,Closing Account Head,Закрытие счета руководитель DocType: Employee,External Work History,Внешний Работа История apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Циклическая ссылка Ошибка @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,Расстояние от apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} единиц [{1}] (#Form/Item/{1}) найдена на [{2}] (#Form/Складе/{2}) DocType: Lead,Industry,Промышленность DocType: Employee,Job Profile,Профиль работы +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Это основано на сделках с этой Компанией. См. Ниже подробное описание DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Сообщите по электронной почте по созданию автоматической запрос материалов DocType: Journal Entry,Multi Currency,Мульти валюта DocType: Payment Reconciliation Invoice,Invoice Type,Тип счета -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Документы Отгрузки +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Документы Отгрузки apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Настройка Налоги apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Себестоимость проданных активов apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Оплата запись была изменена после того, как вытащил его. Пожалуйста, вытащить его снова." @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Пожалуйста, введите 'Repeat на день месяца' значения поля" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Курс по которому валюта Покупателя конвертируется в базовую валюту покупателя DocType: Course Scheduling Tool,Course Scheduling Tool,Курс планирования Инструмент -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Строка # {0}: Покупка Счет-фактура не может быть сделано в отношении существующего актива {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Строка # {0}: Покупка Счет-фактура не может быть сделано в отношении существующего актива {1} DocType: Item Tax,Tax Rate,Размер налога apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} уже выделено сотруднику {1} на период с {2} по {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Выбрать пункт +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Выбрать пункт apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Счет на закупку {0} уже проведен apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Ряд # {0}: Пакетное Нет должно быть таким же, как {1} {2}" apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Преобразовать в негрупповой @@ -448,7 +447,7 @@ DocType: Employee,Widowed,Овдовевший DocType: Request for Quotation,Request for Quotation,Запрос предложения DocType: Salary Slip Timesheet,Working Hours,Часы работы DocType: Naming Series,Change the starting / current sequence number of an existing series.,Изменение начального / текущий порядковый номер существующей серии. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Создание нового клиента +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Создание нового клиента apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Если несколько правил ценообразования продолжают преобладать, пользователям предлагается установить приоритет вручную разрешить конфликт." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Создание заказов на поставку ,Purchase Register,Покупка Становиться на учет @@ -474,7 +473,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Имя Examiner DocType: Purchase Invoice Item,Quantity and Rate,Количество и курс DocType: Delivery Note,% Installed,% Установлено -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабинеты / лаборатории и т.д., где лекции могут быть запланированы." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабинеты / лаборатории и т.д., где лекции могут быть запланированы." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Пожалуйста, введите название компании сначала" DocType: Purchase Invoice,Supplier Name,Наименование поставщика apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Прочитайте руководство ERPNext @@ -491,7 +490,7 @@ DocType: Account,Old Parent,Старый родительский apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Обязательное поле - академический год apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Обязательное поле - академический год DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Настроить вводный текст, который идет в составе этой электронной почте. Каждая транзакция имеет отдельный вводный текст." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},"Пожалуйста, задайте кредитную карту по умолчанию для компании {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},"Пожалуйста, задайте кредитную карту по умолчанию для компании {0}" apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобальные настройки для всех производственных процессов. DocType: Accounts Settings,Accounts Frozen Upto,Счета заморожены До DocType: SMS Log,Sent On,Направлено на @@ -531,7 +530,7 @@ DocType: Journal Entry,Accounts Payable,Счета к оплате apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Отобранные ВОМ не для того же пункта DocType: Pricing Rule,Valid Upto,Действительно До DocType: Training Event,Workshop,мастерская -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Перечислите несколько ваших клиентов. Это могут быть как организации так и частные лица. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Перечислите несколько ваших клиентов. Это могут быть как организации так и частные лица. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Достаточно части для сборки apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Прямая прибыль apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Не можете фильтровать на основе счета, если сгруппированы по Счет" @@ -539,7 +538,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Выберите курс apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Выберите курс DocType: Timesheet Detail,Hrs,часов -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Пожалуйста, выберите компанию" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Пожалуйста, выберите компанию" DocType: Stock Entry Detail,Difference Account,Счет разницы DocType: Purchase Invoice,Supplier GSTIN,Поставщик GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Невозможно закрыть задача, как ее зависит задача {0} не закрыт." @@ -556,7 +555,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,"Пожалуйста, определите оценку для Threshold 0%" DocType: Sales Order,To Deliver,Для доставки DocType: Purchase Invoice Item,Item,Элемент -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Серийный ни один элемент не может быть дробным +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Серийный ни один элемент не может быть дробным DocType: Journal Entry,Difference (Dr - Cr),Отличия (д-р - Cr) DocType: Account,Profit and Loss,Прибыль и убытки apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Управление субподряда @@ -582,7 +581,7 @@ DocType: Serial No,Warranty Period (Days),Гарантийный срок (дн DocType: Installation Note Item,Installation Note Item,Установка Примечание Пункт DocType: Production Plan Item,Pending Qty,В ожидании Кол-во DocType: Budget,Ignore,Игнорировать -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} не активен +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} не активен apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS отправлено следующих номеров: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Размеры Проверьте настройки для печати DocType: Salary Slip,Salary Slip Timesheet,Зарплата скольжению Timesheet @@ -688,8 +687,8 @@ DocType: Installation Note,IN-,В- DocType: Production Order Operation,In minutes,Через несколько минут DocType: Issue,Resolution Date,Разрешение Дата DocType: Student Batch Name,Batch Name,Пакетная Имя -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet создано: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet создано: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,зачислять DocType: GST Settings,GST Settings,Настройки GST DocType: Selling Settings,Customer Naming By,Именование клиентов По @@ -709,7 +708,7 @@ DocType: Activity Cost,Projects User,Проекты Пользователь apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Потребляемая apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0} {1} не найден в таблице детализации счета DocType: Company,Round Off Cost Center,Округление Стоимость центр -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Техническое обслуживание Посетить {0} должно быть отменено до отмены этого заказ клиента +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Техническое обслуживание Посетить {0} должно быть отменено до отмены этого заказ клиента DocType: Item,Material Transfer,О передаче материала apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Начальное сальдо (дебет) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Средняя отметка должна быть после {0} @@ -718,7 +717,7 @@ DocType: Employee Loan,Total Interest Payable,Общий процент кред DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed Стоимость Налоги и сборы DocType: Production Order Operation,Actual Start Time,Фактическое начало Время DocType: BOM Operation,Operation Time,Время работы -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Завершить +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Завершить apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,База DocType: Timesheet,Total Billed Hours,Всего Оплачиваемые Часы DocType: Journal Entry,Write Off Amount,Списание Количество @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),Значение одометра (пос apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Маркетинг apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Оплата запись уже создан DocType: Purchase Receipt Item Supplied,Current Stock,Наличие на складе -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Строка # {0}: Asset {1} не связан с п {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Строка # {0}: Asset {1} не связан с п {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Просмотр Зарплата скольжению apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Счет {0} был введен несколько раз DocType: Account,Expenses Included In Valuation,"Затрат, включаемых в оценке" @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Авиац DocType: Journal Entry,Credit Card Entry,Вступление Кредитная карта apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Компания и счетам apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,"Товары, полученные от поставщиков." -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,В цене +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,В цене DocType: Lead,Campaign Name,Название кампании DocType: Selling Settings,Close Opportunity After Days,Закрыть Opportunity После дней ,Reserved,Зарезервировано @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Энергоэффективность DocType: Opportunity,Opportunity From,Возможность От apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Ежемесячная выписка зарплата. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,"Строка {0}: {1} Серийные номера, необходимые для элемента {2}. Вы предоставили {3}." DocType: BOM,Website Specifications,Сайт характеристики apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: От {0} типа {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования является обязательным DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Несколько Цена Правила существует с теми же критериями, пожалуйста разрешить конфликт путем присвоения приоритета. Цена Правила: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете отключить или отменить спецификации, как она связана с другими спецификациями" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете отключить или отменить спецификации, как она связана с другими спецификациями" DocType: Opportunity,Maintenance,Обслуживание DocType: Item Attribute Value,Item Attribute Value,Пункт Значение атрибута apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Кампании по продажам. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Сделать расписаний +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Сделать расписаний DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -857,7 +857,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Настройка учетной записи электронной почты apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Пожалуйста, введите пункт первый" DocType: Account,Liability,Ответственность сторон -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкционированный сумма не может быть больше, чем претензии Сумма в строке {0}." +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкционированный сумма не может быть больше, чем претензии Сумма в строке {0}." DocType: Company,Default Cost of Goods Sold Account,По умолчанию Себестоимость проданных товаров счет apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Прайс-лист не выбран DocType: Employee,Family Background,Семья Фон @@ -868,10 +868,10 @@ DocType: Company,Default Bank Account,По умолчанию Банковски apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Чтобы отфильтровать на основе партии, выберите партия первого типа" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Обновить запасы"" нельзя выбрать, так как позиции не поставляются через {0}" DocType: Vehicle,Acquisition Date,Дата Приобретения -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,кол-во +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,кол-во DocType: Item,Items with higher weightage will be shown higher,"Элементы с более высокой weightage будет показано выше," DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Подробности банковской сверки -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Строка # {0}: Актив {1} должен быть проведен +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Строка # {0}: Актив {1} должен быть проведен apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Сотрудник не найден DocType: Supplier Quotation,Stopped,Приостановлено DocType: Item,If subcontracted to a vendor,Если по субподряду поставщика @@ -888,7 +888,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Минимальная С apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: МВЗ {2} не принадлежит Компании {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Счет {2} не может быть группой apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Пункт Строка {IDX}: {доктайп} {DOCNAME} не существует в выше '{доктайп}' таблица -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} уже завершен или отменен +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} уже завершен или отменен apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Нет задачи DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","День месяца, в который автоматически счет-фактура будет создан, например, 05, 28 и т.д." DocType: Asset,Opening Accumulated Depreciation,Начальная Накопленная амортизация @@ -947,7 +947,7 @@ DocType: SMS Log,Requested Numbers,Требуемые Номера DocType: Production Planning Tool,Only Obtain Raw Materials,Получить только сырье apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Служебная аттестация. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Включение "Использовать для Корзине», как Корзина включена и должно быть по крайней мере один налог Правило Корзина" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Оплата запись {0} связан с Орденом {1}, проверить, если он должен быть подтянут, как шаг вперед в этом счете-фактуре." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Оплата запись {0} связан с Орденом {1}, проверить, если он должен быть подтянут, как шаг вперед в этом счете-фактуре." DocType: Sales Invoice Item,Stock Details,Подробности Запасов apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Значимость проекта apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Торговая точка @@ -970,15 +970,15 @@ DocType: Naming Series,Update Series,Обновление серий DocType: Supplier Quotation,Is Subcontracted,Является субподряду DocType: Item Attribute,Item Attribute Values,Пункт значений атрибутов DocType: Examination Result,Examination Result,Экспертиза Результат -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Покупка Получение +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Покупка Получение ,Received Items To Be Billed,"Полученные товары, на которые нужно выписать счет" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Отправил Зарплатные Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Отправил Зарплатные Slips apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Мастер Валютный курс. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Справочник Doctype должен быть одним из {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Не удается найти временной интервал в ближайшие {0} дней для работы {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Не удается найти временной интервал в ближайшие {0} дней для работы {1} DocType: Production Order,Plan material for sub-assemblies,План материал для Субсборки apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Партнеры по сбыту и территории -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} должен быть активным +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} должен быть активным DocType: Journal Entry,Depreciation Entry,Износ Вход apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Пожалуйста, выберите тип документа сначала" apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменить Материал просмотров {0} до отмены этого обслуживания визит @@ -988,7 +988,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Общая сумма apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Интернет издания DocType: Production Planning Tool,Production Orders,Производственные заказы -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Валюта баланса +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Валюта баланса apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Прайс-лист продаж apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Опубликовать синхронизировать элементы DocType: Bank Reconciliation,Account Currency,Валюта счета @@ -1013,12 +1013,12 @@ DocType: Employee,Exit Interview Details,Выход Интервью Подро DocType: Item,Is Purchase Item,Является Покупка товара DocType: Asset,Purchase Invoice,Покупка Счет DocType: Stock Ledger Entry,Voucher Detail No,Подробности ваучера № -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Новый счет-фактуру +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Новый счет-фактуру DocType: Stock Entry,Total Outgoing Value,Всего исходящее значение apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Дата открытия и Дата закрытия должны быть внутри одного финансового года DocType: Lead,Request for Information,Запрос на предоставление информации ,LeaderBoard,LEADERBOARD -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Синхронизация Offline счетов-фактур +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Синхронизация Offline счетов-фактур DocType: Payment Request,Paid,Оплачено DocType: Program Fee,Program Fee,Стоимость программы DocType: Salary Slip,Total in words,Всего в словах @@ -1026,7 +1026,7 @@ DocType: Material Request Item,Lead Time Date,Время выполнения Д DocType: Guardian,Guardian Name,Имя опекуна DocType: Cheque Print Template,Has Print Format,Имеет формат печати DocType: Employee Loan,Sanctioned,санкционированные -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,"является обязательным. Может быть, Обмен валюты запись не создана для" +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,"является обязательным. Может быть, Обмен валюты запись не создана для" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Пожалуйста, сформулируйте Серийный номер для Пункт {1}" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для элементов 'Товарный набор', складской номер, серийный номер и номер партии будет подтягиваться из таблицы ""Упаковочный лист"". Если складской номер и номер партии одинаковы для всех пакуемых единиц для каждого наименования ""Товарного набора"", эти номера можно ввести в таблице основного наименования, значения будут скопированы в таблицу ""Упаковочного листа""." DocType: Job Opening,Publish on website,Публикация на сайте @@ -1039,7 +1039,7 @@ DocType: Cheque Print Template,Date Settings,Настройки даты apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Дисперсия ,Company Name,Название компании DocType: SMS Center,Total Message(s),Всего сообщений (ы) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Выбрать пункт трансфера +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Выбрать пункт трансфера DocType: Purchase Invoice,Additional Discount Percentage,Дополнительная скидка в процентах apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Просмотреть список всех справочных видео DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Выберите учетную запись глава банка, в котором проверка была размещена." @@ -1054,7 +1054,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Стоимость сырья ( apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Все детали уже были переданы для этого производственного заказа. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Строка # {0}: ставка не может быть больше ставки, используемой в {1} {2}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Строка # {0}: ставка не может быть больше ставки, используемой в {1} {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,метр +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,метр DocType: Workstation,Electricity Cost,Стоимость электроэнергии DocType: HR Settings,Don't send Employee Birthday Reminders,Не отправляйте Employee рождения Напоминания DocType: Item,Inspection Criteria,Осмотр Критерии @@ -1069,7 +1069,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Получить авансы выданные DocType: Item,Automatically Create New Batch,Автоматически создавать новую группу DocType: Item,Automatically Create New Batch,Автоматически создавать новую группу -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Сделать +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Сделать DocType: Student Admission,Admission Start Date,Прием Начальная дата DocType: Journal Entry,Total Amount in Words,Общая сумма в словах apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Был ошибка. Один вероятной причиной может быть то, что вы не сохранили форму. Пожалуйста, свяжитесь с support@erpnext.com если проблема не устранена." @@ -1077,7 +1077,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моя корзина apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Тип заказа должен быть одним из {0} DocType: Lead,Next Contact Date,Следующая контакты apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Начальное количество -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Пожалуйста, введите счет для изменения высоты" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Пожалуйста, введите счет для изменения высоты" DocType: Student Batch Name,Student Batch Name,Student Пакетное Имя DocType: Holiday List,Holiday List Name,Имя Список праздников DocType: Repayment Schedule,Balance Loan Amount,Баланс Сумма кредита @@ -1085,7 +1085,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Опционы DocType: Journal Entry Account,Expense Claim,Авансовый Отчет apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Вы действительно хотите восстановить этот актив на слом? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Кол-во для {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Кол-во для {0} DocType: Leave Application,Leave Application,Оставить заявку apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Оставьте Allocation Tool DocType: Leave Block List,Leave Block List Dates,Оставьте черных списков Даты @@ -1136,7 +1136,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Против DocType: Item,Default Selling Cost Center,По умолчанию Продажа Стоимость центр DocType: Sales Partner,Implementation Partner,Реализация Партнер -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Почтовый индекс +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Почтовый индекс apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Заказ клиента {0} {1} DocType: Opportunity,Contact Info,Контактная информация apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Создание изображения в дневнике @@ -1154,13 +1154,13 @@ apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Дл apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Средний возраст DocType: School Settings,Attendance Freeze Date,Дата остановки посещения DocType: Opportunity,Your sales person who will contact the customer in future,"Ваш продавец, который свяжется с клиентом в будущем" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Список несколько ваших поставщиков. Они могут быть организациями или частными лицами. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Список несколько ваших поставщиков. Они могут быть организациями или частными лицами. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Показать все товары apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минимальный возраст отведения (в днях) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Все ВОМ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Все ВОМ DocType: Company,Default Currency,Базовая валюта DocType: Expense Claim,From Employee,От работника -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю DocType: Journal Entry,Make Difference Entry,Сделать Разница запись DocType: Upload Attendance,Attendance From Date,Посещаемость С Дата DocType: Appraisal Template Goal,Key Performance Area,Ключ Площадь Производительность @@ -1177,7 +1177,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Регистрационные номера компании для вашей справки. Налоговые числа и т.д. DocType: Sales Partner,Distributor,Дистрибьютор DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корзина Правило Доставка -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Производственный заказ {0} должно быть отменено до отмены этого заказ клиента +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Производственный заказ {0} должно быть отменено до отмены этого заказ клиента apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',"Пожалуйста, установите "Применить Дополнительная Скидка On '" ,Ordered Items To Be Billed,"Заказал пунктов, которые будут Объявленный" apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"С Диапазон должен быть меньше, чем диапазон" @@ -1186,10 +1186,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Отчисления DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Год начала -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Первые 2 цифры GSTIN должны совпадать с номером государства {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Первые 2 цифры GSTIN должны совпадать с номером государства {0} DocType: Purchase Invoice,Start date of current invoice's period,Дату периода текущего счета-фактуры начнем DocType: Salary Slip,Leave Without Pay,Отпуск без сохранения содержания -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Ошибка Планирования Мощностей +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Ошибка Планирования Мощностей ,Trial Balance for Party,Пробный баланс для партии DocType: Lead,Consultant,Консультант DocType: Salary Slip,Earnings,Прибыль @@ -1205,7 +1205,7 @@ DocType: Cheque Print Template,Payer Settings,Настройки Платель DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Это будет добавлена в Кодекс пункта варианте. Например, если ваш аббревиатура ""SM"", и код деталь ""Футболка"", код товара из вариантов будет ""T-Shirt-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Чистая Платное (прописью) будут видны, как только вы сохраните Зарплата Слип." DocType: Purchase Invoice,Is Return,Является Вернуться -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Возврат / дебетовые Примечание +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Возврат / дебетовые Примечание DocType: Price List Country,Price List Country,Цены Страна DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} действительные серийные номера для позиции {1} @@ -1218,7 +1218,7 @@ DocType: Employee Loan,Partially Disbursed,Частично Освоено apps/erpnext/erpnext/config/buying.py +38,Supplier database.,База данных поставщиков. DocType: Account,Balance Sheet,Балансовый отчет apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Центр Стоимость для элемента данных с Код товара ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплаты не настроен. Пожалуйста, проверьте, имеет ли учетная запись была установлена на режим платежей или на POS Profile." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплаты не настроен. Пожалуйста, проверьте, имеет ли учетная запись была установлена на режим платежей или на POS Profile." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Ваш продавец получит напоминание в этот день, чтобы связаться с клиентом" apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Тот же элемент не может быть введен несколько раз. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Дальнейшие счета могут быть сделаны в соответствии с группами, но Вы можете быть против не-групп" @@ -1247,7 +1247,7 @@ DocType: Employee Loan Application,Repayment Info,Погашение инфор apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Записи"" не могут быть пустыми" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Дубликат строка {0} с же {1} ,Trial Balance,Пробный баланс -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Финансовый год {0} не найден +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Финансовый год {0} не найден apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Настройка сотрудников DocType: Sales Order,SO-,ТАК- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Пожалуйста, выберите префикс первым" @@ -1262,11 +1262,11 @@ DocType: Grading Scale,Intervals,Интервалы apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Старейшие apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем, пожалуйста, измените имя элемента или переименовать группу товаров" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Остальной мир +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Остальной мир apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Пункт {0} не может иметь Batch ,Budget Variance Report,Бюджет Разница Сообщить DocType: Salary Slip,Gross Pay,Зарплата до вычетов -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Строка {0}: Вид деятельности является обязательным. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Строка {0}: Вид деятельности является обязательным. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Оплачено дивидендов apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Главная книга DocType: Stock Reconciliation,Difference Amount,Разница Сумма @@ -1289,18 +1289,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Сотрудник Оставить Баланс apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Весы для счета {0} должен быть всегда {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Оценка Оцените необходимый для пункта в строке {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Пример: Мастера в области компьютерных наук +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Пример: Мастера в области компьютерных наук DocType: Purchase Invoice,Rejected Warehouse,Отклонен Склад DocType: GL Entry,Against Voucher,Против ваучером DocType: Item,Default Buying Cost Center,По умолчанию Покупка МВЗ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Чтобы получить лучшее из ERPNext, мы рекомендуем вам потребуется некоторое время и смотреть эти справки видео." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,для +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,для DocType: Supplier Quotation Item,Lead Time in days,Время в днях apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Сводка кредиторской задолженности -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Выплата заработной платы от {0} до {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Выплата заработной платы от {0} до {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Не разрешается редактировать замороженный счет {0} DocType: Journal Entry,Get Outstanding Invoices,Получить неоплаченных счетов-фактур -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Заказы помогут вам планировать и следить за ваши покупки apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","К сожалению, компании не могут быть объединены" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1322,8 +1322,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Косвенные расходы apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Ряд {0}: Кол-во является обязательным apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Сельское хозяйство -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Синхронизация Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Ваши продукты или услуги +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Синхронизация Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Ваши продукты или услуги DocType: Mode of Payment,Mode of Payment,Способ оплаты apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Сайт изображение должно быть общественное файл или адрес веб-сайта DocType: Student Applicant,AP,AP @@ -1343,18 +1343,18 @@ DocType: Student Group Student,Group Roll Number,Номер рулона гру DocType: Student Group Student,Group Roll Number,Номер рулона группы apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Для {0}, только кредитные счета могут быть связаны с дебетовой записью" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Сумма всех весов задача должна быть 1. Пожалуйста, измените веса всех задач проекта, соответственно," -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Уведомление о доставке {0} не проведено +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Уведомление о доставке {0} не проведено apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Пункт {0} должен быть Субдоговорная Пункт apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Капитальные оборудование apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Цены Правило сначала выбирается на основе ""Применить На"" поле, которое может быть Пункт, Пункт Группа или Марка." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Сначала укажите код товара +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Сначала укажите код товара DocType: Hub Settings,Seller Website,Этого продавца DocType: Item,ITEM-,ПУНКТ- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Всего выделено процент для отдела продаж должен быть 100 DocType: Appraisal Goal,Goal,Цель DocType: Sales Invoice Item,Edit Description,Редактировать описание ,Team Updates,Команда обновления -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Для поставщиков +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Для поставщиков DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Установка Тип аккаунта помогает в выборе этого счет в сделках. DocType: Purchase Invoice,Grand Total (Company Currency),Общий итог (Компания Валюта) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Создание Формат печати @@ -1368,12 +1368,12 @@ DocType: Item,Website Item Groups,Сайт Группы товаров DocType: Purchase Invoice,Total (Company Currency),Всего (Компания валют) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза DocType: Depreciation Schedule,Journal Entry,Запись в дневнике -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} элементов в обработке +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} элементов в обработке DocType: Workstation,Workstation Name,Имя рабочей станции DocType: Grading Scale Interval,Grade Code,Код Оценка DocType: POS Item Group,POS Item Group,POS Item Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Электронная почта Дайджест: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} не принадлежит к пункту {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} не принадлежит к пункту {1} DocType: Sales Partner,Target Distribution,Целевая Распределение DocType: Salary Slip,Bank Account No.,Счет № DocType: Naming Series,This is the number of the last created transaction with this prefix,Это число последнего созданного сделки с этим префиксом @@ -1431,7 +1431,7 @@ DocType: Quotation,Shopping Cart,Корзина apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Среднее Daily Исходящие DocType: POS Profile,Campaign,Кампания DocType: Supplier,Name and Type,Наименование и тип -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Состояние утверждения должны быть ""Одобрено"" или ""Отклонено""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Состояние утверждения должны быть ""Одобрено"" или ""Отклонено""" DocType: Purchase Invoice,Contact Person,Контактное Лицо apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Ожидаемая Дата начала"" не может быть больше, чем ""Ожидаемая Дата окончания""" DocType: Course Scheduling Tool,Course End Date,Курс Дата окончания @@ -1443,8 +1443,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Предпочитаемый E-mail apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Чистое изменение в основных фондов DocType: Leave Control Panel,Leave blank if considered for all designations,"Оставьте пустым, если рассматривать для всех обозначений" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,С DateTime DocType: Email Digest,For Company,Для Компании apps/erpnext/erpnext/config/support.py +17,Communication log.,Журнал соединений. @@ -1486,7 +1486,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Профиль DocType: Journal Entry Account,Account Balance,Остаток на счете apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Налоговый Правило для сделок. DocType: Rename Tool,Type of document to rename.,"Вид документа, переименовать." -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Мы покупаем эту позицию +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Мы покупаем эту позицию apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Наименование клиента обязательно для Дебиторской задолженности {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Всего Налоги и сборы (Компания Валюты) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Показать P & L сальдо Unclosed финансовый год @@ -1497,7 +1497,7 @@ DocType: Quality Inspection,Readings,Показания DocType: Stock Entry,Total Additional Costs,Всего Дополнительные расходы DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Скрапа Стоимость (Компания Валюта) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub сборки +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub сборки DocType: Asset,Asset Name,Наименование активов DocType: Project,Task Weight,Задача Вес DocType: Shipping Rule Condition,To Value,Произвести оценку @@ -1526,7 +1526,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Предмет Вари DocType: Company,Services,Услуги DocType: HR Settings,Email Salary Slip to Employee,E-mail Зарплата скольжению работнику DocType: Cost Center,Parent Cost Center,Родитель МВЗ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Выбор возможного поставщика +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Выбор возможного поставщика DocType: Sales Invoice,Source,Источник apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Показать закрыто DocType: Leave Type,Is Leave Without Pay,Является отпуск без @@ -1538,7 +1538,7 @@ DocType: POS Profile,Apply Discount,Применить скидку DocType: GST HSN Code,GST HSN Code,Код GST HSN DocType: Employee External Work History,Total Experience,Суммарный опыт apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Открыть Проекты -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Упаковочный лист (ы) отменяется +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Упаковочный лист (ы) отменяется apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Поток денежных средств от инвестиционной DocType: Program Course,Program Course,Программа курса apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Грузовые и экспедиторские Сборы @@ -1579,9 +1579,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Программа Учащихся DocType: Sales Invoice Item,Brand Name,Имя Бренда DocType: Purchase Receipt,Transporter Details,Transporter Детали -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,По умолчанию склад требуется для выбранного элемента -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Рамка -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Возможный поставщик +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,По умолчанию склад требуется для выбранного элемента +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Рамка +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Возможный поставщик DocType: Budget,Monthly Distribution,Ежемесячно дистрибуция apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Список приемщика пуст. Пожалуйста, создайте Список приемщика" DocType: Production Plan Sales Order,Production Plan Sales Order,Производственный план по продажам Заказать @@ -1613,7 +1613,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Претен apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Студенты в центре системы, добавьте все студенты" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Строка # {0}: дате зазора {1} не может быть до того Cheque Дата {2} DocType: Company,Default Holiday List,По умолчанию Список праздников -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Строка {0}: От времени и времени {1} перекрывается с {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},Строка {0}: От времени и времени {1} перекрывается с {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Обязательства по запасам DocType: Purchase Invoice,Supplier Warehouse,Склад поставщика DocType: Opportunity,Contact Mobile No,Связаться Мобильный Нет @@ -1629,18 +1629,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},"Оставить типа {0} не может быть больше, чем {1}" DocType: Manufacturing Settings,Try planning operations for X days in advance.,Попробуйте планировании операций для X дней. DocType: HR Settings,Stop Birthday Reminders,Стоп День рождения Напоминания -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Пожалуйста, установите по умолчанию Payroll расчётный счёт в компании {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},"Пожалуйста, установите по умолчанию Payroll расчётный счёт в компании {0}" DocType: SMS Center,Receiver List,Список приемщика -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Поиск товара +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Поиск товара apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Израсходованное количество apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Чистое изменение денежных средств DocType: Assessment Plan,Grading Scale,Оценочная шкала apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Уже закончено +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Уже закончено apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Запасы в руке apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Оплата Запрос уже существует {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Стоимость эмиссионных пунктов -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Количество должно быть не более {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Количество должно быть не более {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Предыдущий финансовый год не закрыт apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Возраст (дней) DocType: Quotation Item,Quotation Item,Цитата Пункт @@ -1654,6 +1654,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Справочный документ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} отменён или остановлен DocType: Accounts Settings,Credit Controller,Кредитная контроллер +DocType: Sales Order,Final Delivery Date,Окончательная дата поставки DocType: Delivery Note,Vehicle Dispatch Date,Автомобиль Отправка Дата DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Приход закупки {0} не проведен @@ -1746,9 +1747,9 @@ DocType: Employee,Date Of Retirement,Дата выбытия DocType: Upload Attendance,Get Template,Получить шаблон DocType: Material Request,Transferred,Переданы DocType: Vehicle,Doors,двери -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Настройка ERPNext завершена! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Настройка ERPNext завершена! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Распределение налогов +DocType: Purchase Invoice,Tax Breakup,Распределение налогов DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: МВЗ обязателен для счета {2} «Отчет о прибылях и убытках». Укажите МВЗ по умолчанию для Компании. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов с таким именем уже существует. Пожалуйста, измените имя клиента или имя группы клиентов" @@ -1761,14 +1762,14 @@ DocType: Announcement,Instructor,инструктор DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Если этот пункт имеет варианты, то она не может быть выбран в заказах и т.д." DocType: Lead,Next Contact By,Следующая Контактные По -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Склад {0} не может быть удален как существует количество для Пункт {1} DocType: Quotation,Order Type,Тип заказа DocType: Purchase Invoice,Notification Email Address,E-mail адрес для уведомлений ,Item-wise Sales Register,Пункт мудрый Продажи Зарегистрироваться DocType: Asset,Gross Purchase Amount,Валовая сумма покупки DocType: Asset,Depreciation Method,метод начисления износа -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Не в сети +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Не в сети DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Этот налог Входит ли в базовой ставки? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Всего Target DocType: Job Applicant,Applicant for a Job,Заявитель на вакансию @@ -1790,7 +1791,7 @@ DocType: Employee,Leave Encashed?,Оставьте инкассированы? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Возможность поле От обязательна DocType: Email Digest,Annual Expenses,годовые расходы DocType: Item,Variants,Варианты -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Сделать Заказ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Сделать Заказ DocType: SMS Center,Send To,Отправить apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0} DocType: Payment Reconciliation Payment,Allocated amount,Выделенная сумма @@ -1798,7 +1799,7 @@ DocType: Sales Team,Contribution to Net Total,Вклад в Net Всего DocType: Sales Invoice Item,Customer's Item Code,Клиентам Код товара DocType: Stock Reconciliation,Stock Reconciliation,Сверка Запасов DocType: Territory,Territory Name,Территория Имя -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Работа-в-Прогресс Склад требуется перед Отправить +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Работа-в-Прогресс Склад требуется перед Отправить apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Заявитель на работу. DocType: Purchase Order Item,Warehouse and Reference,Склад и справочники DocType: Supplier,Statutory info and other general information about your Supplier,Уставный информации и другие общие сведения о вашем Поставщик @@ -1811,16 +1812,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,Аттестации apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Дубликат Серийный номер вводится для Пункт {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Условие для правила перевозки apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Пожалуйста входите -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не может overbill для пункта {0} в строке {1} больше, чем {2}. Чтобы разрешить завышенные счета, пожалуйста, установите в покупке Настройки" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Пожалуйста, установите фильтр, основанный на пункте или на складе" +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не может overbill для пункта {0} в строке {1} больше, чем {2}. Чтобы разрешить завышенные счета, пожалуйста, установите в покупке Настройки" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,"Пожалуйста, установите фильтр, основанный на пункте или на складе" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Чистый вес этого пакета. (Автоматический расчет суммы чистой вес деталей) DocType: Sales Order,To Deliver and Bill,Для доставки и оплаты DocType: Student Group,Instructors,Инструкторы DocType: GL Entry,Credit Amount in Account Currency,Сумма кредита в валюте счета -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} должен быть проведен +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} должен быть проведен DocType: Authorization Control,Authorization Control,Авторизация управления apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Отклонено Склад является обязательным в отношении отклонил Пункт {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Оплата +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Оплата apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Склад {0} не связан ни с одной учетной записью, укажите учетную запись в записи склада или установите учетную запись по умолчанию в компании {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Управляйте свои заказы DocType: Production Order Operation,Actual Time and Cost,Фактическое время и стоимость @@ -1836,12 +1837,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle DocType: Quotation Item,Actual Qty,Фактический Кол-во DocType: Sales Invoice Item,References,Рекомендации DocType: Quality Inspection Reading,Reading 10,Чтение 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Перечислите ваши продукты или услуги, которые вы покупаете или продаете. Убедитесь в том, чтобы проверить позицию Group, единицу измерения и других свойств при запуске." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Перечислите ваши продукты или услуги, которые вы покупаете или продаете. Убедитесь в том, чтобы проверить позицию Group, единицу измерения и других свойств при запуске." DocType: Hub Settings,Hub Node,Узел Hub apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Вы ввели повторяющихся элементов. Пожалуйста, исправить и попробовать еще раз." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Помощник +DocType: Company,Sales Target,Объект скидок DocType: Asset Movement,Asset Movement,Движение активов -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Новая корзина +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Новая корзина apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Пункт {0} не сериализованным Пункт DocType: SMS Center,Create Receiver List,Создание приемника Список DocType: Vehicle,Wheels,Колеса @@ -1883,13 +1885,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Управление DocType: Supplier,Supplier of Goods or Services.,Поставщик товаров или услуг. DocType: Budget,Fiscal Year,Отчетный год DocType: Vehicle Log,Fuel Price,Топливо Цена +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для посещения через Setup> Numbering Series" DocType: Budget,Budget,Бюджет apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Элемент основных средств не может быть элементом запасов. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет не может быть назначен на {0}, так как это не доход или расход счета" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Достигнутый DocType: Student Admission,Application Form Route,Заявка на маршрут apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Область / клиентов -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,"например, 5" +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,"например, 5" apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Оставьте Тип {0} не может быть выделена, так как он неоплачиваемый отпуск" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},"Ряд {0}: суммы, выделенной {1} должен быть меньше или равен счета-фактуры сумма задолженности {2}" DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,По словам будет виден только вы сохраните Расходная накладная. @@ -1898,11 +1901,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Пункт {0} не установка для мастера серийные номера Проверить товара DocType: Maintenance Visit,Maintenance Time,Техническое обслуживание Время ,Amount to Deliver,Сумма Доставка -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Продукт или сервис +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Продукт или сервис apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Срок Дата начала не может быть раньше, чем год Дата начала учебного года, к которому этот термин связан (учебный год {}). Пожалуйста, исправьте дату и попробуйте еще раз." DocType: Guardian,Guardian Interests,хранители Интересы DocType: Naming Series,Current Value,Текущее значение -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Несколько финансовых лет существуют на дату {0}. Пожалуйста, установите компанию в финансовый год" +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Несколько финансовых лет существуют на дату {0}. Пожалуйста, установите компанию в финансовый год" apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} создан DocType: Delivery Note Item,Against Sales Order,Против заказ клиента ,Serial No Status,Серийный номер статус @@ -1916,7 +1919,7 @@ DocType: Pricing Rule,Selling,Продажа apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Сумма {0} {1} вычтены {2} DocType: Employee,Salary Information,Информация о зарплате DocType: Sales Person,Name and Employee ID,Имя и ID сотрудника -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,"Впритык не может быть, прежде чем отправлять Дата" +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,"Впритык не может быть, прежде чем отправлять Дата" DocType: Website Item Group,Website Item Group,Сайт Пункт Группа apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Пошлины и налоги apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Пожалуйста, введите дату Ссылка" @@ -1973,9 +1976,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Укажите дату присоединения для сотрудника {0} DocType: Task,Total Billing Amount (via Time Sheet),Общая сумма Billing (через табель) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Повторите Выручка клиентов -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) должен иметь роль ""Согласующего Расходы""" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Носите -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Выберите BOM и Кол-во для производства +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) должен иметь роль ""Согласующего Расходы""" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Носите +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Выберите BOM и Кол-во для производства DocType: Asset,Depreciation Schedule,Амортизация Расписание apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Адреса и партнеры торговых партнеров DocType: Bank Reconciliation Detail,Against Account,Против Счет @@ -1985,7 +1988,7 @@ DocType: Item,Has Batch No,"Имеет, серия №" apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Годовой Billing: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Налог на товары и услуги (GST India) DocType: Delivery Note,Excise Page Number,Количество Акцизный Страница -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Компания, Дата начала и до настоящего времени является обязательным" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Компания, Дата начала и до настоящего времени является обязательным" DocType: Asset,Purchase Date,Дата покупки DocType: Employee,Personal Details,Личные Данные apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},"Пожалуйста, установите "активов Амортизация затрат по МВЗ" в компании {0}" @@ -1994,9 +1997,9 @@ DocType: Task,Actual End Date (via Time Sheet),Фактическая дата apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Сумма {0} {1} против {2} {3} ,Quotation Trends,Котировочные тенденции apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Пункт Группа не упоминается в мастера пункт по пункту {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Дебету счета должны быть задолженность счет +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Дебету счета должны быть задолженность счет DocType: Shipping Rule Condition,Shipping Amount,Доставка Количество -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Добавить клиентов +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Добавить клиентов apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,В ожидании Сумма DocType: Purchase Invoice Item,Conversion Factor,Коэффициент преобразования DocType: Purchase Order,Delivered,Доставлено @@ -2019,7 +2022,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Включите при DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Родительский курс (оставьте поле пустым, если это не является частью родительского курса)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Родительский курс (оставьте поле пустым, если это не является частью родительского курса)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Оставьте пустым, если считать для всех типов сотрудников" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория DocType: Landed Cost Voucher,Distribute Charges Based On,Распределите плату на основе apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,Настройки HR @@ -2027,7 +2029,7 @@ DocType: Salary Slip,net pay info,Чистая информация платит apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Авансовый Отчет ожидает одобрения. Только Утверждающий Сотрудник может обновлять статус. DocType: Email Digest,New Expenses,Новые расходы DocType: Purchase Invoice,Additional Discount Amount,Дополнительная скидка Сумма -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Строка # {0}: Кол-во должно быть 1, а элемент является фиксированным активом. Пожалуйста, используйте отдельную строку для нескольких Упак." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Строка # {0}: Кол-во должно быть 1, а элемент является фиксированным активом. Пожалуйста, используйте отдельную строку для нескольких Упак." DocType: Leave Block List Allow,Leave Block List Allow,Оставьте Черный список Разрешить apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Аббревиатура не может быть пустой или пробелом apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Группа не-группы @@ -2035,7 +2037,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Спорт DocType: Loan Type,Loan Name,Кредит Имя apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Общий фактический DocType: Student Siblings,Student Siblings,"Студенческие Братья, сестры" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Единица +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Единица apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Пожалуйста, сформулируйте Компания" ,Customer Acquisition and Loyalty,Приобретение и лояльности клиентов DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Склад, где вы работаете запас отклоненных элементов" @@ -2054,12 +2056,12 @@ DocType: Workstation,Wages per hour,Заработная плата в час apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Фото баланс в пакетном {0} станет отрицательным {1} для п {2} на складе {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Следующие Запросы материалов были автоматически созданы на основании уровня предзаказа элемента DocType: Email Digest,Pending Sales Orders,В ожидании заказов на продажу -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Счет {0} является недопустимым. Валюта счета должна быть {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Счет {0} является недопустимым. Валюта счета должна быть {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа клиента, счет-фактура или продаже журнал Вход" DocType: Salary Component,Deduction,Вычет -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Строка {0}: От времени и времени является обязательным. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Строка {0}: От времени и времени является обязательным. DocType: Stock Reconciliation Item,Amount Difference,Сумма разница apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Цена товара добавляется для {0} в Прейскуранте {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Пожалуйста, введите Employee Id этого менеджера по продажам" @@ -2069,11 +2071,11 @@ DocType: Project,Gross Margin,Валовая прибыль apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,"Пожалуйста, введите выпуска изделия сначала" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Расчетный банк себе баланс apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,отключенный пользователь -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Расценки +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Расценки DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Всего Вычет ,Production Analytics,Производство Аналитика -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Стоимость Обновлено +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Стоимость Обновлено DocType: Employee,Date of Birth,Дата рождения apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Пункт {0} уже вернулся DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Фискальный год** представляет собой финансовый год. Все бухгалтерские записи и другие крупные сделки отслеживаются по **Фискальному году**. @@ -2119,18 +2121,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Выберите компанию ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Оставьте пустым, если рассматривать для всех отделов" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Виды занятости (постоянная, контракт, стажер и т.д.)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} является обязательным для п. {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} является обязательным для п. {1} DocType: Process Payroll,Fortnightly,раз в две недели DocType: Currency Exchange,From Currency,Из валюты apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Пожалуйста, выберите выделенной суммы, счет-фактура Тип и номер счета-фактуры в по крайней мере одном ряду" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Стоимость новой покупки -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Заказ клиента требуется для позиции {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Заказ клиента требуется для позиции {0} DocType: Purchase Invoice Item,Rate (Company Currency),Тариф (Компания Валюта) DocType: Student Guardian,Others,Другое DocType: Payment Entry,Unallocated Amount,Нераспределенные Сумма apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,"Не можете найти соответствующий пункт. Пожалуйста, выберите другое значение для {0}." DocType: POS Profile,Taxes and Charges,Налоги и сборы DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Продукт или услуга, которая покупается, продается, или хранится на складе." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Нет больше обновлений apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Невозможно выбрать тип заряда, как «О предыдущего ряда Сумма» или «О предыдущего ряда Всего 'для первой строки" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Ребенок Пункт не должен быть Bundle продукта. Пожалуйста, удалите пункт `{0}` и сохранить" @@ -2158,7 +2161,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Всего счетов Сумма apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Там должно быть по умолчанию входящей электронной почты учетной записи включен для этой работы. Пожалуйста, установите входящей электронной почты учетной записи по умолчанию (POP / IMAP) и повторите попытку." apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Счет Дебиторской задолженности -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Строка # {0}: Asset {1} уже {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Строка # {0}: Asset {1} уже {2} DocType: Quotation Item,Stock Balance,Баланс запасов apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Заказ клиента в оплату apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Исполнительный директор @@ -2183,10 +2186,11 @@ DocType: C-Form,Received Date,Дата Получения DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Если вы создали стандартный шаблон в продажах налоги и сборы шаблон, выберите одну и нажмите на кнопку ниже." DocType: BOM Scrap Item,Basic Amount (Company Currency),Базовая сумма (Компания Валюта) DocType: Student,Guardians,Опекуны +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Поставщик> Тип поставщика DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Цены не будут показаны, если прайс-лист не установлен" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Пожалуйста, укажите страну этом правиле судоходства или проверить Доставка по всему миру" DocType: Stock Entry,Total Incoming Value,Всего входное значение -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Дебет требуется +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Дебет требуется apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets поможет отслеживать время, стоимость и выставление счетов для Активности сделанной вашей команды" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Покупка Прайс-лист DocType: Offer Letter Term,Offer Term,Условие предложения @@ -2205,11 +2209,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,По DocType: Timesheet Detail,To Time,Чтобы время DocType: Authorization Rule,Approving Role (above authorized value),Утверждении роль (выше уставного стоимости) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Кредит на счету должно быть оплачивается счет -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не может быть родитель или ребенок {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не может быть родитель или ребенок {2} DocType: Production Order Operation,Completed Qty,Завершено Кол-во apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Для {0}, только дебетовые счета могут быть связаны с кредитной записью" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Прайс-лист {0} отключена -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},"Строка {0}: Завершена Кол-во не может быть больше, чем {1} для операции {2}" +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},"Строка {0}: Завершена Кол-во не может быть больше, чем {1} для операции {2}" DocType: Manufacturing Settings,Allow Overtime,Разрешить Овертайм apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Сериализованный элемент {0} не может быть обновлен с помощью «Согласования запасами», пожалуйста, используйте Stock Entry" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Сериализованный элемент {0} не может быть обновлен с помощью «Согласования запасами», пожалуйста, используйте Stock Entry" @@ -2228,10 +2232,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Внешний GPS с RS232 apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Пользователи и разрешения DocType: Vehicle Log,VLOG.,Видеоблога. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Производственные заказы Создано: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Производственные заказы Создано: {0} DocType: Branch,Branch,Ветвь DocType: Guardian,Mobile Number,Мобильный номер apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Печать и брендинг +DocType: Company,Total Monthly Sales,Всего ежемесячных продаж DocType: Bin,Actual Quantity,Фактическое Количество DocType: Shipping Rule,example: Next Day Shipping,пример: Следующий день доставка apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Серийный номер {0} не найден @@ -2262,7 +2267,7 @@ DocType: Payment Request,Make Sales Invoice,Сделать Расходная н apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Следующая Контактные Дата не может быть в прошлом DocType: Company,For Reference Only.,Только для справки. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Выберите номер партии +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Выберите номер партии apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Неверный {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Предварительная сумма @@ -2275,7 +2280,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Нет товара со штрих-кодом {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Дело № не может быть 0 DocType: Item,Show a slideshow at the top of the page,Показ слайдов в верхней части страницы -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Магазины DocType: Serial No,Delivery Time,Время доставки apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,"Проблемам старения, на основе" @@ -2289,16 +2294,16 @@ DocType: Rename Tool,Rename Tool,Переименование файлов apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Обновление Стоимость DocType: Item Reorder,Item Reorder,Пункт Переупоряд apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Показать Зарплата скольжению -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,О передаче материала +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,О передаче материала DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","не Укажите операции, эксплуатационные расходы и дать уникальную операцию не в вашей деятельности." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Этот документ находится над пределом {0} {1} для элемента {4}. Вы делаете другой {3} против того же {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,"Пожалуйста, установите повторяющиеся после сохранения" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Сумма счета Выберите изменения +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,"Пожалуйста, установите повторяющиеся после сохранения" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Сумма счета Выберите изменения DocType: Purchase Invoice,Price List Currency,Прайс-лист валют DocType: Naming Series,User must always select,Пользователь всегда должен выбирать DocType: Stock Settings,Allow Negative Stock,Разрешить негативных складе DocType: Installation Note,Installation Note,Установка Примечание -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Добавить налоги +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Добавить налоги DocType: Topic,Topic,тема apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Поток денежных средств от финансовой DocType: Budget Account,Budget Account,Бюджет аккаунта @@ -2312,7 +2317,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,пр apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Источник финансирования (обязательства) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ({1}) должна быть такой же, как изготавливается количество {2}" DocType: Appraisal,Employee,Сотрудник -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Выбрать пакет +DocType: Company,Sales Monthly History,История продаж в месяц +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Выбрать пакет apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} полностью выставлен DocType: Training Event,End Time,Время окончания apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Активная зарплата Структура {0} найдено для работника {1} для заданных дат @@ -2320,15 +2326,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Отчисления опла apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Стандартные условия договора для продажи или покупки. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Группа по ваучером apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Трубопроводный Менеджер по продажам -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},"Пожалуйста, установите учетную запись по умолчанию в компоненте Зарплатный {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},"Пожалуйста, установите учетную запись по умолчанию в компоненте Зарплатный {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Обязательно На DocType: Rename Tool,File to Rename,Файл Переименовать apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Пожалуйста, выберите BOM для пункта в строке {0}" apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Учетная запись {0} не совпадает с Company {1} в Способе учетной записи: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Указано BOM {0} не существует для п {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График обслуживания {0} должно быть отменено до отмены этого заказ клиента +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График обслуживания {0} должно быть отменено до отмены этого заказ клиента DocType: Notification Control,Expense Claim Approved,Авансовый Отчет Одобрен -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для посещения через Setup> Numbering Series" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Зарплата Скольжение работника {0} уже создано за этот период apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Фармацевтический apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Стоимость купленных изделий @@ -2345,7 +2350,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM номер дл DocType: Upload Attendance,Attendance To Date,Посещаемость To Date DocType: Warranty Claim,Raised By,Поднятый По DocType: Payment Gateway Account,Payment Account,Оплата счета -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Пожалуйста, сформулируйте Компания приступить" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Пожалуйста, сформулируйте Компания приступить" apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Чистое изменение дебиторской задолженности apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Компенсационные Выкл DocType: Offer Letter,Accepted,Принято @@ -2354,12 +2359,12 @@ DocType: SG Creation Tool Course,Student Group Name,Имя Студенческ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Пожалуйста, убедитесь, что вы действительно хотите удалить все транзакции для компании. Ваши основные данные останется, как есть. Это действие не может быть отменено." DocType: Room,Room Number,Номер комнаты apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Недопустимая ссылка {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) не может быть больше, чем запланированное количество ({2}) в Производственном Заказе {3}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) не может быть больше, чем запланированное количество ({2}) в Производственном Заказе {3}" DocType: Shipping Rule,Shipping Rule Label,Правило ярлыке apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Форум пользователей -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Сырье не может быть пустым. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Не удалось обновить запас, счет-фактура содержит падение пункт доставки." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Быстрый журнал запись +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Сырье не может быть пустым. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Не удалось обновить запас, счет-фактура содержит падение пункт доставки." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Быстрый журнал запись apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Вы не можете изменить скорость, если спецификации упоминается agianst любого элемента" DocType: Employee,Previous Work Experience,Предыдущий опыт работы DocType: Stock Entry,For Quantity,Для Количество @@ -2416,7 +2421,7 @@ DocType: SMS Log,No of Requested SMS,Нет запрашиваемых SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Оставьте без оплаты не совпадает с утвержденными записями Оставить заявку DocType: Campaign,Campaign-.####,Кампания-.# # # # apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Следующие шаги -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,"Пожалуйста, предоставьте указанные пункты в наилучших возможных ставок" +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,"Пожалуйста, предоставьте указанные пункты в наилучших возможных ставок" DocType: Selling Settings,Auto close Opportunity after 15 days,Авто близко Возможность через 15 дней apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Конец года apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2473,7 +2478,7 @@ DocType: Homepage,Homepage,домашняя страница DocType: Purchase Receipt Item,Recd Quantity,RECD Количество apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Создано записей платы - {0} DocType: Asset Category Account,Asset Category Account,Категория активов Счет -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0}, чем количество продаж Заказать {1}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0}, чем количество продаж Заказать {1}" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Складской акт {0} не проведен DocType: Payment Reconciliation,Bank / Cash Account,Банк / Расчетный счет apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,"Следующий Контакт К не может быть таким же, как Lead Адрес электронной почты" @@ -2506,7 +2511,7 @@ DocType: Salary Structure,Total Earning,Всего Заработок DocType: Purchase Receipt,Time at which materials were received,"Момент, в который были получены материалы" DocType: Stock Ledger Entry,Outgoing Rate,Исходящие Оценить apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Организация филиал мастер. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,или +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,или DocType: Sales Order,Billing Status,Статус Биллинг apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Сообщить о проблеме apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Коммунальные расходы @@ -2514,7 +2519,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Строка # {0}: Запись в журнале {1} не имеет учетной записи {2} или уже сопоставляется с другой купон DocType: Buying Settings,Default Buying Price List,По умолчанию Покупка Прайс-лист DocType: Process Payroll,Salary Slip Based on Timesheet,Зарплата скольжения на основе Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ни один сотрудник для выбранных критериев выше или скольжения заработной платы уже не создано +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Ни один сотрудник для выбранных критериев выше или скольжения заработной платы уже не создано DocType: Notification Control,Sales Order Message,Заказ клиента Сообщение apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Установить значения по умолчанию, как Болгарии, Валюта, текущий финансовый год и т.д." DocType: Payment Entry,Payment Type,Вид оплаты @@ -2538,7 +2543,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Документ о получении должен быть проведен DocType: Purchase Invoice Item,Received Qty,Поступило Кол-во DocType: Stock Entry Detail,Serial No / Batch,Серийный номер / Партия -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Не оплачено и не доставлено +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Не оплачено и не доставлено DocType: Product Bundle,Parent Item,Родитель Пункт DocType: Account,Account Type,Тип учетной записи DocType: Delivery Note,DN-RET-,DN-RET- @@ -2569,8 +2574,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Общая сумма Обозначенная apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Установить учетную запись по умолчанию для вечной инвентаризации DocType: Item Reorder,Material Request Type,Материал Тип запроса -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural журнал запись на зарплату от {0} до {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage полна, не спасло" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural журнал запись на зарплату от {0} до {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage полна, не спасло" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования Единица измерения является обязательным apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,N DocType: Budget,Cost Center,Центр учета затрат @@ -2588,7 +2593,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,По apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Если выбран Цены правила делается для ""цена"", это приведет к перезаписи прайс-лист. Цены Правило цена окончательная цена, поэтому никакого скидка не следует применять. Таким образом, в таких сделках, как заказ клиента, Заказ и т.д., это будет выбрано в поле 'Rate', а не поле ""Прайс-лист Rate '." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Трек Ведет по Отрасль Тип. DocType: Item Supplier,Item Supplier,Пункт Поставщик -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Пожалуйста, введите Код товара, чтобы получить партию не" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Пожалуйста, введите Код товара, чтобы получить партию не" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}" apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Все адреса. DocType: Company,Stock Settings,Настройки Запасов @@ -2615,7 +2620,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Остаток посл apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Нет зарплаты скольжения находится между {0} и {1} ,Pending SO Items For Purchase Request,В ожидании SO предметы для покупки запрос apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,зачисляемых студентов -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} отключен +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} отключен DocType: Supplier,Billing Currency,Платежная валюта DocType: Sales Invoice,SINV-RET-,СИНВ-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Очень Большой @@ -2645,7 +2650,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Статус приложения DocType: Fees,Fees,Оплаты DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Укажите Курс конвертировать одну валюту в другую -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Цитата {0} отменяется +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Цитата {0} отменяется apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Общей суммой задолженности DocType: Sales Partner,Targets,Цели DocType: Price List,Price List Master,Прайс-лист Мастер @@ -2662,7 +2667,7 @@ DocType: POS Profile,Ignore Pricing Rule,Игнорировать Цены Пр DocType: Employee Education,Graduate,Выпускник DocType: Leave Block List,Block Days,Блок дня DocType: Journal Entry,Excise Entry,Акцизный запись -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Внимание: Продажи Заказать {0} уже существует в отношении Заказа Клиента {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Внимание: Продажи Заказать {0} уже существует в отношении Заказа Клиента {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2701,7 +2706,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ес ,Salary Register,Доход Регистрация DocType: Warehouse,Parent Warehouse,родитель Склад DocType: C-Form Invoice Detail,Net Total,Чистая Всего -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Спецификация по умолчанию не найдена для элемента {0} и проекта {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Спецификация по умолчанию не найдена для элемента {0} и проекта {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Определение различных видов кредита DocType: Bin,FCFS Rate,Уровень FCFS DocType: Payment Reconciliation Invoice,Outstanding Amount,Непогашенная сумма @@ -2738,7 +2743,7 @@ DocType: Salary Detail,Condition and Formula Help,Состояние и форм apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Управление Территория дерево. DocType: Journal Entry Account,Sales Invoice,Счет Продажи DocType: Journal Entry Account,Party Balance,Баланс партия -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Пожалуйста, выберите Применить скидки на" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Пожалуйста, выберите Применить скидки на" DocType: Company,Default Receivable Account,По умолчанию задолженность аккаунт DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,"Создать банк запись на общую заработной платы, выплачиваемой за над выбранными критериями" DocType: Stock Entry,Material Transfer for Manufacture,Материал Передача для производства @@ -2752,7 +2757,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Клиент Адрес DocType: Employee Loan,Loan Details,Кредит Подробнее DocType: Company,Default Inventory Account,Учетная запись по умолчанию -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Строка {0}: Завершенный Кол-во должно быть больше нуля. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Строка {0}: Завершенный Кол-во должно быть больше нуля. DocType: Purchase Invoice,Apply Additional Discount On,Применить Дополнительную Скидку на DocType: Account,Root Type,Корневая Тип DocType: Item,FIFO,FIFO (ФИФО) @@ -2769,7 +2774,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Контроль качест apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Очень Маленький DocType: Company,Standard Template,Стандартный шаблон DocType: Training Event,Theory,теория -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Материал просил Кол меньше Минимальное количество заказа +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Материал просил Кол меньше Минимальное количество заказа apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Счет {0} заморожен DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридическое лицо / Вспомогательный с отдельным Планом счетов бухгалтерского учета, принадлежащего Организации." DocType: Payment Request,Mute Email,Отключение E-mail @@ -2793,7 +2798,7 @@ DocType: Training Event,Scheduled,Запланированно apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Запрос котировок. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Пожалуйста, выберите пункт, где "ли со Пункт" "Нет" и "является продажа товара" "Да", и нет никакой другой Связка товаров" DocType: Student Log,Academic,академический -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Всего аванс ({0}) против ордена {1} не может быть больше, чем общая сумма ({2})" +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Всего аванс ({0}) против ордена {1} не может быть больше, чем общая сумма ({2})" DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Выберите ежемесячное распределение к неравномерно распределять цели по различным месяцам. DocType: Purchase Invoice Item,Valuation Rate,Оценка Оцените DocType: Stock Reconciliation,SR/,SR / @@ -2859,6 +2864,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Введите имя кампании, если источником исследования является кампания" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Газетных издателей apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Выберите финансовый год +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Ожидаемая дата поставки должна быть после даты заказа клиента apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Изменить порядок Уровень DocType: Company,Chart Of Accounts Template,План счетов бухгалтерского учета шаблона DocType: Attendance,Attendance Date,Посещаемость Дата @@ -2890,7 +2896,7 @@ DocType: Pricing Rule,Discount Percentage,Скидка в процентах DocType: Payment Reconciliation Invoice,Invoice Number,Номер Счета DocType: Shopping Cart Settings,Orders,Заказы DocType: Employee Leave Approver,Leave Approver,Оставьте утверждающего -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Выберите пакет +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Выберите пакет DocType: Assessment Group,Assessment Group Name,Название группы по оценке DocType: Manufacturing Settings,Material Transferred for Manufacture,"Материал, переданный для производства" DocType: Expense Claim,"A user with ""Expense Approver"" role","Пользователь с ролью ""Утверждающий расходы""" @@ -2927,7 +2933,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Последний день следующего месяца DocType: Support Settings,Auto close Issue after 7 days,Авто близко Issue через 7 дней apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Оставить не могут быть выделены, прежде чем {0}, а отпуск баланс уже переноса направляются в будущем записи распределения отпуска {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Примечание: Из-за / Reference Дата превышает разрешенный лимит клиент дня на {0} сутки (ы) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Примечание: Из-за / Reference Дата превышает разрешенный лимит клиент дня на {0} сутки (ы) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Студент Абитуриент DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ОРИГИНАЛ ДЛЯ ПОЛУЧАТЕЛЯ DocType: Asset Category Account,Accumulated Depreciation Account,Начисленной амортизации Счет @@ -2938,7 +2944,7 @@ DocType: Item,Reorder level based on Warehouse,Уровень Изменение DocType: Activity Cost,Billing Rate,Платежная Оценить ,Qty to Deliver,Кол-во для доставки ,Stock Analytics,Анализ запасов -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,"Операции, не может быть оставлено пустым" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,"Операции, не может быть оставлено пустым" DocType: Maintenance Visit Purpose,Against Document Detail No,Против деталях документа Нет apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Тип партии является обязательным DocType: Quality Inspection,Outgoing,Исходящий @@ -2981,15 +2987,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Доступное Кол-во на складе apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Счетов выдано количество DocType: Asset,Double Declining Balance,Двойной баланс Отклонение -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Закрытый заказ не может быть отменен. Отменить открываться. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Закрытый заказ не может быть отменен. Отменить открываться. DocType: Student Guardian,Father,Отец -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Обновить запасы"" нельзя выбрать при продаже основных средств" +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"""Обновить запасы"" нельзя выбрать при продаже основных средств" DocType: Bank Reconciliation,Bank Reconciliation,Банковская сверка DocType: Attendance,On Leave,в отпуске apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Получить обновления apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Счет {2} не принадлежит Компании {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Материал Запрос {0} отменяется или остановлен -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Добавить несколько пробных записей +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Добавить несколько пробных записей apps/erpnext/erpnext/config/hr.py +301,Leave Management,Оставить управления apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Группа по Счет DocType: Sales Order,Fully Delivered,Полностью Поставляются @@ -2998,12 +3004,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разница аккаунт должен быть тип счета активов / пассивов, так как это со Примирение запись Открытие" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},"Освоено Сумма не может быть больше, чем сумма займа {0}" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Производственный заказ не создан +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Производственный заказ не создан apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Поле ""С даты"" должно быть после ""До даты""" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Невозможно изменить статус студента {0} связан с приложением студента {1} DocType: Asset,Fully Depreciated,Полностью Амортизируется ,Stock Projected Qty,Прогнозируемое Кол-во Запасов -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Выраженное Посещаемость HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Котировки являются предложениями, предложениями отправленных к своим клиентам" DocType: Sales Order,Customer's Purchase Order,Заказ клиента @@ -3013,7 +3019,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Пожалуйста, установите Количество отчислений на амортизацию бронирования" apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Значение или Кол-во apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Продукции Заказы не могут быть подняты для: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Минута +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Минута DocType: Purchase Invoice,Purchase Taxes and Charges,Покупка Налоги и сборы ,Qty to Receive,Кол-во на получение DocType: Leave Block List,Leave Block List Allowed,Оставьте Черный список животных @@ -3026,7 +3032,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Все типы поставщиков DocType: Global Defaults,Disable In Words,Отключить в словах apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Цитата {0} не типа {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Цитата {0} не типа {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,График обслуживания позиции DocType: Sales Order,% Delivered,% Доставлен DocType: Production Order,PRO-,PRO- @@ -3049,7 +3055,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Продавец Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Общая стоимость покупки (через счет покупки) DocType: Training Event,Start Time,Время -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Выберите Количество +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Выберите Количество DocType: Customs Tariff Number,Customs Tariff Number,Номер таможенного тарифа apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Утверждении роль не может быть такой же, как роль правило применимо к" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Отказаться от этой Email Дайджест @@ -3073,7 +3079,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Подробно DocType: Sales Order,Fully Billed,Полностью Объявленный apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Наличность кассы -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Склад Доставка требуется для фондового пункта {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Склад Доставка требуется для фондового пункта {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Общий вес пакета. Обычно вес нетто + вес упаковочного материала. (Для печати) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,программа DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Пользователи с этой ролью могут замороживать счета, а также создавать / изменять бухгалтерские проводки замороженных счетов" @@ -3083,7 +3089,7 @@ DocType: Student Group,Group Based On,Группа основана на DocType: Journal Entry,Bill Date,Дата оплаты apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Service Элемент, тип, частота и сумма расхода требуется" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Даже если есть несколько правил ценообразования с наивысшим приоритетом, то следующие внутренние приоритеты применяются:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Вы действительно хотите провести Зарплатную ведомость от {0} до {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Вы действительно хотите провести Зарплатную ведомость от {0} до {1} DocType: Cheque Print Template,Cheque Height,Cheque Высота DocType: Supplier,Supplier Details,Подробная информация о поставщике DocType: Expense Claim,Approval Status,Статус утверждения @@ -3105,7 +3111,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Привести к apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ничего больше не показывать. DocType: Lead,From Customer,От клиента apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Звонки -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Порции +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Порции DocType: Project,Total Costing Amount (via Time Logs),Всего Калькуляция Сумма (с помощью журналов Time) DocType: Purchase Order Item Supplied,Stock UOM,Ед. изм. Запасов apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Заказ на закупку {0} не проведен @@ -3137,7 +3143,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Вернуться п DocType: Item,Warranty Period (in days),Гарантийный срок (в днях) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Связь с Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Чистые денежные средства от операционной -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,"например, НДС" +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,"например, НДС" apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Пункт 4 DocType: Student Admission,Admission End Date,Дата окончания приёма apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Суб-сжимания @@ -3145,7 +3151,7 @@ DocType: Journal Entry Account,Journal Entry Account,Запись в журна apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Студенческая группа DocType: Shopping Cart Settings,Quotation Series,Цитата серии apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Элемент существует с тем же именем ({0}), пожалуйста, измените название группы или переименовать пункт" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,"Пожалуйста, выберите клиента" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,"Пожалуйста, выберите клиента" DocType: C-Form,I,я DocType: Company,Asset Depreciation Cost Center,Центр Амортизация Стоимость активов DocType: Sales Order Item,Sales Order Date,Дата Заказа клиента @@ -3156,6 +3162,7 @@ DocType: Stock Settings,Limit Percent,Предельное Процент ,Payment Period Based On Invoice Date,Оплата период на основе Накладная Дата apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Пропавших без вести Курсы валют на {0} DocType: Assessment Plan,Examiner,экзаменатор +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите Naming Series для {0} через Setup> Settings> Naming Series" DocType: Student,Siblings,Братья и сестры DocType: Journal Entry,Stock Entry,Складские акты DocType: Payment Entry,Payment References,Ссылки оплаты @@ -3180,7 +3187,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Где производственные операции проводятся. DocType: Asset Movement,Source Warehouse,Источник Склад DocType: Installation Note,Installation Date,Дата установки -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Строка # {0}: Asset {1} не принадлежит компании {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Строка # {0}: Asset {1} не принадлежит компании {2} DocType: Employee,Confirmation Date,Дата подтверждения DocType: C-Form,Total Invoiced Amount,Всего Сумма по счетам apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,"Мин Кол-во не может быть больше, чем максимальное Кол-во" @@ -3255,7 +3262,7 @@ DocType: Company,Default Letter Head,По умолчанию бланке DocType: Purchase Order,Get Items from Open Material Requests,Получить товары из Открыть Запросов Материала DocType: Item,Standard Selling Rate,Стандартный курс продажи DocType: Account,Rate at which this tax is applied,Курс по которому этот налог применяется -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Изменить порядок Кол-во +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Изменить порядок Кол-во apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Текущие вакансии Вакансии DocType: Company,Stock Adjustment Account,Регулирование счета запасов apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Списать @@ -3269,7 +3276,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Поставщик поставляет Покупателю apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# форма / Пункт / {0}) нет в наличии apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,"Следующая дата должна быть больше, чем Дата публикации" -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Из-за / Reference Дата не может быть в течение {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Из-за / Reference Дата не может быть в течение {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Импорт и экспорт данных apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Нет студентов не найдено apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Счет Дата размещения @@ -3290,12 +3297,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Это основано на посещаемости этого студента apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Нет apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Добавьте больше деталей или открытую полную форму -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Пожалуйста, введите 'ожидаемой даты поставки """ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не является допустимым Номером Партии для позиции {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Примечание: Существует не хватает отпуск баланс для отпуске Тип {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Недопустимый GSTIN или введите NA для незарегистрированных +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Недопустимый GSTIN или введите NA для незарегистрированных DocType: Training Event,Seminar,Семинар DocType: Program Enrollment Fee,Program Enrollment Fee,Программа Зачисление Плата DocType: Item,Supplier Items,Элементы поставщика @@ -3313,7 +3319,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Старение запасов apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} существует против студента заявителя {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,табель -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' отключен +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' отключен apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Установить как Open DocType: Cheque Print Template,Scanned Cheque,Сканированные чеками DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Отправлять автоматические электронные письма Контактам по проводимым операциям. @@ -3359,7 +3365,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Прайс-лист валютный курс DocType: Purchase Invoice Item,Rate,Оценить apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Стажер -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Адрес +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Адрес DocType: Stock Entry,From BOM,Из спецификации DocType: Assessment Code,Assessment Code,Код оценки apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основной @@ -3372,20 +3378,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Зарплата Структура DocType: Account,Bank,Банк: apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Авиалиния -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Материал Выпуск +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Материал Выпуск DocType: Material Request Item,For Warehouse,Для Склада DocType: Employee,Offer Date,Дата предложения apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Цитаты -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Вы находитесь в автономном режиме. Вы не сможете перезагрузить пока у вас есть сеть. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Вы находитесь в автономном режиме. Вы не сможете перезагрузить пока у вас есть сеть. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Ни один студент группы не создано. DocType: Purchase Invoice Item,Serial No,Серийный номер apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,"Ежемесячное погашение Сумма не может быть больше, чем сумма займа" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Пожалуйста, введите Maintaince Подробности" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Строка # {0}: ожидаемая дата поставки не может быть до даты заказа на поставку DocType: Purchase Invoice,Print Language,Язык печати DocType: Salary Slip,Total Working Hours,Всего часов работы DocType: Stock Entry,Including items for sub assemblies,В том числе предметы для суб собраний -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Введите значение должно быть положительным -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Введите значение должно быть положительным apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Все Территории DocType: Purchase Invoice,Items,Элементы apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Студент уже поступил. @@ -3408,7 +3414,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"По умолчанию Единица измерения для варианта '{0}' должно быть такой же, как в шаблоне '{1}'" DocType: Shipping Rule,Calculate Based On,Рассчитать на основе DocType: Delivery Note Item,From Warehouse,От Склад -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Нет предметов с Биллом материалов не Manufacture +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Нет предметов с Биллом материалов не Manufacture DocType: Assessment Plan,Supervisor Name,Имя супервизора DocType: Program Enrollment Course,Program Enrollment Course,Курсы по зачислению в программу DocType: Program Enrollment Course,Program Enrollment Course,Курсы по зачислению в программу @@ -3424,23 +3430,23 @@ DocType: Training Event Employee,Attended,Присутствовали apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Дней с последнего Заказа"" должно быть больше или равно 0" DocType: Process Payroll,Payroll Frequency,Расчет заработной платы Частота DocType: Asset,Amended From,Измененный С -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Сырье +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Сырье DocType: Leave Application,Follow via Email,Следить по электронной почте apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Растения и Механизмов DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сумма налога После скидка сумма DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ежедневные Настройки работы Резюме -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Валюта прайс-лист {0} не похож с выбранной валюте {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Валюта прайс-лист {0} не похож с выбранной валюте {1} DocType: Payment Entry,Internal Transfer,Внутренний трансфер apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Детский учетная запись существует для этой учетной записи. Вы не можете удалить этот аккаунт. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Либо целевой Количество или целевое количество является обязательным apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Нет умолчанию спецификации не существует Пункт {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Пожалуйста, выберите проводки Дата первого" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Пожалуйста, выберите проводки Дата первого" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Дата открытия должна быть ранее Даты закрытия DocType: Leave Control Panel,Carry Forward,Переносить apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,МВЗ с существующими сделок не могут быть преобразованы в книге DocType: Department,Days for which Holidays are blocked for this department.,"Дни, для которых Праздники заблокированные для этого отдела." ,Produced,Произведено -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Создано Зарплатные Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Создано Зарплатные Slips DocType: Item,Item Code for Suppliers,Код товара для поставщиков DocType: Issue,Raised By (Email),Поднятый силу (Email) DocType: Training Event,Trainer Name,Имя тренера @@ -3448,9 +3454,10 @@ DocType: Mode of Payment,General,Основное apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последнее сообщение apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последнее сообщение apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть, когда категория для ""Оценка"" или ""Оценка и Всего""" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Перечислите ваши налоги (например, НДС, таможенные пошлины и т.д., имена должны быть уникальными) и их стандартные ставки. Это создаст стандартный шаблон, который вы можете отредактировать и дополнить позднее." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Перечислите ваши налоги (например, НДС, таможенные пошлины и т.д., имена должны быть уникальными) и их стандартные ставки. Это создаст стандартный шаблон, который вы можете отредактировать и дополнить позднее." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Соответствие Платежи с счетов-фактур +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Строка # {0}: введите дату поставки в пункт {1} DocType: Journal Entry,Bank Entry,Банковская запись DocType: Authorization Rule,Applicable To (Designation),Применимо к (Обозначение) ,Profitability Analysis,Анализ рентабельности @@ -3466,17 +3473,18 @@ DocType: Quality Inspection,Item Serial No,Пункт Серийный номе apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Создание Employee записей apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Итого Текущая apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Бухгалтерская отчетность -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Час +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Час apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый Серийный номер не может быть Склад. Склад должен быть установлен на фондовой Вступил или приобрести получении DocType: Lead,Lead Type,Ведущий Тип apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Вы не уполномочен утверждать листья на Блок Сроки -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,На все эти товары уже выписаны счета +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,На все эти товары уже выписаны счета +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Месячная цель продаж apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Может быть одобрено {0} DocType: Item,Default Material Request Type,По умолчанию Тип материала Запрос apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,неизвестный DocType: Shipping Rule,Shipping Rule Conditions,Правило Доставка Условия DocType: BOM Replace Tool,The new BOM after replacement,Новая спецификация после замены -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Точки продаж +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Точки продаж DocType: Payment Entry,Received Amount,полученная сумма DocType: GST Settings,GSTIN Email Sent On,Электронная почта GSTIN отправлена DocType: Program Enrollment,Pick/Drop by Guardian,Выбор / Бросок Стража @@ -3493,8 +3501,8 @@ DocType: Batch,Source Document Name,Имя исходного документа DocType: Batch,Source Document Name,Имя исходного документа DocType: Job Opening,Job Title,Должность apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Создание пользователей -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,грамм -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,"Количество, Изготовление должны быть больше, чем 0." +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,грамм +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,"Количество, Изготовление должны быть больше, чем 0." apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Посетите отчет за призыв обслуживания. DocType: Stock Entry,Update Rate and Availability,Частота обновления и доступность DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Процент вы имеете право принимать или сдавать более против заказанного количества. Например: Если Вы заказали 100 единиц. и ваш Пособие 10%, то вы имеете право на получение 110 единиц." @@ -3507,7 +3515,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,"Пожалуйста, отменить счета покупки {0} первым" apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Адрес электронной почты должен быть уникальным, уже существует для {0}" DocType: Serial No,AMC Expiry Date,КУА срок действия -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Квитанция +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Квитанция ,Sales Register,Книга продаж DocType: Daily Work Summary Settings Company,Send Emails At,Отправить по электронной почте на DocType: Quotation,Quotation Lost Reason,Цитата Забыли Причина @@ -3520,14 +3528,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Клиент apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,О движении денежных средств apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Сумма кредита не может превышать максимальный Сумма кредита {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Лицензия -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},"Пожалуйста, удалите этот счет {0} из C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},"Пожалуйста, удалите этот счет {0} из C-Form {1}" DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Пожалуйста, выберите переносить, если вы также хотите включить баланс предыдущего финансового года оставляет в этом финансовом году" DocType: GL Entry,Against Voucher Type,Против Сертификаты Тип DocType: Item,Attributes,Атрибуты apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Пожалуйста, введите списать счет" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последняя дата заказа apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Счет {0} не принадлежит компании {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Серийные номера в строке {0} не совпадают с полем «Поставка» +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Серийные номера в строке {0} не совпадают с полем «Поставка» DocType: Student,Guardian Details,Подробнее Гардиан DocType: C-Form,C-Form,C-образный apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Марк посещаемости для нескольких сотрудников @@ -3559,16 +3567,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,В DocType: Tax Rule,Sales,Продажи DocType: Stock Entry Detail,Basic Amount,Основное количество DocType: Training Event,Exam,Экзамен -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Требуется Склад для Запаса {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Требуется Склад для Запаса {0} DocType: Leave Allocation,Unused leaves,Неиспользованные листья -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Государственный счетов apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Переложить apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} не связан с Party Account {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch разобранном BOM (в том числе узлов) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch разобранном BOM (в том числе узлов) DocType: Authorization Rule,Applicable To (Employee),Применимо к (Сотрудник) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Благодаря Дата является обязательным apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Прирост за атрибут {0} не может быть 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория DocType: Journal Entry,Pay To / Recd From,Pay To / RECD С DocType: Naming Series,Setup Series,Серия установки DocType: Payment Reconciliation,To Invoice Date,Счета-фактуры Дата @@ -3595,7 +3604,7 @@ DocType: Journal Entry,Write Off Based On,Списание на основе apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Сделать Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Печать и канцелярские DocType: Stock Settings,Show Barcode Field,Показать поле Штрих-код -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Отправить Поставщик электронных писем +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Отправить Поставщик электронных писем apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Зарплата уже обработали за период между {0} и {1}, Оставьте период применения не может быть в пределах этого диапазона дат." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Установка рекорд для серийный номер DocType: Guardian Interest,Guardian Interest,Опекун Проценты @@ -3609,7 +3618,7 @@ DocType: Offer Letter,Awaiting Response,В ожидании ответа apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Выше apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Недопустимый атрибут {0} {1} DocType: Supplier,Mention if non-standard payable account,"Упомяните, если нестандартный подлежащий оплате счет" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Один и тот же элемент был введен несколько раз. {список} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Один и тот же элемент был введен несколько раз. {список} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',"Выберите группу оценки, отличную от «Все группы оценки»," DocType: Salary Slip,Earning & Deduction,Заработок & Вычет apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Факультативно. Эта установка будет использоваться для фильтрации в различных сделок. @@ -3628,7 +3637,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Стоимость списанных активов apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: МВЗ является обязательным для позиции {2} DocType: Vehicle,Policy No,Политика Нет -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Получить элементов из комплекта продукта +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Получить элементов из комплекта продукта DocType: Asset,Straight Line,Прямая линия DocType: Project User,Project User,Проект Пользователь apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Трещина @@ -3642,6 +3651,7 @@ DocType: Bank Reconciliation,Payment Entries,Записи оплаты DocType: Production Order,Scrap Warehouse,Лом Склад DocType: Production Order,Check if material transfer entry is not required,"Проверьте, не требуется ли запись материала" DocType: Production Order,Check if material transfer entry is not required,"Проверьте, не требуется ли запись материала" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен пользователей в человеческих ресурсах> Настройки персонажа" DocType: Program Enrollment Tool,Get Students From,Получить студентов из DocType: Hub Settings,Seller Country,Продавец Страна apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Опубликовать товары на сайте @@ -3660,19 +3670,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Укажите условия для расчета суммы доставки DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Роль разрешено устанавливать замороженные счета & Редактировать Замороженные Записи apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге, как это имеет дочерние узлы" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Начальное значение +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Начальное значение DocType: Salary Detail,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Комиссия по продажам DocType: Offer Letter Term,Value / Description,Значение / Описание -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Строка # {0}: Актив {1} не может быть проведен, он уже {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Строка # {0}: Актив {1} не может быть проведен, он уже {2}" DocType: Tax Rule,Billing Country,Страна плательщика DocType: Purchase Order Item,Expected Delivery Date,Ожидаемая дата поставки apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Дебет и Кредит не равны для {0} # {1}. Разница {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Представительские расходы apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Сделать запрос Материал apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Открыть Пункт {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Счет Продажи {0} должно быть отменен до отмены этого Заказа клиента +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Счет Продажи {0} должно быть отменен до отмены этого Заказа клиента apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Возраст DocType: Sales Invoice Timesheet,Billing Amount,Биллинг Сумма apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Неверное количество, указанное для элемента {0}. Количество должно быть больше 0." @@ -3695,7 +3705,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Новый Выручка клиентов apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Командировочные Pасходы DocType: Maintenance Visit,Breakdown,Разбивка -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Счет: {0} с валютой: {1} не может быть выбран +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Счет: {0} с валютой: {1} не может быть выбран DocType: Bank Reconciliation Detail,Cheque Date,Чек Дата apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Счет {0}: Родитель счета {1} не принадлежит компании: {2} DocType: Program Enrollment Tool,Student Applicants,Студенческие Кандидаты @@ -3715,11 +3725,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Пла DocType: Material Request,Issued,Выпущен apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Студенческая деятельность DocType: Project,Total Billing Amount (via Time Logs),Всего счетов Сумма (с помощью журналов Time) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Мы продаем эту позицию +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Мы продаем эту позицию apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Поставщик Id DocType: Payment Request,Payment Gateway Details,Компенсация Детали шлюза -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,"Количество должно быть больше, чем 0" -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Пример данных +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,"Количество должно быть больше, чем 0" +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Пример данных DocType: Journal Entry,Cash Entry,Денежные запись apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Дочерние узлы могут быть созданы только в узлах типа "Группа" DocType: Leave Application,Half Day Date,Полдня Дата @@ -3728,17 +3738,18 @@ DocType: Sales Partner,Contact Desc,Связаться Описание изде apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Тип листьев, как случайный, больным и т.д." DocType: Email Digest,Send regular summary reports via Email.,Отправить регулярные сводные отчеты по электронной почте. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Пожалуйста, установите учетную запись по умолчанию для Типа Авансового Отчета {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},"Пожалуйста, установите учетную запись по умолчанию для Типа Авансового Отчета {0}" DocType: Assessment Result,Student Name,Имя ученика DocType: Brand,Item Manager,Состояние менеджер apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Расчет заработной платы оплачивается DocType: Buying Settings,Default Supplier Type,Тип Поставщика по умолчанию DocType: Production Order,Total Operating Cost,Общие эксплуатационные расходы -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Примечание: Пункт {0} имеет несколько вхождений +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Примечание: Пункт {0} имеет несколько вхождений apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Все контакты. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Задайте цель apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Аббревиатура компании apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Пользователь {0} не существует -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,"Сырье не может быть такой же, как главный пункт" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,"Сырье не может быть такой же, как главный пункт" DocType: Item Attribute Value,Abbreviation,Аббревиатура apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Оплата запись уже существует apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не Authroized с {0} превышает пределы @@ -3756,7 +3767,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Роль разреш ,Territory Target Variance Item Group-Wise,Территория Целевая Разница Пункт Группа Мудрого apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Все Группы клиентов apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Накопленный в месяц -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} является обязательным. Может быть, запись Обмен валюты не создана для {1} по {2}." +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} является обязательным. Может быть, запись Обмен валюты не создана для {1} по {2}." apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Налоговый шаблона является обязательным. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Счет {0}: Родитель счета {1} не существует DocType: Purchase Invoice Item,Price List Rate (Company Currency),Прайс-лист Тариф (Компания Валюта) @@ -3767,7 +3778,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Процент Р apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Секретарь DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Если отключить, "В словах" поле не будет видно в любой сделке" DocType: Serial No,Distinct unit of an Item,Отдельного подразделения из пункта -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Укажите компанию +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Укажите компанию DocType: Pricing Rule,Buying,Покупка DocType: HR Settings,Employee Records to be created by,Сотрудник отчеты должны быть созданные DocType: POS Profile,Apply Discount On,Применить скидки на @@ -3778,7 +3789,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрый Налоговый Подробно apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,институт Аббревиатура ,Item-wise Price List Rate,Пункт мудрый Прайс-лист Оценить -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Ценовое предложение поставщика +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Ценовое предложение поставщика DocType: Quotation,In Words will be visible once you save the Quotation.,По словам будет виден только вы сохраните цитаты. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количество ({0}) не может быть дробью в строке {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количество ({0}) не может быть дробью в строке {1} @@ -3803,7 +3814,7 @@ Updated via 'Time Log'","в минутах DocType: Customer,From Lead,От Ведущий apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,"Заказы, выпущенные для производства." apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Выберите финансовый год ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,"POS-профиля требуется, чтобы сделать запись POS" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,"POS-профиля требуется, чтобы сделать запись POS" DocType: Program Enrollment Tool,Enroll Students,зачислить студентов DocType: Hub Settings,Name Token,Имя маркера apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандартный Продажа @@ -3821,7 +3832,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Расхождение Сто apps/erpnext/erpnext/config/learn.py +234,Human Resource,Человеческими ресурсами DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Оплата Примирение Оплата apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Налоговые активы -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Производственный заказ был {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Производственный заказ был {0} DocType: BOM Item,BOM No,BOM № DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Запись в журнале {0} не имеете учет {1} или уже сравнивается с другой ваучер @@ -3835,7 +3846,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Доб apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Выдающийся Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Установить целевые Пункт Группа стрелке для этого менеджера по продажам. DocType: Stock Settings,Freeze Stocks Older Than [Days],"Морозильники Акции старше, чем [дней]" -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Строка # {0}: Актив является обязательным для фиксированного актива покупки / продажи +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Строка # {0}: Актив является обязательным для фиксированного актива покупки / продажи apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Если два или более Ценообразование правила содержатся на основании указанных выше условиях, приоритет применяется. Приоритет номер от 0 до 20, а значение по умолчанию равно нулю (пустой). Большее число означает, что он будет иметь приоритет, если есть несколько правил ценообразования с одинаковыми условиями." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Финансовый год: {0} не существует DocType: Currency Exchange,To Currency,В валюту @@ -3844,7 +3855,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Тип Аванс apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продажная ставка для элемента {0} ниже его {1}. Скорость продажи должна быть не менее {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продажная ставка для элемента {0} ниже его {1}. Скорость продажи должна быть не менее {2} DocType: Item,Taxes,Налоги -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Платные и не доставляется +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Платные и не доставляется DocType: Project,Default Cost Center,По умолчанию Центр Стоимость DocType: Bank Guarantee,End Date,Дата окончания apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Операции с Запасами @@ -3861,7 +3872,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Ежедневная работа Резюме Настройки компании apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Пункт {0} игнорируется, так как это не складские позиции" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Провести этот Производственный заказ для дальнейшей обработки. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Провести этот Производственный заказ для дальнейшей обработки. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Чтобы не применяются Цены правило в конкретной сделки, все применимые правила ценообразования должны быть отключены." DocType: Assessment Group,Parent Assessment Group,Родитель группа по оценке apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,работы @@ -3869,10 +3880,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,работы DocType: Employee,Held On,Состоявшемся apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Производство товара ,Employee Information,Сотрудник Информация -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Ставка (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Ставка (%) DocType: Stock Entry Detail,Additional Cost,Дополнительная стоимость apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Не можете фильтровать на основе ваучером Нет, если сгруппированы по ваучером" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Сделать Поставщик цитаты +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Сделать Поставщик цитаты DocType: Quality Inspection,Incoming,Входящий DocType: BOM,Materials Required (Exploded),Необходимые материалы (в разобранном) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Добавить других пользователей в Вашу организация, не считая Вас." @@ -3888,7 +3899,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Счет: {0} можно обновить только через перемещение по складу DocType: Student Group Creation Tool,Get Courses,Получить курсы DocType: GL Entry,Party,Сторона -DocType: Sales Order,Delivery Date,Дата поставки +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Дата поставки DocType: Opportunity,Opportunity Date,Возможность Дата DocType: Purchase Receipt,Return Against Purchase Receipt,Вернуться Против покупки получении DocType: Request for Quotation Item,Request for Quotation Item,Запрос на коммерческое предложение Пункт @@ -3902,7 +3913,7 @@ DocType: Task,Actual Time (in Hours),Фактическое время (в ча DocType: Employee,History In Company,История В компании apps/erpnext/erpnext/config/learn.py +107,Newsletters,Рассылка DocType: Stock Ledger Entry,Stock Ledger Entry,Фото со Ledger Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Тот же пункт был введен несколько раз +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Тот же пункт был введен несколько раз DocType: Department,Leave Block List,Оставьте список есть DocType: Sales Invoice,Tax ID,ИНН apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым @@ -3920,25 +3931,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Черный DocType: BOM Explosion Item,BOM Explosion Item,BOM Взрыв Пункт DocType: Account,Auditor,Аудитор -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} элементов произведено +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} элементов произведено DocType: Cheque Print Template,Distance from top edge,Расстояние от верхнего края apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Прайс-лист {0} отключен или не существует DocType: Purchase Invoice,Return,Возвращение DocType: Production Order Operation,Production Order Operation,Производство Порядок работы DocType: Pricing Rule,Disable,Отключить -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Способ оплаты требуется произвести оплату +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Способ оплаты требуется произвести оплату DocType: Project Task,Pending Review,В ожидании отзыв apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не зарегистрирован в пакете {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} не может быть утилизированы, как это уже {1}" DocType: Task,Total Expense Claim (via Expense Claim),Итоговая сумма аванса (через Авансовый Отчет) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Отметка отсутствует -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Строка {0}: Валюта BOM # {1} должен быть равен выбранной валюте {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Строка {0}: Валюта BOM # {1} должен быть равен выбранной валюте {2} DocType: Journal Entry Account,Exchange Rate,Курс обмена -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Заказ на продажу {0} не проведен +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Заказ на продажу {0} не проведен DocType: Homepage,Tag Line,Tag Line DocType: Fee Component,Fee Component,Компонент платы apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Управление флотом -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Добавить элементы из +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Добавить элементы из DocType: Cheque Print Template,Regular,регулярное apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Всего Weightage всех критериев оценки должны быть 100% DocType: BOM,Last Purchase Rate,Последняя цена покупки @@ -3959,12 +3970,12 @@ DocType: Employee,Reports to,Доклады DocType: SMS Settings,Enter url parameter for receiver nos,Введите параметр URL для приемника NOS DocType: Payment Entry,Paid Amount,Оплаченная сумма DocType: Assessment Plan,Supervisor,Руководитель -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,В сети +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,В сети ,Available Stock for Packing Items,Доступные Stock для упаковки товаров DocType: Item Variant,Item Variant,Пункт Вариант DocType: Assessment Result Tool,Assessment Result Tool,Оценка результата инструмент DocType: BOM Scrap Item,BOM Scrap Item,BOM Лом Пункт -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Отправил заказы не могут быть удалены +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Отправил заказы не могут быть удалены apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс счета в Дебете, запрещена установка 'Баланс должен быть' как 'Кредит'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Управление качеством apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Пункт {0} отключена @@ -3996,7 +4007,7 @@ DocType: Item Group,Default Expense Account,По умолчанию расход apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID DocType: Employee,Notice (days),Уведомление (дней) DocType: Tax Rule,Sales Tax Template,Шаблон Налога с продаж -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Выберите элементы для сохранения счета-фактуры +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Выберите элементы для сохранения счета-фактуры DocType: Employee,Encashment Date,Инкассация Дата DocType: Training Event,Internet,интернет DocType: Account,Stock Adjustment,Регулирование запасов @@ -4045,10 +4056,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Отп apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Макс скидка позволило пункта: {0} {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Чистая стоимость активов на DocType: Account,Receivable,Дебиторская задолженность -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ряд # {0}: Не разрешено изменять Поставщик как уже существует заказа +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ряд # {0}: Не разрешено изменять Поставщик как уже существует заказа DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роль, позволяющая проводить операции, превышающие кредитный лимит, установлена." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Выбор элементов для изготовления -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Мастер синхронизации данных, это может занять некоторое время" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Выбор элементов для изготовления +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Мастер синхронизации данных, это может занять некоторое время" DocType: Item,Material Issue,Материал выпуск DocType: Hub Settings,Seller Description,Продавец Описание DocType: Employee Education,Qualification,Квалификаци @@ -4069,11 +4080,10 @@ DocType: BOM,Rate Of Materials Based On,Оценить материалов на apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Поддержка Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Снять все DocType: POS Profile,Terms and Conditions,Правила и условия -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен пользователей в человеческих ресурсах> Настройки персонажа" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Чтобы Дата должна быть в пределах финансового года. Предполагая To Date = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Здесь вы можете поддерживать рост, вес, аллергии, медицинские проблемы и т.д." DocType: Leave Block List,Applies to Company,Относится к компании -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить, так как проведена учетная запись по Запасам {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить, так как проведена учетная запись по Запасам {0}" DocType: Employee Loan,Disbursement Date,Расходование Дата DocType: Vehicle,Vehicle,Средство передвижения DocType: Purchase Invoice,In Words,Прописью @@ -4112,7 +4122,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Общие настро DocType: Assessment Result Detail,Assessment Result Detail,Оценка результата Detail DocType: Employee Education,Employee Education,Сотрудник Образование apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Повторяющаяся группа находке в таблице группы товаров -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Он необходим для извлечения Подробности Элемента. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Он необходим для извлечения Подробности Элемента. DocType: Salary Slip,Net Pay,Чистая Платное DocType: Account,Account,Аккаунт apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Серийный номер {0} уже существует @@ -4120,7 +4130,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Автомобиль Вход DocType: Purchase Invoice,Recurring Id,Периодическое Id DocType: Customer,Sales Team Details,Описание отдела продаж -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Удалить навсегда? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Удалить навсегда? DocType: Expense Claim,Total Claimed Amount,Всего заявленной суммы apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенциальные возможности для продажи. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Неверный {0} @@ -4132,7 +4142,7 @@ DocType: Warehouse,PIN,ШТЫРЬ apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Настройка вашей школы в ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Базовая Изменение Сумма (Компания Валюта) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Нет учетной записи для следующих складов -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Сохранить документ в первую очередь. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Сохранить документ в первую очередь. DocType: Account,Chargeable,Ответственный DocType: Company,Change Abbreviation,Изменить Аббревиатура DocType: Expense Claim Detail,Expense Date,Дата расхода @@ -4146,7 +4156,6 @@ DocType: BOM,Manufacturing User,Производство пользовател DocType: Purchase Invoice,Raw Materials Supplied,Давальческого сырья DocType: Purchase Invoice,Recurring Print Format,Периодическая Формат печати DocType: C-Form,Series,Серии значений -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Ожидаемая дата поставки не может быть до заказа на Дата DocType: Appraisal,Appraisal Template,Оценка шаблона DocType: Item Group,Item Classification,Пункт Классификация apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Менеджер по развитию бизнеса @@ -4185,12 +4194,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Выбер apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Тренировочные мероприятия / результаты apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Накопленная амортизация на DocType: Sales Invoice,C-Form Applicable,C-образный Применимо -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},"Время работы должно быть больше, чем 0 для операции {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},"Время работы должно быть больше, чем 0 для операции {0}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Склад является обязательным DocType: Supplier,Address and Contacts,Адрес и контакты DocType: UOM Conversion Detail,UOM Conversion Detail,Единица измерения Преобразование Подробно DocType: Program,Program Abbreviation,Программа Аббревиатура -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Производственный заказ не может быть поднят против Item Шаблон +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Производственный заказ не может быть поднят против Item Шаблон apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Расходы обновляются в приобретении получение против каждого пункта DocType: Warranty Claim,Resolved By,Решили По DocType: Bank Guarantee,Start Date,Дата Начала @@ -4225,6 +4234,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Обучение Обратная связь apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Производственный заказ {0} должен быть проведен apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Пожалуйста, выберите дату начала и дату окончания Пункт {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Задайте цель продаж, которую вы хотите достичь." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Курс является обязательным в строке {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,На сегодняшний день не может быть раньше от даты DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4242,7 +4252,7 @@ DocType: Account,Income,Доход DocType: Industry Type,Industry Type,Промышленность Тип apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Что-то пошло не так! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Предупреждение: Оставьте приложение содержит следующие даты блок -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Счет на продажу {0} уже проведен +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Счет на продажу {0} уже проведен DocType: Assessment Result Detail,Score,Гол apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Финансовый год {0} не существует apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Дата завершения @@ -4272,7 +4282,7 @@ DocType: Naming Series,Help HTML,Помощь HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Студенческая группа Инструмент создания DocType: Item,Variant Based On,Вариант Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Всего Weightage назначен должна быть 100%. Это {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Ваши Поставщики +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Ваши Поставщики apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Невозможно установить, как Остаться в живых, как заказ клиента производится." DocType: Request for Quotation Item,Supplier Part No,Деталь поставщика № apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Не можете вычесть, когда категория для "Оценка" или "Vaulation и Total '" @@ -4282,14 +4292,14 @@ DocType: Item,Has Serial No,Имеет Серийный номер DocType: Employee,Date of Issue,Дата выдачи apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: От {0} для {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","В соответствии с настройками покупки, если требуется Приобретение покупки == «ДА», затем для создания счета-фактуры для покупки пользователю необходимо сначала создать покупку для элемента {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Ряд # {0}: Установить Поставщик по пункту {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Строка {0}: значение часов должно быть больше нуля. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Ряд # {0}: Установить Поставщик по пункту {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Строка {0}: значение часов должно быть больше нуля. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Сайт изображения {0} прикреплен к пункту {1} не может быть найден DocType: Issue,Content Type,Тип контента apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Компьютер DocType: Item,List this Item in multiple groups on the website.,Перечислите этот пункт в нескольких группах на веб-сайте. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Пожалуйста, проверьте мультивалютный вариант, позволяющий счета другой валюте" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Состояние: {0} не существует в системе +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Состояние: {0} не существует в системе apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Ваши настройки доступа не позволяют замораживать значения DocType: Payment Reconciliation,Get Unreconciled Entries,Получить несверенные записи DocType: Payment Reconciliation,From Invoice Date,От Дата Счета @@ -4315,7 +4325,7 @@ DocType: Stock Entry,Default Source Warehouse,По умолчанию Источ DocType: Item,Customer Code,Код клиента apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Напоминание о дне рождения для {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дни с последнего Заказать -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Дебету счета должны быть баланс счета +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Дебету счета должны быть баланс счета DocType: Buying Settings,Naming Series,Наименование серии DocType: Leave Block List,Leave Block List Name,Оставьте Имя Блок-лист apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,"Дата страхование начала должна быть меньше, чем дата страхование End" @@ -4332,7 +4342,7 @@ DocType: Vehicle Log,Odometer,одометр DocType: Sales Order Item,Ordered Qty,Заказал Кол-во apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Пункт {0} отключена DocType: Stock Settings,Stock Frozen Upto,Фото Замороженные До -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM не содержит какой-либо элемент запаса +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM не содержит какой-либо элемент запаса apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Период с Период и датам обязательных для повторяющихся {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Проектная деятельность / задачи. DocType: Vehicle Log,Refuelling Details,Заправочные Подробнее @@ -4342,7 +4352,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Последний курс покупки не найден DocType: Purchase Invoice,Write Off Amount (Company Currency),Списание Сумма (Компания валют) DocType: Sales Invoice Timesheet,Billing Hours,Платежная часы -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,По умолчанию BOM для {0} не найден +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,По умолчанию BOM для {0} не найден apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,"Ряд # {0}: Пожалуйста, установите количество тональный" apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Нажмите элементы, чтобы добавить их сюда." DocType: Fees,Program Enrollment,Программа подачи заявок @@ -4377,6 +4387,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Старение Диапазон 2 DocType: SG Creation Tool Course,Max Strength,Максимальная прочность apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM заменить +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Выбрать товары на основе даты поставки ,Sales Analytics,Аналитика продаж apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Доступно {0} ,Prospects Engaged But Not Converted,"Перспективы заняты, но не преобразованы" @@ -4425,7 +4436,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Скидка apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet для выполнения задач. DocType: Purchase Invoice,Against Expense Account,Против Expense Счет DocType: Production Order,Production Order,Производственный заказ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Установка Примечание {0} уже представлен +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Установка Примечание {0} уже представлен DocType: Bank Reconciliation,Get Payment Entries,Получить Записи оплаты DocType: Quotation Item,Against Docname,Против DOCNAME DocType: SMS Center,All Employee (Active),Все Сотрудник (Активный) @@ -4434,7 +4445,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Затраты на сырье DocType: Item Reorder,Re-Order Level,Уровень перезаказа DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Введите предметы и плановый Количество, для которых необходимо повысить производственные заказы или скачать сырье для анализа." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Диаграмма Ганта +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Диаграмма Ганта apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Неполная занятость DocType: Employee,Applicable Holiday List,Применимо Список праздников DocType: Employee,Cheque,Чек @@ -4492,11 +4503,11 @@ DocType: Bin,Reserved Qty for Production,Reserved Кол-во для произ DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Оставьте непроверенным, если вы не хотите рассматривать пакет, создавая группы на основе курса." DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Оставьте непроверенным, если вы не хотите рассматривать пакет, создавая группы на основе курса." DocType: Asset,Frequency of Depreciation (Months),Частота амортизации (месяцев) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Кредитный счет +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Кредитный счет DocType: Landed Cost Item,Landed Cost Item,Посадка Статьи затрат apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Показать нулевые значения DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Количество пункта получены после изготовления / переупаковка от заданных величин сырья -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Настройка простой веб-сайт для моей организации +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Настройка простой веб-сайт для моей организации DocType: Payment Reconciliation,Receivable / Payable Account,Счет Дебиторской / Кредиторской задолженности DocType: Delivery Note Item,Against Sales Order Item,На Sales Order Пункт apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Пожалуйста, сформулируйте Значение атрибута для атрибута {0}" @@ -4560,22 +4571,22 @@ DocType: Student,Nationality,Национальность ,Items To Be Requested,"Предметы, будет предложено" DocType: Purchase Order,Get Last Purchase Rate,Получить последнюю покупку Оценить DocType: Company,Company Info,Информация о компании -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Выберите или добавить новый клиент -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,МВЗ требуется заказать требование о расходах +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Выберите или добавить новый клиент +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,МВЗ требуется заказать требование о расходах apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Применение средств (активов) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Это основано на посещаемости этого сотрудника -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Дебетовый счет +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Дебетовый счет DocType: Fiscal Year,Year Start Date,Дата начала года DocType: Attendance,Employee Name,Имя Сотрудника DocType: Sales Invoice,Rounded Total (Company Currency),Округлые Всего (Компания Валюта) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Не можете скрытой в группу, потому что выбран Тип аккаунта." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,"{0} {1} был изменен. Пожалуйста, обновите." +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,"{0} {1} был изменен. Пожалуйста, обновите." DocType: Leave Block List,Stop users from making Leave Applications on following days.,Остановить пользователям вносить Leave приложений на последующие дни. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Сумма покупки apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Ценовое предложение поставщика {0} создано apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Год окончания не может быть раньше начала года apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Вознаграждения работникам -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Упакованные количество должно равняться количество для Пункт {0} в строке {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Упакованные количество должно равняться количество для Пункт {0} в строке {1} DocType: Production Order,Manufactured Qty,Изготовлено Кол-во DocType: Purchase Receipt Item,Accepted Quantity,Принято Количество apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Пожалуйста, установите по умолчанию список праздников для Employee {0} или Компания {1}" @@ -4586,11 +4597,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Ряд № {0}: Сумма не может быть больше, чем указанная в Авансовом Отчете {1}. Указанная сумма {2}" DocType: Maintenance Schedule,Schedule,Расписание DocType: Account,Parent Account,Родитель счета -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,имеется +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,имеется DocType: Quality Inspection Reading,Reading 3,Чтение 3 ,Hub,Концентратор DocType: GL Entry,Voucher Type,Ваучер Тип -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Прайс-лист не найден или отключен +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Прайс-лист не найден или отключен DocType: Employee Loan Application,Approved,Утверждено DocType: Pricing Rule,Price,Цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как ""левые""" @@ -4660,7 +4671,7 @@ DocType: SMS Settings,Static Parameters,Статические параметр DocType: Assessment Plan,Room,Комната DocType: Purchase Order,Advance Paid,Авансовая выплата DocType: Item,Item Tax,Пункт Налоговый -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Материал Поставщику +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Материал Поставщику apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Акцизный Счет apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% появляется более одного раза DocType: Expense Claim,Employees Email Id,Сотрудники Email ID @@ -4700,7 +4711,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Модель DocType: Production Order,Actual Operating Cost,Фактическая Эксплуатационные расходы DocType: Payment Entry,Cheque/Reference No,Чеками / ссылка № -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Поставщик> Тип поставщика apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Корневая не могут быть изменены. DocType: Item,Units of Measure,Единицы измерения DocType: Manufacturing Settings,Allow Production on Holidays,Позволяют производить на праздниках @@ -4733,12 +4743,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Кредитных дней apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Make Student Batch DocType: Leave Type,Is Carry Forward,Является ли переносить -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Получить элементы из спецификации +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Получить элементы из спецификации apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Время выполнения дни -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Строка # {0}: Дата размещения должна быть такой же, как даты покупки {1} актива {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Строка # {0}: Дата размещения должна быть такой же, как даты покупки {1} актива {2}" DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Проверьте это, если Студент проживает в Хостеле Института." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Пожалуйста, введите Заказы в приведенной выше таблице" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Не Опубликовано Зарплатные Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Не Опубликовано Зарплатные Slips ,Stock Summary,Суммарный сток apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Передача актива с одного склада на другой DocType: Vehicle,Petrol,Бензин diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv index 3339ed2a926..fc996eb63da 100644 --- a/erpnext/translations/si.csv +++ b/erpnext/translations/si.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,අලෙවි නියෝජිත DocType: Employee,Rented,කුලියට ගත් DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,සඳහා පරිශීලක අදාළ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","නතර අවලංගු කිරීමට ප්රථම එය Unstop නිෂ්පාදන සාමය, අවලංගු කල නොහැක" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","නතර අවලංගු කිරීමට ප්රථම එය Unstop නිෂ්පාදන සාමය, අවලංගු කල නොහැක" DocType: Vehicle Service,Mileage,ධාවනය කර ඇති දුර apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,ඔබට නිසැකවම මෙම වත්කම් ඡන්ද දායකයා කිරීමට අවශ්යද? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,පෙරනිමි සැපයුම්කරු තෝරන්න @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% අසූහත apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),විනිමය අනුපාතය {0} ලෙස {1} සමාන විය යුතු ය ({2}) DocType: Sales Invoice,Customer Name,පාරිභෝගිකයාගේ නම DocType: Vehicle,Natural Gas,ස්වාභාවික ගෑස් -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},බැංකු ගිණුමක් {0} ලෙස නම් කළ නොහැකි +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},බැංකු ගිණුමක් {0} ලෙස නම් කළ නොහැකි DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ප්රධානීන් (හෝ කණ්ඩායම්) ගිණුම්කරණය අයැදුම්පත් ඉදිරිපත් කර ඇති අතර තුලනය නඩත්තු කරගෙන යනු ලබන එරෙහිව. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),{0} ශුන්ය ({1}) ට වඩා අඩු විය නොහැක විශිෂ්ට සඳහා DocType: Manufacturing Settings,Default 10 mins,මිනිත්තු 10 Default @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,"අවසරය, වර්ගය නම" apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,විවෘත පෙන්වන්න apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,මාලාවක් සාර්ථකව යාවත්කාලීන කිරීම apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,පරීක්ෂාකාරී වන්න -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,ඉදිරිපත් Accural ජර්නල් සටහන් +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,ඉදිරිපත් Accural ජර්නල් සටහන් DocType: Pricing Rule,Apply On,දා යොමු කරන්න DocType: Item Price,Multiple Item prices.,බහු විෂය මිල. ,Purchase Order Items To Be Received,මිලදී ගැනීමේ නියෝගයක් අයිතම ලැබිය යුතු @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,ගෙවීම් ග apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,ප්රභේද පෙන්වන්න DocType: Academic Term,Academic Term,අධ්යයන කාලීන apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ද්රව්ය -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,ප්රමාණය +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,ප්රමාණය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,මේසය හිස් විය නොහැක ගිණුම්. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ණය (වගකීම්) DocType: Employee Education,Year of Passing,විසිර වර්ෂය @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,සෞඛ්ය සත්කාර apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ෙගවීම පමාද (දින) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,සේවා වියදම් -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},අනුක්රමික අංකය: {0} දැනටමත් විකුණුම් ඉන්වොයිසිය දී නමෙන්ම ඇත: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,ඉන්වොයිසිය +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},අනුක්රමික අංකය: {0} දැනටමත් විකුණුම් ඉන්වොයිසිය දී නමෙන්ම ඇත: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,ඉන්වොයිසිය DocType: Maintenance Schedule Item,Periodicity,ආවර්තයක් apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,මුදල් වර්ෂය {0} අවශ්ය වේ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,අපේක්ෂා භාර දීම දිනය විකුණුම් ඇණවුම් දිනය පෙර කළ ය apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,ආරක්ෂක DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),ලකුණු (0-5 දක්වා) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ෙරෝ # {0}: DocType: Timesheet,Total Costing Amount,මුළු සැඳුම්ලත් මුදල DocType: Delivery Note,Vehicle No,වාහන අංක -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,කරුණාකර මිල ලැයිස්තුව තෝරා +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,කරුණාකර මිල ලැයිස්තුව තෝරා apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,පේළියේ # {0}: ගෙවීම් දත්තගොනුව trasaction සම්පූර්ණ කිරීම සඳහා අවශ්ය වේ DocType: Production Order Operation,Work In Progress,වර්ක් ඉන් ප්රෝග්රස් apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,කරුණාකර දිනය තෝරන්න @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ඕනෑම ක්රියාශීලී මුදල් වර්ෂය තුළ නැත. DocType: Packed Item,Parent Detail docname,මව් විස්තර docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","මූලාශ්ර: {0}, අයිතමය සංකේතය: {1} සහ පාරිභෝගික: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,ලඝු apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,රැකියාවක් සඳහා විවෘත. DocType: Item Attribute,Increment,වර්ධකය @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,විවාහක apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},{0} සඳහා අවසර නැත apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,සිට භාණ්ඩ ලබා ගන්න -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},කොටස් බෙදීම සටහන {0} එරෙහිව යාවත්කාලීන කල නොහැක +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},කොටස් බෙදීම සටහන {0} එරෙහිව යාවත්කාලීන කල නොහැක apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},නිෂ්පාදන {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ලැයිස්තුගත අයිතමයන් කිසිවක් නොමැත DocType: Payment Reconciliation,Reconcile,සංහිඳියාවකට @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,ව apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,ඊළඟ ක්ෂය වීම දිනය මිල දී ගත් දිනය පෙර විය නොහැකි DocType: SMS Center,All Sales Person,සියලු විකුණුම් පුද්ගලයෙක් DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** මාසික බෙදාහැරීම් ** ඔබගේ ව්යාපාරය තුළ යමක සෘතුමය බලපෑම ඇති නම්, ඔබ මාස හරහා අයවැය / ඉලක්ක, බෙදා හැරීමට උපකාරී වේ." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,හමු වූ භාණ්ඩ නොවේ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,හමු වූ භාණ්ඩ නොවේ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,වැටුප් ව්යුහය අතුරුදන් DocType: Lead,Person Name,පුද්ගලයා නම DocType: Sales Invoice Item,Sales Invoice Item,විකුණුම් ඉන්වොයිසිය අයිතමය @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ස්ථාවර වත්කම් ද" වත්කම් වාර්තාවක් අයිතමය එරෙහිව පවතී ලෙස, අපරීක්ෂා විය නොහැකි" DocType: Vehicle Service,Brake Oil,බ්රේක් ඔයිල් DocType: Tax Rule,Tax Type,බදු වර්ගය -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,බදු අයකල හැකි ප්රමාණය +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,බදු අයකල හැකි ප්රමාණය apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},ඔබ {0} පෙර සටහන් ඇතුළත් කිරීම් එකතු කිරීම හෝ යාවත්කාලීන කිරීම කිරීමට තමන්ට අවසර නොමැති DocType: BOM,Item Image (if not slideshow),අයිතමය අනුරුව (Slideshow නොවේ නම්) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ක පාරිභෝගික එකම නමින් පවතී DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(පැය අනුපාතිකය / 60) * සත මෙහෙයුම කාල -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,ද්රව්ය ලේඛණය තෝරන්න +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,ද්රව්ය ලේඛණය තෝරන්න DocType: SMS Log,SMS Log,කෙටි පණිවුඩ ලොග් apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,භාර අයිතම පිරිවැය apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} මත වන නිවාඩු අතර දිනය සිට මේ දක්වා නැත @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,පාසල් DocType: School Settings,Validate Batch for Students in Student Group,ශිෂ්ය සමූහය සිසුන් සඳහා කණ්ඩායම තහවුරු කර apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},{1} සඳහා කිසිදු නිවාඩු වාර්තා සේවකයා සඳහා සොයා {0} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,පළමු සමාගම ඇතුලත් කරන්න -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,කරුණාකර සමාගම පළමු තෝරා +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,කරුණාකර සමාගම පළමු තෝරා DocType: Employee Education,Under Graduate,උපාධි යටතේ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ඉලක්කය මත DocType: BOM,Total Cost,මුළු වියදම DocType: Journal Entry Account,Employee Loan,සේවක ණය -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,ක්රියාකාරකම් ලොග්: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} අයිතමය පද්ධතිය තුළ නොපවතියි හෝ කල් ඉකුත් වී ඇත +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,ක්රියාකාරකම් ලොග්: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,{0} අයිතමය පද්ධතිය තුළ නොපවතියි හෝ කල් ඉකුත් වී ඇත apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,දේපළ වෙළදාම් apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,ගිණුම් ප්රකාශයක් apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ඖෂධ @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,හිමිකම් ප්රමා apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,මෙම cutomer පිරිසක් වගුව සොයා ගෙන අනුපිටපත් පාරිභෝගික පිරිසක් apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,සැපයුම්කරු වර්ගය / සැපයුම්කරු DocType: Naming Series,Prefix,උපසර්ගය -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,කරුණාකර {0} මගින් Setting> Settings> Naming Series හරහා Naming Series තෝරන්න -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,පාරිෙභෝජන +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,පාරිෙභෝජන DocType: Employee,B-,බී- DocType: Upload Attendance,Import Log,ආනයන ලොග් DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,එම නිර්ණායක මත පදනම් වර්ගය නිෂ්පාදනය ද්රව්ය ඉල්ලීම් අදින්න DocType: Training Result Employee,Grade,ශ්රේණියේ DocType: Sales Invoice Item,Delivered By Supplier,සැපයුම්කරු විසින් ඉදිරිපත් DocType: SMS Center,All Contact,සියලු විමසීම් -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,ද්රව්ය ලේඛණය සමග සියලු භාණ්ඩ සඳහා දැනටමත් නිර්මාණය නිෂ්පාදනය සාමය +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,ද්රව්ය ලේඛණය සමග සියලු භාණ්ඩ සඳහා දැනටමත් නිර්මාණය නිෂ්පාදනය සාමය apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,වාර්ෂික වැටුප DocType: Daily Work Summary,Daily Work Summary,ඩේලි වැඩ සාරාංශය DocType: Period Closing Voucher,Closing Fiscal Year,වසා මුදල් වර්ෂය -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,"{0} {1}, ශීත කළ ය" +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,"{0} {1}, ශීත කළ ය" apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,කරුණාකර ගිණුම් සටහන නිර්මාණය කිරීම සඳහා පවතින සමාගම තෝරා apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,කොටස් වෙළඳ වියදම් apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ඉලක්ක ගබඩාව තෝරා @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},පිළිගත් + යවන ලද අයිතමය {0} සඳහා ලැබී ප්රමාණය සමාන විය යුතුය ප්රතික්ෂේප DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,"මිලදී ගැනීම සඳහා සම්පාදන, අමු ද්රව්ය" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,ගෙවීම් අවම වශයෙන් එක් මාදිලිය POS ඉන්වොයිසිය සඳහා අවශ්ය වේ. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,ගෙවීම් අවම වශයෙන් එක් මාදිලිය POS ඉන්වොයිසිය සඳහා අවශ්ය වේ. DocType: Products Settings,Show Products as a List,ලැයිස්තුවක් ලෙස නිෂ්පාදන පෙන්වන්න DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","මෙම සැකිල්ල බාගත නිසි දත්ත පුරවා විකරිත ගොනුව අමුණන්න. තෝරාගත් කාලය තුළ සියලු දිනයන් හා සේවක එකතුවක් පවත්නා පැමිණීම වාර්තා සමග, සැකිල්ල පැමිණ ඇත" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,අයිතමය {0} සකිය ෙහෝ ජීවිතයේ අවසානය නොවේ ළඟා වී -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,උදාහරණය: මූලික ගණිතය -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","බදු ඇතුළත් කිරීමට පේළියේ {0} අයිතමය අනුපාතය, පේළි {1} බදු ද ඇතුළත් විය යුතු අතර" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,උදාහරණය: මූලික ගණිතය +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","බදු ඇතුළත් කිරීමට පේළියේ {0} අයිතමය අනුපාතය, පේළි {1} බදු ද ඇතුළත් විය යුතු අතර" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,මානව සම්පත් මොඩියුලය සඳහා සැකසුම් DocType: SMS Center,SMS Center,කෙටි පණිවුඩ මධ්යස්ථානය DocType: Sales Invoice,Change Amount,මුදල වෙනස් @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},ස්ථාපනය දිනය අයිතමය {0} සඳහා බෙදාහැරීමේ දිනට පෙර විය නොහැකි DocType: Pricing Rule,Discount on Price List Rate (%),මිල ලැයිස්තුව අනුපාතිකය (%) වට්ටමක් DocType: Offer Letter,Select Terms and Conditions,නියමයන් හා කොන්දේසි තෝරන්න -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,අගය පෙන්වා +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,අගය පෙන්වා DocType: Production Planning Tool,Sales Orders,විකුණුම් නියෝග DocType: Purchase Taxes and Charges,Valuation,තක්සේරු ,Purchase Order Trends,මිලදී ගැනීමේ නියෝගයක් ප්රවණතා @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,විවෘත වේ සටහන් DocType: Customer Group,Mention if non-standard receivable account applicable,සම්මතයට අයත් නොවන ලැබිය අදාළ නම් සඳහන් DocType: Course Schedule,Instructor Name,උපදේශක නම -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,ගබඩාව අවශ්ය වේ සඳහා පෙර ඉදිරිපත් +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,ගබඩාව අවශ්ය වේ සඳහා පෙර ඉදිරිපත් apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,දා ලැබී DocType: Sales Partner,Reseller,දේශීය වෙළඳ සහකරුවන් DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","පරීක්ෂා නම්, ද්රව්ය ඉල්ලීම් නොවන වස්තු භාණ්ඩ ඇතුළත් වේ." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,විකුණුම් ඉන්වොයිසිය අයිතමය එරෙහිව ,Production Orders in Progress,ප්රගති නිෂ්පාදනය නියෝග apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,මූල්ය පහසුකම් ශුද්ධ මුදල් -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ" DocType: Lead,Address & Contact,ලිපිනය සහ ඇමතුම් DocType: Leave Allocation,Add unused leaves from previous allocations,පෙර ප්රතිපාදනවලින් භාවිතා නොකරන කොළ එකතු කරන්න apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},ඊළඟට නැවත නැවත {0} {1} මත නිර්මාණය කරනු ඇත DocType: Sales Partner,Partner website,සහකරු වෙබ් අඩවිය apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,විෂය එකතු කරන්න -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,අප අමතන්න නම +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,අප අමතන්න නම DocType: Course Assessment Criteria,Course Assessment Criteria,පාඨමාලා තක්සේරු නිර්ණායක DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ඉහත සඳහන් නිර්ණායකයන් සඳහා වැටුප් ස්ලිප් සාදනු ලබයි. DocType: POS Customer Group,POS Customer Group,POS කස්ටමර් සමූහයේ @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ෙරෝ {0}: මෙම අත්තිකාරම් ප්රවේශය නම් අත්තිකාරම් ලෙසයි 'ගිණුම එරෙහිව පරීක්ෂා කරන්න {1}. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},පොත් ගබඩාව {0} සමාගම අයිති නැත {1} DocType: Email Digest,Profit & Loss,ලාභය සහ අඞු කිරීමට -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,ලීටරයකට +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,ලීටරයකට DocType: Task,Total Costing Amount (via Time Sheet),(කාල පත්රය හරහා) මුළු සැඳුම්ලත් මුදල DocType: Item Website Specification,Item Website Specification,අයිතමය වෙබ් අඩවිය පිරිවිතර apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,අවසරය ඇහිරීම @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,විකුණුම් ඉන්වො DocType: Material Request Item,Min Order Qty,අවම සාමය යවන ලද DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ශිෂ්ය කණ්ඩායම් නිර්මාණය මෙවලම පාඨමාලා DocType: Lead,Do Not Contact,අමතන්න එපා -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,ඔබගේ සංවිධානය ට උගන්වන්න අය +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,ඔබගේ සංවිධානය ට උගන්වන්න අය DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,සියලු නැවත නැවත ඉන්වොයිස් පත්ර සොයා ගැනීම සඳහා අනුපම ID. මෙය ඉදිරිපත් කළ මත ජනනය කරනු ලැබේ. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,මෘදුකාංග සංවර්ධකයා DocType: Item,Minimum Order Qty,අවම සාමය යවන ලද @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Hub දී ප්රකාශයට පත් ක DocType: Student Admission,Student Admission,ශිෂ්ය ඇතුළත් කිරීම ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,අයිතමය {0} අවලංගුයි -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,"ද්රව්ය, ඉල්ලීම්" +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,"ද්රව්ය, ඉල්ලීම්" DocType: Bank Reconciliation,Update Clearance Date,යාවත්කාලීන නිශ්කාශනෙය් දිනය DocType: Item,Purchase Details,මිලදී විස්තර apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"අයිතමය {0} මිලදී ගැනීමේ නියෝගයක් {1} තුළ ', අමු ද්රව්ය සැපයූ' වගුව තුල සොයාගත නොහැකි" @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,ඇණිය කළමනාකරු apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},පේළියේ # {0}: {1} අයිතමය {2} සඳහා සෘණ විය නොහැකි apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,වැරදි මුරපදය DocType: Item,Variant Of,අතරින් ප්රභේද්යයක් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',අවසන් යවන ලද 'යවන ලද නිෂ්පාදනය සඳහා' ට වඩා වැඩි විය නොහැක +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',අවසන් යවන ලද 'යවන ලද නිෂ්පාදනය සඳහා' ට වඩා වැඩි විය නොහැක DocType: Period Closing Voucher,Closing Account Head,වසා ගිණුම ප්රධානී DocType: Employee,External Work History,විදේශ රැකියා ඉතිහාසය apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,වටරවුම් විමර්ශන දෝෂ @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,ඉතිරි අද් apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{2}] (# ආකෘතිය / ගබඩා / {2}) සොයාගෙන [{1}] ඒකක (# ආකෘතිය / අයිතමය / {1}) DocType: Lead,Industry,කර්මාන්ත DocType: Employee,Job Profile,රැකියා පැතිකඩ +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,මෙම සමාගමට එරෙහිව ගනු ලබන ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල රේඛා බලන්න DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ස්වයංක්රීය ද්රව්ය ඉල්ලීම් නිර්මානය කිරීම මත ඊ-මේල් මගින් දැනුම් දෙන්න DocType: Journal Entry,Multi Currency,බහු ව්යවහාර මුදල් DocType: Payment Reconciliation Invoice,Invoice Type,ඉන්වොයිසිය වර්ගය -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,සැපයුම් සටහන +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,සැපයුම් සටහන apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,බදු සකස් කිරීම apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,අලෙවි වත්කම් පිරිවැය apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,ඔබ එය ඇද පසු ගෙවීම් සටහන් වෙනස් කර ඇත. කරුණාකර එය නැවත නැවත අදින්න. @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,ක්ෂේත්රයේ අගය දිනය මාසික මත නැවත නැවත 'ඇතුලත් කරන්න DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,පාරිභෝගික ව්යවහාර මුදල් පාරිභෝගික පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය DocType: Course Scheduling Tool,Course Scheduling Tool,පාඨමාලා අවස මෙවලම -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ෙරෝ # {0}: ගැනුම් දැනට පවතින වත්කම් {1} එරෙහිව කළ නොහැකි +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ෙරෝ # {0}: ගැනුම් දැනට පවතින වත්කම් {1} එරෙහිව කළ නොහැකි DocType: Item Tax,Tax Rate,බදු අනුපාතය apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} කාලයක් සඳහා සේවක {1} සඳහා වන විටත් වෙන් {2} {3} වෙත -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,විෂය තෝරා +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,විෂය තෝරා apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,මිලදී ගැනීම ඉන්වොයිසිය {0} දැනටමත් ඉදිරිපත් apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ෙරෝ # {0}: කණ්ඩායම කිසිදු {1} {2} ලෙස සමාන විය යුතුයි apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,නොවන සමූහ පරිවර්තනය @@ -447,7 +446,7 @@ DocType: Employee,Widowed,වැන්දඹු DocType: Request for Quotation,Request for Quotation,උද්ධෘත සඳහා ඉල්ලුම් DocType: Salary Slip Timesheet,Working Hours,වැඩ කරන පැය DocType: Naming Series,Change the starting / current sequence number of an existing series.,දැනට පවතින මාලාවේ ආරම්භක / වත්මන් අනුක්රමය අංකය වෙනස් කරන්න. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,නව පාරිභෝගික නිර්මාණය +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,නව පාරිභෝගික නිර්මාණය apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","බහු මිල නියම රීති පවතින දිගටම සිදු වන්නේ නම්, පරිශීලකයන් ගැටුම විසඳීමට අතින් ප්රමුඛ සකස් කරන ලෙස ඉල්ලා ඇත." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,මිලදී ගැනීම නියෝග නිර්මාණය ,Purchase Register,මිලදී රෙජිස්ටර් @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,පරීක්ෂක නම DocType: Purchase Invoice Item,Quantity and Rate,ප්රමාණය හා වේගය DocType: Delivery Note,% Installed,% ප්රාප්ත -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,පන්ති කාමර / රසායනාගාර ආදිය දේශන නියමිත කළ හැකි. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,පන්ති කාමර / රසායනාගාර ආදිය දේශන නියමිත කළ හැකි. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,සමාගමේ නම පළමු ඇතුලත් කරන්න DocType: Purchase Invoice,Supplier Name,සපයන්නාගේ නම apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,මෙම ERPNext අත්පොත කියවන්න @@ -490,7 +489,7 @@ DocType: Account,Old Parent,පරණ මාපිය apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,අනිවාර්ය ක්ෂේත්රයේ - අධ්යයන වර්ෂය apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,අනිවාර්ය ක්ෂේත්රයේ - අධ්යයන වර්ෂය DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,එම ඊමේල් කොටසක් ලෙස බෙදීයන හඳුන්වාදීමේ පෙළ වෙනස් කරගන්න. එක් එක් ගනුදෙනුව වෙනම හඳුන්වාදීමේ පෙළ ඇත. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},සමාගම {0} සඳහා පෙරනිමි ගෙවිය යුතු ගිණුම් සකස් කරන්න +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},සමාගම {0} සඳහා පෙරනිමි ගෙවිය යුතු ගිණුම් සකස් කරන්න apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,සියලු නිෂ්පාදන ක්රියාවලීන් සඳහා වන ගෝලීය සැකසුම්. DocType: Accounts Settings,Accounts Frozen Upto,ගිණුම් ශීත කළ තුරුත් DocType: SMS Log,Sent On,දා යවන @@ -529,7 +528,7 @@ DocType: Journal Entry,Accounts Payable,ගෙවිය යුතු ගිණ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,තෝරාගත් BOMs එම අයිතමය සඳහා නොවේ DocType: Pricing Rule,Valid Upto,වලංගු වන තුරුත් DocType: Training Event,Workshop,වැඩමුළුව -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,ඔබේ ගනුදෙනුකරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,ඔබේ ගනුදෙනුකරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,ගොඩනගනු කිරීමට තරම් අමතර කොටස් apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,සෘජු ආදායම් apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","ගිණුම් වර්ගීකරණය නම්, ගිණුම් මත පදනම් පෙරීමට නොහැකි" @@ -537,7 +536,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,තෝරා පාඨමාලාව කරුණාකර apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,තෝරා පාඨමාලාව කරුණාකර DocType: Timesheet Detail,Hrs,ට -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,කරුණාකර සමාගම තෝරා +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,කරුණාකර සමාගම තෝරා DocType: Stock Entry Detail,Difference Account,වෙනස ගිණුම DocType: Purchase Invoice,Supplier GSTIN,සැපයුම්කරු GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,එහි රඳා කාර්ය {0} වසා නොවේ ලෙස සමීප කාර්ය කළ නොහැකි ය. @@ -554,7 +553,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,සීමකය 0% සඳහා ශ්රේණියේ නිර්වචනය කරන්න DocType: Sales Order,To Deliver,ගලවාගනියි DocType: Purchase Invoice Item,Item,අයිතමය -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,අනු කිසිදු අයිතමය අල්පයක් විය නොහැකි +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,අනු කිසිදු අයිතමය අල්පයක් විය නොහැකි DocType: Journal Entry,Difference (Dr - Cr),වෙනස (ආචාර්ය - Cr) DocType: Account,Profit and Loss,ලාභ සහ අලාභ apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,කළමනාකාර උප කොන්ත්රාත් @@ -580,7 +579,7 @@ DocType: Serial No,Warranty Period (Days),වගකීම් කාලය (ද DocType: Installation Note Item,Installation Note Item,ස්ථාපන සටහන අයිතමය DocType: Production Plan Item,Pending Qty,විභාග යවන ලද DocType: Budget,Ignore,නොසලකා හරිනවා -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} සක්රීය නොවන +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} සක්රීය නොවන apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},පහත දුරකථන අංක වෙත යොමු කෙටි පණිවුඩ: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,මුද්රණය සඳහා පිහිටුවීම් චෙක්පත මාන DocType: Salary Slip,Salary Slip Timesheet,වැටුප් පුරවා Timesheet @@ -685,8 +684,8 @@ DocType: Installation Note,IN-,තුල- DocType: Production Order Operation,In minutes,විනාඩි DocType: Issue,Resolution Date,යෝජනාව දිනය DocType: Student Batch Name,Batch Name,කණ්ඩායම නම -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet නිර්මාණය: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},ගෙවීම් ප්රකාරය {0} පැහැර මුදල් හෝ බැංකු ගිණුම් සකස් කරන්න +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet නිර්මාණය: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},ගෙවීම් ප්රකාරය {0} පැහැර මුදල් හෝ බැංකු ගිණුම් සකස් කරන්න apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ලියාපදිංචි DocType: GST Settings,GST Settings,GST සැකසුම් DocType: Selling Settings,Customer Naming By,පාරිභෝගික නම් කිරීම මගින් @@ -706,7 +705,7 @@ DocType: Activity Cost,Projects User,ව්යාපෘති පරිශීල apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,පරිභෝජනය apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} ඉන්වොයිසිය විස්තර වගුව තුල සොයාගත නොහැකි DocType: Company,Round Off Cost Center,වටයේ පිරිවැය මධ්යස්ථානය Off -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර නඩත්තු සංචාරය {0} අවලංගු කළ යුතුය +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර නඩත්තු සංචාරය {0} අවලංගු කළ යුතුය DocType: Item,Material Transfer,ද්රව්ය හුවමාරු apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),විවෘත කිරීමේ (ආචාර්ය) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},"ගිය තැන, වේලාමුද්රාව {0} පසු විය යුතුය" @@ -715,7 +714,7 @@ DocType: Employee Loan,Total Interest Payable,සම්පූර්ණ පොල DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,වියදම බදු හා ගාස්තු ගොඩ බස්වන ලදී DocType: Production Order Operation,Actual Start Time,සැබෑ ආරම්භය කාල DocType: BOM Operation,Operation Time,මෙහෙයුම කාල -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,අවසානයි +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,අවසානයි apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,පදනම DocType: Timesheet,Total Billed Hours,මුළු අසූහත පැය DocType: Journal Entry,Write Off Amount,මුදල කපා @@ -742,7 +741,7 @@ DocType: Vehicle,Odometer Value (Last),Odometer අගය (අවසන්) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,අලෙවි apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ගෙවීම් සටහන් දැනටමත් නිර්මාණය DocType: Purchase Receipt Item Supplied,Current Stock,වත්මන් කොටස් -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},ෙරෝ # {0}: වත්කම් {1} අයිතමය {2} සම්බන්ධ නැහැ +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},ෙරෝ # {0}: වත්කම් {1} අයිතමය {2} සම්බන්ධ නැහැ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,පෙරදසුන වැටුප කුවිතාන්සියක් apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,ගිණුම {0} වාර කිහිපයක් ඇතුලත් කර ඇත DocType: Account,Expenses Included In Valuation,ඇතුලත් තක්සේරු දී වියදම් @@ -767,7 +766,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ගගන DocType: Journal Entry,Credit Card Entry,ක්රෙඩිට් කාඩ් සටහන් apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,සමාගම හා ගිණුම් apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,සැපයුම්කරුවන් ලැබුණු භාණ්ඩ. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,අගය දී +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,අගය දී DocType: Lead,Campaign Name,ව්යාපාරය නම DocType: Selling Settings,Close Opportunity After Days,අවස්ථා දින පසු සමීප ,Reserved,ඇවිරිණි @@ -792,17 +791,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,බලශක්ති DocType: Opportunity,Opportunity From,සිට අවස්ථාව apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,මාසික වැටුප ප්රකාශයක්. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,පේළිය {0}: {1} අයිතමය සඳහා අවශ්ය වන අනුක්රමික අංකයන් {2}. ඔබ සපයා ඇත්තේ {3}. DocType: BOM,Website Specifications,වෙබ් අඩවිය පිරිවිතර apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: {0} වර්ගයේ {1} සිට DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ෙරෝ {0}: පරිවර්තන සාධකය අනිවාර්ය වේ DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","බහු මිල රීති එම නිර්ණායක සමග පවතී, ප්රමුඛත්වය යොමු කිරීම මගින් ගැටුම විසඳීමට කරන්න. මිල රීති: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,එය අනෙක් BOMs සම්බන්ධ වන ලෙස ද ෙව් විසන්ධි කිරීම හෝ අවලංගු කිරීම කළ නොහැකි +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,එය අනෙක් BOMs සම්බන්ධ වන ලෙස ද ෙව් විසන්ධි කිරීම හෝ අවලංගු කිරීම කළ නොහැකි DocType: Opportunity,Maintenance,නඩත්තු DocType: Item Attribute Value,Item Attribute Value,අයිතමය Attribute අගය apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,විකුණුම් ව්යාපාර. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Timesheet කරන්න +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Timesheet කරන්න DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -836,7 +836,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ඊ-තැපැල් ගිණුම සකස් කිරීම apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,පළමු අයිතමය ඇතුලත් කරන්න DocType: Account,Liability,වගකීම් -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,අනුමැතිය ලත් මුදල ෙරෝ {0} තුළ හිමිකම් ප්රමාණය ට වඩා වැඩි විය නොහැක. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,අනුමැතිය ලත් මුදල ෙරෝ {0} තුළ හිමිකම් ප්රමාණය ට වඩා වැඩි විය නොහැක. DocType: Company,Default Cost of Goods Sold Account,විදුලි උපකරණ පැහැර වියදම ගිණුම අලෙවි apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,මිල ලැයිස්තුව තෝරා ගෙන නොමැති DocType: Employee,Family Background,පවුල් පසුබිම @@ -847,10 +847,10 @@ DocType: Company,Default Bank Account,පෙරනිමි බැංකු ග apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","පක්ෂය මත පදනම් පෙරහන් කිරීමට ප්රථම, පක්ෂය වර්ගය තෝරා" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},භාණ්ඩ {0} හරහා ලබා නැති නිසා 'යාවත්කාලීන කොටස්' පරීක්ෂා කළ නොහැකි DocType: Vehicle,Acquisition Date,අත්පත් කර ගැනීම දිනය -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,අංක +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,අංක DocType: Item,Items with higher weightage will be shown higher,අයිතම ඉහළ weightage සමග ඉහළ පෙන්වනු ලැබේ DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,බැංකු සැසඳුම් විස්තර -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ යුතුය +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ යුතුය apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,සොයා ගත් සේවකයෙකු කිසිදු DocType: Supplier Quotation,Stopped,නතර DocType: Item,If subcontracted to a vendor,එය ඔබම කිරීමට උප කොන්ත්රාත්තු නම් @@ -867,7 +867,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,අවම ඉන්වො apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: පිරිවැය මධ්යස්ථානය {2} සමාගම {3} අයත් නොවේ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: ගිණුම් {2} සහිත සමූහය විය නොහැකි apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,අයිතමය ෙරෝ {idx}: {doctype} {docname} ඉහත '{doctype}' වගුවේ නොපවතියි -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} වන විට අවසන් කර හෝ අවලංගු වේ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} වන විට අවසන් කර හෝ අවලංගු වේ apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,කිසිදු කාර්යයන් DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","මෝටර් රථ ඉන්වොයිස් 05, 28 ආදී උදා ජනනය කරන මාසික දවස" DocType: Asset,Opening Accumulated Depreciation,සමුච්චිත ක්ෂය විවෘත @@ -926,7 +926,7 @@ DocType: SMS Log,Requested Numbers,ඉල්ලන ගණන් DocType: Production Planning Tool,Only Obtain Raw Materials,", අමු ද්රව්ය පමණක් ලබා" apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,කාර්ය සාධන ඇගයීම්. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","සාප්පු සවාරි කරත්ත සක්රීය වේ පරිදි, '' කරත්තයක් සඳහා භාවිතා කරන්න 'සක්රීය කිරීම හා ෂොපිං කරත්ත සඳහා අවම වශයෙන් එක් බදු පාලනය කිරීමට හැකි විය යුතුය" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","එය මේ කුවිතාන්සියේ අත්තිකාරම් වශයෙන් ඇද ගත යුතු නම්, ගෙවීම් සටහන් {0} සාමය {1} හා සම්බන්ධ කර තිබේ, පරීක්ෂා කරන්න." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","එය මේ කුවිතාන්සියේ අත්තිකාරම් වශයෙන් ඇද ගත යුතු නම්, ගෙවීම් සටහන් {0} සාමය {1} හා සම්බන්ධ කර තිබේ, පරීක්ෂා කරන්න." DocType: Sales Invoice Item,Stock Details,කොටස් විස්තර apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,ව්යාපෘති අගය apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,පේදුරු-of-Sale විකිණීමට @@ -949,15 +949,15 @@ DocType: Naming Series,Update Series,යාවත්කාලීන ශ්රේ DocType: Supplier Quotation,Is Subcontracted,උප කොන්ත්රාත්තුවක් ඇත DocType: Item Attribute,Item Attribute Values,අයිතමය Attribute වටිනාකම් DocType: Examination Result,Examination Result,විභාග ප්රතිඵල -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,මිලදී ගැනීම කුවිතාන්සිය +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,මිලදී ගැනීම කුවිතාන්සිය ,Received Items To Be Billed,ලැබී අයිතම බිල්පතක් -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ඉදිරිපත් වැටුප් ශ්රී ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,ඉදිරිපත් වැටුප් ශ්රී ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,මුදල් හුවමාරු අනුපාතය ස්වාමියා. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},විමර්ශන Doctype {0} එකක් විය යුතුය -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},මෙහෙයුම {1} සඳහා ඉදිරි {0} දින තුළ කාල Slot සොයා ගැනීමට නොහැකි +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},මෙහෙයුම {1} සඳහා ඉදිරි {0} දින තුළ කාල Slot සොයා ගැනීමට නොහැකි DocType: Production Order,Plan material for sub-assemblies,උප-එකලස්කිරීම් සඳහා සැලසුම් ද්රව්ය apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,විකුණුම් හවුල්කරුවන් සහ ප්රාට්රද්ීයය -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,ද්රව්ය ලේඛණය {0} ක්රියාකාරී විය යුතුය +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,ද්රව්ය ලේඛණය {0} ක්රියාකාරී විය යුතුය DocType: Journal Entry,Depreciation Entry,ක්ෂය සටහන් apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,කරුණාකර පළමු ලිපි වර්ගය තෝරා apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,මෙම නඩත්තු සංචාරය අවලංගු කර පෙර ද්රව්ය සංචාර {0} අවලංගු කරන්න @@ -967,7 +967,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,මුලු වටිනාකම apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,අන්තර්ජාල ප්රකාශන DocType: Production Planning Tool,Production Orders,නිෂ්පාදන නියෝග -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,ශේෂ අගය +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,ශේෂ අගය apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,විකුණුම් මිල ලැයිස්තුව apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,භාණ්ඩ සමමුහුර්ත කිරීමට ප්රකාශයට පත් කරනු ලබයි DocType: Bank Reconciliation,Account Currency,ගිණුම ව්යවහාර මුදල් @@ -992,12 +992,12 @@ DocType: Employee,Exit Interview Details,පිටවීමේ සම්මු DocType: Item,Is Purchase Item,මිලදී ගැනීම අයිතමය වේ DocType: Asset,Purchase Invoice,මිලදී ගැනීම ඉන්වොයිසිය DocType: Stock Ledger Entry,Voucher Detail No,වවුචරය විස්තර නොමැත -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,නව විකුණුම් ඉන්වොයිසිය +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,නව විකුණුම් ඉන්වොයිසිය DocType: Stock Entry,Total Outgoing Value,මුළු ඇමතුම් අගය apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,දිනය හා අවසාන දිනය විවෘත එම මුදල් වර්ෂය තුළ විය යුතු DocType: Lead,Request for Information,තොරතුරු සඳහා වන ඉල්ලීම ,LeaderBoard,ප්රමුඛ -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,සමමුහුර්ත කරන්න Offline දින ඉන්වොයිසි +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,සමමුහුර්ත කරන්න Offline දින ඉන්වොයිසි DocType: Payment Request,Paid,ගෙවුම් DocType: Program Fee,Program Fee,වැඩසටහන ගාස්තු DocType: Salary Slip,Total in words,වචන මුළු @@ -1005,7 +1005,7 @@ DocType: Material Request Item,Lead Time Date,ඉදිරියට ඇති DocType: Guardian,Guardian Name,ගාඩියන් නම DocType: Cheque Print Template,Has Print Format,ඇත මුද්රණය ආකෘතිය DocType: Employee Loan,Sanctioned,අනුමත -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,අනිවාර්ය වේ. සමහර විට විනිමය හුවමාරු වාර්තාවක් සඳහා නිර්මාණය කර නැත +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,අනිවාර්ය වේ. සමහර විට විනිමය හුවමාරු වාර්තාවක් සඳහා නිර්මාණය කර නැත apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ෙරෝ # {0}: අයිතමය {1} සඳහා අනු අංකය සඳහන් කරන්න apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'නිෂ්පාදන පැකේජය' භාණ්ඩ, ගබඩා, අනු අංකය හා කණ්ඩායම සඳහා කිසිඳු මෙම 'ඇසුරුම් ලැයිස්තු මේසයෙන් සලකා බලනු ඇත. ගබඩාව සහ කණ්ඩායම මෙයට කිසිම 'නිෂ්පාදන පැකේජය' අයිතමයේ සඳහා සියලු ඇසුරුම් භාණ්ඩ සඳහා සමාන වේ නම්, එම අගයන් ප්රධාන විෂය වගුවේ ඇතුළත් කළ හැකි, සාරධර්ම 'ඇසුරුම් ලැයිස්තු' වගුව වෙත පිටපත් කිරීමට නියමිතය." DocType: Job Opening,Publish on website,වෙබ් අඩවිය ප්රකාශයට පත් කරනු ලබයි @@ -1018,7 +1018,7 @@ DocType: Cheque Print Template,Date Settings,දිනය සැකසුම් apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,විචලතාව ,Company Name,සමාගම් නාමය DocType: SMS Center,Total Message(s),මුළු පණිවුඩය (ව) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,හුවමාරුව සඳහා විෂය තෝරා +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,හුවමාරුව සඳහා විෂය තෝරා DocType: Purchase Invoice,Additional Discount Percentage,අතිරේක වට්ටම් ප්රතිශතය apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,සියළු උපකාර වීඩියෝ ලැයිස්තුවක් බලන්න DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,චෙක්පත තැන්පත් කර එහිදී බැංකුවේ ගිණුමක් හිස තෝරන්න. @@ -1033,7 +1033,7 @@ DocType: BOM,Raw Material Cost(Company Currency),අමු ද්රව්ය apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,සියලු අයිතම දැනටමත් මෙම නිෂ්පාදන නියෝග සඳහා ස්ථාන මාරුවීම් ලබාදී තිබේ. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},පේළියේ # {0}: අනුපාත {1} {2} භාවිතා අනුපාතය ට වඩා වැඩි විය නොහැක apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},පේළියේ # {0}: අනුපාත {1} {2} භාවිතා අනුපාතය ට වඩා වැඩි විය නොහැක -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,මීටර් +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,මීටර් DocType: Workstation,Electricity Cost,විදුලිබල වියදම DocType: HR Settings,Don't send Employee Birthday Reminders,සේවක උපන්දින මතක් යවන්න එපා DocType: Item,Inspection Criteria,පරීක්ෂණ නිර්ණායක @@ -1048,7 +1048,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,අත්තිකාරම් ගෙවීම් DocType: Item,Automatically Create New Batch,නව කණ්ඩායම ස්වයංක්රීයව නිර්මාණය DocType: Item,Automatically Create New Batch,නව කණ්ඩායම ස්වයංක්රීයව නිර්මාණය -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,කරන්න +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,කරන්න DocType: Student Admission,Admission Start Date,ඇතුල් වීමේ ආරම්භය දිනය DocType: Journal Entry,Total Amount in Words,වචන මුළු මුදල apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"දෝශයක් ඇති විය. එක් අනුමාන හේතුව ඔබ එම ආකෘති පත්රය සුරක්ෂිත නොවන බව විය හැක. ගැටලුව පවතී නම්, support@erpnext.com අමතන්න." @@ -1056,7 +1056,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,මගේ කරත් apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},සාමය වර්ගය {0} එකක් විය යුතුය DocType: Lead,Next Contact Date,ඊළඟට අප අමතන්න දිනය apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,විවෘත යවන ලද -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,වෙනස් මුදල සඳහා ගිණුම් ඇතුලත් කරන්න +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,වෙනස් මුදල සඳහා ගිණුම් ඇතුලත් කරන්න DocType: Student Batch Name,Student Batch Name,ශිෂ්ය කණ්ඩායම නම DocType: Holiday List,Holiday List Name,නිවාඩු ලැයිස්තු නම DocType: Repayment Schedule,Balance Loan Amount,ඉතිරි ණය මුදල @@ -1064,7 +1064,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,කොටස් විකල්ප DocType: Journal Entry Account,Expense Claim,වියදම් හිමිකම් apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,ඔබ ඇත්තටම කටුගා දමා වත්කම් නැවත කිරීමට අවශ්යද? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},{0} සඳහා යවන ලද +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},{0} සඳහා යවන ලද DocType: Leave Application,Leave Application,අයදුම් තබන්න apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,වෙන් කිරීම මෙවලම Leave DocType: Leave Block List,Leave Block List Dates,වාරණ ලැයිස්තුව දිනයන් නිවාඩු @@ -1115,7 +1115,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,එරෙහි DocType: Item,Default Selling Cost Center,පෙරනිමි විකිණීම පිරිවැය මධ්යස්ථානය DocType: Sales Partner,Implementation Partner,ක්රියාත්මක කිරීම සහකරු -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,කලාප කේතය +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,කලාප කේතය apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},විකුණුම් සාමය {0} වේ {1} DocType: Opportunity,Contact Info,සම්බන්ධ වීම apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,කොටස් අයැදුම්පත් කිරීම @@ -1134,13 +1134,13 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,පැමිණීම කණ්ඩරාව දිනය DocType: School Settings,Attendance Freeze Date,පැමිණීම කණ්ඩරාව දිනය DocType: Opportunity,Your sales person who will contact the customer in future,ඔබේ විකිණුම් අනාගතයේ දී පාරිභොගික කරන පුද්ගලයා -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,ඔබේ සැපයුම්කරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,ඔබේ සැපයුම්කරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,සියලු නිෂ්පාදන බලන්න apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),අවම ඊයම් වයස (දින) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,සියලු BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,සියලු BOMs DocType: Company,Default Currency,පෙරනිමි ව්යවහාර මුදල් DocType: Expense Claim,From Employee,සේවක සිට -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,අවවාදයයි: පද්ධතිය අයිතමය {0} සඳහා මුදල සිට overbilling පරීක්ෂා නැහැ {1} ශුන්ය වේ දී +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,අවවාදයයි: පද්ධතිය අයිතමය {0} සඳහා මුදල සිට overbilling පරීක්ෂා නැහැ {1} ශුන්ය වේ දී DocType: Journal Entry,Make Difference Entry,වෙනස සටහන් කරන්න DocType: Upload Attendance,Attendance From Date,දිනය සිට පැමිණීම DocType: Appraisal Template Goal,Key Performance Area,ප්රධාන කාර්ය සාධන ප්රදේශය @@ -1157,7 +1157,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ඔබේ ප්රයෝජනය සඳහා සමාගම ලියාපදිංචි අංක. බදු අංක ආදිය DocType: Sales Partner,Distributor,බෙදාහැරීමේ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,සාප්පු සවාරි කරත්ත නැව් පාලනය -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,නිෂ්පාදන න්යාය {0} මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර අවලංගු කළ යුතුය +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,නිෂ්පාදන න්යාය {0} මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර අවලංගු කළ යුතුය apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On','යොමු කරන්න අතිරේක වට්ටම් මත' සකස් කරන්න ,Ordered Items To Be Billed,නියෝග අයිතම බිල්පතක් apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,රංගේ සිට රංගේ කිරීම වඩා අඩු විය යුතුය @@ -1166,10 +1166,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,අඩු කිරීම් DocType: Leave Allocation,LAL/,ලාල් / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ආරම්භක වර්ෂය -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN පළමු 2 ඉලක්කම් රාජ්ය අංකය {0} සමග සැසඳිය යුතුයි +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN පළමු 2 ඉලක්කම් රාජ්ය අංකය {0} සමග සැසඳිය යුතුයි DocType: Purchase Invoice,Start date of current invoice's period,ආරම්භ කරන්න වත්මන් ඉන්වොයිස් කාලයේ දිනය DocType: Salary Slip,Leave Without Pay,වැටුප් නැතිව තබන්න -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ධාරිතාව සැලසුම් දෝෂ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,ධාරිතාව සැලසුම් දෝෂ ,Trial Balance for Party,පක්ෂය වෙනුවෙන් මාසික බැංකු සැසඳුම් DocType: Lead,Consultant,උපදේශක DocType: Salary Slip,Earnings,ඉපැයීම් @@ -1185,7 +1185,7 @@ DocType: Cheque Print Template,Payer Settings,ගෙවන්නා සැකස DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","මෙය ප්රභේද්යයක් යන විෂය සංග්රහයේ ඇත්තා වූ ද, ඇත. උදාහරණයක් ලෙස, ඔබේ වචන සහ "එස් එම්" වන අතර, අයිතමය කේතය "T-shirt" වේ නම්, ප්රභේද්යයක් ක අයිතමය කේතය "T-shirt-එස්.එම්" වනු" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ඔබ වැටුප් පුරවා ඉතිරි වරක් (වචන) ශුද්ධ වැටුප් දෘශ්යමාන වනු ඇත. DocType: Purchase Invoice,Is Return,ප්රතිලාභ වේ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,ආපසු / ඩෙබිට් සටහන +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,ආපසු / ඩෙබිට් සටහන DocType: Price List Country,Price List Country,මිල ලැයිස්තුව රට DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},විෂය {1} සඳහා {0} වලංගු අනුක්රමික අංක @@ -1198,7 +1198,7 @@ DocType: Employee Loan,Partially Disbursed,අර්ධ වශයෙන් ම apps/erpnext/erpnext/config/buying.py +38,Supplier database.,සැපයුම්කරු දත්ත සමුදාය. DocType: Account,Balance Sheet,ශේෂ පත්රය apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',විෂය සංග්රහයේ සමග අයිතමය සඳහා පිරිවැය මධ්යස්ථානය -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ගෙවීම් ක්රමය වින්යාස කර නොමැත. ගිණුමක් ගෙවීම් වන ආකාරය මත හෝ POS නරඹන්න තබා තිබේද, කරුණාකර පරීක්ෂා කරන්න." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ගෙවීම් ක්රමය වින්යාස කර නොමැත. ගිණුමක් ගෙවීම් වන ආකාරය මත හෝ POS නරඹන්න තබා තිබේද, කරුණාකර පරීක්ෂා කරන්න." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,ඔබේ විකිණුම් පුද්ගලයා පාරිභෝගික සම්බන්ධ කර ගැනීමට මෙම දිනට මතක් ලැබෙනු ඇත apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,එම අයිතමය වාර කිහිපයක් ඇතුළත් කළ නොහැක. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","කණ්ඩායම් යටතේ තව දුරටත් ගිණුම් කළ හැකි නමුත්, ඇතුළත් කිරීම්-කණ්ඩායම් නොවන එරෙහිව කළ හැකි" @@ -1228,7 +1228,7 @@ DocType: Employee Loan Application,Repayment Info,ණය ආපසු ගෙව apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'අයැදුම්පත්' හිස් විය නොහැක apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},එම {1} සමග පේළිය {0} අනුපිටපත් ,Trial Balance,මාසික බැංකු සැසඳුම් -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,මුදල් වර්ෂය {0} සොයාගත නොහැකි +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,මුදල් වර්ෂය {0} සොයාගත නොහැකි apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,සේවක සකස් කිරීම DocType: Sales Order,SO-,ඒ නිසා- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,කරුණාකර පළමු උපසර්ගය තෝරා @@ -1243,11 +1243,11 @@ DocType: Grading Scale,Intervals,කාල අන්තරයන් apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ආදිතම apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","ක අයිතමය සමූහ එකම නමින් පවතී, අයිතමය නම වෙනස් කිරීම හෝ අයිතමය පිරිසක් නැවත නම් කරුණාකර" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ශිෂ්ය ජංගම අංක -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ලෝකයේ සෙසු +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,ලෝකයේ සෙසු apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,අයිතමය {0} කණ්ඩායම ලබා ගත නොහැකි ,Budget Variance Report,අයවැය විචලතාව වාර්තාව DocType: Salary Slip,Gross Pay,දළ වැටුප් -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ෙරෝ {0}: ක්රියාකාරකම් වර්ගය අනිවාර්ය වේ. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,ෙරෝ {0}: ක්රියාකාරකම් වර්ගය අනිවාර්ය වේ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ගෙවුම් ලාභාංශ apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,ගිණුම් කරණය ලේජර DocType: Stock Reconciliation,Difference Amount,වෙනස මුදල @@ -1270,18 +1270,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,සේවක නිවාඩු ශේෂ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},ගිණුම සඳහා ශේෂ {0} සැමවිටම විය යුතුය {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},පේළියේ {0} තුළ අයිතමය සඳහා අවශ්ය තක්සේරු අනුපාත -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,උදාහරණය: පරිගණක විද්යාව පිළිබඳ ශාස්ත්රපති +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,උදාහරණය: පරිගණක විද්යාව පිළිබඳ ශාස්ත්රපති DocType: Purchase Invoice,Rejected Warehouse,ප්රතික්ෂේප ගබඩාව DocType: GL Entry,Against Voucher,වවුචරයක් එරෙහිව DocType: Item,Default Buying Cost Center,පෙරනිමි මිලට ගැනීම පිරිවැය මධ්යස්ථානය apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext ක් අතර විශිෂ්ටතම ලබා ගැනීමට, අපි ඔබට යම් කාලයක් ගත සහ මෙම උදව් වීඩියෝ දර්ශන නරඹා බව නිර්දේශ කරමු." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,දක්වා +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,දක්වා DocType: Supplier Quotation Item,Lead Time in days,දින තුළ කාල Lead apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,ගෙවිය යුතු ගිණුම් සාරාංශය -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},{0} සිට {1} වැටුප් ගෙවීම +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},{0} සිට {1} වැටුප් ගෙවීම apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},ශීත කළ ගිණුම් {0} සංස්කරණය කිරීමට අවසර නැත DocType: Journal Entry,Get Outstanding Invoices,විශිෂ්ට ඉන්වොයිසි ලබා ගන්න -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,විකුණුම් සාමය {0} වලංගු නොවේ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,විකුණුම් සාමය {0} වලංගු නොවේ apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,මිලදී ගැනීමේ නියෝග ඔබ ඔබේ මිලදී ගැනීම සැලසුම් සහ පසුවිපරම් උදව් apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","සමාවන්න, සමාගම් ඒකාබද්ධ කළ නොහැකි" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1303,8 +1303,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,වක්ර වියදම් apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ෙරෝ {0}: යවන ලද අනිවාර්ය වේ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,කෘෂිකර්ම -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,සමමුහුර්ත කරන්න මාස්ටර් දත්ත -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,ඔබගේ නිෂ්පාදන හෝ සේවා +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,සමමුහුර්ත කරන්න මාස්ටර් දත්ත +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,ඔබගේ නිෂ්පාදන හෝ සේවා DocType: Mode of Payment,Mode of Payment,ගෙවීම් ක්රමය apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,වෙබ් අඩවිය රූප ප්රසිද්ධ ගොනුව හෝ වෙබ් අඩවි URL විය යුතුය DocType: Student Applicant,AP,පුද්ගල නාශක @@ -1324,18 +1324,18 @@ DocType: Student Group Student,Group Roll Number,සමූහ Roll අංකය DocType: Student Group Student,Group Roll Number,සමූහ Roll අංකය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} සඳහා පමණක් ණය ගිණුම් තවත් හර සටහන හා සම්බන්ධ කර ගත හැකි apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,සියලු කාර්ය බර මුළු 1. ඒ අනුව සියලු ව්යාපෘති කාර්යයන් ෙහොන්ඩර වෙනස් කළ යුතු කරුණාකර -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,සැපයුම් සටහන {0} ඉදිරිපත් කර නැත +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,සැපයුම් සටහන {0} ඉදිරිපත් කර නැත apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,අයිතමය {0} උප කොන්ත්රාත් අයිතමය විය යුතුය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ප්රාග්ධන උපකරණ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","මිල ගණන් පාලනය පළමු අයිතමය, විෂය සමූහය හෝ වෙළඳ නාමය විය හැකි ක්ෂේත්ර, 'මත යොමු කරන්න' මත පදනම් වූ තෝරා ගනු ලැබේ." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,කරුණාකර අයිතම කේතය මුලින්ම සකසන්න +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,කරුණාකර අයිතම කේතය මුලින්ම සකසන්න DocType: Hub Settings,Seller Website,විකුණන්නා වෙබ් අඩවිය DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,විකුණුම් කණ්ඩායමේ මුළු වෙන් ප්රතිශතය 100 විය යුතුයි DocType: Appraisal Goal,Goal,ඉලක්කය DocType: Sales Invoice Item,Edit Description,සංස්කරණය කරන්න විස්තරය ,Team Updates,කණ්ඩායම යාවත්කාලීන -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,සැපයුම්කරු සඳහා +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,සැපයුම්කරු සඳහා DocType: Account,Setting Account Type helps in selecting this Account in transactions.,ගිණුම් වර්ගය කිරීම ගනුදෙනු මෙම ගිණුම තෝරා උපකාරී වේ. DocType: Purchase Invoice,Grand Total (Company Currency),මුළු එකතුව (සමාගම ව්යවහාර මුදල්) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,මුද්රණය ආකෘතිය නිර්මාණය @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,වෙබ් අඩවිය අයිතම DocType: Purchase Invoice,Total (Company Currency),එකතුව (සමාගම ව්යවහාර මුදල්) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,අනුක්රමික අංකය {0} වරකට වඩා ඇතුල් DocType: Depreciation Schedule,Journal Entry,ජර්නල් සටහන් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} ප්රගතිය භාණ්ඩ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} ප්රගතිය භාණ්ඩ DocType: Workstation,Workstation Name,සේවා පරිගණකයක් නම DocType: Grading Scale Interval,Grade Code,ශ්රේණියේ සංග්රහයේ DocType: POS Item Group,POS Item Group,POS අයිතමය සමූහ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,විද්යුත් Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},ද්රව්ය ලේඛණය {0} අයිතමය අයිති නැත {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},ද්රව්ය ලේඛණය {0} අයිතමය අයිති නැත {1} DocType: Sales Partner,Target Distribution,ඉලක්ක බෙදාහැරීම් DocType: Salary Slip,Bank Account No.,බැංකු ගිණුම් අංක DocType: Naming Series,This is the number of the last created transaction with this prefix,මෙය මේ උපසර්ගය සහිත පසුගිය නිර්මාණය ගනුදෙනුව සංඛ්යාව වේ @@ -1412,7 +1412,7 @@ DocType: Quotation,Shopping Cart,සාප්පු ට්රොලිය apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,සාමාන්යය ඩේලි ඇමතුම් DocType: POS Profile,Campaign,ව්යාපාරය DocType: Supplier,Name and Type,නම සහ වර්ගය -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',අනුමැතිය තත්ත්වය 'අනුමත' කළ යුතුය හෝ 'ප්රතික්ෂේප' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',අනුමැතිය තත්ත්වය 'අනුමත' කළ යුතුය හෝ 'ප්රතික්ෂේප' DocType: Purchase Invoice,Contact Person,අදාළ පුද්ගලයා apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','අපේක්ෂිත ඇරඹුම් දිනය' 'අපේක්ෂිත අවසානය දිනය' ට වඩා වැඩි විය නොහැක DocType: Course Scheduling Tool,Course End Date,පාඨමාලා අවසානය දිනය @@ -1424,8 +1424,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Prefered විද්යුත් apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,ස්ථාවර වත්කම් ශුද්ධ වෙනස් DocType: Leave Control Panel,Leave blank if considered for all designations,සියලු තනතුරු සඳහා සලකා නම් හිස්ව තබන්න -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,වර්ගය භාර 'සත' පේළිය {0} අයිතමය ශ්රේණිගත ඇතුළත් කළ නොහැකි -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},මැක්ස්: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,වර්ගය භාර 'සත' පේළිය {0} අයිතමය ශ්රේණිගත ඇතුළත් කළ නොහැකි +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},මැක්ස්: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,දිනයවේලාව සිට DocType: Email Digest,For Company,සමාගම වෙනුවෙන් apps/erpnext/erpnext/config/support.py +17,Communication log.,සන්නිවේදන ලඝු-සටහන. @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","රැකි DocType: Journal Entry Account,Account Balance,ගිණුම් ශේෂය apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ගනුදෙනු සඳහා බදු පාලනය. DocType: Rename Tool,Type of document to rename.,නැවත නම් කිරීමට ලියවිල්ලක් වර්ගය. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,අපි මේ විෂය මිලදී +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,අපි මේ විෂය මිලදී apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: පාරිභෝගික ලැබිය ගිණුමක් {2} එරෙහිව අවශ්ය වේ DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),මුළු බදු හා ගාස්තු (සමාගම ව්යවහාර මුදල්) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,unclosed රාජ්ය මූල්ය වසරේ P & L ශේෂයන් පෙන්වන්න @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,කියවීම් DocType: Stock Entry,Total Additional Costs,මුළු අතිරේක පිරිවැය DocType: Course Schedule,SH,එච් DocType: BOM,Scrap Material Cost(Company Currency),පරණ ද්රව්ය වියදම (සමාගම ව්යවහාර මුදල්) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,උප එක්රැස්වීම් +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,උප එක්රැස්වීම් DocType: Asset,Asset Name,වත්කම් නම DocType: Project,Task Weight,කාර්ය සාධක සිරුරේ බර DocType: Shipping Rule Condition,To Value,අගය කිරීමට @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,අයිතමය ප DocType: Company,Services,සේවා DocType: HR Settings,Email Salary Slip to Employee,සේවකයෙකුට ලබා විද්යුත් වැටුප කුවිතාන්සියක් DocType: Cost Center,Parent Cost Center,මව් පිරිවැය මධ්යස්ථානය -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,හැකි සැපයුම්කරු තෝරා +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,හැකි සැපයුම්කරු තෝරා DocType: Sales Invoice,Source,මූලාශ්රය apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,පෙන්වන්න වසා DocType: Leave Type,Is Leave Without Pay,වැටුප් නැතිව නිවාඩු @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,වට්ටම් යොමු කරන් DocType: GST HSN Code,GST HSN Code,GST HSN සංග්රහයේ DocType: Employee External Work History,Total Experience,මුළු අත්දැකීම් apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,විවෘත ව්යාපෘති -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,ඇසුරුම් කුවිතාන්සියක් (ව) අවලංගු +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,ඇසුරුම් කුවිතාන්සියක් (ව) අවලංගු apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ආයෝජනය සිට මුදල් ප්රවාහ DocType: Program Course,Program Course,වැඩසටහන පාඨමාලා apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ගැල් පරිවහන හා භාණ්ඩ යොමු ගාස්තු @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,වැඩසටහන බදවා ගැනීම් DocType: Sales Invoice Item,Brand Name,වෙළඳ නාමය නම DocType: Purchase Receipt,Transporter Details,ප්රවාහනය විස්තර -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,පෙරනිමි ගබඩා සංකීර්ණය තෝරාගත් අයිතමය සඳහා අවශ්ය වේ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,කොටුව -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,හැකි සැපයුම්කරු +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,පෙරනිමි ගබඩා සංකීර්ණය තෝරාගත් අයිතමය සඳහා අවශ්ය වේ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,කොටුව +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,හැකි සැපයුම්කරු DocType: Budget,Monthly Distribution,මාසික බෙදාහැරීම් apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ලබන්නා ලැයිස්තුව හිස්ය. Receiver ලැයිස්තුව නිර්මාණය කරන්න DocType: Production Plan Sales Order,Production Plan Sales Order,නිශ්පාදන සැළැස්ම විකුණුම් න්යාය @@ -1594,7 +1594,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,සමාග apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","සිසුන් පද්ධතියේ හදවත වන අතර, ඔබගේ සියලු සිසුන් එකතු" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},ෙරෝ # {0}: නිශ්කාෂණ දිනය {1} {2} චෙක්පත් දිනය පෙර විය නොහැකි DocType: Company,Default Holiday List,පෙරනිමි නිවාඩු ලැයිස්තුව -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ෙරෝ {0}: කාලය හා සිට දක්වා {1} ගතවන කාලය {2} සමග අතිච්ඡාදනය වේ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},ෙරෝ {0}: කාලය හා සිට දක්වා {1} ගතවන කාලය {2} සමග අතිච්ඡාදනය වේ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,කොටස් වගකීම් DocType: Purchase Invoice,Supplier Warehouse,සැපයුම්කරු ගබඩාව DocType: Opportunity,Contact Mobile No,අමතන්න ජංගම නොමැත @@ -1610,18 +1610,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},"වර්ගයේ අවසරය, {0} තවදුරටත් {1} වඩා කෙටි විය හැකි" DocType: Manufacturing Settings,Try planning operations for X days in advance.,කල්තියා X දින සඳහා මෙහෙයුම් සැලසුම් උත්සාහ කරන්න. DocType: HR Settings,Stop Birthday Reminders,උපන්දින මතක් නතර -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},සමාගම {0} හි පෙරනිමි වැටුප් ගෙවිය යුතු ගිණුම් සකස් කරන්න +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},සමාගම {0} හි පෙරනිමි වැටුප් ගෙවිය යුතු ගිණුම් සකස් කරන්න DocType: SMS Center,Receiver List,ලබන්නා ලැයිස්තුව -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,සොයන්න අයිතමය +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,සොයන්න අයිතමය apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,පරිභෝජනය ප්රමාණය apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,මුදල් ශුද්ධ වෙනස් DocType: Assessment Plan,Grading Scale,ශ්රේණිගත පරිමාණ apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,නු {0} ඒකකය වරක් පරිවර්තන සාධකය වගුව වඩා ඇතුලත් කර ඇත -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,මේ වන විටත් අවසන් +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,මේ වන විටත් අවසන් apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,අතේ කොටස් apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ගෙවීම් ඉල්ලීම් මේ වන විටත් {0} පවතී apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,නිකුත් කර ඇත්තේ අයිතම පිරිවැය -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},ප්රමාණ {0} වඩා වැඩි නොවිය යුතුය +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},ප්රමාණ {0} වඩා වැඩි නොවිය යුතුය apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,පසුගිය මුල්ය වර්ෂය වසා නැත apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),වයස (දින) DocType: Quotation Item,Quotation Item,උද්ධෘත අයිතමය @@ -1635,6 +1635,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,විමර්ශන ලේඛන apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} අවලංගු කර හෝ නතර DocType: Accounts Settings,Credit Controller,ක්රෙඩිට් පාලක +DocType: Sales Order,Final Delivery Date,අවසාන සැපයුම් දිනය DocType: Delivery Note,Vehicle Dispatch Date,වාහන යැවීම දිනය DocType: Purchase Invoice Item,HSN/SAC,HSN / මණ්ඩල උපදේශක කමිටුව apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,මිලදී ගැනීම රිසිට්පත {0} ඉදිරිපත් කර නැත @@ -1726,9 +1727,9 @@ DocType: Employee,Date Of Retirement,විශ්රාම ගිය දින DocType: Upload Attendance,Get Template,සැකිල්ල ලබා ගන්න DocType: Material Request,Transferred,මාරු DocType: Vehicle,Doors,දොරවල් -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,සම්පූර්ණ ERPNext Setup! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,සම්පූර්ණ ERPNext Setup! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,"බදු බිඳ වැටීම," +DocType: Purchase Invoice,Tax Breakup,"බදු බිඳ වැටීම," DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: පිරිවැය මධ්යස්ථානය ලාභ සහ අලාභ ගිණුම {2} සඳහා අවශ්ය වේ. එම සමාගමේ පෙරනිමි වියදම මධ්යස්ථානයක් පිහිටුවා කරන්න. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ඒ කස්ටමර් සමූහයේ එකම නමින් පවතී පාරිභෝගික නම වෙනස් හෝ කස්ටමර් සමූහයේ නම වෙනස් කරන්න @@ -1741,14 +1742,14 @@ DocType: Announcement,Instructor,උපදේශක DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","මෙම අයිතමය ප්රභේද තිබේ නම්, එය අලෙවි නියෝග ආදිය තෝරාගත් කළ නොහැකි" DocType: Lead,Next Contact By,ඊළඟට අප අමතන්න කිරීම -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},විෂය {0} සඳහා අවශ්ය ප්රමාණය පේළියේ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},විෂය {0} සඳහා අවශ්ය ප්රමාණය පේළියේ {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},පොත් ගබඩාව {0} ප්රමාණය අයිතමය {1} සඳහා පවතින අයුරිනි ඉවත් කල නොහැක DocType: Quotation,Order Type,සාමය වර්ගය DocType: Purchase Invoice,Notification Email Address,නිවේදනය විද්යුත් තැපැල් ලිපිනය ,Item-wise Sales Register,අයිතමය ප්රඥාවන්ත විකුණුම් රෙජිස්ටර් DocType: Asset,Gross Purchase Amount,දළ මිලදී ගැනීම මුදල DocType: Asset,Depreciation Method,ක්ෂය ක්රමය -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,නොබැඳි +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,නොබැඳි DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,මූලික අනුපාත ඇතුළත් මෙම බදු ද? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,මුළු ඉලක්ක DocType: Job Applicant,Applicant for a Job,රැකියාවක් සඳහා අයදුම්කරු @@ -1770,7 +1771,7 @@ DocType: Employee,Leave Encashed?,Encashed ගියාද? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ක්ෂේත්රයේ සිට අවස්ථාව අනිවාර්ය වේ DocType: Email Digest,Annual Expenses,වාර්ෂික වියදම් DocType: Item,Variants,ප්රභේද -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,මිලදී ගැනීමේ නියෝගයක් කරන්න +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,මිලදී ගැනීමේ නියෝගයක් කරන්න DocType: SMS Center,Send To,කිරීම යවන්න apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},නිවාඩු වර්ගය {0} සඳහා ප්රමාණවත් නිවාඩු ශේෂ එහි නොවන DocType: Payment Reconciliation Payment,Allocated amount,වෙන් කල මුදල @@ -1778,7 +1779,7 @@ DocType: Sales Team,Contribution to Net Total,ශුද්ධ මුළු ද DocType: Sales Invoice Item,Customer's Item Code,පාරිභෝගික අයිතමය සංග්රහයේ DocType: Stock Reconciliation,Stock Reconciliation,කොටස් ප්රතිසන්ධාන DocType: Territory,Territory Name,භූමි ප්රදේශය නම -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,සිදු වෙමින් පවතින වැඩ ගබඩාව පෙර ඉදිරිපත් අවශ්ය වේ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,සිදු වෙමින් පවතින වැඩ ගබඩාව පෙර ඉදිරිපත් අවශ්ය වේ apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,රැකියාවක් සඳහා අයදුම්කරු. DocType: Purchase Order Item,Warehouse and Reference,ගබඩාවක් සහ විමර්ශන DocType: Supplier,Statutory info and other general information about your Supplier,ව්යවස්ථාපිත තොරතුරු හා ඔබගේ සැපයුම්කරු ගැන අනෙක් සාමාන්ය තොරතුරු @@ -1791,16 +1792,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,ඇගයීම් apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},අනු අංකය අයිතමය {0} සඳහා ඇතුල් අනුපිටපත් DocType: Shipping Rule Condition,A condition for a Shipping Rule,"එය නාවික, නීතියේ ආධිපත්යය සඳහා වන තත්ත්වය" apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,කරුණාකර ඇතුලත් කරන්න -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","{0} පේළියේ {1} {2} වඩා වැඩි අයිතමය සඳහා overbill නොහැක. කට-බිල් ඉඩ, කරුණාකර සැකසුම් මිලට ගැනීම පිහිටුවා" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,විෂය හෝ ගබඩා මත පදනම් පෙරහන සකස් කරන්න +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","{0} පේළියේ {1} {2} වඩා වැඩි අයිතමය සඳහා overbill නොහැක. කට-බිල් ඉඩ, කරුණාකර සැකසුම් මිලට ගැනීම පිහිටුවා" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,විෂය හෝ ගබඩා මත පදනම් පෙරහන සකස් කරන්න DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),මෙම පැකේජයේ ශුද්ධ බර. (භාණ්ඩ ශුද්ධ බර මුදලක් සේ ස්වයංක්රීයව ගණනය) DocType: Sales Order,To Deliver and Bill,බේරාගන්න සහ පනත් කෙටුම්පත DocType: Student Group,Instructors,උපදේශක DocType: GL Entry,Credit Amount in Account Currency,"ගිණුම ව්යවහාර මුදල්, නය මුදල" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,ද්රව්ය ලේඛණය {0} ඉදිරිපත් කළ යුතුය +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,ද්රව්ය ලේඛණය {0} ඉදිරිපත් කළ යුතුය DocType: Authorization Control,Authorization Control,බලය පැවරීමේ පාලන apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ෙරෝ # {0}: ප්රතික්ෂේප ගබඩාව ප්රතික්ෂේප අයිතමය {1} එරෙහිව අනිවාර්ය වේ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,ගෙවීම +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,ගෙවීම apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","පොත් ගබඩාව {0} ගිණුම් සම්බන්ධ නොවේ, සමාගම {1} තුළ ගබඩා වාර්තා කර හෝ පෙරනිමි බඩු තොග ගිණුමේ ගිණුම් සඳහන් කරන්න." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,ඔබේ ඇණවුම් කළමනාකරණය DocType: Production Order Operation,Actual Time and Cost,සැබෑ කාලය හා වියදම @@ -1816,12 +1817,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,පා DocType: Quotation Item,Actual Qty,සැබෑ යවන ලද DocType: Sales Invoice Item,References,ආශ්රිත DocType: Quality Inspection Reading,Reading 10,කියවීම 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","ඔබ මිලදී ගැනීමට හෝ විකිණීමට ඇති ඔබේ නිෂ්පාදන හෝ සේවා ලැයිස්තුගත කරන්න. ඔබ ආරම්භ කරන විට විෂය සමූහය, නු සහ අනෙකුත් ගුණාංග ඒකකය පරීක්ෂා කිරීමට වග බලා ගන්න." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","ඔබ මිලදී ගැනීමට හෝ විකිණීමට ඇති ඔබේ නිෂ්පාදන හෝ සේවා ලැයිස්තුගත කරන්න. ඔබ ආරම්භ කරන විට විෂය සමූහය, නු සහ අනෙකුත් ගුණාංග ඒකකය පරීක්ෂා කිරීමට වග බලා ගන්න." DocType: Hub Settings,Hub Node,මධ්යස්ථානයක් node එකක් මතම ඊට අදාල apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,ඔබ අනුපිටපත් භාණ්ඩ ඇතුළු වී තිබේ. නිවැරදි කර නැවත උත්සාහ කරන්න. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ආශ්රිත +DocType: Company,Sales Target,විකුණුම් ඉලක්කය DocType: Asset Movement,Asset Movement,වත්කම් ව්යාපාරය -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,නව කරත්ත +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,නව කරත්ත apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,අයිතමය {0} ක් serialized අයිතමය නොවේ DocType: SMS Center,Create Receiver List,Receiver ලැයිස්තුව නිර්මාණය DocType: Vehicle,Wheels,රෝද @@ -1863,13 +1865,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,කළමනාක DocType: Supplier,Supplier of Goods or Services.,භාණ්ඩ ෙහෝ ෙසේවා සැපයුම්කරු. DocType: Budget,Fiscal Year,මුදල් වර්ෂය DocType: Vehicle Log,Fuel Price,ඉන්ධන මිල +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර Setup> Numbering Series හරහා පැමිණීමේදී සංඛ්යාලේඛන මාලාවක් සකසන්න DocType: Budget,Budget,අයවැය apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,ස්ථාවර වත්කම් අයිතමය නොවන කොටස් අයිතමය විය යුතුය. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","එය ආදායම් හෝ වියදම් ගිණුම නෑ ලෙස අයවැය, {0} එරෙහිව පවරා ගත නොහැකි" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,අත්පත් කර DocType: Student Admission,Application Form Route,ඉල්ලූම්පත් ආකෘතිය මාර්ගය apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,භූමි ප්රදේශය / පාරිභෝගික -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,උදා: 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,උදා: 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"අවසරය, වර්ගය {0} එය වැටුප් නැතිව යන්න නිසා වෙන් කළ නොහැකි" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ෙරෝ {0}: වෙන් කළ මුදල {1} වඩා අඩු හෝ හිඟ මුදල {2} පියවිය හා සමාන විය යුතුය DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ඔබ විකුණුම් ඉන්වොයිසිය බේරා වරක් වචන දෘශ්යමාන වනු ඇත. @@ -1878,11 +1881,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,අයිතමය {0} අනු අංක සඳහා පිහිටුවීම් නොවේ. අයිතමය ස්වාමියා පරීක්ෂා කරන්න DocType: Maintenance Visit,Maintenance Time,නඩත්තු කාල ,Amount to Deliver,බේරාගන්න මුදල -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,භාණ්ඩයක් හෝ සේවාවක් +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,භාණ්ඩයක් හෝ සේවාවක් apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,හදුන්වන අරඹන්න දිනය කාලීන සම්බන්ධකම් කිරීමට (අධ්යයන වර්ෂය {}) අධ්යයන වසරේ වසරේ ආරම්භය දිනය වඩා කලින් විය නොහැක. දින වකවානු නිවැරදි කර නැවත උත්සාහ කරන්න. DocType: Guardian,Guardian Interests,ගාඩියන් උනන්දුව දක්වන ක්ෂෙත්ර: DocType: Naming Series,Current Value,වත්මන් වටිනාකම -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,දිනය {0} සඳහා බහු පිස්කල් අවුරුදු පවතී. රාජ්ය මූල්ය වර්ෂය තුළ දී සමාගමේ සකස් කරන්න +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,දිනය {0} සඳහා බහු පිස්කල් අවුරුදු පවතී. රාජ්ය මූල්ය වර්ෂය තුළ දී සමාගමේ සකස් කරන්න apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} නිර්මාණය DocType: Delivery Note Item,Against Sales Order,විකුණුම් සාමය එරෙහිව ,Serial No Status,අනු අංකය තත්ත්වය @@ -1895,7 +1898,7 @@ DocType: Pricing Rule,Selling,විකිණීම apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},මුදල {0} {1} {2} එරෙහිව අඩු DocType: Employee,Salary Information,වැටුප් තොරතුරු DocType: Sales Person,Name and Employee ID,නම සහ සේවක හැඳුනුම්පත -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,"නියමිත දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල පෙර විය නොහැකි" +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,"නියමිත දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල පෙර විය නොහැකි" DocType: Website Item Group,Website Item Group,වෙබ් අඩවිය අයිතමය සමූහ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,තීරු බදු හා බදු apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,විමර්ශන දිනය ඇතුලත් කරන්න @@ -1952,9 +1955,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},සේවක {0} සඳහා එක්වීමට දිනය සකස් කරන්න DocType: Task,Total Billing Amount (via Time Sheet),(කාල පත්රය හරහා) මුළු බිල්පත් ප්රමාණය apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,නැවත පාරිභෝගික ආදායම් -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) භූමිකාව 'වියදම් Approver' තිබිය යුතුය -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pair -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,නිෂ්පාදන සඳහා ද ෙව් හා යවන ලද තෝරන්න +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) භූමිකාව 'වියදම් Approver' තිබිය යුතුය +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Pair +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,නිෂ්පාදන සඳහා ද ෙව් හා යවන ලද තෝරන්න DocType: Asset,Depreciation Schedule,ක්ෂය උපෙල්ඛනෙය් apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,"විකුණුම් සහකරු, ලිපින හා සම්බන්ධ වන්න" DocType: Bank Reconciliation Detail,Against Account,ගිණුම එරෙහිව @@ -1964,7 +1967,7 @@ DocType: Item,Has Batch No,ඇත කණ්ඩායම කිසිදු apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},වාර්ෂික ගෙවීම්: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),භාණ්ඩ හා සේවා බදු (GST ඉන්දියාව) DocType: Delivery Note,Excise Page Number,සුරාබදු පිටු අංකය -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","සමාගම, දිනය සිට මේ දක්වා අනිවාර්ය වේ" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","සමාගම, දිනය සිට මේ දක්වා අනිවාර්ය වේ" DocType: Asset,Purchase Date,මිලදීගත් දිනය DocType: Employee,Personal Details,පුද්ගලික තොරතුරු apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},සමාගම {0} තුළ 'වත්කම් ක්ෂය පිරිවැය මධ්යස්ථානය පිහිටුවා කරුණාකර @@ -1973,9 +1976,9 @@ DocType: Task,Actual End Date (via Time Sheet),(කාල පත්රය හර apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},මුදල {0} {1} {2} {3} එරෙහිව ,Quotation Trends,උද්ධෘත ප්රවණතා apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},අයිතමය {0} සඳහා අයිතමය ස්වාමියා සඳහන් කර නැත අයිතමය සමූහ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,ගිණුමක් සඳහා ඩෙබිට් වූ ලැබිය යුතු ගිණුම් විය යුතුය +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,ගිණුමක් සඳහා ඩෙබිට් වූ ලැබිය යුතු ගිණුම් විය යුතුය DocType: Shipping Rule Condition,Shipping Amount,නැව් ප්රමාණය -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,ගනුදෙනුකරුවන් එකතු +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,ගනුදෙනුකරුවන් එකතු apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,විභාග මුදල DocType: Purchase Invoice Item,Conversion Factor,පරිවර්තන සාධකය DocType: Purchase Order,Delivered,පාවා @@ -1998,7 +2001,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,සමගි අයැ DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","මව් පාඨමාලාව (මෙම මව් පාඨමාලාව කොටසක් නොවේ නම්, හිස්ව තබන්න)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","මව් පාඨමාලාව (මෙම මව් පාඨමාලාව කොටසක් නොවේ නම්, හිස්ව තබන්න)" DocType: Leave Control Panel,Leave blank if considered for all employee types,සියලු සේවක වර්ග සඳහා සලකා නම් හිස්ව තබන්න -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ගණුදෙනුකරු> පාරිභෝගික කණ්ඩායම> ප්රදේශය DocType: Landed Cost Voucher,Distribute Charges Based On,"මත පදනම් ගාස්තු, බෙදා හැරීමට" apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,මානව සම්පත් සැකසුම් @@ -2006,7 +2008,7 @@ DocType: Salary Slip,net pay info,ශුද්ධ වැටුප් තොර apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,වියදම් හිමිකම් අනුමැතිය විභාග වෙමින් පවතී. මෙම වියදම් Approver පමණක් තත්ත්වය යාවත්කාලීන කළ හැකිය. DocType: Email Digest,New Expenses,නව වියදම් DocType: Purchase Invoice,Additional Discount Amount,අතිරේක වට්ටම් මුදල -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ෙරෝ # {0}: යවන ලද 1, අයිතමය ස්ථාවර වත්කම්වල පරිදි විය යුතුය. බහු යවන ලද සඳහා වෙනම පේළි භාවිතා කරන්න." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ෙරෝ # {0}: යවන ලද 1, අයිතමය ස්ථාවර වත්කම්වල පරිදි විය යුතුය. බහු යවන ලද සඳහා වෙනම පේළි භාවිතා කරන්න." DocType: Leave Block List Allow,Leave Block List Allow,වාරණ ලැයිස්තුව තබන්න ඉඩ දෙන්න apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr හිස් හෝ ඉඩක් බව අප වටහා ගත නො හැකි apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,නොවන සමූහ සමූහ @@ -2014,7 +2016,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ක්රී DocType: Loan Type,Loan Name,ණය නම apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,මුළු තත DocType: Student Siblings,Student Siblings,ශිෂ්ය සහෝදර සහෝදරියන් -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,ඒකකය +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,ඒකකය apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,සමාගම සඳහන් කරන්න ,Customer Acquisition and Loyalty,පාරිභෝගික අත්කරගැනීම සහ සහෘද DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,ඔබ ප්රතික්ෂේප භාණ්ඩ තොගය පවත්වා කොහෙද පොත් ගබඩාව @@ -2032,12 +2034,12 @@ DocType: Workstation,Wages per hour,පැයට වැටුප් apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},කණ්ඩායම කොටස් ඉතිරි {0} ගබඩා {3} හි විෂය {2} සඳහා {1} සෘණ බවට පත් වනු apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,පහත සඳහන් ද්රව්ය ඉල්ලීම් අයිතමය යලි සඳහා මට්ටම මත පදනම්ව ස්වයංක්රීයව ඉහළ නංවා තිබෙනවා DocType: Email Digest,Pending Sales Orders,විභාග විකුණුම් නියෝග -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},ගිණුම {0} වලංගු නැත. ගිණුම ව්යවහාර මුදල් විය යුතුය {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},ගිණුම {0} වලංගු නැත. ගිණුම ව්යවහාර මුදල් විය යුතුය {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM පරිවර්තනය සාධකය පේළිය {0} අවශ්ය කරන්නේ DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය විකුණුම් සාමය, විකුණුම් ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය" DocType: Salary Component,Deduction,අඩු කිරීම් -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ෙරෝ {0}: කාලය හා කලට අනිවාර්ය වේ. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,ෙරෝ {0}: කාලය හා කලට අනිවාර්ය වේ. DocType: Stock Reconciliation Item,Amount Difference,මුදල වෙනස apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} වෙනුවෙන් එකතු apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,මෙම අලෙවි පුද්ගලයා සේවක අංකය ඇතුල් කරන්න @@ -2047,11 +2049,11 @@ DocType: Project,Gross Margin,දළ ආන්තිකය apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,නිෂ්පාදන අයිතමය පළමු ඇතුලත් කරන්න apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,ගණනය බැංකු ප්රකාශය ඉතිරි apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ආබාධිත පරිශීලක -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,උද්ධෘත +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,උද්ධෘත DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,මුළු අඩු ,Production Analytics,නිෂ්පාදනය විශ්ලේෂණ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,පිරිවැය යාවත්කාලීන කිරීම +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,පිරිවැය යාවත්කාලීන කිරීම DocType: Employee,Date of Birth,උපන්දිනය apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,අයිතමය {0} දැනටමත් ආපසු යවා ඇත DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** මුදල් වර්ෂය ** මූල්ය වර්ෂය නියෝජනය කරයි. ** ** මුදල් වර්ෂය එරෙහි සියලු ගිණුම් සටහන් ඇතුළත් කිරීම් සහ අනෙකුත් ප්රධාන ගනුදෙනු දම්වැල් මත ධාවනය වන ඇත. @@ -2096,18 +2098,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,සමාගම තෝරන්න ... DocType: Leave Control Panel,Leave blank if considered for all departments,සියළුම දෙපාර්තමේන්තු සඳහා සලකා නම් හිස්ව තබන්න apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","රැකියා ආකාර (ස්ථිර, කොන්ත්රාත්, සීමාවාසික ආදිය)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} අයිතමය {1} සඳහා අනිවාර්ය වේ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} අයිතමය {1} සඳහා අනිවාර්ය වේ DocType: Process Payroll,Fortnightly,දෙසතියකට වරක් DocType: Currency Exchange,From Currency,ව්යවහාර මුදල් වලින් apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",කරුණාකර බෙ එක් පේළිය වෙන් කළ මුදල ඉන්වොයිසිය වර්ගය හා ඉන්වොයිසිය අංකය තෝරා apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,නව මිලදී ගැනීමේ පිරිවැය -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},විෂය {0} සඳහා අවශ්ය විකුණුම් න්යාය +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},විෂය {0} සඳහා අවශ්ය විකුණුම් න්යාය DocType: Purchase Invoice Item,Rate (Company Currency),අනුපාතිකය (සමාගම ව්යවහාර මුදල්) DocType: Student Guardian,Others,අන් අය DocType: Payment Entry,Unallocated Amount,වෙළුමේ ප්රමාණය apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,ගැලපෙන විෂය සොයා ගැනීමට නොහැක. කරුණාකර {0} සඳහා තවත් අගය තෝරන්න. DocType: POS Profile,Taxes and Charges,බදු හා බදු ගාස්තු DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",භාණ්ඩයක් හෝ කොටස් මිලදී ගෙන විකුණා හෝ තබා ඇති සේවය. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,අයිතම කේතය> අයිතමය කාණ්ඩ> වෙළඳ නාමය apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,තවත් යාවත්කාලීන apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,පළමු පේළි සඳහා 'පෙර ෙරෝ මුදල මත' හෝ 'පෙර ෙරෝ මුළු දා' ලෙස භාර වර්ගය තෝරන්න බැහැ apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,ළමා අයිතමය නිෂ්පාදනයක් පැකේජය විය යුතු නොවේ. අයිතමය ඉවත් කරන්න '{0}' හා බේරා @@ -2135,7 +2138,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,මුළු බිල්පත් ප්රමාණය apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,පෙරනිමි ලැබෙන විද්යුත් ගිණුම වැඩ කිරීමට මේ සඳහා සක්රීය තිබිය යුතුයි. පෙරනිමි ලැබෙන විද්යුත් ගිණුම (POP / IMAP) සැකසුම සහ නැවත උත්සාහ කරන්න. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,ලැබිය යුතු ගිණුම් -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},ෙරෝ # {0}: වත්කම් {1} දැනටමත් {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},ෙරෝ # {0}: වත්කම් {1} දැනටමත් {2} DocType: Quotation Item,Stock Balance,කොටස් වෙළඳ ශේෂ apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ගෙවීම විකුණුම් න්යාය apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,විධායක නිලධාරී @@ -2160,10 +2163,11 @@ DocType: C-Form,Received Date,ලැබී දිනය DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","ඔබ විකුණුම් බදු හා ගාස්තු සැකිල්ල සම්මත සැකිලි නිර්මාණය කර ඇත්නම්, එක් තෝරා පහත දැක්වෙන බොත්තම මත ක්ලික් කරන්න." DocType: BOM Scrap Item,Basic Amount (Company Currency),මූලික මුදල (සමාගම ව්යවහාර මුදල්) DocType: Student,Guardians,භාරකරුවන් +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම් වර්ගය DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,මිල ලැයිස්තුව සකස් වී නොමැති නම් මිල ගණන් පෙන්වා ඇත කළ නොහැකි වනු ඇත apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"මෙම නැව්, නීතියේ ආධිපත්යය සඳහා වන රට සඳහන් හෝ ලෝක ව්යාප්ත නැව් කරුණාකර පරීක්ෂා කරන්න" DocType: Stock Entry,Total Incoming Value,මුළු එන අගය -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,ඩෙබිට් කිරීම අවශ්ය වේ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,ඩෙබිට් කිරීම අවශ්ය වේ apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ඔබගේ කණ්ඩායම විසින් සිදු කළ කටයුතුවලදී සඳහා කාලය, පිරිවැය සහ බිල්පත් පිළිබඳ වාර්තාවක් තබා ගැනීමට උදව්" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,මිලදී ගැනීම මිල ලැයිස්තුව DocType: Offer Letter Term,Offer Term,ඉල්ලුමට කාලීන @@ -2182,11 +2186,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,න DocType: Timesheet Detail,To Time,වේලාව DocType: Authorization Rule,Approving Role (above authorized value),අනුමත කාර්ය භාරය (බලය ලත් අගය ඉහළ) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,ගිණුමක් සඳහා ක්රෙඩිට් ගෙවිය යුතු ගිණුම් විය යුතුය -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},ද්රව්ය ලේඛණය සහානුයාත: {0} {2} මව් හෝ ළමා විය නොහැකි +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},ද්රව්ය ලේඛණය සහානුයාත: {0} {2} මව් හෝ ළමා විය නොහැකි DocType: Production Order Operation,Completed Qty,අවසන් යවන ලද apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0} සඳහා, ඩෙබිට් ගිණුම් වලට පමණක් තවත් ණය ප්රවේශය හා සම්බන්ධ කර ගත හැකි" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,මිල ලැයිස්තුව {0} අක්රීය කර ඇත -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},ෙරෝ {0}: සම්පූර්ණ කරන යවන ලද මෙහෙයුම් සඳහා {1} වඩා වැඩි {2} විය නොහැකි +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},ෙරෝ {0}: සම්පූර්ණ කරන යවන ලද මෙහෙයුම් සඳහා {1} වඩා වැඩි {2} විය නොහැකි DocType: Manufacturing Settings,Allow Overtime,අතිකාල ඉඩ දෙන්න apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized අයිතමය {0} කොටස් වෙළඳ ප්රතිසන්ධාන භාවිතා යාවත්කාලීන කළ නොහැක, කොටස් සටහන් භාවිතා කරන්න" DocType: Training Event Employee,Training Event Employee,පුහුණු EVENT සේවක @@ -2204,10 +2208,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,බාහිර apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,පරිශීලකයන් හා අවසර DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},නිර්මාණය කරන ලද්දේ නිෂ්පාදනය නියෝග: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},නිර්මාණය කරන ලද්දේ නිෂ්පාදනය නියෝග: {0} DocType: Branch,Branch,ශාඛාව DocType: Guardian,Mobile Number,ජංගම දූරකථන අංකය apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,මුද්රණ හා ෙවළඳ නාමකරණ +DocType: Company,Total Monthly Sales,මුළු මාසික විකුණුම් DocType: Bin,Actual Quantity,සැබෑ ප්රමාණය DocType: Shipping Rule,example: Next Day Shipping,උදාහරණයක් ලෙස: ඊළඟ දින නැව් apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,{0} සොයාගත නොහැකි අනු අංකය @@ -2238,7 +2243,7 @@ DocType: Payment Request,Make Sales Invoice,විකුණුම් ඉන් apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,මෘදුකාංග apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ඊළඟට අප අමතන්න දිනය අතීතයේ දී කළ නොහැකි DocType: Company,For Reference Only.,විමර්ශන පමණක් සඳහා. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,කණ්ඩායම තේරීම් නොමැත +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,කණ්ඩායම තේරීම් නොමැත apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},වලංගු නොවන {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,උසස් මුදල @@ -2251,7 +2256,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Barcode {0} සමග කිසිදු විෂය apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,නඩු අංක 0 වෙන්න බෑ DocType: Item,Show a slideshow at the top of the page,පිටුවේ ඉහළ ඇති වූ අතිබහුතරයකගේ පෙන්වන්න -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ස්ටෝර්ස් DocType: Serial No,Delivery Time,භාරදීමේ වේලාව apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,වයස්ගතවීම ආශ්රිත දා @@ -2265,16 +2270,16 @@ DocType: Rename Tool,Rename Tool,මෙවලම නැවත නම් කර apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,යාවත්කාලීන වියදම DocType: Item Reorder,Item Reorder,අයිතමය සීරුමාරු කිරීමේ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,වැටුප පුරවා පෙන්වන්න -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,ද්රව්ය මාරු +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,ද්රව්ය මාරු DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",", මෙහෙයුම් විශේෂයෙන් සඳහන් මෙහෙයුම් පිරිවැය සහ අද්විතීය මෙහෙයුම ඔබේ ක්රියාකාරිත්වය සඳහා කිසිදු දෙන්න." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,මෙම ලේඛනය අයිතමය {4} සඳහා {0} {1} විසින් සීමාව ඉක්මවා ඇත. ඔබ එකම {2} එරෙහිව තවත් {3} ගන්නවාද? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,ඉතිරි පසු නැවත නැවත සකස් කරන්න -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,වෙනස් මුදල ගිණුම තෝරන්න +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,ඉතිරි පසු නැවත නැවත සකස් කරන්න +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,වෙනස් මුදල ගිණුම තෝරන්න DocType: Purchase Invoice,Price List Currency,මිල ලැයිස්තුව ව්යවහාර මුදල් DocType: Naming Series,User must always select,පරිශීලක සෑම විටම තෝරාගත යුතුය DocType: Stock Settings,Allow Negative Stock,ඍණ කොටස් ඉඩ දෙන්න DocType: Installation Note,Installation Note,ස්ථාපන සටහන -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,බදු එකතු කරන්න +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,බදු එකතු කරන්න DocType: Topic,Topic,මාතෘකාව apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,මූල්ය පහසුකම් මුදල් ප්රවාහ DocType: Budget Account,Budget Account,අයවැය ගිණුම් @@ -2288,7 +2293,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ප apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),අරමුදල් ප්රභවයන් (වගකීම්) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},පේළියේ ප්රමාණය {0} ({1}) නිෂ්පාදනය ප්රමාණය {2} ලෙස සමාන විය යුතුයි DocType: Appraisal,Employee,සේවක -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,කණ්ඩායම තේරීම් +DocType: Company,Sales Monthly History,විකුණුම් මාසික ඉතිහාසය +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,කණ්ඩායම තේරීම් apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} සම්පූර්ණයෙන්ම ගෙවිය යුතුය DocType: Training Event,End Time,අවසන් කාල apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ක්රියාකාරී වැටුප් ව්යුහය {0} ලබා දී දින සඳහා සේවක {1} සඳහා සොයා @@ -2296,15 +2302,14 @@ DocType: Payment Entry,Payment Deductions or Loss,ගෙවීම් අඩු apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,විකුණුම් හෝ මිළදී සඳහා සම්මත කොන්ත්රාත් කොන්දේසි. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,වවුචරයක් විසින් සමූහ apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,විකුණුම් නල -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},වැටුප සංරචක {0} පැහැර ගිණුමක් සකස් කරන්න +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},වැටුප සංරචක {0} පැහැර ගිණුමක් සකස් කරන්න apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,දා අවශ්ය DocType: Rename Tool,File to Rename,නැවත නම් කරන්න කිරීමට ගොනු apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},කරුණාකර ෙරෝ {0} තුළ අයිතමය සඳහා ද ෙව් තෝරා apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ගිණුමක් {0} ගිණුම ප්රකාරය සමාගම {1} සමග නොගැලපේ: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},නිශ්චිතව දක්වා ඇති ද්රව්ය ලේඛණය {0} අයිතමය {1} සඳහා නොපවතියි -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර නඩත්තු උපෙල්ඛනෙය් {0} අවලංගු කළ යුතුය +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර නඩත්තු උපෙල්ඛනෙය් {0} අවලංගු කළ යුතුය DocType: Notification Control,Expense Claim Approved,වියදම් හිමිකම් අනුමත -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර Setup> Numbering Series හරහා පැමිණීමේදී සංඛ්යාලේඛන මාලාවක් සකසන්න apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,සේවක වැටුප් පුරවා {0} දැනටමත් මෙම කාල සීමාව සඳහා නිර්මාණය apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ඖෂධ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,මිලදී ගත් අයිතම පිරිවැය @@ -2321,7 +2326,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,නිමි යහ DocType: Upload Attendance,Attendance To Date,දිනය සඳහා සහභාගී DocType: Warranty Claim,Raised By,විසින් මතු DocType: Payment Gateway Account,Payment Account,ගෙවීම් ගිණුම -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,ඉදිරියට සමාගම සඳහන් කරන්න +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,ඉදිරියට සමාගම සඳහන් කරන්න apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,ලැබිය යුතු ගිණුම් ශුද්ධ වෙනස් apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Off වන්දි DocType: Offer Letter,Accepted,පිළිගත්තා @@ -2331,12 +2336,12 @@ DocType: SG Creation Tool Course,Student Group Name,ශිෂ්ය කණ්ඩ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ඔබට නිසැකවම මෙම සමාගම සඳහා වන සියළුම ගනුදෙනු මැකීමට අවශ්ය බවට තහවුරු කරගන්න. එය ඔබගේ ස්වාමියා දත්ත පවතිනු ඇත. මෙම ක්රියාව නැති කළ නොහැක. DocType: Room,Room Number,කාමර අංකය apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},වලංගු නොවන සමුද්දේශ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) නිෂ්පාදන න්යාය {3} සැලසුම් quanitity ({2}) ට වඩා වැඩි විය නොහැක +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) නිෂ්පාදන න්යාය {3} සැලසුම් quanitity ({2}) ට වඩා වැඩි විය නොහැක DocType: Shipping Rule,Shipping Rule Label,නැව් පාලනය ලේබල් apps/erpnext/erpnext/public/js/conf.js +28,User Forum,පරිශීලක සංසදය -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,", අමු ද්රව්ය, හිස් විය නොහැක." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.",", කොටස් යාවත්කාලීන නොවන ඉන්වොයිස් පහත නාවික අයිතමය අඩංගු විය." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ඉක්මන් ජර්නල් සටහන් +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,", අමු ද්රව්ය, හිස් විය නොහැක." +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.",", කොටස් යාවත්කාලීන නොවන ඉන්වොයිස් පහත නාවික අයිතමය අඩංගු විය." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,ඉක්මන් ජර්නල් සටහන් apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,ඔබ අනුපාතය වෙනස් කළ නොහැක ද්රව්ය ලේඛණය යම් භාණ්ඩයක agianst සඳහන් නම් DocType: Employee,Previous Work Experience,පසුගිය සේවා පළපුරුද්ද DocType: Stock Entry,For Quantity,ප්රමාණ සඳහා @@ -2393,7 +2398,7 @@ DocType: SMS Log,No of Requested SMS,ඉල්ලන කෙටි පණිව apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,වැටුප් නැතිව නිවාඩු අනුමත නිවාඩු ඉල්ලුම් වාර්තා සමග නොගැලපේ DocType: Campaign,Campaign-.####,ව්යාපාරය -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ඊළඟ පියවර -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,හැකි හොඳම මිලකට නිශ්චිතව දක්වා ඇති අයිතම සැපයීමට කරුණාකර +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,හැකි හොඳම මිලකට නිශ්චිතව දක්වා ඇති අයිතම සැපයීමට කරුණාකර DocType: Selling Settings,Auto close Opportunity after 15 days,දින 15 කට පසු වාහන සමීප අවස්ථා apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,අවසන් වසර apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2431,7 +2436,7 @@ DocType: Homepage,Homepage,මුල් පිටුව DocType: Purchase Receipt Item,Recd Quantity,Recd ප්රමාණ apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},නිර්මාණය කරන ලද්දේ ගාස්තු වාර්තා - {0} DocType: Asset Category Account,Asset Category Account,වත්කම් ප්රවර්ගය ගිණුම් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},විකුණුම් සාමය ප්රමාණය {1} වඩා වැඩි අයිතමය {0} බිහි කිරීමට නොහැක +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},විකුණුම් සාමය ප්රමාණය {1} වඩා වැඩි අයිතමය {0} බිහි කිරීමට නොහැක apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,කොටස් Entry {0} ඉදිරිපත් කර නැත DocType: Payment Reconciliation,Bank / Cash Account,බැංකුව / මුදල් ගිණුම් apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,ඊළඟ අමතන්න වන විට පෙරමුණ විද්යුත් තැපැල් ලිපිනය ලෙස සමාන විය නොහැකි @@ -2464,7 +2469,7 @@ DocType: Salary Structure,Total Earning,මුළු උපයන DocType: Purchase Receipt,Time at which materials were received,කවෙර්ද ද්රව්ය ලැබුණු කාලය DocType: Stock Ledger Entry,Outgoing Rate,පිටතට යන අනුපාතය apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,සංවිධානය ශාඛා ස්වාමියා. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,හෝ +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,හෝ DocType: Sales Order,Billing Status,බිල්පත් තත්ත්වය apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ක නිකුත් වාර්තා apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,උපයෝගීතා වියදම් @@ -2472,7 +2477,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ෙරෝ # {0}: ජර්නල් සටහන් {1} ගිණුම {2} හෝ දැනටමත් වෙනත් වවුචරය ගැලපීම නැත DocType: Buying Settings,Default Buying Price List,පෙරනිමි මිලට ගැනීම මිල ලැයිස්තුව DocType: Process Payroll,Salary Slip Based on Timesheet,වැටුප් පුරවා Timesheet මත පදනම්ව -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ඉහත තෝරාගත් නිර්ණායක හෝ වැටුප් ස්ලිප් සඳහා කිසිදු සේවකයෙකුට දැනටමත් නිර්මාණය +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,ඉහත තෝරාගත් නිර්ණායක හෝ වැටුප් ස්ලිප් සඳහා කිසිදු සේවකයෙකුට දැනටමත් නිර්මාණය DocType: Notification Control,Sales Order Message,විකුණුම් සාමය පණිවුඩය apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","සමාගම, මුදල්, මුදල් වර්ෂය ආදිය සකස් පෙරනිමි අගයන්" DocType: Payment Entry,Payment Type,ගෙවීම් වර්ගය @@ -2497,7 +2502,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,රිසිට්පත ලියවිලි ඉදිරිපත් කළ යුතුය DocType: Purchase Invoice Item,Received Qty,යවන ලද ලැබී DocType: Stock Entry Detail,Serial No / Batch,අනු අංකය / කණ්ඩායම -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,ගෙවුම් හා නැති කතාව නොවේ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,ගෙවුම් හා නැති කතාව නොවේ DocType: Product Bundle,Parent Item,මව් අයිතමය DocType: Account,Account Type,ගිණුම් වර්ගය DocType: Delivery Note,DN-RET-,ඩී.එන්-RET- @@ -2528,8 +2533,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,මුළු වෙන් කළ මුදල apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,භාණ්ඩ තොගය සඳහා සකසන්න පෙරනිමි බඩු තොග ගිණුමක් DocType: Item Reorder,Material Request Type,ද්රව්ය ඉල්ලීම් වර්ගය -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} {1} දක්වා වැටුප් සඳහා Accural ජර්නල් සටහන් -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},{0} {1} දක්වා වැටුප් සඳහා Accural ජර්නල් සටහන් +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ෙරෝ {0}: UOM පරිවර්තන සාධකය අනිවාර්ය වේ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,ref DocType: Budget,Cost Center,පිරිවැය මධ්යස්ථානය @@ -2547,7 +2552,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ආ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","තෝරාගත් මිල නියම පාලනය මිල 'සඳහා ඉදිරිපත් වන්නේ නම්, එය මිල ලැයිස්තුව මඟින් නැවත ලියවෙනු ඇත. මිල ගණන් පාලනය මිල අවසන් මිල, ඒ නිසා තවදුරටත් වට්ටමක් යෙදිය යුතුය. මේ නිසා, විකුණුම් සාමය, මිලදී ගැනීමේ නියෝගයක් ආදිය වැනි ගනුදෙනු, එය 'අනුපාතිකය' ක්ෂේත්රය තුළ, 'මිල ලැයිස්තුව අනුපාතිකය' ක්ෂේත්රය වඩා ඉහළම අගය කරනු ඇත." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ධාවන කර්මාන්ත ස්වභාවය අනුව මඟ පෙන්වන. DocType: Item Supplier,Item Supplier,අයිතමය සැපයුම්කරු -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,කිසිදු කණ්ඩායම ලබා ගැනීමට අයිතමය සංග්රහයේ ඇතුලත් කරන්න +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,කිසිදු කණ්ඩායම ලබා ගැනීමට අයිතමය සංග්රහයේ ඇතුලත් කරන්න apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},කරුණාකර {0} සඳහා අගය තෝරා quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,සියළු ලිපිනයන්. DocType: Company,Stock Settings,කොටස් සැකසුම් @@ -2574,7 +2579,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ගනුදෙනු apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},{0} සහ {1} අතර සොයා කිසිම වැටුප් ස්ලිප් ,Pending SO Items For Purchase Request,විභාග SO අයිතම මිලදී ගැනීම ඉල්ලීම් සඳහා apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,ශිෂ්ය ප්රවේශ -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} අක්රීය +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} අක්රීය DocType: Supplier,Billing Currency,බිල්පත් ව්යවහාර මුදල් DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,මහා පරිමාණ @@ -2604,7 +2609,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,අයැදුම්පතක තත්ත්වය විමසා DocType: Fees,Fees,ගාස්තු DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,තවත් බවට එක් මුදල් බවට පරිවර්තනය කිරීමට විනිමය අනුපාතය නියම කරන්න -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,උද්ධෘත {0} අවලංගුයි +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,උද්ධෘත {0} අවලංගුයි apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,සම්පුර්ණ හිඟ මුදල DocType: Sales Partner,Targets,ඉලක්ක DocType: Price List,Price List Master,මිල ලැයිස්තුව මාස්ටර් @@ -2621,7 +2626,7 @@ DocType: POS Profile,Ignore Pricing Rule,මිල නියම කිරීම DocType: Employee Education,Graduate,උපාධිධාරියා DocType: Leave Block List,Block Days,වාරණ දින DocType: Journal Entry,Excise Entry,සුරාබදු සටහන් -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},අවවාදයයි: විකුණුම් සාමය {0} දැනටමත් පාරිභෝගික ගේ මිලදී ගැනීමේ නියෝගයක් {1} එරෙහිව පවතී +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},අවවාදයයි: විකුණුම් සාමය {0} දැනටමත් පාරිභෝගික ගේ මිලදී ගැනීමේ නියෝගයක් {1} එරෙහිව පවතී DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2648,7 +2653,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),එ ,Salary Register,වැටුප් රෙජිස්ටර් DocType: Warehouse,Parent Warehouse,මව් ගබඩාව DocType: C-Form Invoice Detail,Net Total,ශුද්ධ මුළු -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},පෙරනිමි ද්රව්ය ලේඛණය අයිතමය {0} සඳහා සොයාගත නොහැකි හා ව්යාපෘති {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},පෙරනිමි ද්රව්ය ලේඛණය අයිතමය {0} සඳහා සොයාගත නොහැකි හා ව්යාපෘති {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,විවිධ ණය වර්ග නිර්වචනය DocType: Bin,FCFS Rate,FCFS අනුපාතිකය DocType: Payment Reconciliation Invoice,Outstanding Amount,හිඟ මුදල @@ -2685,7 +2690,7 @@ DocType: Salary Detail,Condition and Formula Help,තත්වය සහ ෆෝ apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,දේශසීමාවේ රුක් කළමනාකරණය කරන්න. DocType: Journal Entry Account,Sales Invoice,විකුණුම් ඉන්වොයිසිය DocType: Journal Entry Account,Party Balance,පක්ෂය ශේෂ -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,වට්ටම් මත ඉල්ලුම් කරන්න තෝරා +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,වට්ටම් මත ඉල්ලුම් කරන්න තෝරා DocType: Company,Default Receivable Account,පෙරනිමි ලැබිය ගිණුම DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,ඉහත තෝරාගත් නිර්ණායකයන් සඳහා ගෙවා ඇති මුළු වැටුප් සඳහා බැංකු සටහන් නිර්මාණය DocType: Stock Entry,Material Transfer for Manufacture,නිෂ්පාදනය සඳහා ද්රව්ය හුවමාරු @@ -2699,7 +2704,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,පාරිභෝගික ලිපිනය DocType: Employee Loan,Loan Details,ණය තොරතුරු DocType: Company,Default Inventory Account,පෙරනිමි තොග ගිණුම -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ෙරෝ {0}: සම්පූර්ණ කරන යවන ලද බිංදුවට වඩා වැඩි විය යුතුය. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,ෙරෝ {0}: සම්පූර්ණ කරන යවන ලද බිංදුවට වඩා වැඩි විය යුතුය. DocType: Purchase Invoice,Apply Additional Discount On,අදාළ අතිරේක වට්ටම් මත DocType: Account,Root Type,මූල වර්ගය DocType: Item,FIFO,FIFO @@ -2716,7 +2721,7 @@ DocType: Purchase Invoice Item,Quality Inspection,තත්ත්ව පරී apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,අමතර කුඩා DocType: Company,Standard Template,සම්මත සැකිල්ල DocType: Training Event,Theory,න්යාය -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,අවවාදයයි: යවන ලද ඉල්ලන ද්රව්ය අවම සාමය යවන ලද වඩා අඩු වේ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,අවවාදයයි: යවන ලද ඉල්ලන ද්රව්ය අවම සාමය යවන ලද වඩා අඩු වේ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,ගිණුම {0} කැටි වේ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,සංවිධානය සතු ගිණුම් වෙනම සටහන සමග නීතිමය ආයතනයක් / පාලිත. DocType: Payment Request,Mute Email,ගොළු විද්යුත් @@ -2740,7 +2745,7 @@ DocType: Training Event,Scheduled,නියමිත apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,උද්ධෘත සඳහා ඉල්ලීම. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",කරුණාකර "කොටස් අයිතමය ද" අයිතමය තෝරා ඇත "නෑ" හා "විකුණුම් අයිතමය ද" "ඔව්" වන අතර වෙනත් කිසිදු නිෂ්පාදන පැකේජය පවතී DocType: Student Log,Academic,අධ්යයන -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),සාමය එරෙහිව මුළු අත්තිකාරම් ({0}) {1} ග්රෑන්ඩ් මුළු වඩා වැඩි ({2}) විය නොහැකි +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),සාමය එරෙහිව මුළු අත්තිකාරම් ({0}) {1} ග්රෑන්ඩ් මුළු වඩා වැඩි ({2}) විය නොහැකි DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,අසාමාන ෙලස මාස හරහා ඉලක්ක බෙදා හැරීමට මාසික බෙදාහැරීම් තෝරන්න. DocType: Purchase Invoice Item,Valuation Rate,තක්සේරු අනුපාත DocType: Stock Reconciliation,SR/,සස / @@ -2806,6 +2811,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,ඒඑම්ටී DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,පරීක්ෂණ ප්රභවය ව්යාපාරය නම් ව්යාපාරය නම ඇතුලත් කරන්න apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,පුවත්පත් ප්රකාශකයින්ගේ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,රාජ්ය මූල්ය වර්ෂය තෝරන්න +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,අපේක්ෂිත සැපයුම් දිනය විකුණුම් නියෝගය අනුව විය යුතුය apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,සීරුමාරු කිරීමේ පෙළ DocType: Company,Chart Of Accounts Template,ගිණුම් සැකිල්ල සටහන DocType: Attendance,Attendance Date,පැමිණීම දිනය @@ -2837,7 +2843,7 @@ DocType: Pricing Rule,Discount Percentage,වට්ටමක් ප්රති DocType: Payment Reconciliation Invoice,Invoice Number,ඉන්වොයිසිය අංකය DocType: Shopping Cart Settings,Orders,නියෝග DocType: Employee Leave Approver,Leave Approver,Approver තබන්න -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,කරුණාකර කණ්ඩායම තෝරා +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,කරුණාකර කණ්ඩායම තෝරා DocType: Assessment Group,Assessment Group Name,තක්සේරු කණ්ඩායම නම DocType: Manufacturing Settings,Material Transferred for Manufacture,නිෂ්පාදනය සඳහා ස්ථාන මාරුවී ද්රව්ය DocType: Expense Claim,"A user with ""Expense Approver"" role","වියදම් Approver" භූමිකාව සමග පරිශීලක @@ -2874,7 +2880,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,ඊළඟ මාසය අවසන් දිනය DocType: Support Settings,Auto close Issue after 7 days,7 දින පසු වාහන සමීප නිකුත් apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","නිවාඩු ඉතිරි දැනටමත් අනාගත නිවාඩු වෙන් වාර්තා {1} තුළ රැගෙන යන ඉදිරිපත් කර ඇති පරිදි අවසරය, {0} පෙර වෙන් කළ නොහැකි" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),සටහන: හේතුවෙන් / යොමුව දිනය {0} දවස (s) අවසර පාරිභෝගික ණය දින ඉක්මවා +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),සටහන: හේතුවෙන් / යොමුව දිනය {0} දවස (s) අවසර පාරිභෝගික ණය දින ඉක්මවා apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ශිෂ්ය අයදුම්කරු DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ලබන්නන් සඳහා ORIGINAL DocType: Asset Category Account,Accumulated Depreciation Account,සමුච්චිත ක්ෂය ගිණුම @@ -2885,7 +2891,7 @@ DocType: Item,Reorder level based on Warehouse,ගබඩාව මත පදන DocType: Activity Cost,Billing Rate,බිල්පත් අනුපාතය ,Qty to Deliver,ගලවාගනියි යවන ලද ,Stock Analytics,කොටස් විශ්ලේෂණ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,මෙහෙයුම් හිස්ව තැබිය නොහැක +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,මෙහෙයුම් හිස්ව තැබිය නොහැක DocType: Maintenance Visit Purpose,Against Document Detail No,මත ලේඛන විස්තර නොමැත apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,පක්ෂය වර්ගය අනිවාර්ය වේ DocType: Quality Inspection,Outgoing,ධූරයෙන් ඉවත්ව යන @@ -2928,15 +2934,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,ගබඩා ලබා ගත හැක යවන ලද apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,බිල්පතක් මුදල DocType: Asset,Double Declining Balance,ද්විත්ව පහත වැටෙන ශේෂ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,සංවෘත ඇණවුම අවලංගු කළ නොහැක. අවලංගු කිරීමට Unclose. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,සංවෘත ඇණවුම අවලංගු කළ නොහැක. අවලංගු කිරීමට Unclose. DocType: Student Guardian,Father,පියා -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'යාවත්කාලීන කොටස්' ස්ථාවර වත්කම් විකිණීමට සඳහා දැන්වීම් පරීක්ෂා කළ නොහැකි +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'යාවත්කාලීන කොටස්' ස්ථාවර වත්කම් විකිණීමට සඳහා දැන්වීම් පරීක්ෂා කළ නොහැකි DocType: Bank Reconciliation,Bank Reconciliation,බැංකු සැසඳුම් DocType: Attendance,On Leave,නිවාඩු මත apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,යාවත්කාලීන ලබා ගන්න apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ගිණුම් {2} සමාගම {3} අයත් නොවේ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,ද්රව්ය ඉල්ලීම් {0} අවලංගු කර හෝ නතර -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,නියැදි වාර්තා කිහිපයක් එකතු කරන්න +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,නියැදි වාර්තා කිහිපයක් එකතු කරන්න apps/erpnext/erpnext/config/hr.py +301,Leave Management,කළමනාකරණ තබන්න apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,ගිණුම් විසින් සමූහ DocType: Sales Order,Fully Delivered,සම්පූර්ණයෙන්ම භාර @@ -2945,12 +2951,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","මෙම කොටස් ප්රතිසන්ධාන ක විවෘත කිරීම සටහන් වන බැවින්, වෙනසක් ගිණුම, එය වත්කම් / වගකීම් වර්ගය ගිණුමක් විය යුතුය" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},උපෙයෝජන ණය මුදල {0} ට වඩා වැඩි විය නොහැක apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},විෂය {0} සඳහා අවශ්ය මිලදී ගැනීමේ නියෝගයක් අංකය -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,නිෂ්පාදනය සාමය නිර්මාණය නොවන +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,නිෂ්පාදනය සාමය නිර්මාණය නොවන apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','දිනය සිට' 'මේ දක්වා' 'පසුව විය යුතුය apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ශිෂ්ය {0} ශිෂ්ය අයදුම් {1} සම්බන්ධ වන ලෙස තත්ත්වය වෙනස් කළ නොහැක DocType: Asset,Fully Depreciated,සම්පූර්ණෙයන් ක්ෂය ,Stock Projected Qty,කොටස් යවන ලද ප්රක්ෂේපිත -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},පාරිභෝගික {0} ව්යාපෘති {1} අයිති නැති +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},පාරිභෝගික {0} ව්යාපෘති {1} අයිති නැති DocType: Employee Attendance Tool,Marked Attendance HTML,කැපී පෙනෙන පැමිණීම HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","මිල ගණන් යෝජනා, ඔබගේ පාරිභෝගිකයන් වෙත යවා ඇති ලංසු" DocType: Sales Order,Customer's Purchase Order,පාරිභෝගික මිලදී ගැනීමේ නියෝගයක් @@ -2960,7 +2966,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,වෙන් කරවා අගය පහත සංඛ්යාව සකස් කරන්න apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,හෝ වටිනාකම යවන ලද apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,නිෂ්පාදන නියෝග මතු කල නොහැකි ය: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,ව්යවස්ථාව +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,ව්යවස්ථාව DocType: Purchase Invoice,Purchase Taxes and Charges,මිලදී බදු හා ගාස්තු ,Qty to Receive,ලබා ගැනීමට යවන ලද DocType: Leave Block List,Leave Block List Allowed,වාරණ ලැයිස්තුව අනුමත නිවාඩු @@ -2974,7 +2980,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,සියලු සැපයුම්කරු වර්ග DocType: Global Defaults,Disable In Words,වචන දී අක්රීය apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,අයිතමය සංග්රහයේ අනිවාර්ය වේ අයිතමය ස්වයංක්රීයව අංකනය නැති නිසා -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},උද්ධෘත {0} නොවේ වර්ගයේ {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},උද්ධෘත {0} නොවේ වර්ගයේ {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,නඩත්තු උපෙල්ඛනෙය් විෂය DocType: Sales Order,% Delivered,% භාර DocType: Production Order,PRO-,PRO- @@ -2997,7 +3003,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,විකුණන්නා විද්යුත් DocType: Project,Total Purchase Cost (via Purchase Invoice),(මිලදී ගැනීමේ ඉන්වොයිසිය හරහා) මුළු මිලදී ගැනීම පිරිවැය DocType: Training Event,Start Time,ආරම්භක වේලාව -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,ප්රමාණ තෝරා +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,ප්රමාණ තෝරා DocType: Customs Tariff Number,Customs Tariff Number,රේගු ගාස්තු අංකය apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"කාර්යභාරය අනුමත පාලනය කිරීම සඳහා අදාළ වේ භූමිකාව, සමාන විය නොහැකි" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,"මෙම විද්යුත් Digest සිට වනවාද," @@ -3021,7 +3027,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,මහජන සම්බන්ධතා විස්තර DocType: Sales Order,Fully Billed,පූර්ණ අසූහත apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,මුදල් අතේ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},කොටස් අයිතමය {0} සඳහා අවශ්ය සැපයුම් ගබඩා සංකීර්ණය +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},කොටස් අයිතමය {0} සඳහා අවශ්ය සැපයුම් ගබඩා සංකීර්ණය DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ඇසුරුම් දළ බර. ශුද්ධ බර + ඇසුරුම් ද්රව්ය බර සාමාන්යයෙන්. (මුද්රිත) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,වැඩසටහන DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,මෙම භූමිකාව ඇති පරිශීලකයන්ට ශීත කළ ගිණුම් සකස් කිරීම හා නිර්මාණ / ශීත කළ ගිණුම් එරෙහිව ගිණුම් සටහන් ඇතුළත් කිරීම් වෙනස් කිරීමට අවසර ඇත @@ -3031,7 +3037,7 @@ DocType: Student Group,Group Based On,සමූහ පදනම් මත DocType: Journal Entry,Bill Date,පනත් කෙටුම්පත දිනය apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","සේවා අයිතමය, වර්ගය, සංඛ්යාත සහ වියදම් ප්රමාණය අවශ්ය වේ" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","ඉහළම ප්රමුඛත්වය සමග බහු මිල නියම රීති තිබිය දී පවා, නම්, පහත සඳහන් අභ්යන්තර ප්රමුඛතා අයදුම් කර ඇත:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},ඔබ ඇත්තටම {0} සිට {1} වෙත වැටුප පුරවා ඉදිරිපත් කිරීමට අවශ්යද +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},ඔබ ඇත්තටම {0} සිට {1} වෙත වැටුප පුරවා ඉදිරිපත් කිරීමට අවශ්යද DocType: Cheque Print Template,Cheque Height,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් උස" DocType: Supplier,Supplier Details,සැපයුම්කරු විස්තර DocType: Expense Claim,Approval Status,පතේ තත්වය @@ -3053,7 +3059,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,උද්ධෘත apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,පෙන්වන්න ඊට වැඩි දෙයක් නැහැ. DocType: Lead,From Customer,පාරිභෝගික සිට apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ඇමතුම් -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,කාණ්ඩ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,කාණ්ඩ DocType: Project,Total Costing Amount (via Time Logs),(කාල ලඝු-සටහන් හරහා) මුළු සැඳුම්ලත් මුදල DocType: Purchase Order Item Supplied,Stock UOM,කොටස් UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,මිලදී ගැනීමේ නියෝගයක් {0} ඉදිරිපත් කර නැත @@ -3085,7 +3091,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,මිලදී ගැ DocType: Item,Warranty Period (in days),වගකීම් කාලය (දින තුළ) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 සමඟ සම්බන්ධය apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,මෙහෙයුම් වලින් ශුද්ධ මුදල් -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,උදා: එකතු කළ අගය මත බදු +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,උදා: එකතු කළ අගය මත බදු apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,අයිතමය 4 DocType: Student Admission,Admission End Date,ඇතුළත් කර අවසානය දිනය apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,උප-කොන්ත්රාත් @@ -3093,7 +3099,7 @@ DocType: Journal Entry Account,Journal Entry Account,ජර්නල් සට apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,ශිෂ්ය සමූහය DocType: Shopping Cart Settings,Quotation Series,උද්ධෘත ශ්රේණි apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","අයිතමයක් ම නම ({0}) සමග පවතී, අයිතමය කණ්ඩායමේ නම වෙනස් කිරීම හෝ අයිතමය නැවත නම් කරුණාකර" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,කරුණාකර පාරිභෝගික තෝරා +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,කරුණාකර පාරිභෝගික තෝරා DocType: C-Form,I,මම DocType: Company,Asset Depreciation Cost Center,වත්කම් ක්ෂය පිරිවැය මධ්යස්ථානය DocType: Sales Order Item,Sales Order Date,විකුණුම් සාමය දිනය @@ -3104,6 +3110,7 @@ DocType: Stock Settings,Limit Percent,සියයට සීමා ,Payment Period Based On Invoice Date,ගෙවීම් කාලය ඉන්වොයිසිය දිනය පදනම් apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0} සඳහා ව්යවහාර මුදල් විනිමය අනුපාත අතුරුදහන් DocType: Assessment Plan,Examiner,පරීක්ෂක +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,කරුණාකර {0} මගින් Setting> Settings> Naming Series හරහා Naming Series තෝරන්න DocType: Student,Siblings,සහෝදර සහෝදරියන් DocType: Journal Entry,Stock Entry,කොටස් සටහන් DocType: Payment Entry,Payment References,ගෙවීම් ආශ්රිත @@ -3128,7 +3135,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,නිෂ්පාදන මෙහෙයුම් සිදු කරනු ලැබේ කොහෙද. DocType: Asset Movement,Source Warehouse,මූලාශ්රය ගබඩාව DocType: Installation Note,Installation Date,ස්ථාපනය දිනය -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},ෙරෝ # {0}: වත්කම් {1} සමාගම අයිති නැත {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},ෙරෝ # {0}: වත්කම් {1} සමාගම අයිති නැත {2} DocType: Employee,Confirmation Date,ස්ථිර කිරීම දිනය DocType: C-Form,Total Invoiced Amount,මුළු ඉන්වොයිස් මුදල apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,යි යවන ලද මැක්ස් යවන ලද වඩා වැඩි විය නොහැකි @@ -3203,7 +3210,7 @@ DocType: Company,Default Letter Head,පෙරනිමි ලිපි ශී DocType: Purchase Order,Get Items from Open Material Requests,විවෘත ද්රව්ය ඉල්ලීම් සිට අයිතම ලබා ගන්න DocType: Item,Standard Selling Rate,සම්මත විකිණීම අනුපාතිකය DocType: Account,Rate at which this tax is applied,මෙම බදු අයදුම් වන අවස්ථාවේ අනුපාතය -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,සීරුමාරු කිරීමේ යවන ලද +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,සීරුමාරු කිරීමේ යවන ලද apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,වත්මන් රැකියා අවස්ථා DocType: Company,Stock Adjustment Account,කොටස් ගැලපුම් ගිණුම apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,ලියා හරින්න @@ -3217,7 +3224,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,සැපයුම්කරු පාරිභෝගික බාර apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ආකෘතිය / අයිතමය / {0}) කොටස් ඉවත් වේ apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,"ඊළඟ දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල වඩා වැඩි විය යුතුය" -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},නිසා / යොමුව දිනය {0} පසු විය නොහැකි +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},නිසා / යොමුව දිනය {0} පසු විය නොහැකි apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,දත්ත ආනයන හා අපනයන apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,සිසුන් හමු කිසිදු apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,"ඉන්වොයිසිය ගිය තැන, දිනය" @@ -3238,12 +3245,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,මෙය මේ ශිෂ්ය ඊට සහභාගී මත පදනම් වේ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,කිසිදු ශිෂ්ය apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,වැඩිපුර භාණ්ඩ ෙහෝ විවෘත පූර්ණ ආකෘති පත්රය එක් කරන්න -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','අපේක්ෂිත භාර දීම දිනය' ඇතුලත් කරන්න -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,සැපයුම් සටහන් {0} මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර අවලංගු කළ යුතුය +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,සැපයුම් සටහන් {0} මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර අවලංගු කළ යුතුය apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ගෙවනු ලබන මුදල + ප්රමාණය මුළු එකතුව වඩා වැඩි විය නොහැකි Off ලියන්න apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} අයිතමය {1} සඳහා වලංගු කණ්ඩායම අංකය නොවේ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},සටහන: මෙහි නිවාඩු වර්ගය {0} සඳහා ප්රමාණවත් නිවාඩු ඉතිරි නොවේ -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,වලංගු නොවන GSTIN හෝ ලියාපදිංචි නොකල සඳහා එන් ඇතුලත් කරන්න +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,වලංගු නොවන GSTIN හෝ ලියාපදිංචි නොකල සඳහා එන් ඇතුලත් කරන්න DocType: Training Event,Seminar,සම්මන්ත්රණය DocType: Program Enrollment Fee,Program Enrollment Fee,වැඩසටහන ඇතුළත් ගාස්තු DocType: Item,Supplier Items,සැපයුම්කරු අයිතම @@ -3261,7 +3267,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,කොටස් වයස්ගතවීම apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},ශිෂ්ය {0} ශිෂ්ය අයදුම්කරු {1} එරෙහිව පවතින apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' අක්රීය +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' අක්රීය apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,විවෘත ලෙස සකසන්න DocType: Cheque Print Template,Scanned Cheque,ස්කෑන් චෙක්පත් DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,ගනුදෙනු ඉදිරිපත් මත සම්බන්ධතා වෙත ස්වයංක්රීය ඊමේල් යවන්න. @@ -3308,7 +3314,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,මිල ලැයිස්තුව විනිමය අනුපාත DocType: Purchase Invoice Item,Rate,අනුපාතය apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,ආධුනිකයා -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ලිපිනය නම +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,ලිපිනය නම DocType: Stock Entry,From BOM,ද්රව්ය ලේඛණය සිට DocType: Assessment Code,Assessment Code,තක්සේරු සංග්රහයේ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,මූලික @@ -3321,20 +3327,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,වැටුප් ව්යුහය DocType: Account,Bank,බැංකුව apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ගුවන් -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,නිකුත් ද්රව්ය +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,නිකුත් ද්රව්ය DocType: Material Request Item,For Warehouse,ගබඩා සඳහා DocType: Employee,Offer Date,ඉල්ලුමට දිනය apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,උපුටා දැක්වීම් -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,ඔබ නොබැඳිව වේ. ඔබ ජාලයක් තියෙනවා තෙක් ඔබට රීලෝඩ් කිරීමට නොහැකි වනු ඇත. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,ඔබ නොබැඳිව වේ. ඔබ ජාලයක් තියෙනවා තෙක් ඔබට රීලෝඩ් කිරීමට නොහැකි වනු ඇත. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,කිසිදු ශිෂ්ය කණ්ඩායම් නිර්මාණය. DocType: Purchase Invoice Item,Serial No,අනුක්රමික අංකය apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,මාසික නැවත ගෙවීමේ ප්රමාණය ණය මුදල වඩා වැඩි විය නොහැකි apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Maintaince විස්තර පළමු ඇතුලත් කරන්න +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,පේළිය # {0}: අපේක්ෂිත සැපයුම් දිනය මිලදී ගැනීමේ නියෝගය දිනට පෙර නොවිය හැක DocType: Purchase Invoice,Print Language,මුද්රණය භාෂා DocType: Salary Slip,Total Working Hours,මුළු වැඩ කරන වේලාවන් DocType: Stock Entry,Including items for sub assemblies,උප එකලස්කිරීම් සඳහා ද්රව්ය ඇතුළු -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,අගය ධනාත්මක විය යුතුය ඇතුලත් කරන්න -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,අයිතම කේතය> අයිතමය කාණ්ඩ> වෙළඳ නාමය +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,අගය ධනාත්මක විය යුතුය ඇතුලත් කරන්න apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,සියලු ප්රදේශ DocType: Purchase Invoice,Items,අයිතම apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ශිෂ්ය දැනටමත් ලියාපදිංචි කර ඇත. @@ -3357,7 +3363,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ප්රභේද්යයක් සඳහා නු පෙරනිමි ඒකකය '{0}' සැකිල්ල මෙන් ම විය යුතුයි '{1}' DocType: Shipping Rule,Calculate Based On,පදනම් කරගත් දින ගණනය DocType: Delivery Note Item,From Warehouse,ගබඩාව සිට -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,නිෂ්පාදනය කිරීමට ද්රව්ය පනත් ෙකටුම්පත අයිතම කිසිදු +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,නිෂ්පාදනය කිරීමට ද්රව්ය පනත් ෙකටුම්පත අයිතම කිසිදු DocType: Assessment Plan,Supervisor Name,සුපරීක්ෂක නම DocType: Program Enrollment Course,Program Enrollment Course,වැඩසටහන ඇතුලත් පාඨමාලා DocType: Program Enrollment Course,Program Enrollment Course,වැඩසටහන ඇතුලත් පාඨමාලා @@ -3373,23 +3379,23 @@ DocType: Training Event Employee,Attended,සහභාගි apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'දින අවසන් සාමය නිසා' විශාල හෝ ශුන්ය සමාන විය යුතුයි DocType: Process Payroll,Payroll Frequency,වැටුප් සංඛ්යාත DocType: Asset,Amended From,සංශෝධිත වන සිට -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,අමුදව්ය +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,අමුදව්ය DocType: Leave Application,Follow via Email,විද්යුත් හරහා අනුගමනය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,ශාක හා යන්ත්රෝපකරණ DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,බදු මුදල වට්ටම් මුදල පසු DocType: Daily Work Summary Settings,Daily Work Summary Settings,ඩේලි වැඩ සාරාංශය සැකසුම් -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},"මිල ලැයිස්තුව, ව්යවහාර මුදල් {0} තෝරාගත් මුදල් {1} සමග සමාන නොවේ" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},"මිල ලැයිස්තුව, ව්යවහාර මුදල් {0} තෝරාගත් මුදල් {1} සමග සමාන නොවේ" DocType: Payment Entry,Internal Transfer,අභ තර ස්ථ apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,ළමා ගිණුම මෙම ගිණුම සඳහා පවතී. ඔබ මෙම ගිණුම මකා දැමීම කළ නොහැක. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ඉලක්කය යවන ලද හෝ ඉලක්කය ප්රමාණය එක්කෝ අනිවාර්ය වේ apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},ද්රව්ය ලේඛණය අයිතමය {0} සඳහා පවතී පෙරනිමි කිසිදු -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"කරුණාකර ගිය තැන, දිනය පළමු තෝරා" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"කරුණාකර ගිය තැන, දිනය පළමු තෝරා" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,විවෘත දිනය දිනය අවසන් පෙර විය යුතුය DocType: Leave Control Panel,Carry Forward,ඉදිරියට ගෙන apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,පවත්නා ගනුදෙනු වියදම මධ්යස්ථානය ලෙජර් බවට පරිවර්තනය කළ නොහැකි DocType: Department,Days for which Holidays are blocked for this department.,නිවාඩු මෙම දෙපාර්තමේන්තුව සඳහා අවහිර කර ඇත ඒ සඳහා දින. ,Produced,ඉදිරිපත් -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,නිර්මාණය වැටුප් ශ්රී ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,නිර්මාණය වැටුප් ශ්රී ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය DocType: Item,Item Code for Suppliers,සැපයුම්කරුවන් සඳහා අයිතමය සංග්රහයේ DocType: Issue,Raised By (Email),(විද්යුත්) වන විට මතු DocType: Training Event,Trainer Name,පුහුණුකරු නම @@ -3397,9 +3403,10 @@ DocType: Mode of Payment,General,ජනරාල් apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,පසුගිය සන්නිවේදන apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,පසුගිය සන්නිවේදන apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',කාණ්ඩය තක්සේරු 'හෝ' තක්සේරු හා පූර්ණ 'සඳහා වන විට අඩු කර නොහැකි -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ඔබේ බදු හිස් ලැයිස්තු (උදා: එකතු කළ අගය මත බදු, රේගු ආදිය, ඔවුන් අද්විතීය නම් තිබිය යුතු) සහ ඒවායේ සම්මත අනුපාත. මෙය ඔබ සංස්කරණය සහ වඩාත් පසුව එකතු කළ හැකි සම්මත සැකිල්ල, නිර්මාණය කරනු ඇත." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ඔබේ බදු හිස් ලැයිස්තු (උදා: එකතු කළ අගය මත බදු, රේගු ආදිය, ඔවුන් අද්විතීය නම් තිබිය යුතු) සහ ඒවායේ සම්මත අනුපාත. මෙය ඔබ සංස්කරණය සහ වඩාත් පසුව එකතු කළ හැකි සම්මත සැකිල්ල, නිර්මාණය කරනු ඇත." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serialized අයිතමය {0} සඳහා අනු අංක අවශ්ය apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ඉන්වොයිසි සමග සසදන්න ගෙවීම් +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},පේළිය # {0}: කරුණාකර {1} අයිතමයට එරෙහිව සැපයුම් දිනය ඇතුළත් කරන්න. DocType: Journal Entry,Bank Entry,බැංකු පිවිසුම් DocType: Authorization Rule,Applicable To (Designation),(තනතුර) කිරීම සඳහා අදාළ ,Profitability Analysis,ලාභදායීතාවය විශ්ලේෂණය @@ -3415,17 +3422,18 @@ DocType: Quality Inspection,Item Serial No,අයිතමය අනු අං apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,සේවක වාර්තා නිර්මාණය apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,මුළු වර්තමාන apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,මුල්ය ප්රකාශන -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,පැය +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,පැය apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,නව අනු අංකය ගබඩා තිබිය නොහැකිය. පොත් ගබඩාව කොටස් සටහන් හෝ මිළදී රිසිට්පත විසින් තබා ගත යුතු DocType: Lead,Lead Type,ඊයම් වර්ගය apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,ඔබ කලාප දිනයන් මත කොළ අනුමත කිරීමට අවසර නැත -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,මේ සියලු විෂයන් දැනටමත් ඉන්වොයිස් කර ඇත +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,මේ සියලු විෂයන් දැනටමත් ඉන්වොයිස් කර ඇත +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,මාසික විකුණුම් ඉලක්කය apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} අනුමත කළ හැකි DocType: Item,Default Material Request Type,පෙරනිමි ද්රව්ය ඉල්ලීම් වර්ගය apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,නොදන්නා DocType: Shipping Rule,Shipping Rule Conditions,නැව් පාලනය කොන්දේසි DocType: BOM Replace Tool,The new BOM after replacement,වෙනුවට පසු නව ද්රව්ය ලේඛණය -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,", විකුණුම් පේදුරු" +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,", විකුණුම් පේදුරු" DocType: Payment Entry,Received Amount,ලැබී මුදල DocType: GST Settings,GSTIN Email Sent On,යවා GSTIN විද්යුත් DocType: Program Enrollment,Pick/Drop by Guardian,ගාර්ඩියන් පුවත්පත විසින් / Drop ගන්න @@ -3442,8 +3450,8 @@ DocType: Batch,Source Document Name,මූලාශ්රය ලේඛන නම DocType: Batch,Source Document Name,මූලාශ්රය ලේඛන නම DocType: Job Opening,Job Title,රැකියා තනතුර apps/erpnext/erpnext/utilities/activation.py +97,Create Users,පරිශීලකයන් නිර්මාණය -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,ඇට -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,නිෂ්පාදනය කිරීමට ප්රමාණය 0 ට වඩා වැඩි විය යුතුය. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,ඇට +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,නිෂ්පාදනය කිරීමට ප්රමාණය 0 ට වඩා වැඩි විය යුතුය. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,නඩත්තු ඇමතුම් සඳහා වාර්තාව පිවිසෙන්න. DocType: Stock Entry,Update Rate and Availability,වේගය හා උපකාර ලැබිය හැකි යාවත්කාලීන DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ප්රතිශතයක් ඔබට අණ ප්රමාණය වැඩි වැඩියෙන් ලබා හෝ ඉදිරිපත් කිරීමට අවසර ඇත. උදාහරණයක් ලෙස: ඔබට ඒකක 100 නියෝග කර තිබේ නම්. ඔබේ දීමනාව 10% ක් නම් ඔබ ඒකක 110 ලබා ගැනීමට අවසර ලැබේ වේ. @@ -3456,7 +3464,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,මිලදී ගැනීම ඉන්වොයිසිය {0} පළමු අවලංගු කරන්න apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","විද්යුත් තැපැල් ලිපිනය අනන්ය විය යුතුය, දැනටමත් {0} සඳහා පවතී" DocType: Serial No,AMC Expiry Date,"විදේශ මුදල් හුවමාරු කරන්නන්, කල් ඉකුත්වන දිනය," -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,රිසිට්පත +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,රිසිට්පත ,Sales Register,විකුණුම් රෙජිස්ටර් DocType: Daily Work Summary Settings Company,Send Emails At,දී විද්යුත් තැපැල් පණිවුඩ යවන්න DocType: Quotation,Quotation Lost Reason,උද්ධෘත ලොස්ට් හේතුව @@ -3469,14 +3477,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,තවමත apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,මුදල් ප්රවාහ ප්රකාශය apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ණය මුදල {0} උපරිම ණය මුදල ඉක්මවා නො හැකි apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,බලපත්රය -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},C-ආකෘතිය {1} සිට මෙම ඉන්වොයිසිය {0} ඉවත් කරන්න +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},C-ආකෘතිය {1} සිට මෙම ඉන්වොයිසිය {0} ඉවත් කරන්න DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,ඔබ ද පෙර මූල්ය වර්ෂය ශේෂ මෙම මුදල් වසරේදී පිටත්ව ඇතුළත් කිරීමට අවශ්ය නම් ඉදිරියට ගෙන කරුණාකර තෝරා DocType: GL Entry,Against Voucher Type,වවුචරයක් වර්ගය එරෙහිව DocType: Item,Attributes,දන්ත ධාතුන් apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,ගිණුම අක්රිය ලියන්න ඇතුලත් කරන්න apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,පසුගිය සාමය දිනය apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},ගිණුම {0} සමාගම {1} අයත් නොවේ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,පිට පිට අනු ගණන් {0} සැපයුම් සටහන සමග නොගැලපේ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,පිට පිට අනු ගණන් {0} සැපයුම් සටහන සමග නොගැලපේ DocType: Student,Guardian Details,ගාඩියන් විස්තර DocType: C-Form,C-Form,C-ආකෘතිය apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,බහු සේවකයන් සඳහා ලකුණ පැමිණීම @@ -3508,16 +3516,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,විකුණුම් DocType: Stock Entry Detail,Basic Amount,මූලික මුදල DocType: Training Event,Exam,විභාග -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},කොටස් අයිතමය {0} සඳහා අවශ්ය පොත් ගබඩාව +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},කොටස් අයිතමය {0} සඳහා අවශ්ය පොත් ගබඩාව DocType: Leave Allocation,Unused leaves,භාවිතයට නොගත් කොළ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,බිල්පත් රාජ්ය apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,මාරු apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} පක්ෂය ගිණුම {2} සමග සම්බන්ධ නැති -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(උප-එකලස්කිරීම් ඇතුළුව) පුපුරා ද්රව්ය ලේඛණය බෝගයන්ගේ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(උප-එකලස්කිරීම් ඇතුළුව) පුපුරා ද්රව්ය ලේඛණය බෝගයන්ගේ DocType: Authorization Rule,Applicable To (Employee),(සේවක) කිරීම සඳහා අදාළ apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,නියමිත දිනය අනිවාර්ය වේ apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Attribute {0} 0 වෙන්න බෑ සඳහා වර්ධකය +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ගණුදෙනුකරු> පාරිභෝගික කණ්ඩායම> ප්රදේශය DocType: Journal Entry,Pay To / Recd From,සිට / Recd වැටුප් DocType: Naming Series,Setup Series,setup ශ්රේණි DocType: Payment Reconciliation,To Invoice Date,ඉන්වොයිසිය දිනය කිරීමට @@ -3544,7 +3553,7 @@ DocType: Journal Entry,Write Off Based On,පදනම් කරගත් දි apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ඊයම් කරන්න apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,මුද්රිත හා ලිපි ද්රව්ය DocType: Stock Settings,Show Barcode Field,Barcode ක්ෂේත්ර පෙන්වන්න -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,සැපයුම්කරු විද්යුත් තැපැල් පණිවුඩ යවන්න +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,සැපයුම්කරු විද්යුත් තැපැල් පණිවුඩ යවන්න apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","වැටුප් දැනටමත් {0} අතර කාල සීමාව සඳහා සකස් සහ {1}, අයදුම්පත් කාලය Leave මෙම දින පරාසයක් අතර විය නොහැක." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,එය අනු අංකය සඳහා ස්ථාපන සටහන් DocType: Guardian Interest,Guardian Interest,ගාඩියන් පොලී @@ -3558,7 +3567,7 @@ DocType: Offer Letter,Awaiting Response,බලා සිටින ප්රත apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ඉහත apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},වලංගු නොවන විශේෂණය {0} {1} DocType: Supplier,Mention if non-standard payable account,සම්මත නොවන ගෙවිය යුතු ගිණුම් නම් සඳහන් -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},එම අයිතමය වාර කිහිපයක් ඇතුළු කර ඇත. {ලැයිස්තුව} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},එම අයිතමය වාර කිහිපයක් ඇතුළු කර ඇත. {ලැයිස්තුව} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',කරුණාකර 'සියලුම තක්සේරු කණ්ඩායම්' හැර වෙනත් තක්සේරු කණ්ඩායම තෝරන්න DocType: Salary Slip,Earning & Deduction,උපයන සහ අඩු කිරීම් apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,විකල්ප. මෙම සිටුවම විවිධ ගනුදෙනු පෙරහන් කිරීමට භාවිතා කරනු ඇත. @@ -3577,7 +3586,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,කටුගා දමා වත්කම් පිරිවැය apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: පිරිවැය මධ්යස්ථානය අයිතමය {2} සඳහා අනිවාර්ය වේ DocType: Vehicle,Policy No,ප්රතිපත්ති නැත -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,නිෂ්පාදන පැකේජය සිට අයිතම ලබා ගන්න +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,නිෂ්පාදන පැකේජය සිට අයිතම ලබා ගන්න DocType: Asset,Straight Line,සරල රේඛාව DocType: Project User,Project User,ව්යාපෘති පරිශීලක apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,බෙදුණු @@ -3592,6 +3601,7 @@ DocType: Bank Reconciliation,Payment Entries,ගෙවීම් සඳහා අ DocType: Production Order,Scrap Warehouse,පරණ පොත් ගබඩාව DocType: Production Order,Check if material transfer entry is not required,"ද්රව්ය හුවමාරු ප්රවේශය අවශ්ය නොවේ නම්, පරීක්ෂා" DocType: Production Order,Check if material transfer entry is not required,"ද්රව්ය හුවමාරු ප්රවේශය අවශ්ය නොවේ නම්, පරීක්ෂා" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර මානව සම්පත්> HR සැකසුම් තුළ සේවක නාමකරණය කිරීමේ පද්ධතිය සැකසීම කරන්න DocType: Program Enrollment Tool,Get Students From,සිට ශිෂ්ය ලබා ගන්න DocType: Hub Settings,Seller Country,විකුණන්නා රට apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,වෙබ් අඩවිය මත අයිතම ප්රකාශයට පත් කරනු ලබයි @@ -3610,19 +3620,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,නාවික මුදල ගණනය කිරීමට කොන්දේසි නියම DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,ශීත කළ ගිණුම් සහ සංස්කරණය කරන්න ශීත කළ අයැදුම්පත් සිටුවම් කිරීමට කාර්යභාරය apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,ලෙජර් පිරිවැය මධ්යස්ථානය බවට පත් කළ නොහැක එය ළමා මංසල කර ඇති පරිදි -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,විවෘත කළ අගය +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,විවෘත කළ අගය DocType: Salary Detail,Formula,සූත්රය apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,අනු # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,විකුණුම් මත කොමිසම DocType: Offer Letter Term,Value / Description,අගය / විස්තරය -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ නොහැකි, එය දැනටමත් {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ නොහැකි, එය දැනටමත් {2}" DocType: Tax Rule,Billing Country,බිල්පත් රට DocType: Purchase Order Item,Expected Delivery Date,අපේක්ෂිත භාර දීම දිනය apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,හර සහ බැර {0} # {1} සඳහා සමාන නැත. වෙනස {2} වේ. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,විනෝදාස්වාදය වියදම් apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,ද්රව්ය ඉල්ලීම් කරන්න apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},විවෘත අයිතමය {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර විකුණුම් ඉන්වොයිසිය {0} අවලංගු කළ යුතුය +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර විකුණුම් ඉන්වොයිසිය {0} අවලංගු කළ යුතුය apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,වයස DocType: Sales Invoice Timesheet,Billing Amount,බිල්පත් ප්රමාණය apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"අයිතමය {0} සඳහා නිශ්චිතව දක්වා ඇති වලංගු නොවන ප්රමාණය. ප්රමාණය, 0 ට වඩා වැඩි විය යුතුය." @@ -3645,7 +3655,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,නව පාරිභෝගික ආදායම් apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ගමන් වියදම් DocType: Maintenance Visit,Breakdown,බිඳ වැටීම -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ගිණුම: {0} මුදල් සමග: {1} තෝරා ගත නොහැකි +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,ගිණුම: {0} මුදල් සමග: {1} තෝරා ගත නොහැකි DocType: Bank Reconciliation Detail,Cheque Date,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් දිනය" apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},ගිණුම {0}: මාපිය ගිණුමක් {1} සමාගම අයිති නැත: {2} DocType: Program Enrollment Tool,Student Applicants,ශිෂ්ය අයදුම්කරුවන් @@ -3665,11 +3675,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,සැ DocType: Material Request,Issued,නිකුත් කල apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,ශිෂ්ය ක්රියාකාරකම් DocType: Project,Total Billing Amount (via Time Logs),(කාල ලඝු-සටහන් හරහා) මුළු බිල්පත් ප්රමාණය -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,අපි මේ විෂය විකිණීම් +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,අපි මේ විෂය විකිණීම් apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,සැපයුම්කරු අංකය DocType: Payment Request,Payment Gateway Details,ගෙවීම් ගේට්වේ විස්තර -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,"ප්රමාණය, 0 ට වඩා වැඩි විය යුතුය" -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,නියැදි දත්ත +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,"ප්රමාණය, 0 ට වඩා වැඩි විය යුතුය" +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,නියැදි දත්ත DocType: Journal Entry,Cash Entry,මුදල් සටහන් apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ළමා මංසල පමණි 'සමූහය වර්ගය මංසල යටතේ නිර්මාණය කිරීම ද කළ හැක DocType: Leave Application,Half Day Date,අර්ධ දින දිනය @@ -3678,17 +3688,18 @@ DocType: Sales Partner,Contact Desc,අප අමතන්න DESC apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","අනියම්, ලෙඩ ආදිය කොළ වර්ගය" DocType: Email Digest,Send regular summary reports via Email.,විද්යුත් හරහා නිතිපතා සාරාංශයක් වාර්තා යවන්න. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},වියදම් හිමිකම් වර්ගය {0} පැහැර ගිණුමක් සකස් කරන්න +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},වියදම් හිමිකම් වර්ගය {0} පැහැර ගිණුමක් සකස් කරන්න DocType: Assessment Result,Student Name,ශිෂ්ය නම DocType: Brand,Item Manager,අයිතමය කළමනාකරු apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,පඩි නඩි ගෙවිය යුතු DocType: Buying Settings,Default Supplier Type,පෙරනිමි සැපයුම්කරු වර්ගය DocType: Production Order,Total Operating Cost,මුළු මෙහෙයුම් පිරිවැය -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,සටහන: අයිතමය {0} වාර කිහිපයක් ඇතුළු +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,සටහන: අයිතමය {0} වාර කිහිපයක් ඇතුළු apps/erpnext/erpnext/config/selling.py +41,All Contacts.,සියළු සබඳතා. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,ඔබේ ඉලක්කය සකස් කරන්න apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,සමාගම කෙටි යෙදුම් apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,පරිශීලක {0} නොපවතියි -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,අමු ද්රව්ය ප්රධාන විෂය ලෙස සමාන විය නොහැකි +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,අමු ද්රව්ය ප්රධාන විෂය ලෙස සමාන විය නොහැකි DocType: Item Attribute Value,Abbreviation,කෙටි යෙදුම් apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ගෙවීම් සටහන් දැනටමත් පවතී apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,authroized නොහැකි නිසා {0} සීමාවන් ඉක්මවා @@ -3706,7 +3717,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,ශීත කළ ක ,Territory Target Variance Item Group-Wise,භූමි ප්රදේශය ඉලක්ක විචලතාව අයිතමය සමූහ ප්රාඥ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,සියලු පාරිභෝගික කණ්ඩායම් apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,මාසික සමුච්චිත -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} අනිවාර්ය වේ. සමහර විට විනිමය හුවමාරු වාර්තා {1} {2} සඳහා නිර්මාණය කර නැත. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} අනිවාර්ය වේ. සමහර විට විනිමය හුවමාරු වාර්තා {1} {2} සඳහා නිර්මාණය කර නැත. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,බදු සැකිල්ල අනිවාර්ය වේ. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,ගිණුම {0}: මාපිය ගිණුමක් {1} නොපවතියි DocType: Purchase Invoice Item,Price List Rate (Company Currency),මිල ලැයිස්තුව අනුපාතිකය (සමාගම ව්යවහාර මුදල්) @@ -3717,7 +3728,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,ප්රති apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,ලේකම් DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","ආබාධිත නම්, ක්ෂේත්රය 'වචන දී' ඕනෑම ගනුදෙනුවක් තුළ දිස් නොවන" DocType: Serial No,Distinct unit of an Item,කළ භාණ්ඩයක වෙනස් ඒකකය -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,සමාගම සකස් කරන්න +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,සමාගම සකස් කරන්න DocType: Pricing Rule,Buying,මිලදී ගැනීමේ DocType: HR Settings,Employee Records to be created by,සේවක වාර්තා විසින් නිර්මාණය කල DocType: POS Profile,Apply Discount On,වට්ටම් මත අදාළ @@ -3728,7 +3739,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,අයිතමය ප්රඥාවන්ත බදු විස්තර apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ආයතනය කෙටි යෙදුම් ,Item-wise Price List Rate,අයිතමය ප්රඥාවන්ත මිල ලැයිස්තුව අනුපාතිකය -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,සැපයුම්කරු උද්ධෘත +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,සැපයුම්කරු උද්ධෘත DocType: Quotation,In Words will be visible once you save the Quotation.,ඔබ උද්ධෘත බේරා වරක් වචන දෘශ්යමාන වනු ඇත. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ප්රමාණය ({0}) පේළියේ {1} තුළ භාගය විය නොහැකි apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ප්රමාණය ({0}) පේළියේ {1} තුළ භාගය විය නොහැකි @@ -3752,7 +3763,7 @@ Updated via 'Time Log'",'කාලය පිළිබඳ ලඝු-සටහ DocType: Customer,From Lead,ඊයම් සිට apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,නිෂ්පාදනය සඳහා නිකුත් නියෝග. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,රාජ්ය මූල්ය වර්ෂය තෝරන්න ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS සටහන් කිරීමට අවශ්ය POS නරඹන්න +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS සටහන් කිරීමට අවශ්ය POS නරඹන්න DocType: Program Enrollment Tool,Enroll Students,ශිෂ්ය ලියාපදිංචි DocType: Hub Settings,Name Token,නම ටෝකනය apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,සම්මත විකිණීම @@ -3770,7 +3781,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,කොටස් අගය ව apps/erpnext/erpnext/config/learn.py +234,Human Resource,මානව සම්පත් DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ගෙවීම් ප්රතිසන්ධාන ගෙවීම් apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,බදු වත්කම් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},නිෂ්පාදනය සාමය {0} වී ඇත +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},නිෂ්පාදනය සාමය {0} වී ඇත DocType: BOM Item,BOM No,ද්රව්ය ලේඛණය නොමැත DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ජර්නල් සටහන් {0} ගිණුම {1} නැති හෝ වෙනත් වවුචරය එරෙහිව මේ වන විටත් අදාල කරගත කරන්නේ @@ -3784,7 +3795,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,එය apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,විශිෂ්ට ඒඑම්ටී DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,මෙම වෙළෙඳ පුද්ගලයෙක් සඳහා ඉලක්ක අයිතමය සමූහ ප්රඥාවන්ත Set. DocType: Stock Settings,Freeze Stocks Older Than [Days],[දින] වඩා පැරණි කොටස් කැටි -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ෙරෝ # {0}: වත්කම් ස්ථාවර වත්කම් මිලදී ගැනීම / විකිණීම සඳහා අනිවාර්ය වේ +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ෙරෝ # {0}: වත්කම් ස්ථාවර වත්කම් මිලදී ගැනීම / විකිණීම සඳහා අනිවාර්ය වේ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","මිල නියම කිරීම නීති දෙකක් හෝ ඊට වැඩි ඉහත තත්වයන් මත පදනම්ව දක්නට ලැබේ නම්, ප්රමුඛ ආලේප කරයි. අතර පෙරනිමි අගය ශුන්ය (හිස්ව තබන්න) වේ ප්රමුඛ 0 සිට 20 දක්වා අතර සංඛ්යාවක්. සංඛ්යාව ඉහල එම කොන්දේසි සමග බහු මිල නියම රීති පවතී නම් එය මුල් තැන ඇත යන්නයි." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,රාජ්ය මූල්ය වර්ෂය: {0} පවතී නැත DocType: Currency Exchange,To Currency,ව්යවහාර මුදල් සඳහා @@ -3793,7 +3804,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,වියදම apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},අයිතමය {0} සඳහා අනුපාතය අලෙවි එහි {1} වඩා අඩු ය. අලෙවි අනුපාතය කටවත් {2} විය යුතු apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},අයිතමය {0} සඳහා අනුපාතය අලෙවි එහි {1} වඩා අඩු ය. අලෙවි අනුපාතය කටවත් {2} විය යුතු DocType: Item,Taxes,බදු -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,ගෙවුම් හා නොවේ භාර +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,ගෙවුම් හා නොවේ භාර DocType: Project,Default Cost Center,පෙරනිමි පිරිවැය මධ්යස්ථානය DocType: Bank Guarantee,End Date,අවසාන දිනය apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,කොටස් ගනුදෙනු @@ -3810,7 +3821,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,ඩේලි වැඩ සාරාංශය සැකසුම් සමාගම apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,අයිතමය {0} නොසලකා එය කොටස් භාණ්ඩයක් නොවන නිසා DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,වැඩිදුර සැකසීම සදහා මෙම නිෂ්පාදන න්යාය ඉදිරිපත් කරන්න. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,වැඩිදුර සැකසීම සදහා මෙම නිෂ්පාදන න්යාය ඉදිරිපත් කරන්න. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","යම් ගනුදෙනුවක දී, මිල නියම කිරීම පාලනය අදාළ නොවේ කිරීම සඳහා, සියලු අදාල මිල ගණන් රීති අක්රිය කළ යුතුය." DocType: Assessment Group,Parent Assessment Group,මව් තක්සේරු කණ්ඩායම apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,රැකියා @@ -3818,10 +3829,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,රැකි DocType: Employee,Held On,දා පැවති apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,නිෂ්පාදන විෂය ,Employee Information,සේවක තොරතුරු -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),අනුපාතිකය (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),අනුපාතිකය (%) DocType: Stock Entry Detail,Additional Cost,අමතර පිරිවැය apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","වවුචරයක් වර්ගීකරණය නම්, වවුචරයක් නොමැත මත පදනම් පෙරීමට නොහැකි" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,සැපයුම්කරු උද්ධෘත කරන්න +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,සැපයුම්කරු උද්ධෘත කරන්න DocType: Quality Inspection,Incoming,ලැබෙන DocType: BOM,Materials Required (Exploded),අවශ්ය ද්රව්ය (පුපුරා) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","ඔබ හැර, ඔබේ ආයතනය සඳහා භාවිතා කරන්නන් එකතු කරන්න" @@ -3837,7 +3848,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ගිණුම: {0} පමණක් කොටස් ගනුදෙනු හරහා යාවත්කාලීන කළ හැකි DocType: Student Group Creation Tool,Get Courses,පාඨමාලා ලබා ගන්න DocType: GL Entry,Party,පක්ෂය -DocType: Sales Order,Delivery Date,බෙදාහැරීමේ දිනය +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,බෙදාහැරීමේ දිනය DocType: Opportunity,Opportunity Date,අවස්ථාව දිනය DocType: Purchase Receipt,Return Against Purchase Receipt,මිලදී ගැනීම රිසිට්පත එරෙහි නැවත DocType: Request for Quotation Item,Request for Quotation Item,උද්ධෘත අයිතමය සඳහා ඉල්ලුම් @@ -3851,7 +3862,7 @@ DocType: Task,Actual Time (in Hours),සැබෑ කාලය (පැය දී DocType: Employee,History In Company,සමාගම දී ඉතිහාසය apps/erpnext/erpnext/config/learn.py +107,Newsletters,පුවත් ලිපි DocType: Stock Ledger Entry,Stock Ledger Entry,කොටස් ලේජර සටහන් -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,එම අයිතමය වාර කිහිපයක් ඇතුළු කර ඇත +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,එම අයිතමය වාර කිහිපයක් ඇතුළු කර ඇත DocType: Department,Leave Block List,වාරණ ලැයිස්තුව තබන්න DocType: Sales Invoice,Tax ID,බදු හැඳුනුම්පත apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,අයිතමය {0} අනු අංක සඳහා පිහිටුවීම් නොවේ තීරුව හිස්ව තිබිය යුතුයි. @@ -3869,25 +3880,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,කලු DocType: BOM Explosion Item,BOM Explosion Item,ද්රව්ය ලේඛණය පිපිරීගිය අයිතමය DocType: Account,Auditor,විගණකාධිපති -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} ඉදිරිපත් භාණ්ඩ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} ඉදිරිපත් භාණ්ඩ DocType: Cheque Print Template,Distance from top edge,ඉහළ දාරය සිට දුර apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,මිල ලැයිස්තුව {0} අක්රීය කර ඇත නැත්නම් ස්ථානීකව නොපවතියි DocType: Purchase Invoice,Return,ආපසු DocType: Production Order Operation,Production Order Operation,නිෂ්පාදන න්යාය මෙහෙයුම DocType: Pricing Rule,Disable,අක්රීය -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ගෙවීම් ක්රමය ගෙවීම් කිරීමට අවශ්ය වේ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,ගෙවීම් ක්රමය ගෙවීම් කිරීමට අවශ්ය වේ DocType: Project Task,Pending Review,විභාග සමාලෝචන apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} මෙම කණ්ඩායම {2} ලියාපදිංචි වී නොමැති apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","එය දැනටමත් {1} පරිදි වත්කම්, {0} කටුගා දමා ගත නොහැකි" DocType: Task,Total Expense Claim (via Expense Claim),(වියදම් හිමිකම් හරහා) මුළු වියදම් හිමිකම් apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,මාක් නැති කල -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ෙරෝ {0}: සිටිමට # ව්යවහාර මුදල් {1} තෝරාගත් මුදල් {2} සමාන විය යුතුයි +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ෙරෝ {0}: සිටිමට # ව්යවහාර මුදල් {1} තෝරාගත් මුදල් {2} සමාන විය යුතුයි DocType: Journal Entry Account,Exchange Rate,විනිමය අනුපාතය -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,විකුණුම් සාමය {0} ඉදිරිපත් කර නැත +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,විකුණුම් සාමය {0} ඉදිරිපත් කර නැත DocType: Homepage,Tag Line,ටැග ලයින් DocType: Fee Component,Fee Component,ගාස්තු සංරචක apps/erpnext/erpnext/config/hr.py +195,Fleet Management,රථ වාහන කළමනාකරණය -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,සිට අයිතම එකතු කරන්න +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,සිට අයිතම එකතු කරන්න DocType: Cheque Print Template,Regular,සාමාන්ය apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,සියලු තක්සේරු නිර්ණායක මුළු Weightage 100% ක් විය යුතුය DocType: BOM,Last Purchase Rate,පසුගිය මිලදී ගැනීම අනුපාත @@ -3908,12 +3919,12 @@ DocType: Employee,Reports to,වාර්තා කිරීමට DocType: SMS Settings,Enter url parameter for receiver nos,ලබන්නා අංක සඳහා url එක පරාමිතිය ඇතුලත් කරන්න DocType: Payment Entry,Paid Amount,ු ර් DocType: Assessment Plan,Supervisor,සුපරීක්ෂක -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,සමඟ අමුත්තන් +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,සමඟ අමුත්තන් ,Available Stock for Packing Items,ඇසුරුම් අයිතම සඳහා ලබා ගත හැකි කොටස් DocType: Item Variant,Item Variant,අයිතමය ප්රභේද්යයක් DocType: Assessment Result Tool,Assessment Result Tool,තක්සේරු ප්රතිඵල මෙවලම DocType: BOM Scrap Item,BOM Scrap Item,ද්රව්ය ලේඛණය ලාංකික අයිතමය -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,ඉදිරිපත් නියෝග ඉවත් කල නොහැක +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ඉදිරිපත් නියෝග ඉවත් කල නොහැක apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ඩෙබිට් දැනටමත් ගිණුම් ශේෂය, ඔබ 'ක්රෙඩිට්' ලෙස 'ශේෂ විය යුතුයි' නියම කිරීමට අවසර නැත" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,තත්ත්ව කළමනාකරණ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,අයිතමය {0} අක්රීය කොට ඇත @@ -3945,7 +3956,7 @@ DocType: Item Group,Default Expense Account,පෙරනිමි ගෙවී apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ශිෂ්ය විද්යුත් හැඳුනුම්පත DocType: Employee,Notice (days),නිවේදනය (දින) DocType: Tax Rule,Sales Tax Template,විකුණුම් බදු සැකිල්ල -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ඉන්වොයිස් බේරා ගැනීමට භාණ්ඩ තෝරන්න +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,ඉන්වොයිස් බේරා ගැනීමට භාණ්ඩ තෝරන්න DocType: Employee,Encashment Date,හැකි ඥාතීන් නොවන දිනය DocType: Training Event,Internet,අන්තර්ජාල DocType: Account,Stock Adjustment,කොටස් ගැලපුම් @@ -3994,10 +4005,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,සර apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,අයිතමය සඳහා අවසර මැක්ස් වට්ටමක්: {0} වේ {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,ලෙස මත ශුද්ධ වත්කම්වල වටිනාකම DocType: Account,Receivable,ලැබිය යුතු -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ෙරෝ # {0}: මිලදී ගැනීමේ නියෝගයක් දැනටමත් පවතී ලෙස සැපයුම්කරුවන් වෙනස් කිරීමට අවසර නැත +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ෙරෝ # {0}: මිලදී ගැනීමේ නියෝගයක් දැනටමත් පවතී ලෙස සැපයුම්කරුවන් වෙනස් කිරීමට අවසර නැත DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,සකස් ණය සීමා ඉක්මවා යන ගනුදෙනු ඉදිරිපත් කිරීමට අවසර තිබේ එම භූමිකාව. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,නිෂ්පාදනය කිරීමට අයිතම තෝරන්න -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","මාස්ටර් දත්ත සමමුහුර්ත, එය යම් කාලයක් ගත විය හැකියි" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,නිෂ්පාදනය කිරීමට අයිතම තෝරන්න +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","මාස්ටර් දත්ත සමමුහුර්ත, එය යම් කාලයක් ගත විය හැකියි" DocType: Item,Material Issue,ද්රව්ය නිකුත් DocType: Hub Settings,Seller Description,විකුණන්නා විස්තරය DocType: Employee Education,Qualification,සුදුසුකම් @@ -4018,11 +4029,10 @@ DocType: BOM,Rate Of Materials Based On,ද්රව්ය මත පදනම apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,සහයෝගය Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,සියලු නොතේරූ නිසාවෙන් DocType: POS Profile,Terms and Conditions,නියම සහ කොන්දේසි -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර මානව සම්පත්> HR සැකසුම් තුළ සේවක නාමකරණය කිරීමේ පද්ධතිය සැකසීම කරන්න apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},දිනය සඳහා මුදල් වර්ෂය තුළ විය යුතුය. දිනය = {0} සඳහා උපකල්පනය DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","මෙහිදී ඔබට උස, බර, අසාත්මිකතා, වෛද්ය කනස්සල්ල ආදිය පවත්වා ගැනීමට නොහැකි" DocType: Leave Block List,Applies to Company,සමාගම සඳහා අදාළ ෙව් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,අවලංගු කළ නොහැකි ඉදිරිපත් කොටස් Entry {0} පවතින බැවිනි +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,අවලංගු කළ නොහැකි ඉදිරිපත් කොටස් Entry {0} පවතින බැවිනි DocType: Employee Loan,Disbursement Date,ටහිර දිනය DocType: Vehicle,Vehicle,වාහන DocType: Purchase Invoice,In Words,වචන ගැන @@ -4061,7 +4071,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,ගෝලීය සැ DocType: Assessment Result Detail,Assessment Result Detail,තක්සේරු ප්රතිඵල විස්තර DocType: Employee Education,Employee Education,සේවක අධ්යාපන apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,අයිතමය පිරිසක් වගුව සොයා ගෙන අනුපිටපත් අයිතමය පිරිසක් -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,එය අයිතමය විස්තර බැරිතැන අවශ්ය වේ. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,එය අයිතමය විස්තර බැරිතැන අවශ්ය වේ. DocType: Salary Slip,Net Pay,ශුද්ධ වැටුප් DocType: Account,Account,ගිණුම apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,අනු අංකය {0} දැනටමත් ලැබී ඇත @@ -4069,7 +4079,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,වාහන ලොග් DocType: Purchase Invoice,Recurring Id,පුනරාවර්තනය අංකය DocType: Customer,Sales Team Details,විකුණුම් කණ්ඩායම විස්තර -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,ස්ථිර මකන්නද? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,ස්ථිර මකන්නද? DocType: Expense Claim,Total Claimed Amount,මුළු හිමිකම් කියන අය මුදල apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,විකිණීම සඳහා ලබාදිය හැකි අවස්ථා. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},වලංගු නොවන {0} @@ -4081,7 +4091,7 @@ DocType: Warehouse,PIN,PIN අංකය apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,සැකසුම ERPNext ඔබේ පාසල් DocType: Sales Invoice,Base Change Amount (Company Currency),මූලික වෙනස් ප්රමාණය (සමාගම ව්යවහාර මුදල්) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,පහත සඳහන් ගබඩා වෙනුවෙන් කිසිදු වගකීමක් සටහන් ඇතුළත් කිරීම් -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,පළමු ලිපිය සුරැකීම. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,පළමු ලිපිය සුරැකීම. DocType: Account,Chargeable,"අයකරනු ලබන ගාස්තු," DocType: Company,Change Abbreviation,කෙටි යෙදුම් වෙනස් DocType: Expense Claim Detail,Expense Date,වියදම් දිනය @@ -4095,7 +4105,6 @@ DocType: BOM,Manufacturing User,නිෂ්පාදන පරිශීලක DocType: Purchase Invoice,Raw Materials Supplied,"සපයා, අමු ද්රව්ය" DocType: Purchase Invoice,Recurring Print Format,පුනරාවර්තනය මුද්රණය ආකෘතිය DocType: C-Form,Series,මාලාවක් -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,අපේක්ෂිත භාර දීම දිනය මිලදී ගැනීමේ නියෝගයක් දිනය පෙර විය නොහැකි DocType: Appraisal,Appraisal Template,ඇගයීෙම් සැකිල්ල DocType: Item Group,Item Classification,අයිතමය වර්ගීකරණය apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ව්යාපාර සංවර්ධන කළමණාකරු @@ -4134,12 +4143,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,වෙළ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,පුහුණු සිදුවීම් / ප්රතිඵල apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,මත ලෙස සමුච්චිත ක්ෂය DocType: Sales Invoice,C-Form Applicable,C-ආකෘතිය අදාල -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},"වේලාව මෙහෙයුම මෙහෙයුම {0} සඳහා, 0 ට වඩා වැඩි විය යුතුය" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},"වේලාව මෙහෙයුම මෙහෙයුම {0} සඳහා, 0 ට වඩා වැඩි විය යුතුය" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,පොත් ගබඩාව අනිවාර්ය වේ DocType: Supplier,Address and Contacts,ලිපිනය සහ අප අමතන්න DocType: UOM Conversion Detail,UOM Conversion Detail,UOM පරිවර්තනය විස්තර DocType: Program,Program Abbreviation,වැඩසටහන කෙටි යෙදුම් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,නිෂ්පාදන සාමය සඳහා අයිතමය සැකිල්ල එරෙහිව මතු කළ හැකි නොවේ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,නිෂ්පාදන සාමය සඳහා අයිතමය සැකිල්ල එරෙහිව මතු කළ හැකි නොවේ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ගාස්තු එක් එක් අයිතමය එරෙහිව මිලදී ගැනීම රිසිට්පත යාවත්කාලීන වේ DocType: Warranty Claim,Resolved By,විසින් විසඳා DocType: Bank Guarantee,Start Date,ආරම්භක දිනය @@ -4174,6 +4183,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,පුහුණු ඔබෙන් ලැබෙන ප්රයෝජනාත්මක ප්රතිචාරය apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,නිෂ්පාදන න්යාය {0} ඉදිරිපත් කළ යුතුය apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},කරුණාකර විෂය {0} සඳහා ආරම්භය දිනය හා අවසාන දිනය තෝරා +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,ඔබ අපේක්ෂා කරන විකුණුම් ඉලක්කයක් සකසන්න. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},පාඨමාලා පේළිය {0} අනිවාර්ය වේ apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,මේ දක්වා දින සිට පෙර විය නොහැකි DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4192,7 +4202,7 @@ DocType: Account,Income,ආදායම් DocType: Industry Type,Industry Type,කර්මාන්ත වර්ගය apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,මොකක්හරි වැරද්දක් වෙලා! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,"අවවාදයයි: අවසරය, අයදුම් පහත වාරණ දින අඩංගු" -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,විකුණුම් ඉන්වොයිසිය {0} දැනටමත් ඉදිරිපත් කර ඇති +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,විකුණුම් ඉන්වොයිසිය {0} දැනටමත් ඉදිරිපත් කර ඇති DocType: Assessment Result Detail,Score,ලකුණු apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,මුදල් වර්ෂය {0} නොපවතියි apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,අවසන් කරන දිනය @@ -4222,7 +4232,7 @@ DocType: Naming Series,Help HTML,HTML උදව් DocType: Student Group Creation Tool,Student Group Creation Tool,ශිෂ්ය කණ්ඩායම් නිර්මාණය මෙවලම DocType: Item,Variant Based On,ප්රභේද්යයක් පදනම් මත apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},පවරා මුළු weightage 100% ක් විය යුතුය. එය {0} වේ -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,ඔබේ සැපයුම්කරුවන් +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,ඔබේ සැපයුම්කරුවන් apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,විකුණුම් සාමය සෑදී ලෙස ලොස්ට් ලෙස සිටුවම් කල නොහැක. DocType: Request for Quotation Item,Supplier Part No,සැපයුම්කරු අඩ නොමැත apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',කාණ්ඩය තක්සේරු 'හෝ' Vaulation හා පූර්ණ 'සඳහා වන විට අඩු කර නොහැකි @@ -4232,14 +4242,14 @@ DocType: Item,Has Serial No,අනු අංකය ඇත DocType: Employee,Date of Issue,නිකුත් කරන දිනය apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} {1} සඳහා සිට apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","අර Buy සැකසුම් අනුව මිලදී ගැනීම Reciept අවශ්ය == 'ඔව්' නම් ගැනුම් නිර්මාණය කිරීම සඳහා, පරිශීලක අයිතමය {0} සඳහා පළමු මිලදී ගැනීම රිසිට්පත නිර්මාණය කිරීමට අවශ්ය නම්" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},ෙරෝ # {0}: අයිතමය සඳහා සැපයුම්කරු සකසන්න {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ෙරෝ {0}: පැය අගය බිංදුවට වඩා වැඩි විය යුතුය. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},ෙරෝ # {0}: අයිතමය සඳහා සැපයුම්කරු සකසන්න {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,ෙරෝ {0}: පැය අගය බිංදුවට වඩා වැඩි විය යුතුය. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,වෙබ් අඩවිය රූප {0} අයිතමය අනුයුක්ත {1} සොයාගත නොහැකි DocType: Issue,Content Type,අන්තර්ගතයේ වර්ගය apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,පරිගණක DocType: Item,List this Item in multiple groups on the website.,එම වෙබ් අඩවිය බහු කණ්ඩායම් ෙමම අයිතමය ලැයිස්තුගත කරන්න. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,වෙනත් ව්යවහාර මුදල් ගිණුම් ඉඩ බහු ව්යවහාර මුදල් විකල්පය කරුණාකර පරීක්ෂා කරන්න -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,අයිතමය: {0} පද්ධතිය තුළ නොපවතියි +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,අයිතමය: {0} පද්ධතිය තුළ නොපවතියි apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,ඔබ ශීත කළ අගය නියම කිරීමට අවසර නැත DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled අයැදුම්පත් ලබා ගන්න DocType: Payment Reconciliation,From Invoice Date,ඉන්වොයිසිය දිනය @@ -4265,7 +4275,7 @@ DocType: Stock Entry,Default Source Warehouse,පෙරනිමි ප්රභ DocType: Item,Customer Code,පාරිභෝගික සංග්රහයේ apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},{0} සඳහා උපන් දිනය මතක් apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,පසුගිය සාමය නිසා දින -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,ගිණුමක් සඳහා ඩෙබිට් වූ ශේෂ පත්රය ගිණුමක් විය යුතුය +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,ගිණුමක් සඳහා ඩෙබිට් වූ ශේෂ පත්රය ගිණුමක් විය යුතුය DocType: Buying Settings,Naming Series,ශ්රේණි අනුප්රාප්තිකයා නම් කිරීම DocType: Leave Block List,Leave Block List Name,"අවසරය, වාරණ ලැයිස්තුව නම" apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,රක්ෂණ අරඹන්න දිනය රක්ෂණ අවසාන දිනය වඩා අඩු විය යුතුය @@ -4282,7 +4292,7 @@ DocType: Vehicle Log,Odometer,Odometer DocType: Sales Order Item,Ordered Qty,නියෝග යවන ලද apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,අයිතමය {0} අක්රීය කර ඇත DocType: Stock Settings,Stock Frozen Upto,කොටස් ශීත කළ තුරුත් -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,ද්රව්ය ලේඛණය ඕනෑම කොටස් අයිතමය අඩංගු නොවේ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,ද්රව්ය ලේඛණය ඕනෑම කොටස් අයිතමය අඩංගු නොවේ apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},සිට හා කාලය {0} නැවත නැවත අනිවාර්ය දින සඳහා කාලය apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,ව්යාපෘති ක්රියාකාරකම් / කටයුත්තක්. DocType: Vehicle Log,Refuelling Details,Refuelling විස්තර @@ -4292,7 +4302,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,පසුගිය මිලදී අනුපාතය සොයාගත නොහැකි DocType: Purchase Invoice,Write Off Amount (Company Currency),Off ලියන්න ප්රමාණය (සමාගම ව්යවහාර මුදල්) DocType: Sales Invoice Timesheet,Billing Hours,බිල්පත් පැය -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,{0} සොයාගත නොහැකි සඳහා පෙරනිමි ද්රව්ය ලේඛණය +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,{0} සොයාගත නොහැකි සඳහා පෙරනිමි ද්රව්ය ලේඛණය apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,ෙරෝ # {0}: කරුණාකර සකස් මොහොත ප්රමාණය apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,භාණ්ඩ ඒවා මෙහි එකතු කරන්න තට්ටු කරන්න DocType: Fees,Program Enrollment,වැඩසටහන ඇතුළත් @@ -4326,6 +4336,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,වයස්ගතවීම රංගේ 2 DocType: SG Creation Tool Course,Max Strength,මැක්ස් ශක්තිය apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,ද්රව්ය ලේඛණය වෙනුවට +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Delivery Date මත පදනම් අයිතම තෝරන්න ,Sales Analytics,විකුණුම් විශ්ලේෂණ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},ලබා ගත හැකි {0} ,Prospects Engaged But Not Converted,බලාපොරොත්තු නියැලෙන එහෙත් පරිවර්තනය නොවේ @@ -4373,7 +4384,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise වට්ටම apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,කාර්යයන් සඳහා Timesheet. DocType: Purchase Invoice,Against Expense Account,ගෙවීමේ ගිණුම් එරෙහිව DocType: Production Order,Production Order,නිෂ්පාදන න්යාය -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,ස්ථාපන සටහන {0} දැනටමත් ඉදිරිපත් කර ඇති +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,ස්ථාපන සටහන {0} දැනටමත් ඉදිරිපත් කර ඇති DocType: Bank Reconciliation,Get Payment Entries,ගෙවීම් සඳහා අයැදුම්පත් ලබා ගන්න DocType: Quotation Item,Against Docname,Docname එරෙහිව DocType: SMS Center,All Employee (Active),සියලු සේවක (ක්රියාකාරී) @@ -4382,7 +4393,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,අමු ද්රව්ය පිරිවැය DocType: Item Reorder,Re-Order Level,නැවත සාමය පෙළ DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,භාණ්ඩ ඇතුලත් කරන්න සහ ඔබ නිෂ්පාදන ඇනවුම් මතු හෝ විශ්ලේෂණ සඳහා අමුද්රව්ය බාගත කිරීම සඳහා අවශ්ය සඳහා යවන ලද සැලසුම් කළා. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt සටහන +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt සටහන apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,අර්ධ කාලීන DocType: Employee,Applicable Holiday List,අදාළ නිවාඩු ලැයිස්තුව DocType: Employee,Cheque,චෙක් පත @@ -4440,11 +4451,11 @@ DocType: Bin,Reserved Qty for Production,නිෂ්පාදන සඳහා DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ඔබ මත පාඨමාලා කණ්ඩායම් ඇති කරමින් කණ්ඩායම සලකා බැලීමට අවශ්ය නැති නම් පරීක්ෂාවෙන් තොරව තබන්න. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ඔබ මත පාඨමාලා කණ්ඩායම් ඇති කරමින් කණ්ඩායම සලකා බැලීමට අවශ්ය නැති නම් පරීක්ෂාවෙන් තොරව තබන්න. DocType: Asset,Frequency of Depreciation (Months),ක්ෂය වාර ගණන (මාස) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,ක්රෙඩිට් ගිණුම් +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,ක්රෙඩිට් ගිණුම් DocType: Landed Cost Item,Landed Cost Item,ඉඩම් හිමි වියදම අයිතමය apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,ශුන්ය අගයන් පෙන්වන්න DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,නිෂ්පාදන / අමු ද්රව්ය ලබා රාශි වෙතින් නැවත ඇසුරුම්කර පසු ලබා අයිතමය ප්රමාණය -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup මගේ සංවිධානය කිරීම සඳහා සරල වෙබ් අඩවිය +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup මගේ සංවිධානය කිරීම සඳහා සරල වෙබ් අඩවිය DocType: Payment Reconciliation,Receivable / Payable Account,ලැබිය යුතු / ගෙවිය යුතු ගිණුම් DocType: Delivery Note Item,Against Sales Order Item,විකුණුම් සාමය අයිතමය එරෙහිව apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},විශේෂණය {0} සඳහා අගය ආරෝපණය සඳහන් කරන්න @@ -4509,22 +4520,22 @@ DocType: Student,Nationality,ජාතිය ,Items To Be Requested,අයිතම ඉල්ලන කිරීමට DocType: Purchase Order,Get Last Purchase Rate,ලබා ගන්න අවසන් මිලදී ගැනීම අනුපාත DocType: Company,Company Info,සමාගම තොරතුරු -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,නව පාරිභෝගික තෝරා ගැනීමට හෝ එකතු -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,වියදම් මධ්යස්ථානය ක වියදමක් ප්රකාශය වෙන්කර ගැනීමට අවශ්ය වේ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,නව පාරිභෝගික තෝරා ගැනීමට හෝ එකතු +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,වියදම් මධ්යස්ථානය ක වියදමක් ප්රකාශය වෙන්කර ගැනීමට අවශ්ය වේ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),අරමුදල් ඉල්ලුම් පත්රය (වත්කම්) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,මෙය මේ සේවක පැමිණීම මත පදනම් වේ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,ඩෙබිට් ගිණුම +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,ඩෙබිට් ගිණුම DocType: Fiscal Year,Year Start Date,වසරේ ආරම්භක දිනය DocType: Attendance,Employee Name,සේවක නම DocType: Sales Invoice,Rounded Total (Company Currency),වටකුරු එකතුව (සමාගම ව්යවහාර මුදල්) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ගිණුම් වර්ගය තෝරා නිසා සමූහ සමාගම සැරසේ නොහැක. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} වෙනස් කර ඇත. නැවුම් කරන්න. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} වෙනස් කර ඇත. නැවුම් කරන්න. DocType: Leave Block List,Stop users from making Leave Applications on following days.,පහත සඳහන් දිනවල නිවාඩු ඉල්ලුම් කිරීමෙන් පරිශීලකයන් එක නතර කරන්න. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,මිලදී ගැනීම මුදල apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,සැපයුම්කරු උද්ධෘත {0} නිර්මාණය apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,අවසන් වසර ආරම්භය අවුරුද්දට පෙර විය නොහැකි apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,සේවක ප්රතිලාභ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},හැකිළු ප්රමාණය පේළිය {1} තුළ අයිතමය {0} සඳහා ප්රමාණය සමාන විය යුතුය +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},හැකිළු ප්රමාණය පේළිය {1} තුළ අයිතමය {0} සඳහා ප්රමාණය සමාන විය යුතුය DocType: Production Order,Manufactured Qty,නිෂ්පාදනය යවන ලද DocType: Purchase Receipt Item,Accepted Quantity,පිළිගත් ප්රමාණ apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},සේවක {0} හෝ සමාගම සඳහා පෙරනිමි නිවාඩු ලැයිස්තු සකස් කරුණාකර {1} @@ -4535,11 +4546,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ෙරෝ නැත {0}: ප්රමාණය වියදම් හිමිකම් {1} එරෙහිව මුදල තෙක් ට වඩා වැඩි විය නොහැක. විභාග මුදල වේ {2} DocType: Maintenance Schedule,Schedule,උපෙල්ඛනෙය් DocType: Account,Parent Account,මව් ගිණුම -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,ඇත +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,ඇත DocType: Quality Inspection Reading,Reading 3,කියවීම 3 ,Hub,මධ්යස්ථානයක් DocType: GL Entry,Voucher Type,වවුචරය වර්ගය -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,මිල ලැයිස්තුව සොයා හෝ ආබාධිත නොවන +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,මිල ලැයිස්තුව සොයා හෝ ආබාධිත නොවන DocType: Employee Loan Application,Approved,අනුමත DocType: Pricing Rule,Price,මිල apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} 'වමේ' ලෙස සකස් කළ යුතු ය මත මුදා සේවක @@ -4609,7 +4620,7 @@ DocType: SMS Settings,Static Parameters,ස්ථිතික පරාමිත DocType: Assessment Plan,Room,කාමරය DocType: Purchase Order,Advance Paid,උසස් ගෙවුම් DocType: Item,Item Tax,අයිතමය බදු -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,සැපයුම්කරු ද්රව්යමය +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,සැපයුම්කරු ද්රව්යමය apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,සුරාබදු ඉන්වොයිසිය apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% වරකට වඩා පෙනී DocType: Expense Claim,Employees Email Id,සේවක විද්යුත් අංකය @@ -4649,7 +4660,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,ආදර්ශ DocType: Production Order,Actual Operating Cost,සැබෑ මෙහෙයුම් පිරිවැය DocType: Payment Entry,Cheque/Reference No,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් / ෙයොමු අංකය" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම් වර්ගය apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,මූල සංස්කරණය කල නොහැක. DocType: Item,Units of Measure,නු ඒකක DocType: Manufacturing Settings,Allow Production on Holidays,නිවාඩු දින නිෂ්පාදන ඉඩ දෙන්න @@ -4682,12 +4692,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,ක්රෙඩිට් දින apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,ශිෂ්ය කණ්ඩායම කරන්න DocType: Leave Type,Is Carry Forward,ඉදිරියට ගෙන ඇත -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,ද්රව්ය ලේඛණය සිට අයිතම ලබා ගන්න +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,ද්රව්ය ලේඛණය සිට අයිතම ලබා ගන්න apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ඉදිරියට ඇති කාලය දින -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ෙරෝ # {0}: ගිය තැන, ශ්රී ලංකා තැපෑල දිනය මිලදී දිනය ලෙස සමාන විය යුතුය {1} වත්කම් {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ෙරෝ # {0}: ගිය තැන, ශ්රී ලංකා තැපෑල දිනය මිලදී දිනය ලෙස සමාන විය යුතුය {1} වත්කම් {2}" DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"ශිෂ්ය ආයතනයේ නේවාසිකාගාරය පදිංචි, නම් මෙම පරීක්ෂා කරන්න." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,ඉහත වගුවේ විකුණුම් නියෝග ඇතුලත් කරන්න -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,වැටුප් ශ්රී ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය ඉදිරිපත් නොවන +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,වැටුප් ශ්රී ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය ඉදිරිපත් නොවන ,Stock Summary,කොටස් සාරාංශය apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,එක් ගබඩාවක් තවත් සම්පතක් මාරු DocType: Vehicle,Petrol,පෙට්රල් diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv index 749171dbd81..1860391c676 100644 --- a/erpnext/translations/sk.csv +++ b/erpnext/translations/sk.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Dealer DocType: Employee,Rented,Pronajato DocType: Purchase Order,PO-,po- DocType: POS Profile,Applicable for User,Použiteľné pre Užívateľa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zastavil výrobu Objednať nemožno zrušiť, uvoľniť ho najprv zrušiť" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zastavil výrobu Objednať nemožno zrušiť, uvoľniť ho najprv zrušiť" DocType: Vehicle Service,Mileage,Najazdené apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Naozaj chcete zrušiť túto pohľadávku? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Vybrať Predvolené Dodávateľ @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Fakturovaných apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate musí byť rovnaká ako {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Meno zákazníka DocType: Vehicle,Natural Gas,Zemný plyn -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankový účet nemôže byť menovaný ako {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Bankový účet nemôže byť menovaný ako {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (nebo skupiny), proti nimž účetní zápisy jsou vyrobeny a stav je veden." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Vynikající pro {0} nemůže být nižší než nula ({1}) DocType: Manufacturing Settings,Default 10 mins,Predvolené 10 min @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Nechte Typ Jméno apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ukázať otvorené apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Řada Aktualizováno Úspěšně apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Odhlásiť sa -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Vložené +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Vložené DocType: Pricing Rule,Apply On,Naneste na DocType: Item Price,Multiple Item prices.,Více ceny položku. ,Purchase Order Items To Be Received,Položky vydané objednávky k přijetí @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Způsob platby účtu apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Zobraziť Varianty DocType: Academic Term,Academic Term,akademický Term apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiál -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Množstvo +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Množstvo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Účty tabuľka nemôže byť prázdne. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Úvěry (závazky) DocType: Employee Education,Year of Passing,Rok Passing @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Péče o zdraví apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Oneskorenie s platbou (dni) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,service Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} už je uvedené vo faktúre predaja: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Faktúra +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} už je uvedené vo faktúre predaja: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Faktúra DocType: Maintenance Schedule Item,Periodicity,Periodicita apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiškálny rok {0} je vyžadovaná -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Očakáva dátum dodania je byť pred Sales poradí Dátum apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Obrana DocType: Salary Component,Abbr,Zkr DocType: Appraisal Goal,Score (0-5),Score (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Řádek # {0}: DocType: Timesheet,Total Costing Amount,Celková kalkulácie Čiastka DocType: Delivery Note,Vehicle No,Vozidle -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Prosím, vyberte Ceník" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,"Prosím, vyberte Ceník" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Riadok # {0}: Platba dokument je potrebné na dokončenie trasaction DocType: Production Order Operation,Work In Progress,Work in Progress apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Prosím, vyberte dátum" @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} žiadnym aktívnym fiškálny rok. DocType: Packed Item,Parent Detail docname,Parent Detail docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Odkaz: {0}, Kód položky: {1} a zákazník: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,log apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Otevření o zaměstnání. DocType: Item Attribute,Increment,Prírastok @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Ženatý apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Nepovolené pre {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Získať predmety z -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nie sú uvedené žiadne položky DocType: Payment Reconciliation,Reconcile,Srovnat @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Penzi apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Vedľa Odpisy dátum nemôže byť pred nákupom Dátum DocType: SMS Center,All Sales Person,Všichni obchodní zástupci DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mesačný Distribúcia ** umožňuje distribuovať Rozpočet / Target celé mesiace, ak máte sezónnosti vo vašej firme." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,nenájdený položiek +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,nenájdený položiek apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Plat Štruktúra Chýbajúce DocType: Lead,Person Name,Osoba Meno DocType: Sales Invoice Item,Sales Invoice Item,Prodejní faktuře položka @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Je Fixed Asset" nemôže byť bez povšimnutia, pretože existuje Asset záznam proti položke" DocType: Vehicle Service,Brake Oil,Brake Oil DocType: Tax Rule,Tax Type,Typ dane -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Zdaniteľná čiastka +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Zdaniteľná čiastka apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nejste oprávněni přidávat nebo aktualizovat údaje před {0} DocType: BOM,Item Image (if not slideshow),Item Image (ne-li slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Zákazník existuje se stejným názvem DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hodina Rate / 60) * Skutočná Prevádzková doba -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,select BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,select BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Náklady na dodávaných výrobků apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Dovolenka na {0} nie je medzi Dátum od a do dnešného dňa @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,školy DocType: School Settings,Validate Batch for Students in Student Group,Overenie dávky pre študentov v študentskej skupine apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Žiadny záznam dovolenka nájdené pre zamestnancov {0} na {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Prosím, nejprave zadejte společnost" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Prosím, vyberte první firma" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Prosím, vyberte první firma" DocType: Employee Education,Under Graduate,Za absolventa apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target On DocType: BOM,Total Cost,Celkové náklady DocType: Journal Entry Account,Employee Loan,zamestnanec Loan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivita Log: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Bod {0} neexistuje v systému nebo vypršela +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Aktivita Log: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Bod {0} neexistuje v systému nebo vypršela apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nemovitost apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Výpis z účtu apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutické @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Nárok Částka apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicitné skupinu zákazníkov uvedené v tabuľke na knihy zákazníkov skupiny apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Dodavatel Typ / dovozce DocType: Naming Series,Prefix,Prefix -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte pomenovanie série {0} cez Nastavenie> Nastavenia> Pomenovanie série -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Spotrebný materiál +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Spotrebný materiál DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Záznam importu DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Vytiahnite Materiál Žiadosť typu Výroba na základe vyššie uvedených kritérií DocType: Training Result Employee,Grade,stupeň DocType: Sales Invoice Item,Delivered By Supplier,Dodáva sa podľa dodávateľa DocType: SMS Center,All Contact,Vše Kontakt -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Zákazková výroba už vytvorili u všetkých položiek s BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Zákazková výroba už vytvorili u všetkých položiek s BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Ročné Plat DocType: Daily Work Summary,Daily Work Summary,Denná práca Súhrn DocType: Period Closing Voucher,Closing Fiscal Year,Uzavření fiskálního roku -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} je zmrazený +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} je zmrazený apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vyberte existujúci spoločnosti pre vytváranie účtový rozvrh apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Náklady apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Vyberte položku Target Warehouse @@ -213,14 +211,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Schválené + Zamietnuté množstvo sa musí rovnať Prijatému množstvu pre položku {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Dodávky suroviny pre nákup -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,pre POS faktúru je nutná aspoň jeden spôsob platby. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,pre POS faktúru je nutná aspoň jeden spôsob platby. DocType: Products Settings,Show Products as a List,Zobraziť produkty ako zoznam DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Stáhněte si šablony, vyplňte potřebné údaje a přiložte upravený soubor. Všechny termíny a zaměstnanec kombinaci ve zvoleném období přijde v šabloně, se stávajícími evidence docházky" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,"Bod {0} není aktivní, nebo byl dosažen konec života" -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Príklad: Základné Mathematics -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Príklad: Základné Mathematics +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Nastavenie modulu HR DocType: SMS Center,SMS Center,SMS centrum DocType: Sales Invoice,Change Amount,zmena Suma @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Datum Instalace nemůže být před datem dodání pro bod {0} DocType: Pricing Rule,Discount on Price List Rate (%),Zľava z cenníkovej ceny (%) DocType: Offer Letter,Select Terms and Conditions,Vyberte Podmienky -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,limitu +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,limitu DocType: Production Planning Tool,Sales Orders,Prodejní objednávky DocType: Purchase Taxes and Charges,Valuation,Ocenění ,Purchase Order Trends,Nákupní objednávka trendy @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Je vstupní otvor DocType: Customer Group,Mention if non-standard receivable account applicable,Zmienka v prípade neštandardnej pohľadávky účet použiteľná DocType: Course Schedule,Instructor Name,inštruktor Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Pro Sklad je povinné před Odesláním +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Pro Sklad je povinné před Odesláním apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Prijaté On DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Ak je zaškrtnuté, bude zahŕňať non-skladových položiek v materiáli požiadavky." @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Proti položce vydané faktury ,Production Orders in Progress,Zakázka na výrobu v Progress apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Čistý peňažný tok z financovania -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","Miestne úložisko je plná, nezachránil" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","Miestne úložisko je plná, nezachránil" DocType: Lead,Address & Contact,Adresa a kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Pridať nevyužité listy z predchádzajúcich prídelov apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Další Opakující {0} bude vytvořen na {1} DocType: Sales Partner,Partner website,webové stránky Partner apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Pridať položku -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kontakt Meno +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kontakt Meno DocType: Course Assessment Criteria,Course Assessment Criteria,Hodnotiace kritériá kurz DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Vytvoří výplatní pásku na výše uvedených kritérií. DocType: POS Customer Group,POS Customer Group,POS Customer Group @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Zkontrolujte ""Je Advance"" proti účtu {1}, pokud je to záloha záznam." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Sklad {0} nepatří ke společnosti {1} DocType: Email Digest,Profit & Loss,Profit & Loss -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,liter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,liter DocType: Task,Total Costing Amount (via Time Sheet),Celková kalkulácie Čiastka (cez Time Sheet) DocType: Item Website Specification,Item Website Specification,Položka webových stránek Specifikace apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Nechte Blokováno @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,Prodejní faktuře č DocType: Material Request Item,Min Order Qty,Min Objednané množství DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Študent Group Creation Tool ihrisko DocType: Lead,Do Not Contact,Nekontaktujte -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Ľudia, ktorí vyučujú vo vašej organizácii" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Ľudia, ktorí vyučujú vo vašej organizácii" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Unikátní ID pro sledování všech opakující faktury. To je generován na odeslat. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer DocType: Item,Minimum Order Qty,Minimální objednávka Množství @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,Publikovat v Hub DocType: Student Admission,Student Admission,študent Vstupné ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Položka {0} je zrušená -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Požadavek na materiál +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Požadavek na materiál DocType: Bank Reconciliation,Update Clearance Date,Aktualizace Výprodej Datum DocType: Item,Purchase Details,Nákup Podrobnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Položka {0} nebol nájdený v "suroviny dodanej" tabuľky v objednávke {1} @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,fleet manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Riadok # {0}: {1} nemôže byť negatívne na {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Zlé Heslo DocType: Item,Variant Of,Varianta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""" DocType: Period Closing Voucher,Closing Account Head,Závěrečný účet hlava DocType: Employee,External Work History,Vnější práce History apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Kruhové Referenčné Chyba @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,Vzdialenosť od ľavého apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jednotiek [{1}] (# Form / bodu / {1}) bola nájdená v [{2}] (# Form / sklad / {2}) DocType: Lead,Industry,Průmysl DocType: Employee,Job Profile,Job Profile +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Toto je založené na transakciách s touto spoločnosťou. Viac informácií nájdete v časovej osi nižšie DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Upozornit e-mailem na tvorbu automatických Materiál Poptávka DocType: Journal Entry,Multi Currency,Viac mien DocType: Payment Reconciliation Invoice,Invoice Type,Typ faktúry -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Dodací list +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Dodací list apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Nastavenie Dane apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Náklady predaných aktív apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Vstup Platba byla změněna poté, co ji vytáhl. Prosím, vytáhněte ji znovu." @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Prosím, zadejte ""Opakujte dne měsíce"" hodnoty pole" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Sazba, za kterou je zákazník měny převeden na zákazníka základní měny" DocType: Course Scheduling Tool,Course Scheduling Tool,Samozrejme Plánovanie Tool -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Riadok # {0}: faktúry nemožno vykonať voči existujúcemu aktívu {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Riadok # {0}: faktúry nemožno vykonať voči existujúcemu aktívu {1} DocType: Item Tax,Tax Rate,Sadzba dane apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} už pridelené pre zamestnancov {1} na dobu {2} až {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Select Položka +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Select Položka apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Přijatá faktura {0} je již odeslána apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Row # {0}: Batch No musí byť rovnaké, ako {1} {2}" apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Previesť na non-Group @@ -448,7 +447,7 @@ DocType: Employee,Widowed,Ovdovělý DocType: Request for Quotation,Request for Quotation,Žiadosť o cenovú ponuku DocType: Salary Slip Timesheet,Working Hours,Pracovní doba 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. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Vytvoriť nový zákazník +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Vytvoriť nový zákazník apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Je-li více pravidla pro tvorbu cen i nadále přednost, jsou uživatelé vyzváni k nastavení priority pro vyřešení konfliktu." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,vytvorenie objednávok ,Purchase Register,Nákup Register @@ -474,7 +473,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Meno Examiner DocType: Purchase Invoice Item,Quantity and Rate,Množstvo a Sadzba DocType: Delivery Note,% Installed,% Inštalovaných -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebne / etc laboratória, kde môžu byť naplánované prednášky." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebne / etc laboratória, kde môžu byť naplánované prednášky." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Prosím, zadajte najprv názov spoločnosti" DocType: Purchase Invoice,Supplier Name,Dodavatel Name apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Prečítajte si ERPNext Manuál @@ -491,7 +490,7 @@ DocType: Account,Old Parent,Staré nadřazené apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Povinná oblasť - akademický rok apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Povinná oblasť - akademický rok DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Přizpůsobte si úvodní text, který jede jako součást tohoto e-mailu. Každá transakce je samostatný úvodní text." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Nastavte predvolený splatný účet pre spoločnosť {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Nastavte predvolený splatný účet pre spoločnosť {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globální nastavení pro všechny výrobní procesy. DocType: Accounts Settings,Accounts Frozen Upto,Účty Frozen aľ DocType: SMS Log,Sent On,Poslán na @@ -531,7 +530,7 @@ DocType: Journal Entry,Accounts Payable,Účty za úplatu apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Vybrané kusovníky nie sú rovnaké položky DocType: Pricing Rule,Valid Upto,Valid aľ DocType: Training Event,Workshop,Dielňa -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,"Vypíšte zopár svojich zákazníkov. Môžu to byť organizácie, ale aj jednotlivci." +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,"Vypíšte zopár svojich zákazníkov. Môžu to byť organizácie, ale aj jednotlivci." apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Dosť Časti vybudovať apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Přímý příjmů apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nelze filtrovat na základě účtu, pokud seskupeny podle účtu" @@ -539,7 +538,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vyberte možnosť Kurz apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vyberte možnosť Kurz DocType: Timesheet Detail,Hrs,hod -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Prosím, vyberte Company" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Prosím, vyberte Company" DocType: Stock Entry Detail,Difference Account,Rozdíl účtu DocType: Purchase Invoice,Supplier GSTIN,Dodávateľ GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Nedá zatvoriť úloha, ako jeho závislý úloha {0} nie je uzavretý." @@ -556,7 +555,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Definujte stupeň pre prah 0% DocType: Sales Order,To Deliver,Dodať DocType: Purchase Invoice Item,Item,Položka -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Sériovej žiadna položka nemôže byť zlomkom +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Sériovej žiadna položka nemôže byť zlomkom DocType: Journal Entry,Difference (Dr - Cr),Rozdíl (Dr - Cr) DocType: Account,Profit and Loss,Zisky a ztráty apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Správa Subdodávky @@ -582,7 +581,7 @@ DocType: Serial No,Warranty Period (Days),Záruční doba (dny) DocType: Installation Note Item,Installation Note Item,Poznámka k instalaci bod DocType: Production Plan Item,Pending Qty,Čakajúci Množstvo DocType: Budget,Ignore,Ignorovat -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} nie je aktívny +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} nie je aktívny apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS poslal do nasledujúcich čísel: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Skontrolujte nastavenie rozmery pre tlač DocType: Salary Slip,Salary Slip Timesheet,Plat Slip časový rozvrh @@ -688,8 +687,8 @@ DocType: Installation Note,IN-,IN- DocType: Production Order Operation,In minutes,V minútach DocType: Issue,Resolution Date,Rozlišení Datum DocType: Student Batch Name,Batch Name,Batch Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Harmonogramu vytvorenia: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Harmonogramu vytvorenia: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,zapísať DocType: GST Settings,GST Settings,Nastavenia GST DocType: Selling Settings,Customer Naming By,Zákazník Pojmenování By @@ -709,7 +708,7 @@ DocType: Activity Cost,Projects User,Projekty uživatele apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Spotřeba apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} nenájdené v tabuľke Podrobnosti Faktúry DocType: Company,Round Off Cost Center,Zaokrúhliť nákladové stredisko -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Údržba Navštivte {0} musí být zrušena před zrušením této prodejní objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Údržba Navštivte {0} musí být zrušena před zrušením této prodejní objednávky DocType: Item,Material Transfer,Přesun materiálu apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Časová značka zadání musí být po {0} @@ -718,7 +717,7 @@ DocType: Employee Loan,Total Interest Payable,Celkové úroky splatné DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Přistál nákladů daně a poplatky DocType: Production Order Operation,Actual Start Time,Skutečný čas začátku DocType: BOM Operation,Operation Time,Provozní doba -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Skončiť +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Skončiť apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,základňa DocType: Timesheet,Total Billed Hours,Celkom Predpísané Hodiny DocType: Journal Entry,Write Off Amount,Odepsat Částka @@ -745,7 +744,7 @@ DocType: Vehicle,Odometer Value (Last),Hodnota počítadla kilometrov (Last) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Vstup Platba je už vytvorili DocType: Purchase Receipt Item Supplied,Current Stock,Current skladem -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Riadok # {0}: Asset {1} nie je spojená s item {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Riadok # {0}: Asset {1} nie je spojená s item {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Preview výplatnej páske apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Účet {0} bol zadaný viackrát DocType: Account,Expenses Included In Valuation,Náklady ceně oceňování @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Vstup Kreditní karta apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Spoločnosť a účty apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Zboží od dodavatelů. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,v Hodnota +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,v Hodnota DocType: Lead,Campaign Name,Název kampaně DocType: Selling Settings,Close Opportunity After Days,Close Opportunity po niekoľkých dňoch ,Reserved,Rezervováno @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energie DocType: Opportunity,Opportunity From,Příležitost Z apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Měsíční plat prohlášení. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Riadok {0}: {1} Sériové čísla vyžadované pre položku {2}. Poskytli ste {3}. DocType: BOM,Website Specifications,Webových stránek Specifikace apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Od {0} typu {1} DocType: Warranty Claim,CI-,Ci apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Konverzní faktor je povinné DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Viac Cena pravidlá existuje u rovnakých kritérií, prosím vyriešiť konflikt tým, že priradí prioritu. Cena Pravidlá: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky" DocType: Opportunity,Maintenance,Údržba DocType: Item Attribute Value,Item Attribute Value,Položka Hodnota atributu apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodej kampaně. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,urobiť timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,urobiť timesheet DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -857,7 +857,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Nastavenie e-mailového konta apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Prosím, nejdřív zadejte položku" DocType: Account,Liability,Odpovědnost -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionovaná Čiastka nemôže byť väčšia ako reklamácia Suma v riadku {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionovaná Čiastka nemôže byť väčšia ako reklamácia Suma v riadku {0}. DocType: Company,Default Cost of Goods Sold Account,Východiskové Náklady na predaný tovar účte apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ceník není zvolen DocType: Employee,Family Background,Rodinné poměry @@ -868,10 +868,10 @@ DocType: Company,Default Bank Account,Prednastavený Bankový účet apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Ak chcete filtrovať na základe Party, vyberte typ Party prvý" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Aktualizovať Sklad ' nie je možné skontrolovať, pretože položky nie sú dodané cez {0}" DocType: Vehicle,Acquisition Date,akvizície Dátum -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Balenie +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Balenie DocType: Item,Items with higher weightage will be shown higher,Položky s vyšším weightage budú zobrazené vyššie DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Odsouhlasení Detail -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Riadok # {0}: {1} Asset musia byť predložené +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Riadok # {0}: {1} Asset musia byť predložené apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nenájdený žiadny zamestnanec DocType: Supplier Quotation,Stopped,Zastaveno DocType: Item,If subcontracted to a vendor,Ak sa subdodávky na dodávateľa @@ -888,7 +888,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimálna suma faktúry apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: náklady Center {2} nepatrí do spoločnosti {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Účet {2} nemôže byť skupina apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Položka Row {idx}: {typ_dokumentu} {} DOCNAME neexistuje v predchádzajúcom '{typ_dokumentu}' tabuľka -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Harmonogramu {0} je už dokončená alebo zrušená +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Harmonogramu {0} je už dokončená alebo zrušená apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,žiadne úlohy DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Den měsíce, ve kterém auto faktura bude generován například 05, 28 atd" DocType: Asset,Opening Accumulated Depreciation,otvorenie Oprávky @@ -947,7 +947,7 @@ DocType: SMS Log,Requested Numbers,Požadované Čísla DocType: Production Planning Tool,Only Obtain Raw Materials,Získať iba suroviny apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Hodnocení výkonu. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Povolenie "použitia na nákupného košíka", ako je povolené Nákupný košík a tam by mala byť aspoň jedna daňové pravidlá pre Košík" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Platba Vstup {0} je prepojený na objednávku {1}, skontrolujte, či by mal byť ťahaný za pokrok v tejto faktúre." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Platba Vstup {0} je prepojený na objednávku {1}, skontrolujte, či by mal byť ťahaný za pokrok v tejto faktúre." DocType: Sales Invoice Item,Stock Details,Sklad Podrobnosti apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Hodnota projektu apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Mieste predaja @@ -970,15 +970,15 @@ DocType: Naming Series,Update Series,Řada Aktualizace DocType: Supplier Quotation,Is Subcontracted,Subdodavatelům DocType: Item Attribute,Item Attribute Values,Položka Hodnoty atributů DocType: Examination Result,Examination Result,vyšetrenie Výsledok -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Příjemka +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Příjemka ,Received Items To Be Billed,"Přijaté položek, které mají být účtovány" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Predložené výplatných páskach +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Predložené výplatných páskach apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Devizový kurz master. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referenčná DOCTYPE musí byť jedným z {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Nemožno nájsť časový úsek v najbližších {0} dní na prevádzku {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Nemožno nájsť časový úsek v najbližších {0} dní na prevádzku {1} DocType: Production Order,Plan material for sub-assemblies,Plán materiál pro podsestavy apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Obchodní partneri a teritória -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} musí být aktivní +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} musí být aktivní DocType: Journal Entry,Depreciation Entry,odpisy Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Vyberte první typ dokumentu apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Zrušit Materiál Návštěvy {0} před zrušením tohoto návštěv údržby @@ -988,7 +988,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Celková částka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing DocType: Production Planning Tool,Production Orders,Výrobní Objednávky -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Zůstatek Hodnota +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Zůstatek Hodnota apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Sales Ceník apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publikování synchronizovat položky DocType: Bank Reconciliation,Account Currency,Mena účtu @@ -1013,12 +1013,12 @@ DocType: Employee,Exit Interview Details,Exit Rozhovor Podrobnosti DocType: Item,Is Purchase Item,je Nákupní Položka DocType: Asset,Purchase Invoice,Přijatá faktura DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail No -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nová predajná faktúra +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nová predajná faktúra DocType: Stock Entry,Total Outgoing Value,Celková hodnota Odchozí apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Dátum začatia a dátumom ukončenia by malo byť v rámci rovnakého fiškálny rok DocType: Lead,Request for Information,Žádost o informace ,LeaderBoard,výsledkovú tabuľku -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline Faktúry +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Faktúry DocType: Payment Request,Paid,Placený DocType: Program Fee,Program Fee,program Fee DocType: Salary Slip,Total in words,Celkem slovy @@ -1026,7 +1026,7 @@ DocType: Material Request Item,Lead Time Date,Čas a Dátum Obchodnej iniciatív DocType: Guardian,Guardian Name,Meno Guardian DocType: Cheque Print Template,Has Print Format,Má formát tlače DocType: Employee Loan,Sanctioned,schválený -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,"je povinné. Možno, Zmenáreň záznam nie je vytvorená pre" +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,"je povinné. Možno, Zmenáreň záznam nie je vytvorená pre" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Zadejte Pořadové číslo k bodu {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pre "produktom Bundle predmety, sklad, sériové číslo a dávkové No bude považovaná zo" Balenie zoznam 'tabuľky. Ak Warehouse a Batch No sú rovnaké pre všetky balenia položky pre akúkoľvek "Výrobok balík" položky, tieto hodnoty môžu byť zapísané do hlavnej tabuľky položky, budú hodnoty skopírované do "Balenie zoznam" tabuľku." DocType: Job Opening,Publish on website,Publikovať na webových stránkach @@ -1039,7 +1039,7 @@ DocType: Cheque Print Template,Date Settings,dátum Nastavenie apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Odchylka ,Company Name,Názov spoločnosti DocType: SMS Center,Total Message(s),Celkem zpráv (y) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Vybrať položku pre prevod +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Vybrať položku pre prevod DocType: Purchase Invoice,Additional Discount Percentage,Ďalšie zľavy Percento apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Zobraziť zoznam všetkých videí nápovedy DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Vyberte účet šéf banky, kde byla uložena kontrola." @@ -1054,7 +1054,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Company mena apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Všechny položky již byly převedeny na výrobu tohoto řádu. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Riadok # {0}: Sadzba nesmie byť vyššia ako sadzba použitá v {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Riadok # {0}: Sadzba nesmie byť vyššia ako sadzba použitá v {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,meter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,meter DocType: Workstation,Electricity Cost,Cena elektřiny DocType: HR Settings,Don't send Employee Birthday Reminders,Neposílejte zaměstnance připomenutí narozenin DocType: Item,Inspection Criteria,Inšpekčné kritéria @@ -1068,7 +1068,7 @@ DocType: SMS Center,All Lead (Open),Všetky Iniciatívy (Otvorené) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riadok {0}: Množstvo nie je k dispozícii pre {4} v sklade {1} pri účtovaní čas zápisu ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,Získejte zaplacené zálohy DocType: Item,Automatically Create New Batch,Automaticky vytvoriť novú dávku -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Urobiť +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Urobiť DocType: Student Admission,Admission Start Date,Vstupné Dátum začatia DocType: Journal Entry,Total Amount in Words,Celková částka slovy apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Došlo k chybě. Jedním z důvodů by mohlo být pravděpodobné, že jste uložili formulář. Obraťte se prosím na support@erpnext.com Pokud problém přetrvává." @@ -1076,7 +1076,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Môj košík apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Typ objednávky musí být jedním z {0} DocType: Lead,Next Contact Date,Další Kontakt Datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otevření POČET -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Prosím, zadajte účet pre zmenu Suma" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Prosím, zadajte účet pre zmenu Suma" DocType: Student Batch Name,Student Batch Name,Študent Batch Name DocType: Holiday List,Holiday List Name,Názov zoznamu sviatkov DocType: Repayment Schedule,Balance Loan Amount,Bilancia Výška úveru @@ -1084,7 +1084,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Akciové opcie DocType: Journal Entry Account,Expense Claim,Hrazení nákladů apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Naozaj chcete obnoviť tento vyradený aktívum? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Množství pro {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Množství pro {0} DocType: Leave Application,Leave Application,Leave Application apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Nechte přidělení nástroj DocType: Leave Block List,Leave Block List Dates,Nechte Block List termíny @@ -1135,7 +1135,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Proti DocType: Item,Default Selling Cost Center,Výchozí Center Prodejní cena DocType: Sales Partner,Implementation Partner,Implementačního partnera -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,PSČ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,PSČ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Predajné objednávky {0} {1} DocType: Opportunity,Contact Info,Kontaktní informace apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Tvorba prírastkov zásob @@ -1154,14 +1154,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,P DocType: School Settings,Attendance Freeze Date,Účasť DocType: School Settings,Attendance Freeze Date,Účasť DocType: Opportunity,Your sales person who will contact the customer in future,"Váš obchodní zástupce, který bude kontaktovat zákazníka v budoucnu" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,"Napíšte niekoľkých svojich dodávateľov. Môžu to byť organizácie, ale aj jednotlivci." +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,"Napíšte niekoľkých svojich dodávateľov. Môžu to byť organizácie, ale aj jednotlivci." apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Zobraziť všetky produkty apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimálny vek vedenia (dni) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimálny vek vedenia (dni) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,všetky kusovníky +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,všetky kusovníky DocType: Company,Default Currency,Predvolená mena DocType: Expense Claim,From Employee,Od Zaměstnance -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Upozornění: Systém nebude kontrolovat nadfakturace, protože částka za položku na {1} je nula {0}" +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Upozornění: Systém nebude kontrolovat nadfakturace, protože částka za položku na {1} je nula {0}" DocType: Journal Entry,Make Difference Entry,Učinit vstup Rozdíl DocType: Upload Attendance,Attendance From Date,Účast Datum od DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area @@ -1178,7 +1178,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Registrace firmy čísla pro váš odkaz. Daňové čísla atd DocType: Sales Partner,Distributor,Distributor DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Nákupní košík Shipping Rule -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Výrobní zakázka {0} musí být zrušena před zrušením této prodejní objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Výrobní zakázka {0} musí být zrušena před zrušením této prodejní objednávky apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Prosím nastavte na "Použiť dodatočnú zľavu On" ,Ordered Items To Be Billed,Objednané zboží fakturovaných apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"Z rozsahu, musí byť nižšia ako na Range" @@ -1187,10 +1187,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Odpočty DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Začiatok Rok -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Prvé dve číslice GSTIN by sa mali zhodovať so stavovým číslom {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Prvé dve číslice GSTIN by sa mali zhodovať so stavovým číslom {0} DocType: Purchase Invoice,Start date of current invoice's period,Datum období současného faktury je Začátek DocType: Salary Slip,Leave Without Pay,Nechat bez nároku na mzdu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Plánovanie kapacít Chyba +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Plánovanie kapacít Chyba ,Trial Balance for Party,Trial váhy pre stranu DocType: Lead,Consultant,Konzultant DocType: Salary Slip,Earnings,Výdělek @@ -1206,7 +1206,7 @@ DocType: Cheque Print Template,Payer Settings,nastavenie platcu DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To bude připojen na položku zákoníku varianty. Například, pokud vaše zkratka je ""SM"", a položka je kód ""T-SHIRT"", položka kód varianty bude ""T-SHIRT-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Čistá Pay (slovy) budou viditelné, jakmile uložíte výplatní pásce." DocType: Purchase Invoice,Is Return,Je Return -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Return / ťarchopis +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Return / ťarchopis DocType: Price List Country,Price List Country,Cenník Krajina DocType: Item,UOMs,Merné Jednotky apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} platné sériové čísla pre položky {1} @@ -1219,7 +1219,7 @@ DocType: Employee Loan,Partially Disbursed,čiastočne Vyplatené apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Databáze dodavatelů. DocType: Account,Balance Sheet,Rozvaha apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',"Nákladové středisko u položky s Kód položky """ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba nie je nakonfigurovaný. Prosím skontrolujte, či je účet bol nastavený na režim platieb alebo na POS Profilu." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba nie je nakonfigurovaný. Prosím skontrolujte, či je účet bol nastavený na režim platieb alebo na POS Profilu." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Váš obchodní zástupce dostane upomínku na tento den, aby kontaktoval zákazníka" apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Rovnakú položku nemožno zadávať viackrát. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ďalšie účty môžu byť vyrobené v rámci skupiny, ale údaje je možné proti non-skupín" @@ -1249,7 +1249,7 @@ DocType: Employee Loan Application,Repayment Info,splácanie Info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Položky"" nemôžu býť prázdne" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplicitný riadok {0} s rovnakým {1} ,Trial Balance,Trial Balance -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Fiškálny rok {0} nebol nájdený +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Fiškálny rok {0} nebol nájdený apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Nastavenia pre modul Zamestnanci DocType: Sales Order,SO-,so- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Prosím, vyberte první prefix" @@ -1264,11 +1264,11 @@ DocType: Grading Scale,Intervals,intervaly apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Nejstarší apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Položka Group existuje se stejným názvem, prosím, změnit název položky nebo přejmenovat skupinu položek" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Študent Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Zbytek světa +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Zbytek světa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Položka {0} nemůže mít dávku ,Budget Variance Report,Rozpočet Odchylka Report DocType: Salary Slip,Gross Pay,Hrubé mzdy -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Riadok {0}: typ činnosti je povinná. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Riadok {0}: typ činnosti je povinná. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendy platené apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Účtovné Ledger DocType: Stock Reconciliation,Difference Amount,Rozdiel Suma @@ -1291,18 +1291,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Zaměstnanec Leave Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Zůstatek na účtě {0} musí být vždy {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Ocenenie Miera potrebná pre položku v riadku {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Príklad: Masters v informatike +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Príklad: Masters v informatike DocType: Purchase Invoice,Rejected Warehouse,Zamítnuto Warehouse DocType: GL Entry,Against Voucher,Proti poukazu DocType: Item,Default Buying Cost Center,Výchozí Center Nákup Cost apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Ak chcete získať to najlepšie z ERPNext, odporúčame vám nejaký čas venovať týmto videám." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,k +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,k DocType: Supplier Quotation Item,Lead Time in days,Vek Obchodnej iniciatívy v dňoch apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Splatné účty Shrnutí -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Výplata platu od {0} do {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Výplata platu od {0} do {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Není povoleno upravovat zmrazený účet {0} DocType: Journal Entry,Get Outstanding Invoices,Získat neuhrazených faktur -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Prodejní objednávky {0} není platný +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Prodejní objednávky {0} není platný apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Objednávky pomôžu pri plánovaní a sledovaní na vaše nákupy apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Je nám líto, společnosti nemohou být sloučeny" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1324,8 +1324,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Nepřímé náklady apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Množství je povinný apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Poľnohospodárstvo -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Vaše Produkty alebo Služby +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Vaše Produkty alebo Služby DocType: Mode of Payment,Mode of Payment,Způsob platby apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Webové stránky Image by mala byť verejná súboru alebo webovej stránky URL DocType: Student Applicant,AP,AP @@ -1345,18 +1345,18 @@ DocType: Student Group Student,Group Roll Number,Číslo skupiny rollov DocType: Student Group Student,Group Roll Number,Číslo skupiny rollov apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Pro {0}, tak úvěrové účty mohou být propojeny na jinou položku debetní" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Súčet všetkých váh úloha by mal byť 1. Upravte váhy všetkých úloh projektu v súlade -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Delivery Note {0} není předložena +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Delivery Note {0} není předložena apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Položka {0} musí být Subdodavatelské Item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitálové Vybavení apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ceny Pravidlo je nejprve vybrána na základě ""Použít na"" oblasti, které mohou být položky, položky skupiny nebo značky." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Najprv nastavte kód položky +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Najprv nastavte kód položky DocType: Hub Settings,Seller Website,Prodejce Website DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Celkové přidělené procento prodejní tým by měl být 100 DocType: Appraisal Goal,Goal,Cieľ DocType: Sales Invoice Item,Edit Description,Upraviť popis ,Team Updates,tím Updates -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Pro Dodavatele +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Pro Dodavatele DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Nastavení typu účtu pomáhá při výběru tohoto účtu v transakcích. DocType: Purchase Invoice,Grand Total (Company Currency),Celkový součet (Měna společnosti) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Vytvoriť formát tlače @@ -1370,12 +1370,12 @@ DocType: Item,Website Item Groups,Webové stránky skupiny položek DocType: Purchase Invoice,Total (Company Currency),Total (Company meny) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Výrobní číslo {0} přihlášeno více než jednou DocType: Depreciation Schedule,Journal Entry,Zápis do deníku -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} položky v prebiehajúcej +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} položky v prebiehajúcej DocType: Workstation,Workstation Name,Meno pracovnej stanice DocType: Grading Scale Interval,Grade Code,grade Code DocType: POS Item Group,POS Item Group,POS položky Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1} DocType: Sales Partner,Target Distribution,Target Distribution 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 @@ -1433,7 +1433,7 @@ DocType: Quotation,Shopping Cart,Nákupní vozík apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daily Odchozí DocType: POS Profile,Campaign,Kampaň DocType: Supplier,Name and Type,Názov a typ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Stav schválení musí být ""schváleno"" nebo ""Zamítnuto""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Stav schválení musí být ""schváleno"" nebo ""Zamítnuto""" DocType: Purchase Invoice,Contact Person,Kontaktná osoba apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Očakávaný Dátum Začiatku"" nemôže byť väčší ako ""Očakávaný Dátum Ukončenia""" DocType: Course Scheduling Tool,Course End Date,Koniec Samozrejme Dátum @@ -1445,8 +1445,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,preferovaný Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Čistá zmena v stálych aktív DocType: Leave Control Panel,Leave blank if considered for all designations,"Ponechte prázdné, pokud se to považuje za všechny označení" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime DocType: Email Digest,For Company,Pre spoločnosť apps/erpnext/erpnext/config/support.py +17,Communication log.,Komunikační protokol. @@ -1488,7 +1488,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profil Job, po DocType: Journal Entry Account,Account Balance,Zůstatek na účtu apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Daňové Pravidlo pre transakcie. DocType: Rename Tool,Type of document to rename.,Typ dokumentu na premenovanie. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Táto položka sa kupuje +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Táto položka sa kupuje apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Zákazník je potrebná proti pohľadávok účtu {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Spolu dane a poplatky (v peňažnej mene firmy) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Ukázať P & L zostatky neuzavretý fiškálny rok je @@ -1499,7 +1499,7 @@ DocType: Quality Inspection,Readings,Čtení DocType: Stock Entry,Total Additional Costs,Celkom Dodatočné náklady DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Šrot materiálové náklady (Company mena) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Podsestavy +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Podsestavy DocType: Asset,Asset Name,asset Name DocType: Project,Task Weight,úloha Hmotnosť DocType: Shipping Rule Condition,To Value,Chcete-li hodnota @@ -1528,7 +1528,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Varianty Položky DocType: Company,Services,Služby DocType: HR Settings,Email Salary Slip to Employee,Email výplatnej páske pre zamestnancov DocType: Cost Center,Parent Cost Center,Nadřazené Nákladové středisko -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Zvoľte Možné dodávateľa +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Zvoľte Možné dodávateľa DocType: Sales Invoice,Source,Zdroj apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,show uzavretý DocType: Leave Type,Is Leave Without Pay,Je odísť bez Pay @@ -1540,7 +1540,7 @@ DocType: POS Profile,Apply Discount,použiť zľavu DocType: GST HSN Code,GST HSN Code,GST kód HSN DocType: Employee External Work History,Total Experience,Celková zkušenost apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,otvorené projekty -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Balení Slip (y) zrušeno +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Balení Slip (y) zrušeno apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Peňažný tok z investičných DocType: Program Course,Program Course,program kurzu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Nákladní a Spediční Poplatky @@ -1581,9 +1581,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,program Prihlášky DocType: Sales Invoice Item,Brand Name,Jméno značky DocType: Purchase Receipt,Transporter Details,Transporter Podrobnosti -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Predvolené sklad je vyžadované pre vybraná položka -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Krabica -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,možné Dodávateľ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Predvolené sklad je vyžadované pre vybraná položka +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Krabica +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,možné Dodávateľ DocType: Budget,Monthly Distribution,Měsíční Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Přijímač Seznam je prázdný. Prosím vytvořte přijímače Seznam DocType: Production Plan Sales Order,Production Plan Sales Order,Výrobní program prodejní objednávky @@ -1616,7 +1616,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Nároky na n apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Študenti sú v centre systému, pridajte všetky svoje študentov" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Riadok # {0}: dátum Svetlá {1} nemôže byť pred Cheque Dátum {2} DocType: Company,Default Holiday List,Výchozí Holiday Seznam -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Závazky DocType: Purchase Invoice,Supplier Warehouse,Dodavatel Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobil @@ -1632,18 +1632,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Leave typu {0} nemůže být delší než {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Skúste plánovanie operácií pre X dní vopred. DocType: HR Settings,Stop Birthday Reminders,Zastavit připomenutí narozenin -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Prosím nastaviť predvolený účet mzdy, splatnú v spoločnosti {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},"Prosím nastaviť predvolený účet mzdy, splatnú v spoločnosti {0}" DocType: SMS Center,Receiver List,Přijímač Seznam -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,hľadanie položky +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,hľadanie položky apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Spotřebovaném množství apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Čistá zmena v hotovosti DocType: Assessment Plan,Grading Scale,stupnica apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,už boli dokončené +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,už boli dokončené apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Skladom v ruke apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Platba Dopyt už existuje {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Náklady na vydaných položek -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Množství nesmí být větší než {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Množství nesmí být větší než {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Predchádzajúci finančný rok nie je uzavretý apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Staroba (dni) DocType: Quotation Item,Quotation Item,Položka ponuky @@ -1657,6 +1657,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,referenčný dokument apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} je zrušená alebo zastavená DocType: Accounts Settings,Credit Controller,Credit Controller +DocType: Sales Order,Final Delivery Date,Dátum konečného dodania DocType: Delivery Note,Vehicle Dispatch Date,Vozidlo Dispatch Datum DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Doklad o koupi {0} není předložena @@ -1749,9 +1750,9 @@ DocType: Employee,Date Of Retirement,Datum odchodu do důchodu DocType: Upload Attendance,Get Template,Získat šablonu DocType: Material Request,Transferred,prevedená DocType: Vehicle,Doors,dvere -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Nastavenie ERPNext dokončené! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Nastavenie ERPNext dokončené! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Daňové rozdelenie +DocType: Purchase Invoice,Tax Breakup,Daňové rozdelenie DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Je potrebné nákladového strediska pre 'zisku a straty "účtu {2}. Prosím nastaviť predvolené nákladového strediska pre spoločnosť. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Zákaznická Skupina existuje se stejným názvem, prosím změnit název zákazníka nebo přejmenujte skupinu zákazníků" @@ -1764,14 +1765,14 @@ DocType: Announcement,Instructor,inštruktor DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ak je táto položka má varianty, potom to nemôže byť vybraná v predajných objednávok atď" DocType: Lead,Next Contact By,Další Kontakt By -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Množství požadované pro bodě {0} v řadě {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Množství požadované pro bodě {0} v řadě {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sklad {0} nelze smazat, protože existuje množství k položce {1}" DocType: Quotation,Order Type,Typ objednávky DocType: Purchase Invoice,Notification Email Address,Oznámení e-mailová adresa ,Item-wise Sales Register,Item-moudrý Sales Register DocType: Asset,Gross Purchase Amount,Gross Suma nákupu DocType: Asset,Depreciation Method,odpisy Metóda -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to poplatek v ceně základní sazbě? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Celkem Target DocType: Job Applicant,Applicant for a Job,Žadatel o zaměstnání @@ -1793,7 +1794,7 @@ DocType: Employee,Leave Encashed?,Ponechte zpeněžení? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Ze hřiště je povinné DocType: Email Digest,Annual Expenses,ročné náklady DocType: Item,Variants,Varianty -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Proveďte objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Proveďte objednávky DocType: SMS Center,Send To,Odeslat apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Není dost bilance dovolenou na vstup typ {0} DocType: Payment Reconciliation Payment,Allocated amount,Přidělené sumy @@ -1801,7 +1802,7 @@ DocType: Sales Team,Contribution to Net Total,Příspěvek na celkových čistý DocType: Sales Invoice Item,Customer's Item Code,Zákazníka Kód položky DocType: Stock Reconciliation,Stock Reconciliation,Reklamní Odsouhlasení DocType: Territory,Territory Name,Území Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Work-in-Progress sklad je zapotřebí před Odeslat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Work-in-Progress sklad je zapotřebí před Odeslat apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Žadatel o zaměstnání. DocType: Purchase Order Item,Warehouse and Reference,Sklad a reference DocType: Supplier,Statutory info and other general information about your Supplier,Statutární info a další obecné informace o váš dodavatel @@ -1814,16 +1815,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,ocenenie apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Duplicitní Pořadové číslo vstoupil k bodu {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Podmínka pro pravidla dopravy apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Prosím Vlož -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nemožno overbill k bodu {0} v rade {1} viac ako {2}. Aby bolo možné cez-fakturácie, je potrebné nastaviť pri nákupe Nastavenie" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Prosím nastaviť filter na základe výtlačku alebo v sklade +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nemožno overbill k bodu {0} v rade {1} viac ako {2}. Aby bolo možné cez-fakturácie, je potrebné nastaviť pri nákupe Nastavenie" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Prosím nastaviť filter na základe výtlačku alebo v sklade DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Čistá hmotnost tohoto balíčku. (Automaticky vypočítá jako součet čisté váhy položek) DocType: Sales Order,To Deliver and Bill,Dodať a Bill DocType: Student Group,Instructors,inštruktori DocType: GL Entry,Credit Amount in Account Currency,Kreditné Čiastka v mene účtu -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} musí být předloženy +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} musí být předloženy DocType: Authorization Control,Authorization Control,Autorizace Control apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Riadok # {0}: zamietnutie Warehouse je povinná proti zamietnutej bodu {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Splátka +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Splátka apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} nie je prepojený s žiadnym účtom, uveďte účet v zozname skladov alebo nastavte predvolený inventárny účet v spoločnosti {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Spravovať svoje objednávky DocType: Production Order Operation,Actual Time and Cost,Skutečný Čas a Náklady @@ -1839,12 +1840,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle DocType: Quotation Item,Actual Qty,Skutečné Množství DocType: Sales Invoice Item,References,Referencie DocType: Quality Inspection Reading,Reading 10,Čtení 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Vypíšte zopár produktov alebo služieb, ktoré predávate alebo kupujete. Po spustení systému sa presvečte, či majú tieto položky správne nastavenú mernú jednotku, kategóriu a ostatné vlastnosti." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Vypíšte zopár produktov alebo služieb, ktoré predávate alebo kupujete. Po spustení systému sa presvečte, či majú tieto položky správne nastavenú mernú jednotku, kategóriu a ostatné vlastnosti." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Zadali jste duplicitní položky. Prosím, opravu a zkuste to znovu." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Spolupracovník +DocType: Company,Sales Target,Cieľ predaja DocType: Asset Movement,Asset Movement,asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,new košík +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,new košík apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Položka {0} není serializovat položky DocType: SMS Center,Create Receiver List,Vytvořit přijímače seznam DocType: Vehicle,Wheels,kolesá @@ -1886,13 +1888,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Správa projektov DocType: Supplier,Supplier of Goods or Services.,Dodavatel zboží nebo služeb. DocType: Budget,Fiscal Year,Fiskální rok DocType: Vehicle Log,Fuel Price,palivo Cena +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosím, nastavte číselnú sériu pre účasť cez Setup> Numbering Series" DocType: Budget,Budget,Rozpočet apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musia byť non-skladová položka. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Rozpočet nemožno priradiť proti {0}, pretože to nie je výnos alebo náklad účet" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Dosažená DocType: Student Admission,Application Form Route,prihláška Trasa apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territory / Customer -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,napríklad 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,napríklad 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Nechať Typ {0} nemôže byť pridelená, pretože sa odísť bez zaplatenia" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Přidělená částka {1} musí být menší než nebo se rovná fakturovat dlužné částky {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Ve slovech budou viditelné, jakmile uložíte prodejní faktury." @@ -1901,11 +1904,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Položka {0} není nastavení pro Serial č. Zkontrolujte, zda master položku" DocType: Maintenance Visit,Maintenance Time,Údržba Time ,Amount to Deliver,"Suma, ktorá má dodávať" -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Produkt alebo Služba +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Produkt alebo Služba apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Dátum začatia nemôže byť skôr ako v roku dátum začiatku akademického roka, ku ktorému termín je spojená (akademický rok {}). Opravte dáta a skúste to znova." DocType: Guardian,Guardian Interests,Guardian záujmy DocType: Naming Series,Current Value,Current Value -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Niekoľko fiškálnych rokov existujú pre dáta {0}. Prosím nastavte spoločnosť vo fiškálnom roku +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Niekoľko fiškálnych rokov existujú pre dáta {0}. Prosím nastavte spoločnosť vo fiškálnom roku apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} vytvoril DocType: Delivery Note Item,Against Sales Order,Proti přijaté objednávce ,Serial No Status,Serial No Status @@ -1919,7 +1922,7 @@ DocType: Pricing Rule,Selling,Predaj apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Množstvo {0} {1} odpočítať proti {2} DocType: Employee,Salary Information,Vyjednávání o platu DocType: Sales Person,Name and Employee ID,Meno a ID zamestnanca -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Datum splatnosti nesmí být před odesláním Datum +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Datum splatnosti nesmí být před odesláním Datum DocType: Website Item Group,Website Item Group,Website Item Group apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Odvody a dane apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Prosím, zadejte Referenční den" @@ -1976,9 +1979,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Nastavte dátum založenia pre zamestnanca {0} DocType: Task,Total Billing Amount (via Time Sheet),Celková suma Billing (cez Time Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repeat Customer Příjmy -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), musí mať úlohu ""Schvalovateľ výdajov""" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pár -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Vyberte BOM a Množstvo na výrobu +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), musí mať úlohu ""Schvalovateľ výdajov""" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Pár +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Vyberte BOM a Množstvo na výrobu DocType: Asset,Depreciation Schedule,plán odpisy apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresy predajných partnerov a kontakty DocType: Bank Reconciliation Detail,Against Account,Proti účet @@ -1988,7 +1991,7 @@ DocType: Item,Has Batch No,Má číslo šarže apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Ročný Billing: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Daň z tovarov a služieb (GST India) DocType: Delivery Note,Excise Page Number,Spotřební Číslo stránky -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Firma, Dátum od a do dnešného dňa je povinná" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Firma, Dátum od a do dnešného dňa je povinná" DocType: Asset,Purchase Date,Dátum nákupu DocType: Employee,Personal Details,Osobní data apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Prosím nastavte "odpisy majetku nákladové stredisko" vo firme {0} @@ -1997,9 +2000,9 @@ DocType: Task,Actual End Date (via Time Sheet),Skutočný dátum ukončenia (cez apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Množstvo {0} {1} na {2} {3} ,Quotation Trends,Vývoje ponúk apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Položka Group není uvedeno v položce mistra na položku {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet" DocType: Shipping Rule Condition,Shipping Amount,Přepravní Částka -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Pridať zákazníkov +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Pridať zákazníkov apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Čeká Částka DocType: Purchase Invoice Item,Conversion Factor,Konverzní faktor DocType: Purchase Order,Delivered,Dodává @@ -2022,7 +2025,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Zahrnout odsouhlasené z DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Rodičovský kurz (nechajte prázdne, ak toto nie je súčasťou materského kurzu)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Rodičovský kurz (nechajte prázdne, ak toto nie je súčasťou materského kurzu)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Ponechte prázdné, pokud se to považuje za ubytování ve všech typech zaměstnanců" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Zákaznícka skupina> Územie DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuovat poplatků na základě apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,Nastavení HR @@ -2030,7 +2032,7 @@ DocType: Salary Slip,net pay info,Čistá mzda info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Úhrada výdajů čeká na schválení. Pouze schalovatel výdajů může aktualizovat stav. DocType: Email Digest,New Expenses,nové výdavky DocType: Purchase Invoice,Additional Discount Amount,Dodatočná zľava Suma -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Riadok # {0}: Množstvo musí byť 1, keď je položka investičného majetku. Prosím použiť samostatný riadok pre viacnásobné Mn." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Riadok # {0}: Množstvo musí byť 1, keď je položka investičného majetku. Prosím použiť samostatný riadok pre viacnásobné Mn." DocType: Leave Block List Allow,Leave Block List Allow,Nechte Block List Povolit apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Skrátená nemôže byť prázdne alebo priestor apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Skupina na Non-Group @@ -2038,7 +2040,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sportovní DocType: Loan Type,Loan Name,pôžička Name apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Celkem Aktuální DocType: Student Siblings,Student Siblings,študentské Súrodenci -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Jednotka +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Jednotka apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Uveďte prosím, firmu" ,Customer Acquisition and Loyalty,Zákazník Akvizice a loajality DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Sklad, kde se udržují zásoby odmítnutých položek" @@ -2057,12 +2059,12 @@ DocType: Workstation,Wages per hour,Mzda za hodinu apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Sklad bilance v dávce {0} se zhorší {1} k bodu {2} ve skladu {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Nasledujúci materiál žiadosti boli automaticky zvýšená na základe úrovni re-poradie položky DocType: Email Digest,Pending Sales Orders,Čaká Predajné objednávky -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatná. Mena účtu musí byť {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatná. Mena účtu musí byť {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Konverzní faktor je nutné v řadě {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným zo zákazky odberateľa, predajné faktúry alebo Journal Entry" DocType: Salary Component,Deduction,Dedukce -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Riadok {0}: From Time a na čas je povinná. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Riadok {0}: From Time a na čas je povinná. DocType: Stock Reconciliation Item,Amount Difference,vyššie Rozdiel apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Položka Cena pridaný pre {0} v Cenníku {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Prosím, zadajte ID zamestnanca z tohto predaja osoby" @@ -2072,11 +2074,11 @@ DocType: Project,Gross Margin,Hrubá marža apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,"Prosím, zadejte první výrobní položku" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Vypočítaná výpis z bankového účtu zostatok apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,zakázané uživatelské -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Ponuka +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Ponuka DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Celkem Odpočet ,Production Analytics,výrobné Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Náklady Aktualizované +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Náklady Aktualizované DocType: Employee,Date of Birth,Datum narození apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Bod {0} již byla vrácena DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiškálny rok ** predstavuje finančný rok. Všetky účtovné záznamy a ďalšie významné transakcie sú sledované pod ** Fiškálny rok **. @@ -2122,18 +2124,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Vyberte společnost ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Ponechte prázdné, pokud se to považuje za všechna oddělení" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Druhy pracovního poměru (trvalý, smluv, stážista atd.)" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} je povinná k položke {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} je povinná k položke {1} DocType: Process Payroll,Fortnightly,dvojtýždňové DocType: Currency Exchange,From Currency,Od Měny apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Náklady na nový nákup -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Prodejní objednávky potřebný k bodu {0} DocType: Purchase Invoice Item,Rate (Company Currency),Cena (Měna Společnosti) DocType: Student Guardian,Others,Ostatní DocType: Payment Entry,Unallocated Amount,nepridelené Suma apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Nemožno nájsť zodpovedajúce položku. Vyberte nejakú inú hodnotu pre {0}. DocType: POS Profile,Taxes and Charges,Daně a poplatky DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Produkt nebo služba, která se Nakupuje, Prodává nebo Skladuje." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Žiadne ďalšie aktualizácie apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Nelze vybrat druh náboje jako ""On předchozí řady Částka"" nebo ""On předchozí řady Celkem"" pro první řadu" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Dieťa Položka by nemala byť produkt Bundle. Odstráňte položku `{0}` a uložiť @@ -2161,7 +2164,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Celková suma fakturácie apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Musí existovať predvolený prichádzajúce e-mailové konto povolený pre túto prácu. Prosím nastaviť predvolené prichádzajúce e-mailové konto (POP / IMAP) a skúste to znova. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Pohledávky účtu -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Riadok # {0}: Asset {1} je už {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Riadok # {0}: Asset {1} je už {2} DocType: Quotation Item,Stock Balance,Reklamní Balance apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Predajné objednávky na platby apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2186,10 +2189,11 @@ DocType: C-Form,Received Date,Datum přijetí DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ak ste vytvorili štandardné šablónu v predaji daní a poplatkov šablóny, vyberte jednu a kliknite na tlačidlo nižšie." DocType: BOM Scrap Item,Basic Amount (Company Currency),Základná suma (Company mena) DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny sa nebudú zobrazovať, pokiaľ Cenník nie je nastavený" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Uveďte prosím krajinu, k tomuto Shipping pravidlá alebo skontrolovať Celosvetová doprava" DocType: Stock Entry,Total Incoming Value,Celková hodnota Příchozí -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debetné K je vyžadované +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debetné K je vyžadované apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomôže udržať prehľad o času, nákladov a účtovania pre aktivít hotový svojho tímu" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Nákupní Ceník DocType: Offer Letter Term,Offer Term,Ponuka Term @@ -2208,11 +2212,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Hľad DocType: Timesheet Detail,To Time,Chcete-li čas DocType: Authorization Rule,Approving Role (above authorized value),Schválenie role (nad oprávnenej hodnoty) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2} DocType: Production Order Operation,Completed Qty,Dokončené Množství apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Pro {0}, tak debetní účty mohou být spojeny proti jinému připsání" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Ceník {0} je zakázána -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Riadok {0}: Dokončené Množstvo nemôže byť viac ako {1} pre prevádzku {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Riadok {0}: Dokončené Množstvo nemôže byť viac ako {1} pre prevádzku {2} DocType: Manufacturing Settings,Allow Overtime,Povoliť Nadčasy apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serializovaná položka {0} sa nedá aktualizovať pomocou zmiernenia skladových položiek apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",Serializovaná položka {0} sa nedá aktualizovať pomocou zmiernenia skladových položiek @@ -2231,10 +2235,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Externí apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Uživatelé a oprávnění DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Výrobné zákazky Vytvorené: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Výrobné zákazky Vytvorené: {0} DocType: Branch,Branch,Větev DocType: Guardian,Mobile Number,Telefónne číslo apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tisk a identita +DocType: Company,Total Monthly Sales,Celkový mesačný predaj DocType: Bin,Actual Quantity,Skutočné Množstvo DocType: Shipping Rule,example: Next Day Shipping,Příklad: Next Day Shipping apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Pořadové číslo {0} nebyl nalezen @@ -2265,7 +2270,7 @@ DocType: Payment Request,Make Sales Invoice,Vytvoriť faktúru apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,programy apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Nasledujúce Kontakt dátum nemôže byť v minulosti DocType: Company,For Reference Only.,Pouze orientační. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Vyberte položku šarže +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Vyberte položku šarže apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Neplatný {0}: {1} DocType: Purchase Invoice,PINV-RET-,PInv-RET- DocType: Sales Invoice Advance,Advance Amount,Záloha ve výši @@ -2278,7 +2283,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No Položka s čárovým kódem {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Případ č nemůže být 0 DocType: Item,Show a slideshow at the top of the page,Ukazují prezentaci v horní části stránky -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,kusovníky +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,kusovníky apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Obchody DocType: Serial No,Delivery Time,Dodací lhůta apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Stárnutí dle @@ -2292,16 +2297,16 @@ DocType: Rename Tool,Rename Tool,Nástroj na premenovanie apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Aktualizace Cost DocType: Item Reorder,Item Reorder,Položka Reorder apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Show výplatnej páske -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Přenos materiálu +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Přenos materiálu DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Zadejte operací, provozní náklady a dávají jedinečnou operaci ne své operace." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tento dokument je nad hranicou {0} {1} pre položku {4}. Robíte si iný {3} proti rovnakej {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Prosím nastavte opakujúce sa po uložení -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Vybrať zmena výšky účet +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Prosím nastavte opakujúce sa po uložení +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Vybrať zmena výšky účet DocType: Purchase Invoice,Price List Currency,Ceník Měna DocType: Naming Series,User must always select,Uživatel musí vždy vybrat DocType: Stock Settings,Allow Negative Stock,Povolit Negativní Sklad DocType: Installation Note,Installation Note,Poznámka k instalaci -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Pridajte dane +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Pridajte dane DocType: Topic,Topic,téma apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Peňažný tok z finančnej DocType: Budget Account,Budget Account,rozpočet účtu @@ -2315,7 +2320,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Zdrojem finančních prostředků (závazků) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Množství v řadě {0} ({1}), musí být stejné jako množství vyrobené {2}" DocType: Appraisal,Employee,Zaměstnanec -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Vyberte možnosť Dávka +DocType: Company,Sales Monthly History,Mesačná história predaja +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Vyberte možnosť Dávka apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} je úplne fakturované DocType: Training Event,End Time,End Time apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktívne Štruktúra Plat {0} nájdené pre zamestnancov {1} pre uvedené termíny @@ -2323,15 +2329,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Platobné zrážky alebo strat apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardní smluvní podmínky pro prodej nebo koupi. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Seskupit podle Poukazu apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,predajné Pipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Prosím nastaviť predvolený účet platu Component {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Prosím nastaviť predvolený účet platu Component {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Povinné On DocType: Rename Tool,File to Rename,Súbor premenovať apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Prosím, vyberte BOM pre položku v riadku {0}" apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Účet {0} sa nezhoduje so spoločnosťou {1} v režime účtov: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Stanovená BOM {0} neexistuje k bodu {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plán údržby {0} musí být zrušena před zrušením této prodejní objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plán údržby {0} musí být zrušena před zrušením této prodejní objednávky DocType: Notification Control,Expense Claim Approved,Uhrazení výdajů schváleno -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosím, nastavte číselnú sériu pre účasť cez Setup> Numbering Series" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Výplatnej páske zamestnanca {0} už vytvorili pre toto obdobie apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutické apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Náklady na zakoupené zboží @@ -2348,7 +2353,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Ne pro hotový DocType: Upload Attendance,Attendance To Date,Účast na data DocType: Warranty Claim,Raised By,Vznesené DocType: Payment Gateway Account,Payment Account,Platební účet -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Uveďte prosím společnost pokračovat +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Uveďte prosím společnost pokračovat apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Čistá zmena objemu pohľadávok apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Vyrovnávací Off DocType: Offer Letter,Accepted,Přijato @@ -2358,12 +2363,12 @@ DocType: SG Creation Tool Course,Student Group Name,Meno Študent Group apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Uistite sa, že naozaj chcete vymazať všetky transakcie pre túto spoločnosť. Vaše kmeňové dáta zostanú, ako to je. Túto akciu nie je možné vrátiť späť." DocType: Room,Room Number,Číslo izby apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Neplatná referencie {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nemôže byť väčšie, ako plánované množstvo ({2}), vo Výrobnej Objednávke {3}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nemôže byť väčšie, ako plánované množstvo ({2}), vo Výrobnej Objednávke {3}" DocType: Shipping Rule,Shipping Rule Label,Přepravní Pravidlo Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,user Forum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Suroviny nemůže být prázdný. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Nie je možné aktualizovať zásob, faktúra obsahuje pokles lodnej dopravy tovaru." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Rýchly vstup Journal +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Suroviny nemůže být prázdný. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Nie je možné aktualizovať zásob, faktúra obsahuje pokles lodnej dopravy tovaru." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Rýchly vstup Journal apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Nemůžete změnit sazbu, kdyby BOM zmínil agianst libovolné položky" DocType: Employee,Previous Work Experience,Předchozí pracovní zkušenosti DocType: Stock Entry,For Quantity,Pre Množstvo @@ -2420,7 +2425,7 @@ DocType: SMS Log,No of Requested SMS,Počet žádaným SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Nechať bez nároku na odmenu nesúhlasí so schválenými záznamov nechať aplikáciu DocType: Campaign,Campaign-.####,Kampaň-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Ďalšie kroky -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Prosím dodávať uvedené položky na najlepšie možné ceny +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Prosím dodávať uvedené položky na najlepšie možné ceny DocType: Selling Settings,Auto close Opportunity after 15 days,Auto zavrieť Opportunity po 15 dňoch apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,koniec roka apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Olovo% @@ -2478,7 +2483,7 @@ DocType: Homepage,Homepage,Úvodné DocType: Purchase Receipt Item,Recd Quantity,Recd Množství apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Records Vytvoril - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategórie Account -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Nie je možné vyrobiť viac Položiek {0} ako je množstvo na predajnej objednávke {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Nie je možné vyrobiť viac Položiek {0} ako je množstvo na predajnej objednávke {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Sklad Entry {0} nie je predložená DocType: Payment Reconciliation,Bank / Cash Account,Bank / Peněžní účet apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Nasledujúce Kontakt Tým nemôže byť rovnaký ako hlavný e-mailovú adresu @@ -2511,7 +2516,7 @@ DocType: Salary Structure,Total Earning,Celkem Zisk DocType: Purchase Receipt,Time at which materials were received,"Čas, kdy bylo přijato materiály" DocType: Stock Ledger Entry,Outgoing Rate,Odchádzajúce Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizace větev master. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,alebo +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,alebo DocType: Sales Order,Billing Status,Status Fakturace apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Nahlásiť problém apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility Náklady @@ -2519,7 +2524,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Riadok # {0}: Journal Entry {1} nemá účet {2} alebo už uzavreté proti inému poukazu DocType: Buying Settings,Default Buying Price List,Výchozí Nákup Ceník DocType: Process Payroll,Salary Slip Based on Timesheet,Plat Slip na základe časového rozvrhu -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Žiadny zamestnanec pre vyššie zvolených kritérií alebo výplatnej páske už vytvorili +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Žiadny zamestnanec pre vyššie zvolených kritérií alebo výplatnej páske už vytvorili DocType: Notification Control,Sales Order Message,Prodejní objednávky Message apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Nastavit jako výchozí hodnoty, jako je společnost, měna, aktuálním fiskálním roce, atd" DocType: Payment Entry,Payment Type,Typ platby @@ -2544,7 +2549,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Príjem a musí byť predložený DocType: Purchase Invoice Item,Received Qty,Přijaté Množství DocType: Stock Entry Detail,Serial No / Batch,Výrobní číslo / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Nezaplatené a nedoručené +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Nezaplatené a nedoručené DocType: Product Bundle,Parent Item,Nadřazená položka DocType: Account,Account Type,Typ účtu DocType: Delivery Note,DN-RET-,DN-RET- @@ -2574,8 +2579,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Celková alokovaná suma apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Nastavte predvolený inventárny účet pre trvalý inventár DocType: Item Reorder,Material Request Type,Materiál Typ požadavku -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal vstup na platy z {0} až {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","Miestne úložisko je plné, nezachránil" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Journal vstup na platy z {0} až {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Miestne úložisko je plné, nezachránil" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Riadok {0}: Konverzný faktor MJ je povinný apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Nákladové středisko @@ -2593,7 +2598,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Daň apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Je-li zvolena Ceny pravidlo je určen pro ""Cena"", přepíše ceníku. Ceny Pravidlo cena je konečná cena, a proto by měla být použita žádná další sleva. Proto, v transakcích, jako odběratele, objednávky atd, bude stažen v oboru ""sazbou"", spíše než poli ""Ceník sazby""." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Trasa vede od průmyslu typu. DocType: Item Supplier,Item Supplier,Položka Dodavatel -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Vyberte prosím hodnotu pro {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Všechny adresy. DocType: Company,Stock Settings,Nastavenie Skladu @@ -2620,7 +2625,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Skutečné Množství P apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Č plat sklzu nájdený medzi {0} a {1} ,Pending SO Items For Purchase Request,"Do doby, než SO položky k nákupu Poptávka" apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,študent Prijímacie -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} je zakázaný +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} je zakázaný DocType: Supplier,Billing Currency,Mena fakturácie DocType: Sales Invoice,SINV-RET-,Sinv-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Veľké @@ -2650,7 +2655,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,stav aplikácie DocType: Fees,Fees,poplatky DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Zadejte Exchange Rate převést jednu měnu na jinou -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Ponuka {0} je zrušená +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Ponuka {0} je zrušená apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Celková dlužná částka DocType: Sales Partner,Targets,Cíle DocType: Price List,Price List Master,Ceník Master @@ -2667,7 +2672,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorovat Ceny pravidlo DocType: Employee Education,Graduate,Absolvent DocType: Leave Block List,Block Days,Blokové dny DocType: Journal Entry,Excise Entry,Spotřební Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozornenie: predajné objednávky {0} už existuje proti Zákazníka objednanie {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozornenie: predajné objednávky {0} už existuje proti Zákazníka objednanie {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2706,7 +2711,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Poku ,Salary Register,plat Register DocType: Warehouse,Parent Warehouse,Parent Warehouse DocType: C-Form Invoice Detail,Net Total,Netto Spolu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Predvolený kusovník sa nenašiel pre položku {0} a projekt {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Definovať rôzne typy úverov DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Dlužné částky @@ -2743,7 +2748,7 @@ DocType: Salary Detail,Condition and Formula Help,Stav a Formula nápovedy apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Správa Territory strom. DocType: Journal Entry Account,Sales Invoice,Prodejní faktury DocType: Journal Entry Account,Party Balance,Balance Party -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Prosím, vyberte Použiť Zľava na" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Prosím, vyberte Použiť Zľava na" DocType: Company,Default Receivable Account,Výchozí pohledávek účtu DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Vytvoření bankovní položka pro celkové vyplacené mzdy za výše zvolených kritérií DocType: Stock Entry,Material Transfer for Manufacture,Materiál Přenos: Výroba @@ -2757,7 +2762,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Zákazník Address DocType: Employee Loan,Loan Details,pôžička Podrobnosti DocType: Company,Default Inventory Account,Predvolený inventárny účet -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Riadok {0}: Dokončené množstvo musí byť väčšia ako nula. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Riadok {0}: Dokončené množstvo musí byť väčšia ako nula. DocType: Purchase Invoice,Apply Additional Discount On,Použiť dodatočné Zľava na DocType: Account,Root Type,Root Type DocType: Item,FIFO,FIFO @@ -2774,7 +2779,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Kontrola kvality apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Malé DocType: Company,Standard Template,štandardná šablóna DocType: Training Event,Theory,teória -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Účet {0} je zmrazen DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Právní subjekt / dceřiná společnost s oddělenou Graf účtů, které patří do organizace." DocType: Payment Request,Mute Email,Mute Email @@ -2798,7 +2803,7 @@ DocType: Training Event,Scheduled,Plánované apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Žiadosť o cenovú ponuku. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Prosím, vyberte položku, kde "Je skladom," je "Nie" a "je Sales Item" "Áno" a nie je tam žiadny iný produkt Bundle" DocType: Student Log,Academic,akademický -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Celkové zálohy ({0}) na objednávku {1} nemôže byť väčšia ako Celkom ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Celkové zálohy ({0}) na objednávku {1} nemôže byť väčšia ako Celkom ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Vyberte měsíční výplatou na nerovnoměrně distribuovat cílů napříč měsíců. DocType: Purchase Invoice Item,Valuation Rate,Ocenění Rate DocType: Stock Reconciliation,SR/,SR / @@ -2864,6 +2869,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Zadejte název kampaně, pokud zdroj šetření je kampaň" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Vydavatelia novín apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Vyberte Fiskální rok +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Očakávaný dátum doručenia by mal byť po dátume zákazky predaja apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Změna pořadí Level DocType: Company,Chart Of Accounts Template,Účtový rozvrh šablóny DocType: Attendance,Attendance Date,Účast Datum @@ -2895,7 +2901,7 @@ DocType: Pricing Rule,Discount Percentage,Sleva v procentech DocType: Payment Reconciliation Invoice,Invoice Number,Číslo faktúry DocType: Shopping Cart Settings,Orders,Objednávky DocType: Employee Leave Approver,Leave Approver,Nechte schvalovač -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Vyberte dávku +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Vyberte dávku DocType: Assessment Group,Assessment Group Name,Názov skupiny Assessment DocType: Manufacturing Settings,Material Transferred for Manufacture,Prevádza jadrový materiál pre Výroba DocType: Expense Claim,"A user with ""Expense Approver"" role","Uživatel s rolí ""Schvalovatel výdajů""" @@ -2932,7 +2938,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Posledný deň nasledujúceho mesiaca DocType: Support Settings,Auto close Issue after 7 days,Auto zavrieť Issue po 7 dňoch apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Dovolenka nemôže byť pridelené pred {0}, pretože rovnováha dovolenky už bolo carry-odovzdávané v budúcej pridelenie dovolenku záznamu {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Poznámka: Z důvodu / Referenční datum překračuje povolené zákazníků úvěrové dní od {0} den (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Poznámka: Z důvodu / Referenční datum překračuje povolené zákazníků úvěrové dní od {0} den (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,študent Žiadateľ DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINÁL PRE PRÍJEMCU DocType: Asset Category Account,Accumulated Depreciation Account,účet oprávok @@ -2943,7 +2949,7 @@ DocType: Item,Reorder level based on Warehouse,Úroveň Zmena poradia na základ DocType: Activity Cost,Billing Rate,Fakturačná cena ,Qty to Deliver,Množství k dodání ,Stock Analytics,Stock Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operácia nemôže byť prázdne +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operácia nemôže byť prázdne DocType: Maintenance Visit Purpose,Against Document Detail No,Proti Detail dokumentu č apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Typ strana je povinná DocType: Quality Inspection,Outgoing,Vycházející @@ -2986,15 +2992,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Množství k dispozici na skladu apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Fakturovaná částka DocType: Asset,Double Declining Balance,double degresívne -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Uzavretá objednávka nemôže byť zrušený. Otvoriť zrušiť. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Uzavretá objednávka nemôže byť zrušený. Otvoriť zrušiť. DocType: Student Guardian,Father,otec -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Aktualizácia Sklad" nemôžu byť kontrolované na pevnú predaji majetku +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"Aktualizácia Sklad" nemôžu byť kontrolované na pevnú predaji majetku DocType: Bank Reconciliation,Bank Reconciliation,Bank Odsouhlasení DocType: Attendance,On Leave,Na odchode apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Získať aktualizácie apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Účet {2} nepatrí do spoločnosti {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materiál Request {0} je zrušena nebo zastavena -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Pridať niekoľko ukážkových záznamov +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Pridať niekoľko ukážkových záznamov apps/erpnext/erpnext/config/hr.py +301,Leave Management,Správa priepustiek apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Seskupit podle účtu DocType: Sales Order,Fully Delivered,Plně Dodáno @@ -3003,12 +3009,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Rozdiel účet musí byť typu aktív / Zodpovednosť účet, pretože to Reklamná Zmierenie je Entry Otvorenie" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Zaplatené čiastky nemôže byť väčšia ako Výška úveru {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Zákazková výroba nevytvorili +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Zákazková výroba nevytvorili apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Dátum DO"" musí byť po ""Dátum OD""" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nemôže zmeniť štatút študenta {0} je prepojený s aplikáciou študentské {1} DocType: Asset,Fully Depreciated,plne odpísaný ,Stock Projected Qty,Reklamní Plánovaná POČET -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Výrazná Účasť HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citácie sú návrhy, ponuky ste svojim zákazníkom odoslanej" DocType: Sales Order,Customer's Purchase Order,Zákazníka Objednávka @@ -3018,7 +3024,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Prosím nastavte Počet Odpisy rezervované apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Hodnota nebo Množství apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Objednávky nemôže byť zvýšená pre: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minúta +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minúta DocType: Purchase Invoice,Purchase Taxes and Charges,Nákup Daně a poplatky ,Qty to Receive,Množství pro příjem DocType: Leave Block List,Leave Block List Allowed,Nechte Block List povolena @@ -3032,7 +3038,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Všechny typy Dodavatele DocType: Global Defaults,Disable In Words,Zakázať v slovách apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinné, protože položka není automaticky číslovány" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Ponuka {0} nie je typu {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Ponuka {0} nie je typu {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Plán údržby Item DocType: Sales Order,% Delivered,% Dodaných DocType: Production Order,PRO-,PRO- @@ -3055,7 +3061,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Prodávající E-mail DocType: Project,Total Purchase Cost (via Purchase Invoice),Celkové obstarávacie náklady (cez nákupné faktúry) DocType: Training Event,Start Time,Start Time -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Zvolte množství +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Zvolte množství DocType: Customs Tariff Number,Customs Tariff Number,colného sadzobníka apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Schválení role nemůže být stejná jako role pravidlo se vztahuje na apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odhlásiť sa z tohto Email Digest @@ -3079,7 +3085,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Plně Fakturovaný apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Pokladní hotovost -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Dodávka sklad potrebný pre živočíšnu položku {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Dodávka sklad potrebný pre živočíšnu položku {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Celková hmotnost balení. Obvykle se čistá hmotnost + obalového materiálu hmotnosti. (Pro tisk) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Uživatelé s touto rolí se mohou nastavit na zmrazené účty a vytvořit / upravit účetní zápisy proti zmrazených účtů @@ -3089,7 +3095,7 @@ DocType: Student Group,Group Based On,Skupina založená na DocType: Journal Entry,Bill Date,Bill Datum apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","je nutný servisný položky, typ, frekvencia a množstvo náklady" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","I když existuje více pravidla pro tvorbu cen s nejvyšší prioritou, pak následující interní priority jsou použity:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},"Naozaj chcete, aby predložili všetky výplatnej páske z {0} až {1}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},"Naozaj chcete, aby predložili všetky výplatnej páske z {0} až {1}" DocType: Cheque Print Template,Cheque Height,šek Výška DocType: Supplier,Supplier Details,Dodavatele Podrobnosti DocType: Expense Claim,Approval Status,Stav schválení @@ -3111,7 +3117,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Obchodná iniciatív apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nic víc ukázat. DocType: Lead,From Customer,Od Zákazníka apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Volá -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,dávky +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,dávky DocType: Project,Total Costing Amount (via Time Logs),Celková kalkulácie Čiastka (cez Time Záznamy) DocType: Purchase Order Item Supplied,Stock UOM,Skladová MJ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Vydaná objednávka {0} není odeslána @@ -3143,7 +3149,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Návrat proti nákupne DocType: Item,Warranty Period (in days),Záruční doba (ve dnech) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Súvislosť s Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Čistý peňažný tok z prevádzkovej -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,napríklad DPH +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,napríklad DPH apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Bod 4 DocType: Student Admission,Admission End Date,Vstupné Dátum ukončenia apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,subdodávky @@ -3151,7 +3157,7 @@ DocType: Journal Entry Account,Journal Entry Account,Zápis do deníku Účet apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,študent Group DocType: Shopping Cart Settings,Quotation Series,Číselná rada ponúk apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Položka s rovnakým názvom už existuje ({0}), prosím, zmente názov skupiny položiek alebo premenujte položku" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,vyberte zákazníka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,vyberte zákazníka DocType: C-Form,I,ja DocType: Company,Asset Depreciation Cost Center,Asset Odpisy nákladového strediska DocType: Sales Order Item,Sales Order Date,Prodejní objednávky Datum @@ -3162,6 +3168,7 @@ DocType: Stock Settings,Limit Percent,limit Percento ,Payment Period Based On Invoice Date,Platební období na základě data vystavení faktury apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Chybí Směnárna Kurzy pro {0} DocType: Assessment Plan,Examiner,skúšajúci +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte pomenovanie série {0} cez Nastavenie> Nastavenia> Pomenovanie série DocType: Student,Siblings,súrodenci DocType: Journal Entry,Stock Entry,Reklamní Entry DocType: Payment Entry,Payment References,platobné Referencie @@ -3186,7 +3193,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Tam, kde jsou výrobní operace prováděny." DocType: Asset Movement,Source Warehouse,Zdroj Warehouse DocType: Installation Note,Installation Date,Datum instalace -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Riadok # {0}: {1} Asset nepatrí do spoločnosti {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Riadok # {0}: {1} Asset nepatrí do spoločnosti {2} DocType: Employee,Confirmation Date,Potvrzení Datum DocType: C-Form,Total Invoiced Amount,Celková fakturovaná čiastka apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min množství nemůže být větší než Max Množství @@ -3261,7 +3268,7 @@ DocType: Company,Default Letter Head,Výchozí hlavičkový DocType: Purchase Order,Get Items from Open Material Requests,Získať predmety z žiadostí Otvoriť Materiál DocType: Item,Standard Selling Rate,Štandardné predajné kurz DocType: Account,Rate at which this tax is applied,"Rychlost, při které se používá tato daň" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Změna pořadí Množství +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Změna pořadí Množství apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Aktuálne pracovné príležitosti DocType: Company,Stock Adjustment Account,Reklamní Nastavení účtu apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Odpísať @@ -3275,7 +3282,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Dodávateľ doručí zákazníkovi apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Položka / {0}) nie je na sklade apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Ďalšie Dátum musí byť väčšia ako Dátum zverejnenia -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Vzhledem / Referenční datum nemůže být po {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Vzhledem / Referenční datum nemůže být po {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Import dát a export apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Žiadni študenti Nájdené apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktúra Dátum zverejnenia @@ -3296,12 +3303,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To je založené na účasti tohto študenta apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Žiadni študenti v apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Pridať ďalšie položky alebo otvorené plnej forme -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Prosím, zadejte ""Očekávaná Datum dodání""" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dodací listy {0} musí být zrušena před zrušením této prodejní objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dodací listy {0} musí být zrušena před zrušením této prodejní objednávky apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Placená částka + odepsat Částka nesmí být větší než Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nie je platné číslo Šarže pre Položku {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Poznámka: Není k dispozici dostatek zůstatek dovolené dovolená za kalendářní typ {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Neplatné GSTIN alebo Enter NA pre neregistrované +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Neplatné GSTIN alebo Enter NA pre neregistrované DocType: Training Event,Seminar,seminár DocType: Program Enrollment Fee,Program Enrollment Fee,program zápisné DocType: Item,Supplier Items,Dodavatele položky @@ -3319,7 +3325,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Reklamní Stárnutí apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Existujú Študent {0} proti uchádzač študent {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,pracovný výkaz -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' je vypnuté +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' je vypnuté apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Nastaviť ako Otvorené DocType: Cheque Print Template,Scanned Cheque,skenovaných Šek DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Posílat automatické e-maily na Kontakty na předložení transakcí. @@ -3366,7 +3372,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Katalogová cena Exchange Rate DocType: Purchase Invoice Item,Rate,Sadzba apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Internovat -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Meno adresy +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Meno adresy DocType: Stock Entry,From BOM,Od BOM DocType: Assessment Code,Assessment Code,kód Assessment apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Základní @@ -3379,20 +3385,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Plat struktura DocType: Account,Bank,Banka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Letecká linka -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Vydání Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Vydání Material DocType: Material Request Item,For Warehouse,Pro Sklad DocType: Employee,Offer Date,Dátum Ponuky apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citácie -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Ste v režime offline. Nebudete môcť znovu, kým nebudete mať sieť." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Ste v režime offline. Nebudete môcť znovu, kým nebudete mať sieť." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Žiadne študentské skupiny vytvorený. DocType: Purchase Invoice Item,Serial No,Výrobní číslo apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mesačné splátky suma nemôže byť vyššia ako suma úveru apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Prosím, zadejte první maintaince Podrobnosti" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Riadok # {0}: Predpokladaný dátum doručenia nemôže byť pred dátumom objednávky DocType: Purchase Invoice,Print Language,tlač Language DocType: Salary Slip,Total Working Hours,Celkovej pracovnej doby DocType: Stock Entry,Including items for sub assemblies,Vrátane položiek pre montážnych podskupín -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Zadajte hodnota musí byť kladná -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Zadajte hodnota musí byť kladná apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Všetky územia DocType: Purchase Invoice,Items,Položky apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Študent je už zapísané. @@ -3415,7 +3421,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Východzí merná jednotka varianty '{0}' musí byť rovnaký ako v Template '{1}' DocType: Shipping Rule,Calculate Based On,Vypočítať na základe DocType: Delivery Note Item,From Warehouse,Zo skladu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Žiadne položky s Bill of Materials Výroba +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Žiadne položky s Bill of Materials Výroba DocType: Assessment Plan,Supervisor Name,Meno Supervisor DocType: Program Enrollment Course,Program Enrollment Course,Program na zápis do programu DocType: Program Enrollment Course,Program Enrollment Course,Program na zápis do programu @@ -3431,23 +3437,23 @@ DocType: Training Event Employee,Attended,navštevoval apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dní od poslednej objednávky"" musí byť väčšie alebo rovnajúce sa nule" DocType: Process Payroll,Payroll Frequency,mzdové frekvencia DocType: Asset,Amended From,Platném znění -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Surovina +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Surovina DocType: Leave Application,Follow via Email,Sledovat e-mailem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Rastliny a strojné vybavenie DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Částka daně po slevě Částka DocType: Daily Work Summary Settings,Daily Work Summary Settings,Každodennú prácu Súhrnné Nastavenie -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Mena cenníka {0} nie je podobné s vybranou menou {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Mena cenníka {0} nie je podobné s vybranou menou {1} DocType: Payment Entry,Internal Transfer,vnútorné Prevod apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Dětské konto existuje pro tento účet. Nemůžete smazat tento účet. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Buď cílové množství nebo cílová částka je povinná apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No default BOM existuje pro bod {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Prosím, vyberte najprv Dátum zverejnenia" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Prosím, vyberte najprv Dátum zverejnenia" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Dátum začatia by mala byť pred uzávierky DocType: Leave Control Panel,Carry Forward,Převádět apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Nákladové středisko se stávajícími transakcemi nelze převést na hlavní účetní knihy DocType: Department,Days for which Holidays are blocked for this department.,"Dnů, po které Prázdniny jsou blokovány pro toto oddělení." ,Produced,Produkoval -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Vytvorené výplatných páskach +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Vytvorené výplatných páskach DocType: Item,Item Code for Suppliers,Položka Kód pre dodávateľa DocType: Issue,Raised By (Email),Vznesené (e-mail) DocType: Training Event,Trainer Name,Meno tréner @@ -3455,9 +3461,10 @@ DocType: Mode of Payment,General,Všeobecný apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Posledné oznámenie apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Posledné oznámenie apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nelze odečíst, pokud kategorie je určena pro ""ocenění"" nebo ""oceňování a celkový""" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Vypíšte vaše používané dane (napr DPH, Clo atď; mali by mať jedinečné názvy) a ich štandardné sadzby. Týmto sa vytvorí štandardná šablóna, ktorú môžete upraviť a pridať ďalšie neskôr." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Vypíšte vaše používané dane (napr DPH, Clo atď; mali by mať jedinečné názvy) a ich štandardné sadzby. Týmto sa vytvorí štandardná šablóna, ktorú môžete upraviť a pridať ďalšie neskôr." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Nos Požadováno pro serializovaném bodu {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Zápas platby faktúrami +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Riadok # {0}: Zadajte dátum dodania podľa položky {1} DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Vztahující se na (označení) ,Profitability Analysis,analýza ziskovosť @@ -3473,17 +3480,18 @@ DocType: Quality Inspection,Item Serial No,Položka Výrobní číslo apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Vytvoriť Zamestnanecké záznamov apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Celkem Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,účtovná závierka -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Hodina +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Hodina apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"New Pořadové číslo nemůže mít Warehouse. Warehouse musí být nastaveny Stock vstupním nebo doklad o koupi," DocType: Lead,Lead Type,Lead Type apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Nie ste oprávnení schvaľovať lístie na bloku Termíny -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Všechny tyto položky již byly fakturovány +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Všechny tyto položky již byly fakturovány +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Mesačný cieľ predaja apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Může být schválena {0} DocType: Item,Default Material Request Type,Východiskový materiál Typ požiadavky apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,nevedno DocType: Shipping Rule,Shipping Rule Conditions,Přepravní Článek Podmínky DocType: BOM Replace Tool,The new BOM after replacement,Nový BOM po výměně -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Místo Prodeje +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Místo Prodeje DocType: Payment Entry,Received Amount,prijatej Suma DocType: GST Settings,GSTIN Email Sent On,GSTIN E-mail odoslaný na DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop od Guardian @@ -3500,8 +3508,8 @@ DocType: Batch,Source Document Name,Názov zdrojového dokumentu DocType: Batch,Source Document Name,Názov zdrojového dokumentu DocType: Job Opening,Job Title,Název pozice apps/erpnext/erpnext/utilities/activation.py +97,Create Users,vytvoriť užívateľa -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,"Množstvo, ktoré má výroba musí byť väčšia ako 0 ° C." +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,"Množstvo, ktoré má výroba musí byť väčšia ako 0 ° C." apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Navštivte zprávu pro volání údržby. DocType: Stock Entry,Update Rate and Availability,Obnovovaciu rýchlosť a dostupnosť DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Percento, ktoré máte možnosť prijať alebo dodať naviac oproti objednanému množstvu. Napríklad: Keď ste si objednali 100 kusov a váša tolerancia je 10%, tak máte možnosť prijať 110 kusov." @@ -3514,7 +3522,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Zrušte faktúre {0} prvý apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-mailová adresa musí byť jedinečná, už existuje pre {0}" DocType: Serial No,AMC Expiry Date,AMC Datum vypršení platnosti -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,príjem +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,príjem ,Sales Register,Sales Register DocType: Daily Work Summary Settings Company,Send Emails At,Posielať e-maily At DocType: Quotation,Quotation Lost Reason,Dôvod neúspešnej ponuky @@ -3527,14 +3535,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Zatiaľ žiad apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Prehľad o peňažných tokoch apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Výška úveru nesmie prekročiť maximálnu úveru Suma {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licencie -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prosím, vyberte převádět pokud chcete také zahrnout uplynulý fiskální rok bilance listy tohoto fiskálního roku" DocType: GL Entry,Against Voucher Type,Proti poukazu typu DocType: Item,Attributes,Atribúty apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Prosím, zadejte odepsat účet" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Posledná Dátum objednávky apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Účet {0} nie je patria spoločnosti {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Sériové čísla v riadku {0} sa nezhodujú s dodacím listom +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Sériové čísla v riadku {0} sa nezhodujú s dodacím listom DocType: Student,Guardian Details,Guardian Podrobnosti DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark dochádzky pre viac zamestnancov @@ -3566,16 +3574,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ty DocType: Tax Rule,Sales,Predaj DocType: Stock Entry Detail,Basic Amount,Základná čiastka DocType: Training Event,Exam,skúška -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0} DocType: Leave Allocation,Unused leaves,Nepoužité listy -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Fakturácia State apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Převod apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nie je spojený s účtom Party {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin) DocType: Authorization Rule,Applicable To (Employee),Vztahující se na (Employee) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Dátum splatnosti je povinný apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Prírastok pre atribút {0} nemôže byť 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Zákaznícka skupina> Územie DocType: Journal Entry,Pay To / Recd From,Platit K / Recd Z DocType: Naming Series,Setup Series,Řada Setup DocType: Payment Reconciliation,To Invoice Date,Ak chcete dátumu vystavenia faktúry @@ -3602,7 +3611,7 @@ DocType: Journal Entry,Write Off Based On,Odepsat založené na apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,urobiť Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Tlač a papiernictva DocType: Stock Settings,Show Barcode Field,Show čiarového kódu Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Poslať Dodávateľ e-maily +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Poslať Dodávateľ e-maily apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plat už spracované pre obdobie medzi {0} a {1}, ponechajte dobu použiteľnosti nemôže byť medzi tomto časovom období." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Instalace rekord pro sériové číslo DocType: Guardian Interest,Guardian Interest,Guardian Záujem @@ -3616,7 +3625,7 @@ DocType: Offer Letter,Awaiting Response,Čaká odpoveď apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Vyššie apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Neplatný atribút {0} {1} DocType: Supplier,Mention if non-standard payable account,"Uveďte, či je neštandardný splatný účet" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Rovnaká položka bola zadaná viackrát. {List} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Rovnaká položka bola zadaná viackrát. {List} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Vyberte inú hodnotiacu skupinu ako "Všetky hodnotiace skupiny" DocType: Salary Slip,Earning & Deduction,Výdělek a dedukce apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Volitelné. Toto nastavení bude použito k filtrování v různých transakcí. @@ -3635,7 +3644,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Náklady na vyradenie aktív apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Nákladové stredisko je povinné pre položku {2} DocType: Vehicle,Policy No,nie politika -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Získať predmety z Bundle Product +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Získať predmety z Bundle Product DocType: Asset,Straight Line,Priamka DocType: Project User,Project User,projekt Užívateľ apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Rozdeliť @@ -3650,6 +3659,7 @@ DocType: Bank Reconciliation,Payment Entries,platobné Príspevky DocType: Production Order,Scrap Warehouse,šrot Warehouse DocType: Production Order,Check if material transfer entry is not required,"Skontrolujte, či sa nepožaduje zadávanie materiálu" DocType: Production Order,Check if material transfer entry is not required,"Skontrolujte, či sa nepožaduje zadávanie materiálu" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pomenovania zamestnancov v oblasti ľudských zdrojov> Nastavenia personálu" DocType: Program Enrollment Tool,Get Students From,Získať študentov z DocType: Hub Settings,Seller Country,Prodejce Country apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publikovať položky na webových stránkach @@ -3667,19 +3677,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,Stanovte podmienky na výpočet výšky prepravných nákladov DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Role povoleno nastavit zmrazené účty a upravit Mražené Příspěvky apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,otvorenie Value +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,otvorenie Value DocType: Salary Detail,Formula,vzorec apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Provize z prodeje DocType: Offer Letter Term,Value / Description,Hodnota / Popis -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Riadok # {0}: Asset {1} nemôže byť predložený, je už {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Riadok # {0}: Asset {1} nemôže byť predložený, je už {2}" DocType: Tax Rule,Billing Country,Fakturácia Krajina DocType: Purchase Order Item,Expected Delivery Date,Očekávané datum dodání apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debetné a kreditné nerovná za {0} # {1}. Rozdiel je v tom {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Výdaje na reprezentaci apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Urobiť Materiál Žiadosť apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otvorená Položka {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodejní faktury {0} musí být zrušena před zrušením této prodejní objednávky +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodejní faktury {0} musí být zrušena před zrušením této prodejní objednávky apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Věk DocType: Sales Invoice Timesheet,Billing Amount,Fakturácia Suma apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Neplatné množstvo uvedené pre položku {0}. Množstvo by malo byť väčšie než 0. @@ -3702,7 +3712,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nový zákazník Příjmy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Cestovní výdaje DocType: Maintenance Visit,Breakdown,Rozbor -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Účet: {0} s menou: {1} nemožno vybrať +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Účet: {0} s menou: {1} nemožno vybrať DocType: Bank Reconciliation Detail,Cheque Date,Šek Datum apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Účet {0}: Nadřazený účet {1} nepatří ke společnosti: {2} DocType: Program Enrollment Tool,Student Applicants,študent Žiadatelia @@ -3722,11 +3732,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Pláno DocType: Material Request,Issued,Vydané apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Aktivita študentov DocType: Project,Total Billing Amount (via Time Logs),Celkom Billing Suma (cez Time Záznamy) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Táto položka je na predaj +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Táto položka je na predaj apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Dodavatel Id DocType: Payment Request,Payment Gateway Details,Platobná brána Podrobnosti -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Množstvo by mala byť väčšia ako 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Ukážkové dáta +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Množstvo by mala byť väčšia ako 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Ukážkové dáta DocType: Journal Entry,Cash Entry,Cash Entry apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Podriadené uzly môžu byť vytvorené len na základe typu uzly "skupina" DocType: Leave Application,Half Day Date,Half Day Date @@ -3735,17 +3745,18 @@ DocType: Sales Partner,Contact Desc,Kontakt Popis apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Typ ponechává jako neformální, nevolnosti atd." DocType: Email Digest,Send regular summary reports via Email.,Zasílat pravidelné souhrnné zprávy e-mailem. DocType: Payment Entry,PE-,PE -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Prosím nastaviť predvolený účet v Expense reklamačný typu {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Prosím nastaviť predvolený účet v Expense reklamačný typu {0} DocType: Assessment Result,Student Name,Meno študenta DocType: Brand,Item Manager,Manažér položiek apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,mzdové Splatné DocType: Buying Settings,Default Supplier Type,Výchozí typ Dodavatel DocType: Production Order,Total Operating Cost,Celkové provozní náklady -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Poznámka: Položka {0} vstoupil vícekrát +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Poznámka: Položka {0} vstoupil vícekrát apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Všechny kontakty. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Nastavte svoj cieľ apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Skratka názvu spoločnosti apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Uživatel: {0} neexistuje -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Surovina nemůže být stejný jako hlavní bod +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Surovina nemůže být stejný jako hlavní bod DocType: Item Attribute Value,Abbreviation,Zkratka apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Platba Entry už existuje apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Není authroized od {0} překročí limity @@ -3763,7 +3774,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Role povoleno upravova ,Territory Target Variance Item Group-Wise,Území Cílová Odchylka Item Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Všechny skupiny zákazníků apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,nahromadené za mesiac -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možno nie je vytvorený záznam Zmeny meny pre {1} až {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možno nie je vytvorený záznam Zmeny meny pre {1} až {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Daňová šablóna je povinné. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ceník Rate (Company měny) @@ -3774,7 +3785,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Procento přiděl apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretářka DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Pokiaľ zakázať, "v slovách" poli nebude viditeľný v akejkoľvek transakcie" DocType: Serial No,Distinct unit of an Item,Samostatnou jednotku z položky -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Nastavte spoločnosť +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Nastavte spoločnosť DocType: Pricing Rule,Buying,Nákupy DocType: HR Settings,Employee Records to be created by,"Zaměstnanec Záznamy, které vytvořil" DocType: POS Profile,Apply Discount On,Použiť Zľava na @@ -3785,7 +3796,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Položka Wise Tax Detail apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,inštitút Skratka ,Item-wise Price List Rate,Item-moudrý Ceník Rate -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Dodávateľská ponuka +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Dodávateľská ponuka DocType: Quotation,In Words will be visible once you save the Quotation.,"Ve slovech budou viditelné, jakmile uložíte nabídku." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Množstvo ({0}) nemôže byť zlomkom v riadku {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Množstvo ({0}) nemôže byť zlomkom v riadku {1} @@ -3810,7 +3821,7 @@ Updated via 'Time Log'","v minútach DocType: Customer,From Lead,Od Obchodnej iniciatívy apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Objednávky uvolněna pro výrobu. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Vyberte fiskálního roku ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,"POS Profile požadované, aby POS Vstup" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,"POS Profile požadované, aby POS Vstup" DocType: Program Enrollment Tool,Enroll Students,zapísať študenti DocType: Hub Settings,Name Token,Názov Tokenu apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardní prodejní @@ -3828,7 +3839,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Reklamní Value Rozdíl apps/erpnext/erpnext/config/learn.py +234,Human Resource,Ľudské Zdroje DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Platba Odsouhlasení Platba apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Daňové Aktiva -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Výrobná zákazka bola {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Výrobná zákazka bola {0} DocType: BOM Item,BOM No,BOM No DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Zápis do deníku {0} nemá účet {1} nebo již uzavřeno proti ostatním poukaz @@ -3842,7 +3853,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Nahrajt apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Vynikající Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Nastavit cíle Item Group-moudrý pro tento prodeje osobě. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zásoby Starší než [dny] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Riadok # {0}: Prostriedok je povinné pre dlhodobého majetku nákup / predaj +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Riadok # {0}: Prostriedok je povinné pre dlhodobého majetku nákup / predaj apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Pokud dva nebo více pravidla pro tvorbu cen se nacházejí na základě výše uvedených podmínek, priorita je aplikována. Priorita je číslo od 0 do 20, zatímco výchozí hodnota je nula (prázdný). Vyšší číslo znamená, že bude mít přednost, pokud existuje více pravidla pro tvorbu cen se za stejných podmínek." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiškálny rok: {0} neexistuje DocType: Currency Exchange,To Currency,Chcete-li měny @@ -3851,7 +3862,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Druhy výdajů n apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Miera predaja pre položku {0} je nižšia ako {1}. Miera predaja by mala byť najmenej {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Miera predaja pre položku {0} je nižšia ako {1}. Miera predaja by mala byť najmenej {2} DocType: Item,Taxes,Daně -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Platená a nie je doručenie +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Platená a nie je doručenie DocType: Project,Default Cost Center,Výchozí Center Náklady DocType: Bank Guarantee,End Date,Datum ukončení apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,sklad Transakcia @@ -3868,7 +3879,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Každodennú prácu Súhrnné Nastavenie Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Položka {0} ignorována, protože to není skladem" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Odeslat tento výrobní zakázka pro další zpracování. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Odeslat tento výrobní zakázka pro další zpracování. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Nechcete-li použít Ceník článek v dané transakce, by měly být všechny platné pravidla pro tvorbu cen zakázáno." DocType: Assessment Group,Parent Assessment Group,Materská skupina Assessment apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,jobs @@ -3876,10 +3887,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,jobs DocType: Employee,Held On,Které se konalo dne apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Výrobní položka ,Employee Information,Informace o zaměstnanci -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Sadzba (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Sadzba (%) DocType: Stock Entry Detail,Additional Cost,Dodatočné náklady apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Vytvoriť ponuku od dodávateľa +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Vytvoriť ponuku od dodávateľa DocType: Quality Inspection,Incoming,Přicházející DocType: BOM,Materials Required (Exploded),Potřebný materiál (Rozložený) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",Pridanie ďalších používateľov do vašej organizácie okrem Vás @@ -3895,7 +3906,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Účet: {0} lze aktualizovat pouze prostřednictvím Skladových Transakcí DocType: Student Group Creation Tool,Get Courses,získať kurzy DocType: GL Entry,Party,Strana -DocType: Sales Order,Delivery Date,Dodávka Datum +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Dodávka Datum DocType: Opportunity,Opportunity Date,Příležitost Datum DocType: Purchase Receipt,Return Against Purchase Receipt,Návrat Proti doklad o kúpe DocType: Request for Quotation Item,Request for Quotation Item,Žiadosť o cenovú ponuku výtlačku @@ -3909,7 +3920,7 @@ DocType: Task,Actual Time (in Hours),Skutočná doba (v hodinách) DocType: Employee,History In Company,Historie ve Společnosti apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newslettery DocType: Stock Ledger Entry,Stock Ledger Entry,Reklamní Ledger Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Rovnaký bod bol zadaný viackrát +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Rovnaký bod bol zadaný viackrát DocType: Department,Leave Block List,Nechte Block List DocType: Sales Invoice,Tax ID,DIČ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Položka {0} není nastavení pro Serial č. Sloupec musí být prázdný @@ -3927,25 +3938,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Čierna DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Item DocType: Account,Auditor,Auditor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} predmety vyrobené +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} predmety vyrobené DocType: Cheque Print Template,Distance from top edge,Vzdialenosť od horného okraja apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cenníková cena {0} je zakázaná alebo neexistuje DocType: Purchase Invoice,Return,Spiatočná DocType: Production Order Operation,Production Order Operation,Výrobní zakázka Operace DocType: Pricing Rule,Disable,Zakázat -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Spôsob platby je povinný vykonať platbu +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Spôsob platby je povinný vykonať platbu DocType: Project Task,Pending Review,Čeká Review apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nie je zapísaná v dávke {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Aktíva {0} nemôže byť vyhodený, ako je to už {1}" DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Expense nároku) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,mark Absent -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Riadok {0}: Mena BOM # {1} by sa mala rovnať vybranej mene {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Riadok {0}: Mena BOM # {1} by sa mala rovnať vybranej mene {2} DocType: Journal Entry Account,Exchange Rate,Výmenný kurz -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena DocType: Homepage,Tag Line,tag linka DocType: Fee Component,Fee Component,poplatok Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,fleet management -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Pridať položky z +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Pridať položky z DocType: Cheque Print Template,Regular,pravidelný apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Celkový weightage všetkých hodnotiacich kritérií musí byť 100% DocType: BOM,Last Purchase Rate,Last Cena při platbě @@ -3966,12 +3977,12 @@ DocType: Employee,Reports to,Zprávy DocType: SMS Settings,Enter url parameter for receiver nos,Zadejte url parametr pro přijímače nos DocType: Payment Entry,Paid Amount,Uhrazené částky DocType: Assessment Plan,Supervisor,vedúci -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,online ,Available Stock for Packing Items,K dispozici skladem pro balení položek DocType: Item Variant,Item Variant,Variant Položky DocType: Assessment Result Tool,Assessment Result Tool,Assessment Tool Výsledok DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Predložené objednávky nemožno zmazať +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Predložené objednávky nemožno zmazať apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zůstatek na účtu již v inkasa, není dovoleno stanovit ""Balance musí být"" jako ""úvěru""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Řízení kvality apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Item {0} bol zakázaný @@ -4003,7 +4014,7 @@ DocType: Item Group,Default Expense Account,Výchozí výdajového účtu apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Študent ID e-mailu DocType: Employee,Notice (days),Oznámenie (dni) DocType: Tax Rule,Sales Tax Template,Daň z predaja Template -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,"Vyberte položky, ktoré chcete uložiť faktúru" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,"Vyberte položky, ktoré chcete uložiť faktúru" DocType: Employee,Encashment Date,Inkaso Datum DocType: Training Event,Internet,internet DocType: Account,Stock Adjustment,Úprava skladových zásob @@ -4052,10 +4063,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Odeslá apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max sleva povoleno položku: {0} {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Čistá hodnota aktív aj na DocType: Account,Receivable,Pohledávky -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Riadok # {0}: Nie je povolené meniť dodávateľa, objednávky už existuje" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Riadok # {0}: Nie je povolené meniť dodávateľa, objednávky už existuje" DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Role, která se nechá podat transakcí, které přesahují úvěrové limity." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Vyberte položky do Výroba -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Kmeňové dáta synchronizácia, môže to trvať nejaký čas" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Vyberte položky do Výroba +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Kmeňové dáta synchronizácia, môže to trvať nejaký čas" DocType: Item,Material Issue,Material Issue DocType: Hub Settings,Seller Description,Prodejce Popis DocType: Employee Education,Qualification,Kvalifikace @@ -4076,11 +4087,10 @@ DocType: BOM,Rate Of Materials Based On,Hodnotit materiálů na bázi apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Podpora Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Zrušte zaškrtnutie políčka všetko DocType: POS Profile,Terms and Conditions,Podmínky -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pomenovania zamestnancov v oblasti Ľudské zdroje> Osobné nastavenie" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Chcete-li data by měla být v rámci fiskálního roku. Za předpokladu, že To Date = {0}" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Zde si můžete udržet výšku, váhu, alergie, zdravotní problémy atd" DocType: Leave Block List,Applies to Company,Platí pre firmu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Nelze zrušit, protože předložena Reklamní Entry {0} existuje" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Nelze zrušit, protože předložena Reklamní Entry {0} existuje" DocType: Employee Loan,Disbursement Date,vyplatenie Date DocType: Vehicle,Vehicle,vozidlo DocType: Purchase Invoice,In Words,Slovy @@ -4119,7 +4129,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globálne nastavenia DocType: Assessment Result Detail,Assessment Result Detail,Posúdenie Detail Výsledok DocType: Employee Education,Employee Education,Vzdelávanie zamestnancov apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicitné skupinu položiek uvedené v tabuľke na položku v skupine -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,"Je potrebné, aby priniesla Detaily položky." +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,"Je potrebné, aby priniesla Detaily položky." DocType: Salary Slip,Net Pay,Net Pay DocType: Account,Account,Účet apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Pořadové číslo {0} již obdržel @@ -4127,7 +4137,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,jázd DocType: Purchase Invoice,Recurring Id,Opakující se Id DocType: Customer,Sales Team Details,Podrobnosti prodejní tým -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Zmazať trvalo? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Zmazať trvalo? DocType: Expense Claim,Total Claimed Amount,Celkem žalované částky apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciální příležitosti pro prodej. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neplatný {0} @@ -4139,7 +4149,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Nastavte si škola v ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Základňa Zmena Suma (Company mena) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Žádné účetní záznamy pro následující sklady -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Uložte dokument ako prvý. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Uložte dokument ako prvý. DocType: Account,Chargeable,Vyměřovací DocType: Company,Change Abbreviation,Zmeniť skratku DocType: Expense Claim Detail,Expense Date,Datum výdaje @@ -4153,7 +4163,6 @@ DocType: BOM,Manufacturing User,Výroba Uživatel DocType: Purchase Invoice,Raw Materials Supplied,Dodává suroviny DocType: Purchase Invoice,Recurring Print Format,Opakujúce Print Format DocType: C-Form,Series,Série -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,"Očekávané datum dodání, nemůže být před zakoupením pořadí Datum" DocType: Appraisal,Appraisal Template,Posouzení Template DocType: Item Group,Item Classification,Položka Klasifikace apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4192,12 +4201,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Select Bra apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Tréningové udalosti / výsledky apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Oprávky aj na DocType: Sales Invoice,C-Form Applicable,C-Form Použitelné -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Prevádzková doba musí byť väčšia ako 0 pre prevádzku {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Prevádzková doba musí byť väčšia ako 0 pre prevádzku {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Sklad je povinné DocType: Supplier,Address and Contacts,Adresa a kontakty DocType: UOM Conversion Detail,UOM Conversion Detail,Detail konverzie MJ DocType: Program,Program Abbreviation,program Skratka -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Výrobná zákazka nemôže byť vznesená proti šablóny položky +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Výrobná zákazka nemôže byť vznesená proti šablóny položky apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Poplatky jsou aktualizovány v dokladu o koupi na každou položku DocType: Warranty Claim,Resolved By,Vyřešena DocType: Bank Guarantee,Start Date,Datum zahájení @@ -4232,6 +4241,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,tréning Feedback apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Výrobní zakázka {0} musí být předloženy apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Prosím, vyberte Počáteční datum a koncové datum pro položku {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Nastavte cieľ predaja, ktorý chcete dosiahnuť." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Samozrejme je povinné v rade {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,K dnešnímu dni nemůže být dříve od data DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4250,7 +4260,7 @@ DocType: Account,Income,Příjem DocType: Industry Type,Industry Type,Typ Průmyslu apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Něco se pokazilo! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Upozornění: Nechte Aplikace obsahuje následující data bloku -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Prodejní faktury {0} již byla odeslána +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Prodejní faktury {0} již byla odeslána DocType: Assessment Result Detail,Score,skóre apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Fiškálny rok {0} neexistuje apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Dokončení Datum @@ -4280,7 +4290,7 @@ DocType: Naming Series,Help HTML,Nápoveda HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Študent Group Tool Creation DocType: Item,Variant Based On,Variant založená na apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Celková weightage přiřazen by měla být 100%. Je {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Vaši Dodávatelia +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Vaši Dodávatelia apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Nelze nastavit jako Ztraceno, protože je přijata objednávka." DocType: Request for Quotation Item,Supplier Part No,Žiadny dodávateľ Part apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nemôže odpočítať, ak kategória je pre "ocenenie" alebo "Vaulation a Total"" @@ -4290,14 +4300,14 @@ DocType: Item,Has Serial No,Má Sériové číslo DocType: Employee,Date of Issue,Datum vydání apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Od {0} do {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Podľa Nákupných nastavení, ak je potrebná nákupná požiadavka == 'ÁNO', potom pre vytvorenie nákupnej faktúry musí používateľ najskôr vytvoriť potvrdenie nákupu pre položku {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Riadok # {0}: Nastavte Dodávateľ pre položku {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Riadok {0}: doba hodnota musí byť väčšia ako nula. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Riadok # {0}: Nastavte Dodávateľ pre položku {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Riadok {0}: doba hodnota musí byť väčšia ako nula. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} pripája k bodu {1} nemožno nájsť DocType: Issue,Content Type,Typ obsahu apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Počítač DocType: Item,List this Item in multiple groups on the website.,Seznam tuto položku ve více skupinách na internetových stránkách. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Prosím, skontrolujte viac mien možnosť povoliť účty s inú menu" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Položka: {0} neexistuje v systému +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Položka: {0} neexistuje v systému apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nejste oprávněni stanovit hodnotu Zmražení DocType: Payment Reconciliation,Get Unreconciled Entries,Získat smířit záznamů DocType: Payment Reconciliation,From Invoice Date,Z faktúry Dátum @@ -4323,7 +4333,7 @@ DocType: Stock Entry,Default Source Warehouse,Výchozí zdroj Warehouse DocType: Item,Customer Code,Code zákazníků apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Narozeninová připomínka pro {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Počet dnů od poslední objednávky -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debetné Na účet musí byť účtu Súvaha +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debetné Na účet musí byť účtu Súvaha DocType: Buying Settings,Naming Series,Číselné rady DocType: Leave Block List,Leave Block List Name,Nechte Jméno Block List apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Dátum poistenie štarte by mala byť menšia ako poistenie koncovým dátumom @@ -4340,7 +4350,7 @@ DocType: Vehicle Log,Odometer,Počítadlo najazdených kilometrov DocType: Sales Order Item,Ordered Qty,Objednáno Množství apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Položka {0} je zakázaná DocType: Stock Settings,Stock Frozen Upto,Reklamní Frozen aľ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM neobsahuje žiadnu skladovú položku +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM neobsahuje žiadnu skladovú položku apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},"Obdobie od a obdobia, k dátam povinné pre opakované {0}" apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektová činnost / úkol. DocType: Vehicle Log,Refuelling Details,tankovacie Podrobnosti @@ -4350,7 +4360,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Posledná cena pri platbe nebol nájdený DocType: Purchase Invoice,Write Off Amount (Company Currency),Odpísať Suma (Company meny) DocType: Sales Invoice Timesheet,Billing Hours,billing Hodiny -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Predvolené BOM pre {0} nebol nájdený +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Predvolené BOM pre {0} nebol nájdený apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Riadok # {0}: Prosím nastavte množstvo objednávacie apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Poklepte na položky a pridajte ich sem DocType: Fees,Program Enrollment,Registrácia do programu @@ -4385,6 +4395,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Stárnutí rozsah 2 DocType: SG Creation Tool Course,Max Strength,Max Sila apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM nahradil +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Vyberte položku podľa dátumu doručenia ,Sales Analytics,Prodejní Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},K dispozícii {0} ,Prospects Engaged But Not Converted,"Perspektívy zapojené, ale nekonvertované" @@ -4433,7 +4444,7 @@ DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Časového rozvrhu pre úlohy. DocType: Purchase Invoice,Against Expense Account,Proti výdajového účtu DocType: Production Order,Production Order,Výrobní Objednávka -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Poznámka k instalaci {0} již byla odeslána +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Poznámka k instalaci {0} již byla odeslána DocType: Bank Reconciliation,Get Payment Entries,Získať Platobné položky DocType: Quotation Item,Against Docname,Proti Docname DocType: SMS Center,All Employee (Active),Všichni zaměstnanci (Aktivní) @@ -4442,7 +4453,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Cena surovin DocType: Item Reorder,Re-Order Level,Re-Order Level DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Zadejte položky a plánované ks, pro které chcete získat zakázky na výrobu, nebo stáhnout suroviny pro analýzu." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Pruhový diagram +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Pruhový diagram apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part-time DocType: Employee,Applicable Holiday List,Použitelný Seznam Svátků DocType: Employee,Cheque,Šek @@ -4500,11 +4511,11 @@ DocType: Bin,Reserved Qty for Production,Vyhradené Množstvo pre výrobu DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Ponechajte nezačiarknuté, ak nechcete zohľadňovať dávku pri zaradení do skupín." DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Ponechajte nezačiarknuté, ak nechcete zohľadňovať dávku pri zaradení do skupín." DocType: Asset,Frequency of Depreciation (Months),Frekvencia odpisy (mesiace) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Úverový účet +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Úverový účet DocType: Landed Cost Item,Landed Cost Item,Přistálo nákladovou položkou apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Ukázat nulové hodnoty DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Množství položky získané po výrobě / přebalení z daných množství surovin -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Nastavenie jednoduché webové stránky pre moju organizáciu +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Nastavenie jednoduché webové stránky pre moju organizáciu DocType: Payment Reconciliation,Receivable / Payable Account,Pohledávky / závazky účet DocType: Delivery Note Item,Against Sales Order Item,Proti položce přijaté objednávky apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Uveďte atribútu Hodnota atribútu {0} @@ -4568,22 +4579,22 @@ DocType: Student,Nationality,národnosť ,Items To Be Requested,Položky se budou vyžadovat DocType: Purchase Order,Get Last Purchase Rate,Získejte posledního nákupu Cena DocType: Company,Company Info,Informácie o spoločnosti -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Vyberte alebo pridanie nového zákazníka -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Nákladové stredisko je nutné rezervovať výdavkov nárok +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Vyberte alebo pridanie nového zákazníka +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Nákladové stredisko je nutné rezervovať výdavkov nárok apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplikace fondů (aktiv) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To je založené na účasti základu tohto zamestnanca -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Debetné účet +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Debetné účet DocType: Fiscal Year,Year Start Date,Dátom začiatku roka DocType: Attendance,Employee Name,Meno zamestnanca DocType: Sales Invoice,Rounded Total (Company Currency),Zaoblený Total (Company Měna) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Nelze skryté do skupiny, protože je požadovaný typ účtu." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} bol zmenený. Prosím aktualizujte. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} bol zmenený. Prosím aktualizujte. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Přestaňte uživatelům provádět Nechat aplikací v následujících dnech. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,suma nákupu apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dodávateľ Cien {0} vytvoril apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Koniec roka nemôže byť pred uvedením do prevádzky roku apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Zamestnanecké benefity -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Balené množstvo se musí rovnať množstvu pre položku {0} v riadku {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Balené množstvo se musí rovnať množstvu pre položku {0} v riadku {1} DocType: Production Order,Manufactured Qty,Vyrobeno Množství DocType: Purchase Receipt Item,Accepted Quantity,Schválené Množstvo apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Prosím nastaviť predvolené Holiday List pre zamestnancov {0} alebo {1} Company @@ -4594,11 +4605,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Riadok č {0}: Čiastka nemôže byť väčšia ako Čakajúci Suma proti Expense nároku {1}. Do doby, než množstvo je {2}" DocType: Maintenance Schedule,Schedule,Plán DocType: Account,Parent Account,Nadřazený účet -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,K dispozici +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,K dispozici DocType: Quality Inspection Reading,Reading 3,Čtení 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Voucher Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán DocType: Employee Loan Application,Approved,Schválený DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Zaměstnanec úlevu na {0} musí být nastaven jako ""Left""" @@ -4667,7 +4678,7 @@ DocType: SMS Settings,Static Parameters,Statické parametry DocType: Assessment Plan,Room,izbu DocType: Purchase Order,Advance Paid,Vyplacené zálohy DocType: Item,Item Tax,Daň Položky -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiál Dodávateľovi +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiál Dodávateľovi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Spotrebný Faktúra apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Prah {0}% sa objaví viac ako raz DocType: Expense Claim,Employees Email Id,Zaměstnanci Email Id @@ -4707,7 +4718,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Modelka DocType: Production Order,Actual Operating Cost,Skutečné provozní náklady DocType: Payment Entry,Cheque/Reference No,Šek / Referenčné číslo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root nelze upravovat. DocType: Item,Units of Measure,merné jednotky DocType: Manufacturing Settings,Allow Production on Holidays,Povolit Výrobu při dovolené @@ -4740,12 +4750,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Úvěrové dny apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Urobiť Študent Batch DocType: Leave Type,Is Carry Forward,Je převádět -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Získat předměty z BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Získat předměty z BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time Days -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Riadok # {0}: Vysielanie dátum musí byť rovnaké ako dátum nákupu {1} aktíva {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Riadok # {0}: Vysielanie dátum musí byť rovnaké ako dátum nákupu {1} aktíva {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Skontrolujte, či študent býva v hosteli inštitútu." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Prosím, zadajte Predajné objednávky v tabuľke vyššie" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nie je Vložené výplatných páskach +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Nie je Vložené výplatných páskach ,Stock Summary,sklad Súhrn apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Previesť aktíva z jedného skladu do druhého DocType: Vehicle,Petrol,benzín diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv index 697848502ab..49fcab5a26a 100644 --- a/erpnext/translations/sl.csv +++ b/erpnext/translations/sl.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Trgovec DocType: Employee,Rented,Najemu DocType: Purchase Order,PO-,po- DocType: POS Profile,Applicable for User,Velja za člane -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ustavljen Proizvodnja naročite ni mogoče preklicati, ga najprej Odčepiti preklicati" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ustavljen Proizvodnja naročite ni mogoče preklicati, ga najprej Odčepiti preklicati" DocType: Vehicle Service,Mileage,Kilometrina apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,"Ali res želite, da ostanki ta sredstva?" apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Izberite Privzeta Dobavitelj @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Zaračunano apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Menjalni tečaj mora biti enaka kot {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Ime stranke DocType: Vehicle,Natural Gas,Zemeljski plin -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bančni račun ne more biti imenovan kot {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Bančni račun ne more biti imenovan kot {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Glave (ali skupine), proti katerim vknjižbe so narejeni in stanje se ohranijo." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Izjemna za {0} ne more biti manjša od nič ({1}) DocType: Manufacturing Settings,Default 10 mins,Privzeto 10 minut @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Pustite Tip Ime apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Prikaži odprte apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Zaporedje uspešno posodobljeno apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Naročilo -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural list Začetek Objavil +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural list Začetek Objavil DocType: Pricing Rule,Apply On,Nanesite na DocType: Item Price,Multiple Item prices.,Več cene postavko. ,Purchase Order Items To Be Received,Naročilnica Postavke da bodo prejete @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Način plačilnega rač apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Prikaži Variante DocType: Academic Term,Academic Term,Academic Term apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Material -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Količina +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Količina apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Predstavlja tabela ne more biti prazno. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Posojili (obveznosti) DocType: Employee Education,Year of Passing,"Leto, ki poteka" @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Skrb za zdravje apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Zamuda pri plačilu (dnevi) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Service Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijska številka: {0} že naveden v prodajne fakture: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Račun +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijska številka: {0} že naveden v prodajne fakture: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Račun DocType: Maintenance Schedule Item,Periodicity,Periodičnost apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Poslovno leto {0} je potrebno -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,"Pričakovana Dobavni rok je treba, preden prodaje Datum naročila" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Obramba DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),Ocena (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Vrstica # {0}: DocType: Timesheet,Total Costing Amount,Skupaj Stanejo Znesek DocType: Delivery Note,Vehicle No,Nobeno vozilo -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Izberite Cenik +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Izberite Cenik apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Vrstica # {0}: Plačilo dokument je potreben za dokončanje trasaction DocType: Production Order Operation,Work In Progress,V razvoju apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Izberite datum @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ne na delujočem poslovnega leta. DocType: Packed Item,Parent Detail docname,Parent Detail docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",Referenca: {0} Oznaka: {1} in stranke: {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,dnevnik apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Odpiranje za službo. DocType: Item Attribute,Increment,Prirastek @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Poročen apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Ni dovoljeno za {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Pridobi artikle iz -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock ni mogoče posodobiti proti dobavnica {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock ni mogoče posodobiti proti dobavnica {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Izdelek {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,"Ni elementov, navedenih" DocType: Payment Reconciliation,Reconcile,Uskladitev @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Pokoj apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Naslednja Amortizacija datum ne more biti pred Nakup Datum DocType: SMS Center,All Sales Person,Vse Sales oseba DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mesečni Distribution ** vam pomaga razširjati proračuna / Target po mesecih, če imate sezonske v vašem podjetju." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Ni najdenih predmetov +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Ni najdenih predmetov apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Plača Struktura Missing DocType: Lead,Person Name,Ime oseba DocType: Sales Invoice Item,Sales Invoice Item,Artikel na računu @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Ali je osnovno sredstvo" ne more biti brez nadzora, saj obstaja evidenca sredstev proti postavki" DocType: Vehicle Service,Brake Oil,Zavorna olja DocType: Tax Rule,Tax Type,Davčna Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Davčna osnova +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Davčna osnova apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nimate dovoljenja za dodajanje ali posodobitev vnose pred {0} DocType: BOM,Item Image (if not slideshow),Postavka Image (če ne slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Obstaja Stranka z istim imenom DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Urne / 60) * Dejanska čas operacije -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Izberite BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Izberite BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Nabavna vrednost dobavljenega predmeta apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,"Praznik na {0} ni med Od datuma, do sedaj" @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,šole DocType: School Settings,Validate Batch for Students in Student Group,Potrdite Batch za študente v študentskih skupine apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Št odsotnost zapisa dalo za delavca {0} za {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Prosimo, da najprej vnesete podjetje" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Prosimo, izberite Company najprej" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Prosimo, izberite Company najprej" DocType: Employee Education,Under Graduate,Pod Graduate apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Ciljna Na DocType: BOM,Total Cost,Skupni stroški DocType: Journal Entry Account,Employee Loan,zaposlenih Loan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Dnevnik aktivnosti: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Element {0} ne obstaja v sistemu ali je potekla +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Dnevnik aktivnosti: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Element {0} ne obstaja v sistemu ali je potekla apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nepremičnina apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Izkaz računa apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmacevtski izdelki @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Trditev Znesek apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Dvojnik skupina kupcev so v tabeli cutomer skupine apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Dobavitelj Vrsta / dobavitelj DocType: Naming Series,Prefix,Predpona -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Prosimo, nastavite imena serije za {0} prek Setup> Settings> Series Naming" -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Potrošni +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Potrošni DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Uvoz Log DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Potegnite materiala Zahtevaj tipa Proizvodnja na podlagi zgornjih meril DocType: Training Result Employee,Grade,razred DocType: Sales Invoice Item,Delivered By Supplier,Delivered dobavitelj DocType: SMS Center,All Contact,Vse Kontakt -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Proizvodnja naročite že ustvarili za vse postavke s BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Proizvodnja naročite že ustvarili za vse postavke s BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Letne plače DocType: Daily Work Summary,Daily Work Summary,Dnevni Delo Povzetek DocType: Period Closing Voucher,Closing Fiscal Year,Zapiranje poslovno leto -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} je zamrznjeno +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} je zamrznjeno apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Izberite obstoječo družbo za ustvarjanje kontnem načrtu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Zaloga Stroški apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Izberite Target Skladišče @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Sprejeta + Zavrnjeno Količina mora biti enaka Prejeto količini za postavko {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Dobava surovine za nakup -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,za POS računa je potreben vsaj en način plačila. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,za POS računa je potreben vsaj en način plačila. DocType: Products Settings,Show Products as a List,Prikaži izdelke na seznamu DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Prenesite predloge, izpolnite ustrezne podatke in priložite spremenjeno datoteko. Vsi datumi in zaposleni kombinacija v izbranem obdobju, bo prišel v predlogo, z obstoječimi zapisi postrežbo" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Postavka {0} ni aktiven ali je bil dosežen konec življenja -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Primer: Osnovna matematika -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Da vključujejo davek v vrstici {0} v stopnji Element, davki v vrsticah {1} je treba vključiti tudi" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Primer: Osnovna matematika +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Da vključujejo davek v vrstici {0} v stopnji Element, davki v vrsticah {1} je treba vključiti tudi" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Nastavitve za HR modula DocType: SMS Center,SMS Center,SMS center DocType: Sales Invoice,Change Amount,Znesek spremembe @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Datum namestitve ne more biti pred datumom dostave za postavko {0} DocType: Pricing Rule,Discount on Price List Rate (%),Popust na ceno iz cenika Stopnja (%) DocType: Offer Letter,Select Terms and Conditions,Izberite Pogoji -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,iz Vrednost +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,iz Vrednost DocType: Production Planning Tool,Sales Orders,Naročila Kupcev DocType: Purchase Taxes and Charges,Valuation,Vrednotenje ,Purchase Order Trends,Naročilnica Trendi @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Je vstopna odprtina DocType: Customer Group,Mention if non-standard receivable account applicable,"Omemba če nestandardni terjatve račun, ki se uporablja" DocType: Course Schedule,Instructor Name,inštruktor Ime -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Za skladišče je pred potreben Submit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Za skladišče je pred potreben Submit apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Prejetih Na DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Če je omogočeno, bo vključeval non-parkom v materialu zaprosil." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Proti Sales računa Postavka ,Production Orders in Progress,Proizvodna naročila v teku apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Neto denarni tokovi pri financiranju -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","Lokalno shrambo je polna, ni shranil" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","Lokalno shrambo je polna, ni shranil" DocType: Lead,Address & Contact,Naslov in kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj neuporabljene liste iz prejšnjih dodelitev apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Naslednja Ponavljajoči {0} se bo ustvaril na {1} DocType: Sales Partner,Partner website,spletna stran partnerja apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Dodaj predmet -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kontaktno ime +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kontaktno ime DocType: Course Assessment Criteria,Course Assessment Criteria,Merila ocenjevanja tečaj DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Ustvari plačilni list za zgoraj omenjenih kriterijev. DocType: POS Customer Group,POS Customer Group,POS Group stranke @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Vrstica {0}: Prosimo, preverite "Je Advance" proti račun {1}, če je to predujem vnos." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Skladišče {0} ne pripada podjetju {1} DocType: Email Digest,Profit & Loss,Profit & Loss -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Liter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Liter DocType: Task,Total Costing Amount (via Time Sheet),Skupaj Costing Znesek (preko Čas lista) DocType: Item Website Specification,Item Website Specification,Element Spletna stran Specifikacija apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Pustite blokiranih @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Prodaja Račun Ne DocType: Material Request Item,Min Order Qty,Min naročilo Kol DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Orodje za oblikovanje študent Group tečaj DocType: Lead,Do Not Contact,Ne Pišite -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Ljudje, ki poučujejo v vaši organizaciji" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Ljudje, ki poučujejo v vaši organizaciji" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Edinstven ID za sledenje vse ponavljajoče račune. To je ustvarila na oddajte. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Razvijalec programske opreme DocType: Item,Minimum Order Qty,Najmanjše naročilo Kol @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Objavite v Hub DocType: Student Admission,Student Admission,študent Sprejem ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Postavka {0} je odpovedan -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Zahteva za material +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Zahteva za material DocType: Bank Reconciliation,Update Clearance Date,Posodobitev Potrditev Datum DocType: Item,Purchase Details,Nakup Podrobnosti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Postavka {0} ni bilo mogoče najti v "surovin, dobavljenih" mizo v narocilo {1}" @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Vrstica # {0} {1} ne more biti negativna za element {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Napačno geslo DocType: Item,Variant Of,Varianta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Dopolnil Količina ne sme biti večja od "Kol za Izdelava" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Dopolnil Količina ne sme biti večja od "Kol za Izdelava" DocType: Period Closing Voucher,Closing Account Head,Zapiranje računa Head DocType: Employee,External Work History,Zunanji Delo Zgodovina apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Krožna Reference Error @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Oddaljenost od levega rob apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} enote [{1}] (# Oblika / točke / {1}) je v [{2}] (# Oblika / skladišča / {2}) DocType: Lead,Industry,Industrija DocType: Employee,Job Profile,Job profila +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,To temelji na transakcijah zoper to družbo. Za podrobnosti si oglejte časovni načrt spodaj DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Obvesti po e-pošti na ustvarjanje avtomatičnega Material dogovoru DocType: Journal Entry,Multi Currency,Multi Valuta DocType: Payment Reconciliation Invoice,Invoice Type,Račun Type -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Poročilo o dostavi +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Poročilo o dostavi apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Postavitev Davki apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Stroški Prodano sredstvi apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Začetek Plačilo je bil spremenjen, ko je potegnil. Prosimo, še enkrat vleči." @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Prosimo, vpišite "Ponovi na dan v mesecu" vrednosti polja" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Stopnjo, po kateri je naročnik Valuta pretvori v osnovni valuti kupca" DocType: Course Scheduling Tool,Course Scheduling Tool,Seveda razporejanje orodje -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Nakup računa ni mogoče sklepati na podlagi obstoječega sredstva {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Nakup računa ni mogoče sklepati na podlagi obstoječega sredstva {1} DocType: Item Tax,Tax Rate,Davčna stopnja apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} že dodeljenih za Employee {1} za obdobje {2} do {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Izberite Item +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Izberite Item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Nakup Račun {0} je že predložila apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Vrstica # {0}: mora Serija Ne biti enaka kot {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,"Pretvarjanje, da non-Group" @@ -447,7 +446,7 @@ DocType: Employee,Widowed,Ovdovela DocType: Request for Quotation,Request for Quotation,Zahteva za ponudbo DocType: Salary Slip Timesheet,Working Hours,Delovni čas DocType: Naming Series,Change the starting / current sequence number of an existing series.,Spremenite izhodiščno / trenutno zaporedno številko obstoječega zaporedja. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Ustvari novo stranko +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Ustvari novo stranko apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Če je več Rules Cenik še naprej prevladovala, so pozvane, da nastavite Priority ročno za reševanje morebitnih sporov." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Ustvari naročilnice ,Purchase Register,Nakup Register @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Ime Examiner DocType: Purchase Invoice Item,Quantity and Rate,Količina in stopnja DocType: Delivery Note,% Installed,% Nameščeni -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učilnice / Laboratories itd, kjer se lahko načrtovana predavanja." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učilnice / Laboratories itd, kjer se lahko načrtovana predavanja." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Prosimo, da najprej vpišete ime podjetja" DocType: Purchase Invoice,Supplier Name,Dobavitelj Name apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Preberite priročnik ERPNext @@ -490,7 +489,7 @@ DocType: Account,Old Parent,Stara Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Obvezno polje - študijsko leto apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Obvezno polje - študijsko leto DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Prilagodite uvodno besedilo, ki gre kot del te e-pošte. Vsaka transakcija ima ločeno uvodno besedilo." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},"Prosimo, nastavite privzeto se plača račun za podjetje {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},"Prosimo, nastavite privzeto se plača račun za podjetje {0}" apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globalne nastavitve za vseh proizvodnih procesov. DocType: Accounts Settings,Accounts Frozen Upto,Računi Zamrznjena Stanuje DocType: SMS Log,Sent On,Pošlje On @@ -530,14 +529,14 @@ DocType: Journal Entry,Accounts Payable,Računi se plačuje apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Izbrani BOMs niso na isti točki DocType: Pricing Rule,Valid Upto,Valid Stanuje DocType: Training Event,Workshop,Delavnica -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Naštejte nekaj vaših strank. Ti bi se lahko organizacije ali posamezniki. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Naštejte nekaj vaših strank. Ti bi se lahko organizacije ali posamezniki. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Dovolj deli za izgradnjo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Neposredne dohodkovne apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Filter ne more temeljiti na račun, če je združena s račun" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Upravni uradnik apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Izberite tečaj DocType: Timesheet Detail,Hrs,hrs -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Prosimo, izberite Company" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Prosimo, izberite Company" DocType: Stock Entry Detail,Difference Account,Razlika račun DocType: Purchase Invoice,Supplier GSTIN,Dobavitelj GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Ne more blizu naloga, saj je njena odvisna Naloga {0} ni zaprt." @@ -554,7 +553,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,"Prosimo, določite stopnjo za praga 0%" DocType: Sales Order,To Deliver,Dostaviti DocType: Purchase Invoice Item,Item,Postavka -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serijska št postavka ne more biti del +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serijska št postavka ne more biti del DocType: Journal Entry,Difference (Dr - Cr),Razlika (Dr - Cr) DocType: Account,Profit and Loss,Dobiček in izguba apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Upravljanje Podizvajalci @@ -580,7 +579,7 @@ DocType: Serial No,Warranty Period (Days),Garancijski rok (dni) DocType: Installation Note Item,Installation Note Item,Namestitev Opomba Postavka DocType: Production Plan Item,Pending Qty,Pending Kol DocType: Budget,Ignore,Ignoriraj -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} ni aktiven +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} ni aktiven apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS poslan na naslednjih številkah: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Preverite nastavitve za dimenzije za tiskanje DocType: Salary Slip,Salary Slip Timesheet,Plača Slip Timesheet @@ -686,8 +685,8 @@ DocType: Installation Note,IN-,TEKMOVANJU DocType: Production Order Operation,In minutes,V minutah DocType: Issue,Resolution Date,Resolucija Datum DocType: Student Batch Name,Batch Name,serija Ime -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet ustvaril: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},"Prosim, nastavite privzeto gotovinski ali bančni račun v načinu plačevanja {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet ustvaril: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},"Prosim, nastavite privzeto gotovinski ali bančni račun v načinu plačevanja {0}" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,včlanite se DocType: GST Settings,GST Settings,GST Nastavitve DocType: Selling Settings,Customer Naming By,Stranka Imenovanje Z @@ -707,7 +706,7 @@ DocType: Activity Cost,Projects User,Projekti Uporabnik apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Porabljeno apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} ni mogoče najti v računa Podrobnosti tabeli DocType: Company,Round Off Cost Center,Zaokrožen stroškovni center -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vzdrževanje obisk {0} je treba odpovedati pred preklicem te Sales Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Vzdrževanje obisk {0} je treba odpovedati pred preklicem te Sales Order DocType: Item,Material Transfer,Prenos materialov apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Odprtje (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Napotitev žig mora biti po {0} @@ -716,7 +715,7 @@ DocType: Employee Loan,Total Interest Payable,Skupaj Obresti plačljivo DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Iztovorjeni stroškov Davki in prispevki DocType: Production Order Operation,Actual Start Time,Actual Start Time DocType: BOM Operation,Operation Time,Operacija čas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Finish +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Finish apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Osnovna DocType: Timesheet,Total Billed Hours,Skupaj Obračunane ure DocType: Journal Entry,Write Off Amount,Napišite enkratnem znesku @@ -743,7 +742,7 @@ DocType: Vehicle,Odometer Value (Last),Vrednost števca (Zadnja) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Trženje apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Začetek Plačilo je že ustvarjena DocType: Purchase Receipt Item Supplied,Current Stock,Trenutna zaloga -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ni povezana s postavko {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ni povezana s postavko {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Predogled Plača listek apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Račun {0} je bil vpisan večkrat DocType: Account,Expenses Included In Valuation,Stroški Vključeno v vrednotenju @@ -768,7 +767,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Začetek Credit Card apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Podjetje in računi apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,"Blago, prejetih od dobaviteljev." -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,v vrednosti +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,v vrednosti DocType: Lead,Campaign Name,Ime kampanje DocType: Selling Settings,Close Opportunity After Days,Zapri Priložnost Po dnevih ,Reserved,Rezervirano @@ -793,17 +792,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energy DocType: Opportunity,Opportunity From,Priložnost Od apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mesečno poročilo o izplačanih plačah. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,"Vrstica {0}: {1} Serijske številke, potrebne za postavko {2}. Dali ste {3}." DocType: BOM,Website Specifications,Spletna Specifikacije apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Od {0} tipa {1} DocType: Warranty Claim,CI-,Ci apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Vrstica {0}: Factor Pretvorba je obvezna DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Več Cena Pravila obstaja z enakimi merili, se rešujejo spore z dodelitvijo prednost. Cena Pravila: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne more izključiti ali preklicati BOM saj je povezan z drugimi BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne more izključiti ali preklicati BOM saj je povezan z drugimi BOMs DocType: Opportunity,Maintenance,Vzdrževanje DocType: Item Attribute Value,Item Attribute Value,Postavka Lastnost Vrednost apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne akcije. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Ustvari evidenco prisotnosti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Ustvari evidenco prisotnosti DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -837,7 +837,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Nastavitev e-poštnega računa apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Prosimo, da najprej vnesete artikel" DocType: Account,Liability,Odgovornost -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionirano Znesek ne sme biti večja od škodnega Znesek v vrstici {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionirano Znesek ne sme biti večja od škodnega Znesek v vrstici {0}. DocType: Company,Default Cost of Goods Sold Account,Privzeto Nabavna vrednost prodanega blaga račun apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Cenik ni izbrana DocType: Employee,Family Background,Družina Ozadje @@ -848,10 +848,10 @@ DocType: Company,Default Bank Account,Privzeti bančni račun apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Za filtriranje, ki temelji na stranke, da izberete Party Vnesite prvi" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Posodobi zalogo' ne more biti omogočeno, saj artikli niso dostavljeni prek {0}" DocType: Vehicle,Acquisition Date,pridobitev Datum -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Postavke z višjo weightage bo prikazan višje DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Sprava Detail -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} je treba predložiti +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} je treba predložiti apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Najdenih ni delavec DocType: Supplier Quotation,Stopped,Ustavljen DocType: Item,If subcontracted to a vendor,Če podizvajanje prodajalca @@ -868,7 +868,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimalna Znesek računa apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Stroški Center {2} ne pripada družbi {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: računa {2} ne more biti skupina apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Točka Row {idx} {DOCTYPE} {DOCNAME} ne obstaja v zgoraj '{DOCTYPE} "tabela -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,"Timesheet {0}, je že končana ali preklicana" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,"Timesheet {0}, je že končana ali preklicana" apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ni opravil DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dan v mesecu, v katerem se bo samodejno Račun ustvarjen na primer 05, 28, itd" DocType: Asset,Opening Accumulated Depreciation,Odpiranje nabrano amortizacijo @@ -927,7 +927,7 @@ DocType: SMS Log,Requested Numbers,Zahtevane številke DocType: Production Planning Tool,Only Obtain Raw Materials,Pridobite le surovine apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Cenitev uspešnosti. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Omogočanje "uporabiti za košarico", kot je omogočeno Košarica in da mora biti vsaj ena Davčna pravilo za Košarica" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Plačilo Začetek {0} je povezan proti odredbi {1}, preverite, če je treba izvleči, kot prej v tem računu." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Plačilo Začetek {0} je povezan proti odredbi {1}, preverite, če je treba izvleči, kot prej v tem računu." DocType: Sales Invoice Item,Stock Details,Stock Podrobnosti apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Project Value apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Prodajno mesto @@ -950,15 +950,15 @@ DocType: Naming Series,Update Series,Posodobi zaporedje DocType: Supplier Quotation,Is Subcontracted,Je v podizvajanje DocType: Item Attribute,Item Attribute Values,Postavka Lastnost Vrednote DocType: Examination Result,Examination Result,Preizkus Rezultat -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Potrdilo o nakupu +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Potrdilo o nakupu ,Received Items To Be Billed,Prejete Postavke placevali -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Predložene plačilne liste +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Predložene plačilne liste apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Menjalnega tečaja valute gospodar. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referenčna DOCTYPE mora biti eden od {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Ni mogoče najti terminu v naslednjih {0} dni za delovanje {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Ni mogoče najti terminu v naslednjih {0} dni za delovanje {1} DocType: Production Order,Plan material for sub-assemblies,Plan material za sklope apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Prodajni partnerji in ozemelj -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} mora biti aktiven +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} mora biti aktiven DocType: Journal Entry,Depreciation Entry,Amortizacija Začetek apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Prosimo, najprej izberite vrsto dokumenta" apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Preklic Material Obiski {0} pred preklicem to vzdrževanje obisk @@ -968,7 +968,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Skupni znesek apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Založništvo DocType: Production Planning Tool,Production Orders,Proizvodne Naročila -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Balance Vrednost +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Balance Vrednost apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Prodaja Cenik apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Objavite sinhronizirati elemente DocType: Bank Reconciliation,Account Currency,Valuta računa @@ -993,12 +993,12 @@ DocType: Employee,Exit Interview Details,Exit Intervju Podrobnosti DocType: Item,Is Purchase Item,Je Nakup Postavka DocType: Asset,Purchase Invoice,Nakup Račun DocType: Stock Ledger Entry,Voucher Detail No,Bon Detail Ne -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nov račun +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nov račun DocType: Stock Entry,Total Outgoing Value,Skupaj Odhodni Vrednost apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Pričetek in rok bi moral biti v istem proračunskem letu DocType: Lead,Request for Information,Zahteva za informacije ,LeaderBoard,leaderboard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sinhronizacija Offline Računi +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sinhronizacija Offline Računi DocType: Payment Request,Paid,Plačan DocType: Program Fee,Program Fee,Cena programa DocType: Salary Slip,Total in words,Skupaj z besedami @@ -1006,7 +1006,7 @@ DocType: Material Request Item,Lead Time Date,Lead Time Datum DocType: Guardian,Guardian Name,Ime Guardian DocType: Cheque Print Template,Has Print Format,Ima Print Format DocType: Employee Loan,Sanctioned,sankcionirano -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,je obvezna. Mogoče Menjalni zapis ni ustvarjen za +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,je obvezna. Mogoče Menjalni zapis ni ustvarjen za apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Vrstica # {0}: Navedite Zaporedna številka za postavko {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za "izdelek Bundle 'predmetov, skladišče, serijska številka in serijska se ne šteje od" seznam vsebine "mizo. Če so skladišča in serija ni enaka za vso embalažo postavke za kakršno koli "izdelek Bundle 'postavko, lahko te vrednosti je treba vnesti v glavnem Element tabele, bodo vrednosti, ki se kopira na" seznam vsebine "mizo." DocType: Job Opening,Publish on website,Objavi na spletni strani @@ -1019,7 +1019,7 @@ DocType: Cheque Print Template,Date Settings,Datum Nastavitve apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variance ,Company Name,ime podjetja DocType: SMS Center,Total Message(s),Skupaj sporočil (-i) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Izberite Postavka za prenos +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Izberite Postavka za prenos DocType: Purchase Invoice,Additional Discount Percentage,Dodatni popust Odstotek apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Oglejte si seznam vseh videoposnetkov pomočjo DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Izberite račun vodja banke, kjer je bila deponirana pregled." @@ -1033,7 +1033,7 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: BOM,Raw Material Cost(Company Currency),Stroškov surovin (družba Valuta) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Vsi artikli so se že prenesli na to Proizvodno naročilo. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Vrstica # {0}: stopnja ne more biti večji od stopnje, ki se uporablja pri {1} {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,meter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,meter DocType: Workstation,Electricity Cost,Stroški električne energije DocType: HR Settings,Don't send Employee Birthday Reminders,Ne pošiljajte zaposlenih rojstnodnevnih opomnikov DocType: Item,Inspection Criteria,Merila Inšpekcijske @@ -1048,7 +1048,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Get plačanih predplačil DocType: Item,Automatically Create New Batch,Samodejno Ustvari novo serijo DocType: Item,Automatically Create New Batch,Samodejno Ustvari novo serijo -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Poskrbite +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Poskrbite DocType: Student Admission,Admission Start Date,Vstop Datum začetka DocType: Journal Entry,Total Amount in Words,Skupni znesek z besedo apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Prišlo je do napake. Eden verjeten razlog je lahko, da niste shranili obrazec. Obrnite support@erpnext.com če je težava odpravljena." @@ -1056,7 +1056,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Košarica apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Sklep Tip mora biti eden od {0} DocType: Lead,Next Contact Date,Naslednja Stik Datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Odpiranje Količina -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Prosim vnesite račun za znesek spremembe +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Prosim vnesite račun za znesek spremembe DocType: Student Batch Name,Student Batch Name,Student Serija Ime DocType: Holiday List,Holiday List Name,Ime Holiday Seznam DocType: Repayment Schedule,Balance Loan Amount,Bilanca Znesek posojila @@ -1064,7 +1064,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Delniških opcij DocType: Journal Entry Account,Expense Claim,Expense zahtevek apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Ali res želite obnoviti ta izločeni sredstva? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Količina za {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Količina za {0} DocType: Leave Application,Leave Application,Zapusti Application apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Pustite Orodje razdelitve emisijskih DocType: Leave Block List,Leave Block List Dates,Pustite Block List termini @@ -1115,7 +1115,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Proti DocType: Item,Default Selling Cost Center,Privzet stroškovni center prodaje DocType: Sales Partner,Implementation Partner,Izvajanje Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Poštna številka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Poštna številka apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Naročilo {0} je {1} DocType: Opportunity,Contact Info,Kontaktni podatki apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Izdelava Zaloga Entries @@ -1134,13 +1134,13 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,P DocType: School Settings,Attendance Freeze Date,Udeležba Freeze Datum DocType: School Settings,Attendance Freeze Date,Udeležba Freeze Datum DocType: Opportunity,Your sales person who will contact the customer in future,"Vaš prodajni oseba, ki bo stopil v stik v prihodnosti" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Naštejte nekaj vaših dobaviteljev. Ti bi se lahko organizacije ali posamezniki. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Naštejte nekaj vaših dobaviteljev. Ti bi se lahko organizacije ali posamezniki. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Oglejte si vse izdelke apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalna Svinec Starost (dnevi) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Vse BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Vse BOMs DocType: Company,Default Currency,Privzeta valuta DocType: Expense Claim,From Employee,Od zaposlenega -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Opozorilo: Sistem ne bo preveril previsokih saj znesek za postavko {0} v {1} je nič +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Opozorilo: Sistem ne bo preveril previsokih saj znesek za postavko {0} v {1} je nič DocType: Journal Entry,Make Difference Entry,Naredite Razlika Entry DocType: Upload Attendance,Attendance From Date,Udeležba Od datuma DocType: Appraisal Template Goal,Key Performance Area,Key Uspešnost Area @@ -1157,7 +1157,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Registracijska št. podjetja za lastno evidenco. Davčna številka itn. DocType: Sales Partner,Distributor,Distributer DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Pravilo za dostavo za košaro -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Proizvodnja naročite {0} je treba preklicati pred preklicem te Sales Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Proizvodnja naročite {0} je treba preklicati pred preklicem te Sales Order apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Prosim nastavite "Uporabi dodatni popust na ' ,Ordered Items To Be Billed,Naročeno Postavke placevali apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od mora biti manj Razpon kot gibala @@ -1166,10 +1166,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Odbitki DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Začetek Leto -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Prvi 2 številki GSTIN se mora ujemati z državno številko {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Prvi 2 številki GSTIN se mora ujemati z državno številko {0} DocType: Purchase Invoice,Start date of current invoice's period,Datum začetka obdobja sedanje faktura je DocType: Salary Slip,Leave Without Pay,Leave brez plačila -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapaciteta Napaka Načrtovanje +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kapaciteta Napaka Načrtovanje ,Trial Balance for Party,Trial Balance za stranke DocType: Lead,Consultant,Svetovalec DocType: Salary Slip,Earnings,Zaslužek @@ -1185,7 +1185,7 @@ DocType: Cheque Print Template,Payer Settings,Nastavitve plačnik DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To bo dodan Točka Kodeksa variante. Na primer, če je vaša kratica je "SM", in oznaka postavka je "T-shirt", postavka koda varianto bo "T-SHIRT-SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Neto Pay (z besedami), bo viden, ko boste shranite plačilnega lista." DocType: Purchase Invoice,Is Return,Je Return -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Nazaj / opominu +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Nazaj / opominu DocType: Price List Country,Price List Country,Cenik Država DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} veljavna serijski nos za postavko {1} @@ -1198,7 +1198,7 @@ DocType: Employee Loan,Partially Disbursed,delno črpanju apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Dobavitelj baze podatkov. DocType: Account,Balance Sheet,Bilanca stanja apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Stalo Center za postavko s točko zakonika " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plačila ni nastavljen. Prosimo, preverite, ali je bil račun nastavljen na načinu plačila ali na POS profil." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plačila ni nastavljen. Prosimo, preverite, ali je bil račun nastavljen na načinu plačila ali na POS profil." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Vaš prodajni oseba bo dobil opomin na ta dan, da se obrnete na stranko" apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Isti element ni mogoče vnesti večkrat. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Nadaljnje računi se lahko izvede v skupinah, vendar vnosi lahko zoper niso skupin" @@ -1228,7 +1228,7 @@ DocType: Employee Loan Application,Repayment Info,Povračilo Info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Vnos"" ne more biti prazen" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Dvojnik vrstica {0} z enako {1} ,Trial Balance,Trial Balance -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Poslovno leto {0} ni bilo mogoče najti +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Poslovno leto {0} ni bilo mogoče najti apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Postavitev Zaposleni DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Prosimo, izberite predpono najprej" @@ -1243,11 +1243,11 @@ DocType: Grading Scale,Intervals,intervali apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Najzgodnejša apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Element, skupina obstaja z istim imenom, vas prosimo, spremenite ime elementa ali preimenovati skupino element" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Študent Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Ostali svet +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Ostali svet apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Postavki {0} ne more imeti Batch ,Budget Variance Report,Proračun Varianca Poročilo DocType: Salary Slip,Gross Pay,Bruto Pay -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Vrstica {0}: Vrsta dejavnosti je obvezna. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Vrstica {0}: Vrsta dejavnosti je obvezna. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Plačane dividende apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Računovodstvo Ledger DocType: Stock Reconciliation,Difference Amount,Razlika Znesek @@ -1270,18 +1270,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Zaposleni Leave Balance apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},"Saldo račun {0}, morajo biti vedno {1}" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Oceni Vrednotenje potreben za postavko v vrstici {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Primer: Masters v računalništvu +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Primer: Masters v računalništvu DocType: Purchase Invoice,Rejected Warehouse,Zavrnjeno Skladišče DocType: GL Entry,Against Voucher,Proti Voucher DocType: Item,Default Buying Cost Center,Privzet stroškovni center za nabavo apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Da bi dobili najboljše iz ERPNext, vam priporočamo, da si vzamete nekaj časa in gledam te posnetke pomoč." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,do +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,do DocType: Supplier Quotation Item,Lead Time in days,Lead time v dnevih apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Računi plačljivo Povzetek -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Izplačilo plače iz {0} na {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Izplačilo plače iz {0} na {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Ne smejo urejati zamrznjeni račun {0} DocType: Journal Entry,Get Outstanding Invoices,Pridobite neplačanih računov -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Naročilo {0} ni veljavno +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Naročilo {0} ni veljavno apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Naročilnice vam pomaga načrtovati in spremljati svoje nakupe apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Oprostite, podjetja ne morejo biti združeni" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1303,8 +1303,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Posredni stroški apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Vrstica {0}: Kol je obvezna apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Kmetijstvo -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Svoje izdelke ali storitve +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Svoje izdelke ali storitve DocType: Mode of Payment,Mode of Payment,Način plačila apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Spletna stran Slika bi morala biti javna datoteka ali spletna stran URL DocType: Student Applicant,AP,AP @@ -1324,18 +1324,18 @@ DocType: Student Group Student,Group Roll Number,Skupina Roll Število DocType: Student Group Student,Group Roll Number,Skupina Roll Število apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, lahko le kreditne račune povezati proti drugemu vstop trajnika" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Vsota vseh uteži nalog bi moral biti 1. Prosimo, da ustrezno prilagodi uteži za vse naloge v projektu" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Dobavnica {0} ni predložila +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Dobavnica {0} ni predložila apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Postavka {0} mora biti podizvajalcev item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitalski Oprema apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cen Pravilo je najprej treba izbrati glede na "Uporabi On 'polju, ki je lahko točka, točka Group ali Brand." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Najprej nastavite kodo izdelka +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Najprej nastavite kodo izdelka DocType: Hub Settings,Seller Website,Prodajalec Spletna stran DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Skupna dodeljena odstotek za prodajne ekipe mora biti 100 DocType: Appraisal Goal,Goal,Cilj DocType: Sales Invoice Item,Edit Description,Uredi Opis ,Team Updates,ekipa Posodobitve -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Za dobavitelja +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Za dobavitelja DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Nastavitev vrste računa pomaga pri izbiri računa v transakcijah. DocType: Purchase Invoice,Grand Total (Company Currency),Grand Total (družba Valuta) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Ustvari Print Format @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,Spletna stran Element Skupine DocType: Purchase Invoice,Total (Company Currency),Skupaj (družba Valuta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Serijska številka {0} je začela več kot enkrat DocType: Depreciation Schedule,Journal Entry,Vnos v dnevnik -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} izdelkov v teku +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} izdelkov v teku DocType: Workstation,Workstation Name,Workstation Name DocType: Grading Scale Interval,Grade Code,razred Code DocType: POS Item Group,POS Item Group,POS Element Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} ne pripada postavki {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} ne pripada postavki {1} DocType: Sales Partner,Target Distribution,Target Distribution 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 @@ -1412,7 +1412,7 @@ DocType: Quotation,Shopping Cart,Nakupovalni voziček apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daily Odhodni DocType: POS Profile,Campaign,Kampanja DocType: Supplier,Name and Type,Ime in Type -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Stanje odobritve mora biti "Approved" ali "Zavrnjeno" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Stanje odobritve mora biti "Approved" ali "Zavrnjeno" DocType: Purchase Invoice,Contact Person,Kontaktna oseba apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Pričakovani datum začetka' ne more biti večji od 'Pričakovan datum zaključka' DocType: Course Scheduling Tool,Course End Date,Seveda Končni datum @@ -1424,8 +1424,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Prednostna pošta apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Neto sprememba v osnovno sredstvo DocType: Leave Control Panel,Leave blank if considered for all designations,"Pustite prazno, če velja za vse označb" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Naboj tip "Dejanski" v vrstici {0} ni mogoče vključiti v postavko Rate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Naboj tip "Dejanski" v vrstici {0} ni mogoče vključiti v postavko Rate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime DocType: Email Digest,For Company,Za podjetje apps/erpnext/erpnext/config/support.py +17,Communication log.,Sporočilo dnevnik. @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profil delovne DocType: Journal Entry Account,Account Balance,Stanje na računu apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Davčna pravilo za transakcije. DocType: Rename Tool,Type of document to rename.,Vrsta dokumenta preimenovati. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Kupimo ta artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Kupimo ta artikel apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Stranka zahteva zoper terjatve iz računa {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Skupaj davki in dajatve (Company valuti) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Prikaži nezaprt poslovno leto je P & L bilanc @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,Readings DocType: Stock Entry,Total Additional Costs,Skupaj Dodatni stroški DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Odpadni material Stroški (družba Valuta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sklope +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sklope DocType: Asset,Asset Name,Ime sredstvo DocType: Project,Task Weight,naloga Teža DocType: Shipping Rule Condition,To Value,Do vrednosti @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Artikel Variante DocType: Company,Services,Storitve DocType: HR Settings,Email Salary Slip to Employee,Email Plača Slip na zaposlenega DocType: Cost Center,Parent Cost Center,Parent Center Stroški -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Izberite Možni Dobavitelj +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Izberite Možni Dobavitelj DocType: Sales Invoice,Source,Vir apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Prikaži zaprto DocType: Leave Type,Is Leave Without Pay,Se Leave brez plačila @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,Uporabi popust DocType: GST HSN Code,GST HSN Code,DDV HSN koda DocType: Employee External Work History,Total Experience,Skupaj Izkušnje apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Odprti projekti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Dobavnico (e) odpovedan +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Dobavnico (e) odpovedan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Denarni tokovi iz naložbenja DocType: Program Course,Program Course,Tečaj programa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Tovorni in Forwarding Stroški @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Program Vpisi DocType: Sales Invoice Item,Brand Name,Blagovna znamka DocType: Purchase Receipt,Transporter Details,Transporter Podrobnosti -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Privzeto skladišče je potrebna za izbrano postavko -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Škatla -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Možni Dobavitelj +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Privzeto skladišče je potrebna za izbrano postavko +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Škatla +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Možni Dobavitelj DocType: Budget,Monthly Distribution,Mesečni Distribution apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Sprejemnik Seznam je prazen. Prosimo, da ustvarite sprejemnik seznam" DocType: Production Plan Sales Order,Production Plan Sales Order,Proizvodni načrt Sales Order @@ -1594,7 +1594,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Terjatve za r apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Študenti so v središču sistema, dodamo vse svoje učence" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Datum Potrditev {1} ne more biti pred Ček Datum {2} DocType: Company,Default Holiday List,Privzeti seznam praznikov -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Zaloga Obveznosti DocType: Purchase Invoice,Supplier Warehouse,Dobavitelj Skladišče DocType: Opportunity,Contact Mobile No,Kontaktna mobilna številka @@ -1610,18 +1610,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Dopust tipa {0} ne more biti daljši od {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Poskusite načrtovanju operacij za X dni vnaprej. DocType: HR Settings,Stop Birthday Reminders,Stop Birthday opomniki -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Prosimo, nastavite privzetega izplačane plače je treba plačati račun v družbi {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},"Prosimo, nastavite privzetega izplačane plače je treba plačati račun v družbi {0}" DocType: SMS Center,Receiver List,Sprejemnik Seznam -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Iskanje Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Iskanje Item apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Porabljeni znesek apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Neto sprememba v gotovini DocType: Assessment Plan,Grading Scale,Ocenjevalna lestvica apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Merska enota {0} je v pretvorbeni faktor tabeli vpisana več kot enkrat -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,že končana +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,že končana apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Zaloga v roki apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Plačilni Nalog že obstaja {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Strošek izdanih postavk -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Količina ne sme biti več kot {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Količina ne sme biti več kot {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Prejšnja Proračunsko leto ni zaprt apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Starost (dnevi) DocType: Quotation Item,Quotation Item,Postavka ponudbe @@ -1635,6 +1635,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,referenčni dokument apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} je odpovedan ali ustavljen DocType: Accounts Settings,Credit Controller,Credit Controller +DocType: Sales Order,Final Delivery Date,Končni datum dostave DocType: Delivery Note,Vehicle Dispatch Date,Vozilo Dispatch Datum DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Potrdilo o nakupu {0} ni predložila @@ -1727,9 +1728,9 @@ DocType: Employee,Date Of Retirement,Datum upokojitve DocType: Upload Attendance,Get Template,Get predlogo DocType: Material Request,Transferred,Preneseni DocType: Vehicle,Doors,vrata -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,davčna Breakup +DocType: Purchase Invoice,Tax Breakup,davčna Breakup DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: je Center Stroški potrebna za "izkaz poslovnega izida" računa {2}. Nastavite privzeto stroškovno Center za družbo. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"A Skupina kupcev obstaja z istim imenom, prosimo spremenite ime stranke ali preimenovati skupino odjemalcev" @@ -1742,14 +1743,14 @@ DocType: Announcement,Instructor,inštruktor DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Če ima ta postavka variante, potem ne more biti izbran v prodajnih naročil itd" DocType: Lead,Next Contact By,Naslednja Kontakt Z -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},"Količina, potrebna za postavko {0} v vrstici {1}" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},"Količina, potrebna za postavko {0} v vrstici {1}" apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Skladišče {0} ni mogoče izbrisati, kot obstaja količina za postavko {1}" DocType: Quotation,Order Type,Sklep Type DocType: Purchase Invoice,Notification Email Address,Obvestilo e-poštni naslov ,Item-wise Sales Register,Element-pametno Sales Registriraj se DocType: Asset,Gross Purchase Amount,Bruto znesek nakupa DocType: Asset,Depreciation Method,Metoda amortiziranja -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to DDV vključen v osnovni stopnji? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Skupaj Target DocType: Job Applicant,Applicant for a Job,Kandidat za službo @@ -1771,7 +1772,7 @@ DocType: Employee,Leave Encashed?,Dopusta unovčijo? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Priložnost Iz polja je obvezno DocType: Email Digest,Annual Expenses,letni stroški DocType: Item,Variants,Variante -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Naredite narocilo +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Naredite narocilo DocType: SMS Center,Send To,Pošlji apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Ni dovolj bilanca dopust za dopust tipa {0} DocType: Payment Reconciliation Payment,Allocated amount,Dodeljen znesek @@ -1779,7 +1780,7 @@ DocType: Sales Team,Contribution to Net Total,Prispevek k Net Total DocType: Sales Invoice Item,Customer's Item Code,Koda artikla stranke DocType: Stock Reconciliation,Stock Reconciliation,Uskladitev zalog DocType: Territory,Territory Name,Territory Name -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Work-in-Progress Warehouse je pred potreben Submit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Work-in-Progress Warehouse je pred potreben Submit apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Kandidat za službo. DocType: Purchase Order Item,Warehouse and Reference,Skladišče in Reference DocType: Supplier,Statutory info and other general information about your Supplier,Statutarna info in druge splošne informacije o vašem dobavitelju @@ -1792,16 +1793,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,cenitve apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Podvajati Zaporedna številka vpisana v postavko {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Pogoj za Shipping pravilu apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,vnesite -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ni mogoče overbill za postavko {0} v vrstici {1} več kot {2}. Če želite, da nad-obračun, prosim, da pri nakupu Nastavitve" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Prosim, nastavite filter, ki temelji na postavki ali skladišče" +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ni mogoče overbill za postavko {0} v vrstici {1} več kot {2}. Če želite, da nad-obračun, prosim, da pri nakupu Nastavitve" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,"Prosim, nastavite filter, ki temelji na postavki ali skladišče" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto teža tega paketa. (samodejno izračuna kot vsota neto težo blaga) DocType: Sales Order,To Deliver and Bill,Dostaviti in Bill DocType: Student Group,Instructors,inštruktorji DocType: GL Entry,Credit Amount in Account Currency,Credit Znesek v Valuta računa -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} je treba predložiti +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} je treba predložiti DocType: Authorization Control,Authorization Control,Pooblastilo za nadzor apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Vrstica # {0}: zavrnitev Skladišče je obvezno proti zavrnil postavki {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Plačilo +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Plačilo apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Skladišče {0} ni povezano z nobenim računom, navedite račun v evidenco skladišče ali nastavite privzeto inventarja račun v družbi {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Upravljajte naročila DocType: Production Order Operation,Actual Time and Cost,Dejanski čas in stroški @@ -1817,12 +1818,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundle DocType: Quotation Item,Actual Qty,Dejanska Količina DocType: Sales Invoice Item,References,Reference DocType: Quality Inspection Reading,Reading 10,Branje 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Seznam vaših izdelkov ali storitev, ki jih kupujejo ali prodajajo. Poskrbite, da preverite skupino item, merska enota in ostalih nepremičninah, ko začnete." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Seznam vaših izdelkov ali storitev, ki jih kupujejo ali prodajajo. Poskrbite, da preverite skupino item, merska enota in ostalih nepremičninah, ko začnete." DocType: Hub Settings,Hub Node,Hub Node apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Vnesli ste podvojene elemente. Prosimo, popravite in poskusite znova." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Sodelavec +DocType: Company,Sales Target,Prodajni cilj DocType: Asset Movement,Asset Movement,Gibanje sredstvo -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Nova košarico +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Nova košarico apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Postavka {0} ni serialized postavka DocType: SMS Center,Create Receiver List,Ustvarite sprejemnik seznam DocType: Vehicle,Wheels,kolesa @@ -1864,13 +1866,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Upravljanje projekto DocType: Supplier,Supplier of Goods or Services.,Dobavitelj blaga ali storitev. DocType: Budget,Fiscal Year,Poslovno leto DocType: Vehicle Log,Fuel Price,gorivo Cena +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosimo, nastavite številske serije za udeležbo preko Setup> Series Numbering" DocType: Budget,Budget,Proračun apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Osnovno sredstvo točka mora biti postavka ne-stock. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Proračun ne more biti dodeljena pred {0}, ker to ni prihodek ali odhodek račun" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Doseženi DocType: Student Admission,Application Form Route,Prijavnica pot apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territory / Stranka -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,na primer 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,na primer 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Pusti tipa {0} ni mogoče dodeliti, ker je zapustil brez plačila" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},"Vrstica {0}: Dodeljena količina {1}, mora biti manjša ali enaka zaračunati neodplačanega {2}" DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"V besedi bo viden, ko boste prihranili prodajni fakturi." @@ -1879,11 +1882,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Postavka {0} ni setup za Serijska št. Preverite item mojster DocType: Maintenance Visit,Maintenance Time,Vzdrževanje čas ,Amount to Deliver,"Znesek, Deliver" -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Izdelek ali storitev +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Izdelek ali storitev apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Datum izraz začetka ne more biti zgodnejši od datuma Leto začetku študijskega leta, v katerem je izraz povezan (študijsko leto {}). Popravite datum in poskusite znova." DocType: Guardian,Guardian Interests,Guardian Zanima DocType: Naming Series,Current Value,Trenutna vrednost -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"obstaja več proračunskih let za datum {0}. Prosim, nastavite podjetje v poslovnem letu" +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"obstaja več proračunskih let za datum {0}. Prosim, nastavite podjetje v poslovnem letu" apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} ustvaril DocType: Delivery Note Item,Against Sales Order,Za Naročilo Kupca ,Serial No Status,Serijska Status Ne @@ -1896,7 +1899,7 @@ DocType: Pricing Rule,Selling,Prodaja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Znesek {0} {1} odšteti pred {2} DocType: Employee,Salary Information,Plača Informacije DocType: Sales Person,Name and Employee ID,Ime in zaposlenih ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Rok ne more biti pred datumom knjiženja +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Rok ne more biti pred datumom knjiženja DocType: Website Item Group,Website Item Group,Spletna stran Element Group apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Dajatve in davki apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Vnesite Referenčni datum @@ -1952,9 +1955,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},"Prosimo, da določi datum Vstop za zaposlenega {0}" DocType: Task,Total Billing Amount (via Time Sheet),Skupni znesek plačevanja (preko Čas lista) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ponovite Customer Prihodki -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) mora imeti vlogo "Expense odobritelju" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Izberite BOM in Količina za proizvodnjo +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) mora imeti vlogo "Expense odobritelju" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Par +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Izberite BOM in Količina za proizvodnjo DocType: Asset,Depreciation Schedule,Amortizacija Razpored apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Prodaja Partner naslovi in kontakti DocType: Bank Reconciliation Detail,Against Account,Proti račun @@ -1964,7 +1967,7 @@ DocType: Item,Has Batch No,Ima Serija Ne apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Letni obračun: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Davčna blago in storitve (DDV Indija) DocType: Delivery Note,Excise Page Number,Trošarinska Številka strani -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Podjetje, od datuma do datuma je obvezen" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Podjetje, od datuma do datuma je obvezen" DocType: Asset,Purchase Date,Datum nakupa DocType: Employee,Personal Details,Osebne podrobnosti apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Prosim nastavite "Asset Center Amortizacija stroškov" v družbi {0} @@ -1973,9 +1976,9 @@ DocType: Task,Actual End Date (via Time Sheet),Dejanski končni datum (preko Ča apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Znesek {0} {1} proti {2} {3} ,Quotation Trends,Trendi ponudb apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},"Element Group, ki niso navedeni v točki mojster za postavko {0}" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Bremenitev računa mora biti Terjatve račun +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Bremenitev računa mora biti Terjatve račun DocType: Shipping Rule Condition,Shipping Amount,Znesek Dostave -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Dodaj stranke +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Dodaj stranke apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Dokler Znesek DocType: Purchase Invoice Item,Conversion Factor,Faktor pretvorbe DocType: Purchase Order,Delivered,Dostavljeno @@ -1998,7 +2001,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Vključi usklajene vnose DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Matično igrišče (pustite prazno, če to ni del obvladujoče Course)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Matično igrišče (pustite prazno, če to ni del obvladujoče Course)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Pustite prazno, če velja za vse vrste zaposlenih" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Stranka> Skupina strank> Ozemlje DocType: Landed Cost Voucher,Distribute Charges Based On,Distribuirajo pristojbin na podlagi apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Evidence prisotnosti DocType: HR Settings,HR Settings,Nastavitve HR @@ -2006,7 +2008,7 @@ DocType: Salary Slip,net pay info,net info plačilo apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Expense Terjatev čaka na odobritev. Samo Expense odobritelj lahko posodobite stanje. DocType: Email Digest,New Expenses,Novi stroški DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Količina -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Kol mora biti 1, kot točka je osnovno sredstvo. Prosimo, uporabite ločeno vrstico za večkratno Kol." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Kol mora biti 1, kot točka je osnovno sredstvo. Prosimo, uporabite ločeno vrstico za večkratno Kol." DocType: Leave Block List Allow,Leave Block List Allow,Pustite Block List Dovoli apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ne more biti prazna ali presledek apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Skupina Non-Group @@ -2014,7 +2016,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Šport DocType: Loan Type,Loan Name,posojilo Ime apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Skupaj Actual DocType: Student Siblings,Student Siblings,Študentski Bratje in sestre -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Enota +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Enota apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Prosimo, navedite Company" ,Customer Acquisition and Loyalty,Stranka Pridobivanje in zvestobe DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Skladišče, kjer ste vzdrževanje zalog zavrnjenih predmetov" @@ -2033,12 +2035,12 @@ DocType: Workstation,Wages per hour,Plače na uro apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ravnotežje Serija {0} bo postal negativen {1} za postavko {2} v skladišču {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Po Material Zahteve so bile samodejno dvigne temelji na ravni re-naročilnico elementa DocType: Email Digest,Pending Sales Orders,Dokler prodajnih naročil -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Račun {0} ni veljaven. Valuta računa mora biti {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Račun {0} ni veljaven. Valuta računa mora biti {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM Pretvorba je potrebno v vrstici {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od prodajnega naloga, prodaje računa ali Journal Entry" DocType: Salary Component,Deduction,Odbitek -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Vrstica {0}: Od časa in do časa je obvezna. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Vrstica {0}: Od časa in do časa je obvezna. DocType: Stock Reconciliation Item,Amount Difference,znesek Razlika apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Postavka Cena dodana za {0} v Ceniku {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vnesite ID Employee te prodaje oseba @@ -2048,11 +2050,11 @@ DocType: Project,Gross Margin,Gross Margin apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,"Prosimo, da najprej vnesete Production artikel" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Izračunan Izjava bilance banke apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,onemogočena uporabnik -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Ponudba +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Ponudba DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Skupaj Odbitek ,Production Analytics,proizvodne Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Stroškovno Posodobljeno +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Stroškovno Posodobljeno DocType: Employee,Date of Birth,Datum rojstva apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Postavka {0} je bil že vrnjen DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiskalno leto ** predstavlja poslovno leto. Vse vknjižbe in druge velike transakcije so povezane z izidi ** poslovnega leta **. @@ -2098,18 +2100,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Izberite Company ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Pustite prazno, če velja za vse oddelke" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Vrste zaposlitve (trajna, pogodbeni, intern itd)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} je obvezna za postavko {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} je obvezna za postavko {1} DocType: Process Payroll,Fortnightly,vsakih štirinajst dni DocType: Currency Exchange,From Currency,Iz valute apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Stroški New Nakup -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Sales Order potreben za postavko {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Sales Order potreben za postavko {0} DocType: Purchase Invoice Item,Rate (Company Currency),Oceni (družba Valuta) DocType: Student Guardian,Others,Drugi DocType: Payment Entry,Unallocated Amount,nerazporejena Znesek apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,"Ne morete najti ujemanja artikel. Prosimo, izberite kakšno drugo vrednost za {0}." DocType: POS Profile,Taxes and Charges,Davki in dajatve DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Izdelek ali storitev, ki je kupil, prodal ali jih hranijo na zalogi." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Koda postavke> Skupina izdelkov> Blagovna znamka apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Nič več posodobitve apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Ne morete izbrati vrsto naboja kot "On prejšnje vrstice Znesek" ali "Na prejšnje vrstice Total" za prvi vrsti apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Otrok točka ne bi smela biti izdelka Bundle. Odstranite element '{0}' in shranite @@ -2137,7 +2140,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Skupni znesek plačevanja apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Obstajati mora privzeti dohodni e-poštnega računa omogočen za to delo. Prosimo setup privzeto dohodni e-poštnega računa (POP / IMAP) in poskusite znova. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Terjatev račun -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} je že {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} je že {2} DocType: Quotation Item,Stock Balance,Stock Balance apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Sales Order do plačila apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,direktor @@ -2162,10 +2165,11 @@ DocType: C-Form,Received Date,Prejela Datum DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Če ste ustvarili standardno predlogo v prodaji davkov in dajatev predlogo, izberite eno in kliknite na gumb spodaj." DocType: BOM Scrap Item,Basic Amount (Company Currency),Osnovni znesek (družba Valuta) DocType: Student,Guardians,skrbniki +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavitelj> Dobavitelj tip DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Cene se ne bodo pokazale, če Cenik ni nastavljen" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Prosimo, navedite državo ta prevoz pravilu ali preverite Dostava po celem svetu" DocType: Stock Entry,Total Incoming Value,Skupaj Dohodni Vrednost -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Bremenitev je potrebno +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Bremenitev je potrebno apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomaga slediti časa, stroškov in zaračunavanje za aktivnostmi s svojo ekipo, podpisan" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Nakup Cenik DocType: Offer Letter Term,Offer Term,Ponudba Term @@ -2184,11 +2188,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Iskan DocType: Timesheet Detail,To Time,Time DocType: Authorization Rule,Approving Role (above authorized value),Odobritvi vloge (nad pooblaščeni vrednosti) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Credit Za računu mora biti plačljivo račun -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija: {0} ne more biti starš ali otrok {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija: {0} ne more biti starš ali otrok {2} DocType: Production Order Operation,Completed Qty,Končano število apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Za {0}, lahko le debetne račune povezati proti drugemu knjiženje" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Seznam Cena {0} je onemogočena -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Vrstica {0}: Zaključen Količina ne sme biti večja od {1} za delovanje {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Vrstica {0}: Zaključen Količina ne sme biti večja od {1} za delovanje {2} DocType: Manufacturing Settings,Allow Overtime,Dovoli Nadurno delo apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Zaporednimi Postavka {0} ni mogoče posodobiti s pomočjo zaloge sprave, uporabite zaloge Entry" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Zaporednimi Postavka {0} ni mogoče posodobiti s pomočjo zaloge sprave, uporabite zaloge Entry" @@ -2207,10 +2211,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Zunanji apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Uporabniki in dovoljenja DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Naročila za proizvodnjo Ustvarjen: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Naročila za proizvodnjo Ustvarjen: {0} DocType: Branch,Branch,Branch DocType: Guardian,Mobile Number,Mobilna številka apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tiskanje in Branding +DocType: Company,Total Monthly Sales,Skupna mesečna prodaja DocType: Bin,Actual Quantity,Dejanska količina DocType: Shipping Rule,example: Next Day Shipping,Primer: Next Day Shipping apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serijska št {0} ni bilo mogoče najti @@ -2241,7 +2246,7 @@ DocType: Payment Request,Make Sales Invoice,Naredi račun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Programska oprema apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Naslednja Stik datum ne more biti v preteklosti DocType: Company,For Reference Only.,Samo za referenco. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Izberite Serija št +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Izberite Serija št apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Neveljavna {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Advance Znesek @@ -2254,7 +2259,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ne Postavka s črtno kodo {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Primer št ne more biti 0 DocType: Item,Show a slideshow at the top of the page,Prikaži diaprojekcijo na vrhu strani -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Trgovine DocType: Serial No,Delivery Time,Čas dostave apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,"Staranje, ki temelji na" @@ -2268,16 +2273,16 @@ DocType: Rename Tool,Rename Tool,Preimenovanje orodje apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Posodobitev Stroški DocType: Item Reorder,Item Reorder,Postavka Preureditev apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Prikaži Plača listek -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Prenos Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Prenos Material DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Določite operacij, obratovalne stroške in daje edinstveno Operacija ni na vaše poslovanje." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,"Ta dokument je nad mejo, ki jo {0} {1} za postavko {4}. Delaš drugo {3} zoper isto {2}?" -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,"Prosim, nastavite ponavljajočih se po shranjevanju" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,znesek računa Izberite sprememba +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,"Prosim, nastavite ponavljajočih se po shranjevanju" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,znesek računa Izberite sprememba DocType: Purchase Invoice,Price List Currency,Cenik Valuta DocType: Naming Series,User must always select,Uporabnik mora vedno izbrati DocType: Stock Settings,Allow Negative Stock,Dovoli Negative Stock DocType: Installation Note,Installation Note,Namestitev Opomba -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Dodaj Davki +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Dodaj Davki DocType: Topic,Topic,tema apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Denarni tok iz financiranja DocType: Budget Account,Budget Account,proračun računa @@ -2291,7 +2296,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledl apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Vir sredstev (obveznosti) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina v vrstici {0} ({1}) mora biti enaka kot je bila proizvedena količina {2} DocType: Appraisal,Employee,Zaposleni -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Izberite Serija +DocType: Company,Sales Monthly History,Mesečna zgodovina prodaje +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Izberite Serija apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} je v celoti zaračunano DocType: Training Event,End Time,Končni čas apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktivne Struktura Plača {0} ugotovljeno za delavca {1} za dane termin @@ -2299,15 +2305,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Plačilni Odbitki ali izguba apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standardni pogodbeni pogoji za prodajo ali nakup. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Skupina kupon apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,prodaja Pipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},"Prosim, nastavite privzetega računa v plač komponento {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},"Prosim, nastavite privzetega računa v plač komponento {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Zahtevani Na DocType: Rename Tool,File to Rename,Datoteka za preimenovanje apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Izberite BOM za postavko v vrstici {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Račun {0} ne ujema z družbo {1} v načinu račun: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Določeno BOM {0} ne obstaja za postavko {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Vzdrževanje Urnik {0} je treba odpovedati pred preklicem te Sales Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Vzdrževanje Urnik {0} je treba odpovedati pred preklicem te Sales Order DocType: Notification Control,Expense Claim Approved,Expense Zahtevek Odobreno -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosimo, nastavite številske serije za udeležbo preko Setup> Series Numbering" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Plača Slip delavca {0} že ustvarili za to obdobje apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutical apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Vrednost kupljenih artiklov @@ -2324,7 +2329,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. za Končni DocType: Upload Attendance,Attendance To Date,Udeležba na tekočem DocType: Warranty Claim,Raised By,Raised By DocType: Payment Gateway Account,Payment Account,Plačilo računa -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Prosimo, navedite Company nadaljevati" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Prosimo, navedite Company nadaljevati" apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Neto sprememba terjatev do kupcev apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompenzacijske Off DocType: Offer Letter,Accepted,Sprejeto @@ -2334,12 +2339,12 @@ DocType: SG Creation Tool Course,Student Group Name,Ime študent Group apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Prosimo, preverite, ali ste prepričani, da želite izbrisati vse posle, za te družbe. Vaši matični podatki bodo ostali kot je. Ta ukrep ni mogoče razveljaviti." DocType: Room,Room Number,Številka sobe apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Neveljavna referenčna {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne more biti večji od načrtovanih quanitity ({2}) v proizvodnji naročite {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne more biti večji od načrtovanih quanitity ({2}) v proizvodnji naročite {3} DocType: Shipping Rule,Shipping Rule Label,Oznaka dostavnega pravila apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Uporabniški forum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Surovine ne more biti prazno. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Ni mogel posodobiti vozni park, faktura vsebuje padec element ladijskega prometa." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Hitro Journal Entry +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Surovine ne more biti prazno. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Ni mogel posodobiti vozni park, faktura vsebuje padec element ladijskega prometa." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Hitro Journal Entry apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Vi stopnje ni mogoče spremeniti, če BOM omenjeno agianst vsako postavko" DocType: Employee,Previous Work Experience,Prejšnja Delovne izkušnje DocType: Stock Entry,For Quantity,Za Količino @@ -2396,7 +2401,7 @@ DocType: SMS Log,No of Requested SMS,Št zaprošene SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Pusti brez plačila ne ujema z odobrenimi evidence Leave aplikacij DocType: Campaign,Campaign-.####,Akcija -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Naslednji koraki -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,"Prosimo, da določene elemente na najboljših možnih cenah" +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,"Prosimo, da določene elemente na najboljših možnih cenah" DocType: Selling Settings,Auto close Opportunity after 15 days,Auto blizu Priložnost po 15 dneh apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Leto zaključka apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / svinec% @@ -2434,7 +2439,7 @@ DocType: Homepage,Homepage,Domača stran DocType: Purchase Receipt Item,Recd Quantity,Recd Količina apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Fee Records Created - {0} DocType: Asset Category Account,Asset Category Account,Sredstvo Kategorija račun -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Ne more proizvajati več item {0} od prodaje kol {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Ne more proizvajati več item {0} od prodaje kol {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock Začetek {0} ni predložila DocType: Payment Reconciliation,Bank / Cash Account,Banka / Gotovinski račun apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Naslednja Kontakt Po ne more biti enaka kot vodilni e-poštni naslov @@ -2467,7 +2472,7 @@ DocType: Salary Structure,Total Earning,Skupaj zaslužka DocType: Purchase Receipt,Time at which materials were received,"Čas, v katerem so bile prejete materiale" DocType: Stock Ledger Entry,Outgoing Rate,Odhodni Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizacija podružnica gospodar. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ali +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ali DocType: Sales Order,Billing Status,Status zaračunavanje apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Prijavi težavo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Pomožni Stroški @@ -2475,7 +2480,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nima računa {2} ali pa so že primerjali z drugo kupona DocType: Buying Settings,Default Buying Price List,Privzet nabavni cenik DocType: Process Payroll,Salary Slip Based on Timesheet,Plača Slip Na Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Noben zaposleni za zgoraj izbranih kriterijih ALI plačilnega lista že ustvarili +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Noben zaposleni za zgoraj izbranih kriterijih ALI plačilnega lista že ustvarili DocType: Notification Control,Sales Order Message,Sales Order Sporočilo apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Privzeta nastavitev Vrednote, kot so podjetja, valuta, tekočem proračunskem letu, itd" DocType: Payment Entry,Payment Type,Način plačila @@ -2500,7 +2505,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Potrdilo dokument je treba predložiti DocType: Purchase Invoice Item,Received Qty,Prejela Kol DocType: Stock Entry Detail,Serial No / Batch,Zaporedna številka / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Ne plača in ne Delivered +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Ne plača in ne Delivered DocType: Product Bundle,Parent Item,Parent Item DocType: Account,Account Type,Vrsta računa DocType: Delivery Note,DN-RET-,DN-RET- @@ -2531,8 +2536,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Skupaj Dodeljena Znesek apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Privzeta nastavitev popis račun za stalne inventarizacije DocType: Item Reorder,Material Request Type,Material Zahteva Type -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural list Vstop za pla iz {0} in {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","Lokalno shrambo je polna, ni rešil" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural list Vstop za pla iz {0} in {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Lokalno shrambo je polna, ni rešil" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Vrstica {0}: UOM Conversion Factor je obvezna apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Stroškovno Center @@ -2550,7 +2555,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Davek apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Če je izbrana Cene pravilo narejen za "cena", bo prepisalo Cenik. Cen Pravilo cena je končna cena, zato je treba uporabiti pravšnji za popust. Zato v transakcijah, kot Sales Order, narocilo itd, da bodo nerealne v polje "obrestna mera", namesto da polje »Cenik rate"." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track Interesenti ga Industry Type. DocType: Item Supplier,Item Supplier,Postavka Dobavitelj -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Vnesite Koda dobiti serijo no +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Vnesite Koda dobiti serijo no apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},"Prosimo, izberite vrednost za {0} quotation_to {1}" apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Vsi naslovi. DocType: Company,Stock Settings,Nastavitve Stock @@ -2577,7 +2582,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Dejanska Kol Po Transac apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Št plačilni list dalo med {0} in {1} ,Pending SO Items For Purchase Request,Dokler SO Točke za nakup dogovoru apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Študentski Sprejemi -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} je onemogočeno +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} je onemogočeno DocType: Supplier,Billing Currency,Zaračunavanje Valuta DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large @@ -2607,7 +2612,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Status uporaba DocType: Fees,Fees,pristojbine DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Določite Menjalni tečaj za pretvorbo ene valute v drugo -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Ponudba {0} je odpovedana +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Ponudba {0} je odpovedana apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Skupni preostali znesek DocType: Sales Partner,Targets,Cilji DocType: Price List,Price List Master,Cenik Master @@ -2624,7 +2629,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignoriraj Pricing pravilo DocType: Employee Education,Graduate,Maturirati DocType: Leave Block List,Block Days,Block dnevi DocType: Journal Entry,Excise Entry,Trošarina Začetek -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Opozorilo: Sales Order {0} že obstaja zoper naročnikovo narocilo {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Opozorilo: Sales Order {0} že obstaja zoper naročnikovo narocilo {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2651,7 +2656,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Če ,Salary Register,plača Registracija DocType: Warehouse,Parent Warehouse,Parent Skladišče DocType: C-Form Invoice Detail,Net Total,Neto Skupaj -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Privzeti BOM nismo našli v postavki {0} in projektno {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Privzeti BOM nismo našli v postavki {0} in projektno {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Opredeliti različne vrste posojil DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Neporavnani znesek @@ -2688,7 +2693,7 @@ DocType: Salary Detail,Condition and Formula Help,Stanje in Formula Pomoč apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Upravljanje Territory drevo. DocType: Journal Entry Account,Sales Invoice,Račun DocType: Journal Entry Account,Party Balance,Balance Party -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Prosimo, izberite Uporabi popust na" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Prosimo, izberite Uporabi popust na" DocType: Company,Default Receivable Account,Privzeto Terjatve račun DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Ustvarite Bank vnos za celotno plačo za zgoraj izbranih kriterijih DocType: Stock Entry,Material Transfer for Manufacture,Prenos materialov za proizvodnjo @@ -2702,7 +2707,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Naslov stranke DocType: Employee Loan,Loan Details,posojilo Podrobnosti DocType: Company,Default Inventory Account,Privzeti Popis račun -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Vrstica {0}: Zaključen Kol mora biti večji od nič. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Vrstica {0}: Zaključen Kol mora biti večji od nič. DocType: Purchase Invoice,Apply Additional Discount On,Uporabi dodatni popust na DocType: Account,Root Type,Root Type DocType: Item,FIFO,FIFO @@ -2719,7 +2724,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,standard Template DocType: Training Event,Theory,teorija -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,"Opozorilo: Material Zahtevana Količina je manj kot minimalna, da Kol" +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,"Opozorilo: Material Zahtevana Količina je manj kot minimalna, da Kol" apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Račun {0} je zamrznjen DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna oseba / Hčerinska družba z ločenim računom ki pripada organizaciji. DocType: Payment Request,Mute Email,Mute Email @@ -2743,7 +2748,7 @@ DocType: Training Event,Scheduled,Načrtovano apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Zahteva za ponudbo. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Prosimo, izberite postavko, kjer "Stock postavka je" "Ne" in "Je Sales Postavka" je "Yes" in ni druge Bundle izdelka" DocType: Student Log,Academic,akademski -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Skupaj predplačilo ({0}) proti odredbi {1} ne more biti večja od Grand Total ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Skupaj predplačilo ({0}) proti odredbi {1} ne more biti večja od Grand Total ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Izberite mesečnim izplačilom neenakomerno distribucijo ciljev po mesecih. DocType: Purchase Invoice Item,Valuation Rate,Oceni Vrednotenje DocType: Stock Reconciliation,SR/,SR / @@ -2809,6 +2814,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Vnesite ime oglaševalske akcije, če je vir preiskovalne akcije" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Newspaper Publishers apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Izberite Fiscal Year +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Pričakovani rok dobave je po datumu prodajnega naročila apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Preureditev Raven DocType: Company,Chart Of Accounts Template,Graf Of predlogo računov DocType: Attendance,Attendance Date,Udeležba Datum @@ -2840,7 +2846,7 @@ DocType: Pricing Rule,Discount Percentage,Popust Odstotek DocType: Payment Reconciliation Invoice,Invoice Number,Številka računa DocType: Shopping Cart Settings,Orders,Naročila DocType: Employee Leave Approver,Leave Approver,Pustite odobritelju -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Izberite serijo +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Izberite serijo DocType: Assessment Group,Assessment Group Name,Ime skupine ocena DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Preneseno za Izdelava DocType: Expense Claim,"A user with ""Expense Approver"" role",Uporabnik z "Expense odobritelj" vlogi @@ -2877,7 +2883,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Zadnji dan v naslednjem mesecu DocType: Support Settings,Auto close Issue after 7 days,Auto blizu Izdaja po 7 dneh apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Dopusta ni mogoče dodeliti pred {0}, saj je bilanca dopust že-carry posredujejo v evidenco dodeljevanja dopust prihodnji {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Opomba: Zaradi / Referenčni datum presega dovoljene kreditnih stranka dni s {0} dan (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Opomba: Zaradi / Referenčni datum presega dovoljene kreditnih stranka dni s {0} dan (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,študent Prijavitelj DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL ZA PREJEMNIKA DocType: Asset Category Account,Accumulated Depreciation Account,Bilančni Amortizacija račun @@ -2888,7 +2894,7 @@ DocType: Item,Reorder level based on Warehouse,Raven Preureditev temelji na Ware DocType: Activity Cost,Billing Rate,Zaračunavanje Rate ,Qty to Deliver,Količina na Deliver ,Stock Analytics,Analiza zaloge -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operacije se ne sme ostati prazno +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operacije se ne sme ostati prazno DocType: Maintenance Visit Purpose,Against Document Detail No,Proti Podrobnosti dokumenta št apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Vrsta Party je obvezen DocType: Quality Inspection,Outgoing,Odhodni @@ -2929,15 +2935,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Na voljo Količina na Warehouse apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Zaračunavajo Znesek DocType: Asset,Double Declining Balance,Double Upadanje Balance -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Zaprta naročila ni mogoče preklicati. Unclose za preklic. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Zaprta naročila ni mogoče preklicati. Unclose za preklic. DocType: Student Guardian,Father,oče -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,""Update Stock", ni mogoče preveriti za prodajo osnovnih sredstev" +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,""Update Stock", ni mogoče preveriti za prodajo osnovnih sredstev" DocType: Bank Reconciliation,Bank Reconciliation,Banka Sprava DocType: Attendance,On Leave,Na dopustu apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Dobite posodobitve apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Račun {2} ne pripada družbi {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Material Zahteva {0} je odpovedan ali ustavi -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Dodajte nekaj zapisov vzorčnih +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Dodajte nekaj zapisov vzorčnih apps/erpnext/erpnext/config/hr.py +301,Leave Management,Pustite upravljanje apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,"Skupina, ki jo račun" DocType: Sales Order,Fully Delivered,Popolnoma Delivered @@ -2946,12 +2952,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika računa mora biti tip Asset / Liability račun, saj je ta Stock Sprava je Entry Otvoritev" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Plačanega zneska ne sme biti večja od zneska kredita {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Naročilnica zahtevanega števila za postavko {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Proizvodnja Sklep ni bil ustvarjen +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Proizvodnja Sklep ni bil ustvarjen apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Od datuma' mora biti za 'Do datuma ' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},"status študenta, ne more spremeniti {0} je povezana z uporabo študentskega {1}" DocType: Asset,Fully Depreciated,celoti amortizirana ,Stock Projected Qty,Stock Predvidena Količina -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},"Stranka {0} ne pripada, da projekt {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},"Stranka {0} ne pripada, da projekt {1}" DocType: Employee Attendance Tool,Marked Attendance HTML,Markirana Udeležba HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citati so predlogi, ponudbe, ki ste jih poslali svojim strankam" DocType: Sales Order,Customer's Purchase Order,Stranke Naročilo @@ -2961,7 +2967,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Prosim, nastavite Število amortizacije Rezervirano" apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Vrednost ali Kol apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Produkcije Naročila ni mogoče povečati za: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minute +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minute DocType: Purchase Invoice,Purchase Taxes and Charges,Nakup davki in dajatve ,Qty to Receive,Količina za prejemanje DocType: Leave Block List,Leave Block List Allowed,Pustite Block Seznam Dovoljeno @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Vse vrste Dobavitelj DocType: Global Defaults,Disable In Words,"Onemogoči ""z besedami""" apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Oznaka je obvezna, ker se postavka samodejno ni oštevilčen" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Ponudba {0} ni tipa {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Ponudba {0} ni tipa {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vzdrževanje Urnik Postavka DocType: Sales Order,% Delivered,% Dostavljeno DocType: Production Order,PRO-,PRO- @@ -2998,7 +3004,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Prodajalec Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Skupaj Nakup Cost (via računu o nakupu) DocType: Training Event,Start Time,Začetni čas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Izberite Količina +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Izberite Količina DocType: Customs Tariff Number,Customs Tariff Number,Carinska tarifa številka apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Odobritvi vloge ne more biti enaka kot vloga je pravilo, ki veljajo za" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odjaviti iz te Email Digest @@ -3022,7 +3028,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Popolnoma zaračunavajo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Denarna sredstva v blagajni -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Dostava skladišče potreben za postavko parka {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Dostava skladišče potreben za postavko parka {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto teža paketa. Ponavadi neto teža + embalaža teže. (za tisk) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Uporabniki s to vlogo dovoljeno postaviti na zamrznjene račune in ustvariti / spreminjanje vknjižbe zoper zamrznjenih računih @@ -3031,7 +3037,7 @@ DocType: Student Group,Group Based On,"Skupina, ki temelji na" DocType: Journal Entry,Bill Date,Bill Datum apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","morajo Service Element, tip, pogostost in odhodki znesek" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Tudi če obstaja več cenovnih Pravila z najvišjo prioriteto, se uporabljajo nato naslednji notranje prednostne naloge:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},"Ali res želite, da predložijo vse plačilni list iz {0} na {1}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},"Ali res želite, da predložijo vse plačilni list iz {0} na {1}" DocType: Cheque Print Template,Cheque Height,Ček Višina DocType: Supplier,Supplier Details,Dobavitelj Podrobnosti DocType: Expense Claim,Approval Status,Stanje odobritve @@ -3053,7 +3059,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Privede do Kotacija apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nič več pokazati. DocType: Lead,From Customer,Od kupca apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Poziva -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Paketi +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Paketi DocType: Project,Total Costing Amount (via Time Logs),Skupaj Stanejo Znesek (preko Čas Dnevniki) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Naročilnica {0} ni predložila @@ -3085,7 +3091,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Vrni proti Račun za n DocType: Item,Warranty Period (in days),Garancijski rok (v dnevih) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Povezava z Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Čisti denarni tok iz poslovanja -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,npr DDV +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,npr DDV apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Postavka 4 DocType: Student Admission,Admission End Date,Sprejem Končni datum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Podizvajalcem @@ -3093,7 +3099,7 @@ DocType: Journal Entry Account,Journal Entry Account,Journal Entry račun apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Študentska skupina DocType: Shopping Cart Settings,Quotation Series,Zaporedje ponudb apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Element obstaja z istim imenom ({0}), prosimo, spremenite ime postavka skupine ali preimenovanje postavke" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Izberite stranko +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Izberite stranko DocType: C-Form,I,jaz DocType: Company,Asset Depreciation Cost Center,Asset Center Amortizacija Stroški DocType: Sales Order Item,Sales Order Date,Datum Naročila Kupca @@ -3104,6 +3110,7 @@ DocType: Stock Settings,Limit Percent,omejitev Odstotek ,Payment Period Based On Invoice Date,Plačilo obdobju na podlagi računa Datum apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manjka Menjalni tečaji za {0} DocType: Assessment Plan,Examiner,Examiner +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Prosimo, nastavite imena serije za {0} prek Setup> Settings> Series Naming" DocType: Student,Siblings,Bratje in sestre DocType: Journal Entry,Stock Entry,Stock Začetek DocType: Payment Entry,Payment References,Plačilni Reference @@ -3128,7 +3135,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Kjer so proizvodni postopki. DocType: Asset Movement,Source Warehouse,Vir Skladišče DocType: Installation Note,Installation Date,Datum vgradnje -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne pripada družbi {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne pripada družbi {2} DocType: Employee,Confirmation Date,Datum potrditve DocType: C-Form,Total Invoiced Amount,Skupaj Obračunani znesek apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Količina ne sme biti večja od Max Kol @@ -3203,7 +3210,7 @@ DocType: Company,Default Letter Head,Privzeta glava pisma DocType: Purchase Order,Get Items from Open Material Requests,Dobili predmetov iz Odpri Material Prošnje DocType: Item,Standard Selling Rate,Standardni Prodajni tečaj DocType: Account,Rate at which this tax is applied,"Hitrost, s katero se ta davek" -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Preureditev Kol +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Preureditev Kol apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Razpisana delovna DocType: Company,Stock Adjustment Account,Račun prilagoditev zaloge apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Odpisati @@ -3217,7 +3224,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Dobavitelj zagotavlja naročniku apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) ni na zalogi apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Naslednji datum mora biti večja od Napotitev Datum -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Zaradi / Referenčni datum ne more biti po {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Zaradi / Referenčni datum ne more biti po {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Uvoz in izvoz podatkov apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Najdeno študenti apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Račun Napotitev Datum @@ -3238,12 +3245,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ta temelji na prisotnosti tega Študent apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Ni Študenti apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Dodajte več predmetov ali odprto popolno obliko -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Prosimo, vpišite "Pričakovana Dostava Date"" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dobavnic {0} je treba preklicati pred preklicem te Sales Order +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dobavnic {0} je treba preklicati pred preklicem te Sales Order apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Plačan znesek + odpis Znesek ne sme biti večja od Grand Skupaj apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ni veljavna številka serije za postavko {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Opomba: Ni dovolj bilanca dopust za dopust tipa {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Neveljavna GSTIN ali Enter NA za Neregistrirani +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Neveljavna GSTIN ali Enter NA za Neregistrirani DocType: Training Event,Seminar,seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Program Vpis Fee DocType: Item,Supplier Items,Dobavitelj Items @@ -3261,7 +3267,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Staranje zaloge apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Študent {0} obstaja proti študentskega prijavitelja {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Evidenca prisotnosti -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} {1} "je onemogočena +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} {1} "je onemogočena apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Nastavi kot Odpri DocType: Cheque Print Template,Scanned Cheque,skeniranih Ček DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Pošlji samodejne elektronske pošte v Contacts o posredovanju transakcij. @@ -3308,7 +3314,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Cenik Exchange Rate DocType: Purchase Invoice Item,Rate,Vrednost apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,naslov Ime +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,naslov Ime DocType: Stock Entry,From BOM,Od BOM DocType: Assessment Code,Assessment Code,Koda ocena apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Osnovni @@ -3321,20 +3327,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Struktura Plače DocType: Account,Bank,Banka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Airline -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Vprašanje Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Vprašanje Material DocType: Material Request Item,For Warehouse,Za Skladišče DocType: Employee,Offer Date,Ponudba Datum apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Ponudbe -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,"Ste v načinu brez povezave. Ne boste mogli naložiti, dokler imate omrežje." +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Ste v načinu brez povezave. Ne boste mogli naložiti, dokler imate omrežje." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ustvaril nobene skupine študentov. DocType: Purchase Invoice Item,Serial No,Zaporedna številka apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mesečni Povračilo Znesek ne sme biti večja od zneska kredita apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Prosimo, da najprej vnesete Maintaince Podrobnosti" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Vrstica # {0}: Pričakovani datum dostave ne sme biti pred datumom naročila DocType: Purchase Invoice,Print Language,Jezik tiskanja DocType: Salary Slip,Total Working Hours,Skupaj Delovni čas DocType: Stock Entry,Including items for sub assemblies,"Vključno s postavkami, za sklope" -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Vnesite vrednost mora biti pozitivna -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Koda postavke> Skupina izdelkov> Blagovna znamka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Vnesite vrednost mora biti pozitivna apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Vse Territories DocType: Purchase Invoice,Items,Predmeti apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Študent je že vpisan. @@ -3357,7 +3363,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Privzeto mersko enoto za Variant '{0}' mora biti enaka kot v predlogo '{1}' DocType: Shipping Rule,Calculate Based On,Izračun temelji na DocType: Delivery Note Item,From Warehouse,Iz skladišča -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Ni Postavke z Bill materialov za Izdelava +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Ni Postavke z Bill materialov za Izdelava DocType: Assessment Plan,Supervisor Name,Ime nadzornik DocType: Program Enrollment Course,Program Enrollment Course,Program Vpis tečaj DocType: Program Enrollment Course,Program Enrollment Course,Program Vpis tečaj @@ -3373,23 +3379,23 @@ DocType: Training Event Employee,Attended,udeležili apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dnevi od zadnjega naročila"" morajo biti večji ali enak nič" DocType: Process Payroll,Payroll Frequency,izplačane Frequency DocType: Asset,Amended From,Spremenjeni Od -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Surovina +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Surovina DocType: Leave Application,Follow via Email,Sledite preko e-maila apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Rastline in stroje DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Davčna Znesek Po Popust Znesek DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dnevni Nastavitve Delo Povzetek -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta ceniku {0} ni podobna z izbrano valuto {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuta ceniku {0} ni podobna z izbrano valuto {1} DocType: Payment Entry,Internal Transfer,Interni prenos apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,"Otrok račun obstaja za ta račun. Ne, ne moreš izbrisati ta račun." apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Bodisi ciljna kol ali ciljna vrednost je obvezna apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ne obstaja privzeta BOM za postavko {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Prosimo, izberite datumom knjiženja najprej" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Prosimo, izberite datumom knjiženja najprej" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Pričetek mora biti pred Zapiranje Datum DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Stroškovno Center z obstoječimi transakcij ni mogoče pretvoriti v knjigo terjatev DocType: Department,Days for which Holidays are blocked for this department.,"Dni, za katere so Holidays blokirana za ta oddelek." ,Produced,Proizvedena -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Ustvaril plačilne liste +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Ustvaril plačilne liste DocType: Item,Item Code for Suppliers,Oznaka za dobavitelje DocType: Issue,Raised By (Email),Postavljeno Z (e-naslov) DocType: Training Event,Trainer Name,Ime Trainer @@ -3397,9 +3403,10 @@ DocType: Mode of Payment,General,Splošno apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Zadnje sporočilo apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Zadnje sporočilo apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne more odbiti, če je kategorija za "vrednotenje" ali "Vrednotenje in Total"" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Seznam vaših davčnih glave (npr DDV, carine itd, morajo imeti edinstvena imena) in njihovi standardni normativi. To bo ustvarilo standardno predlogo, ki jo lahko urediti in dodati več kasneje." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Seznam vaših davčnih glave (npr DDV, carine itd, morajo imeti edinstvena imena) in njihovi standardni normativi. To bo ustvarilo standardno predlogo, ki jo lahko urediti in dodati več kasneje." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serijska št Zahtevano za zaporednimi postavki {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match plačila z računov +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},"Vrstica # {0}: Prosimo, vnesite datum dostave proti predmetu {1}" DocType: Journal Entry,Bank Entry,Banka Začetek DocType: Authorization Rule,Applicable To (Designation),Ki se uporabljajo za (Oznaka) ,Profitability Analysis,Analiza dobičkonosnosti @@ -3415,17 +3422,18 @@ DocType: Quality Inspection,Item Serial No,Postavka Zaporedna številka apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Ustvari zaposlencev zapisov apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Skupaj Present apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,računovodski izkazi -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Ura +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Ura apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nova serijska številka ne more imeti skladišče. Skladišče mora nastaviti borze vstopu ali Potrdilo o nakupu DocType: Lead,Lead Type,Tip ponudbe apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Niste pooblaščeni za odobritev liste na Block termini -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Vsi ti artikli so že bili obračunani +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Vsi ti artikli so že bili obračunani +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Mesečni prodajni cilj apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Mogoče odobriti {0} DocType: Item,Default Material Request Type,Privzeto Material Vrsta Zahteva apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Neznan DocType: Shipping Rule,Shipping Rule Conditions,Pogoji dostavnega pravila DocType: BOM Replace Tool,The new BOM after replacement,Novi BOM po zamenjavi -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Prodajno mesto +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Prodajno mesto DocType: Payment Entry,Received Amount,prejela znesek DocType: GST Settings,GSTIN Email Sent On,"GSTIN e-pošti," DocType: Program Enrollment,Pick/Drop by Guardian,Pick / znižala za Guardian @@ -3442,8 +3450,8 @@ DocType: Batch,Source Document Name,Vir Ime dokumenta DocType: Batch,Source Document Name,Vir Ime dokumenta DocType: Job Opening,Job Title,Job Naslov apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Ustvari uporabnike -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Količina na Izdelava mora biti večja od 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Količina na Izdelava mora biti večja od 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Obiščite poročilo za vzdrževalna klic. DocType: Stock Entry,Update Rate and Availability,Posodobitev Oceni in razpoložljivost DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Odstotek ste dovoljeno prejemati ali dostaviti bolj proti količine naročenega. Na primer: Če ste naročili 100 enot. in vaš dodatek za 10%, potem ste lahko prejeli 110 enot." @@ -3455,7 +3463,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Prosim za prekinitev računu o nakupu {0} najprej apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-poštni naslov mora biti edinstven, že obstaja za {0}" DocType: Serial No,AMC Expiry Date,AMC preteka Datum -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,prejem +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,prejem ,Sales Register,Prodaja Register DocType: Daily Work Summary Settings Company,Send Emails At,Pošlji e-pošte na DocType: Quotation,Quotation Lost Reason,Kotacija Lost Razlog @@ -3468,14 +3476,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Ni še nobene apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Izkaz denarnih tokov apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredita vrednosti ne sme preseči najvišji možen kredit znesku {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licenca -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},"Prosimo, odstranite tej fakturi {0} od C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},"Prosimo, odstranite tej fakturi {0} od C-Form {1}" DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prosimo, izberite Carry Forward, če želite vključiti tudi v preteklem poslovnem letu je bilanca prepušča tem fiskalnem letu" DocType: GL Entry,Against Voucher Type,Proti bon Type DocType: Item,Attributes,Atributi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Vnesite račun za odpis apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Zadnja Datum naročila apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Račun {0} ne pripada podjetju {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Številke v vrstici {0} se ne ujema z dobavnice +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Številke v vrstici {0} se ne ujema z dobavnice DocType: Student,Guardian Details,Guardian Podrobnosti DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Udeležba za več zaposlenih @@ -3507,16 +3515,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Vr DocType: Tax Rule,Sales,Prodaja DocType: Stock Entry Detail,Basic Amount,Osnovni znesek DocType: Training Event,Exam,Izpit -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Skladišče je potrebna za borzo postavki {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Skladišče je potrebna za borzo postavki {0} DocType: Leave Allocation,Unused leaves,Neizkoriščene listi -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Država za zaračunavanje apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Prenos apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ni povezana z računom stranke {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch eksplodiral BOM (vključno podsklopov) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch eksplodiral BOM (vključno podsklopov) DocType: Authorization Rule,Applicable To (Employee),Ki se uporabljajo za (zaposlenih) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Datum zapadlosti je obvezno apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Prirastek za Attribute {0} ne more biti 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Stranka> Skupina strank> Ozemlje DocType: Journal Entry,Pay To / Recd From,Pay / Recd Od DocType: Naming Series,Setup Series,Nastavitve zaporedja DocType: Payment Reconciliation,To Invoice Date,Če želite Datum računa @@ -3543,7 +3552,7 @@ DocType: Journal Entry,Write Off Based On,Odpisuje temelji na apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Naredite Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Tiskanje in Pisalne DocType: Stock Settings,Show Barcode Field,Prikaži Barcode Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Pošlji Dobavitelj e-pošte +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Pošlji Dobavitelj e-pošte apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plača je že pripravljena za obdobje med {0} in {1}, Pusti obdobje uporabe ne more biti med tem časovnem obdobju." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Namestitev rekord Serial No. DocType: Guardian Interest,Guardian Interest,Guardian Obresti @@ -3557,7 +3566,7 @@ DocType: Offer Letter,Awaiting Response,Čakanje na odgovor apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Nad apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Neveljaven atribut {0} {1} DocType: Supplier,Mention if non-standard payable account,Omemba če nestandardni plača račun -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Enako postavka je bila vpisana večkrat. {Seznam} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Enako postavka je bila vpisana večkrat. {Seznam} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',"Izberite ocenjevalne skupine, razen "vseh skupin za presojo"" DocType: Salary Slip,Earning & Deduction,Zaslužek & Odbitek apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Neobvezno. Ta nastavitev bo uporabljena za filtriranje v različnih poslih. @@ -3576,7 +3585,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Stroški izločeni sredstvi apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Stroški Center je obvezen za postavko {2} DocType: Vehicle,Policy No,Pravilnik št -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Dobili predmetov iz Bundle izdelkov +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Dobili predmetov iz Bundle izdelkov DocType: Asset,Straight Line,Ravna črta DocType: Project User,Project User,projekt Uporabnik apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Split @@ -3591,6 +3600,7 @@ DocType: Bank Reconciliation,Payment Entries,Plačilni vnosi DocType: Production Order,Scrap Warehouse,ostanki Skladišče DocType: Production Order,Check if material transfer entry is not required,"Preverite, ali je vpis prenosa materiala ni potrebno" DocType: Production Order,Check if material transfer entry is not required,"Preverite, ali je vpis prenosa materiala ni potrebno" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Prosimo, nastavite sistem imenovanja zaposlenih v kadrovskem načrtu> HR Settings" DocType: Program Enrollment Tool,Get Students From,Dobili študenti iz DocType: Hub Settings,Seller Country,Prodajalec Država apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Objavite elementov na spletni strani @@ -3609,19 +3619,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,Navedite pogoje za izračun zneska ladijskega DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,"Vloga dovoliti, da določijo zamrznjenih računih in uredi Zamrznjen Entries" apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Otvoritev Vrednost +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Otvoritev Vrednost DocType: Salary Detail,Formula,Formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisija za prodajo DocType: Offer Letter Term,Value / Description,Vrednost / Opis -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ni mogoče predložiti, je že {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ni mogoče predložiti, je že {2}" DocType: Tax Rule,Billing Country,Zaračunavanje Država DocType: Purchase Order Item,Expected Delivery Date,Pričakuje Dostava Datum apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debetnih in kreditnih ni enaka za {0} # {1}. Razlika je {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Zabava Stroški apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Naredite Zahteva material apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Odprti Točka {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Račun {0} je potrebno preklicati pred preklicom tega prodajnega naročila +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Račun {0} je potrebno preklicati pred preklicom tega prodajnega naročila apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Starost DocType: Sales Invoice Timesheet,Billing Amount,Zaračunavanje Znesek apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Neveljavna količina, določena za postavko {0}. Količina mora biti večja od 0." @@ -3644,7 +3654,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,New Customer Prihodki apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Potni stroški DocType: Maintenance Visit,Breakdown,Zlomiti se -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Račun: {0} z valuti: ne more biti izbran {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Račun: {0} z valuti: ne more biti izbran {1} DocType: Bank Reconciliation Detail,Cheque Date,Ček Datum apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: Matični račun {1} ne pripada podjetju: {2} DocType: Program Enrollment Tool,Student Applicants,Študentski Vlagatelji @@ -3664,11 +3674,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Načrt DocType: Material Request,Issued,Izdala apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,študent dejavnost DocType: Project,Total Billing Amount (via Time Logs),Skupni znesek plačevanja (preko Čas Dnevniki) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Prodamo ta artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Prodamo ta artikel apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Dobavitelj Id DocType: Payment Request,Payment Gateway Details,Plačilo Gateway Podrobnosti -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Količina mora biti večja od 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,vzorec podatkov +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Količina mora biti večja od 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,vzorec podatkov DocType: Journal Entry,Cash Entry,Cash Začetek apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Otroški vozlišča lahko ustvari samo na podlagi tipa vozlišča "skupina" DocType: Leave Application,Half Day Date,Polovica Dan Datum @@ -3677,17 +3687,18 @@ DocType: Sales Partner,Contact Desc,Kontakt opis izdelka apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Vrsta listov kot priložnostno, bolni itd" DocType: Email Digest,Send regular summary reports via Email.,Pošlji redna zbirna poročila preko e-maila. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Prosim, nastavite privzetega računa v Tip Expense Terjatve {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},"Prosim, nastavite privzetega računa v Tip Expense Terjatve {0}" DocType: Assessment Result,Student Name,Student Ime DocType: Brand,Item Manager,Element Manager apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Plače plačljivo DocType: Buying Settings,Default Supplier Type,Privzeta Dobavitelj Type DocType: Production Order,Total Operating Cost,Skupni operativni stroški -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Opomba: Točka {0} vpisana večkrat +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Opomba: Točka {0} vpisana večkrat apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Vsi stiki. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Nastavite cilj apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Kratica podjetja apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Uporabnik {0} ne obstaja -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,"Surovina, ne more biti isto kot glavni element" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,"Surovina, ne more biti isto kot glavni element" DocType: Item Attribute Value,Abbreviation,Kratica apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Plačilo vnos že obstaja apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,"Ne authroized saj je {0}, presega meje" @@ -3705,7 +3716,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Vloga Dovoljeno uredit ,Territory Target Variance Item Group-Wise,Ozemlje Ciljna Varianca Postavka Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Vse skupine strank apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Bilančni Mesečni -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obvezna. Mogoče je Menjalni zapis ni ustvarjen za {1} na {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obvezna. Mogoče je Menjalni zapis ni ustvarjen za {1} na {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Davčna Predloga je obvezna. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Račun {0}: Matični račun {1} ne obstaja DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cenik Rate (družba Valuta) @@ -3716,7 +3727,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Odstotek dodelitv apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretar DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Če onemogočiti, "z besedami" polja ne bo vidna v vsakem poslu" DocType: Serial No,Distinct unit of an Item,Ločena enota Postavka -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Nastavite Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Nastavite Company DocType: Pricing Rule,Buying,Nabava DocType: HR Settings,Employee Records to be created by,"Zapisi zaposlenih, ki ga povzročajo" DocType: POS Profile,Apply Discount On,Uporabi popust na @@ -3727,7 +3738,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Postavka Wise Davčna Detail apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Kratica inštituta ,Item-wise Price List Rate,Element-pametno Cenik Rate -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Dobavitelj za predračun +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Dobavitelj za predračun DocType: Quotation,In Words will be visible once you save the Quotation.,"V besedi bo viden, ko boste prihranili citata." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne more biti komponenta v vrstici {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne more biti komponenta v vrstici {1} @@ -3751,7 +3762,7 @@ Updated via 'Time Log'",v minutah Posodobljeno preko "Čas Logu" DocType: Customer,From Lead,Iz ponudbe apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Naročila sprosti za proizvodnjo. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Izberite poslovno leto ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,"POS Profil zahteva, da POS Entry" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,"POS Profil zahteva, da POS Entry" DocType: Program Enrollment Tool,Enroll Students,včlanite Študenti DocType: Hub Settings,Name Token,Ime Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna Prodaja @@ -3769,7 +3780,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Stock Value Razlika apps/erpnext/erpnext/config/learn.py +234,Human Resource,Človeški viri DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Plačilo Sprava Plačilo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Davčni Sredstva -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Proizvodnja naročilo je {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Proizvodnja naročilo je {0} DocType: BOM Item,BOM No,BOM Ne DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} nima računa {1} ali že primerjali z drugimi kupon @@ -3783,7 +3794,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Naloži apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Izjemna Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Določiti cilje Postavka Group-pametno za te prodaje oseba. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zaloge Older Than [dni] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Sredstvo je obvezna za osnovno sredstvo nakupu / prodaji +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Sredstvo je obvezna za osnovno sredstvo nakupu / prodaji apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Če dva ali več Cenik Pravilnik ugotovila na podlagi zgoraj navedenih pogojev, se uporablja Prioriteta. Prednostno je število med 0 do 20, medtem ko privzeta vrednost nič (prazno). Višja številka pomeni, da bo prednost, če obstaja več cenovnih Pravila z enakimi pogoji." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Poslovno leto: {0} ne obstaja DocType: Currency Exchange,To Currency,Valutnemu @@ -3792,7 +3803,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Vrste Expense zah apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopnjo za zapisu Prodajni {0} nižja kot njegovi {1}. Prodajni manj morajo vsebovati vsaj {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopnjo za zapisu Prodajni {0} nižja kot njegovi {1}. Prodajni manj morajo vsebovati vsaj {2} DocType: Item,Taxes,Davki -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Plačana in ni podal +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Plačana in ni podal DocType: Project,Default Cost Center,Privzet Stroškovni Center DocType: Bank Guarantee,End Date,Končni datum apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Zaloga Transakcije @@ -3809,7 +3820,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daily Delo Povzetek Nastavitve Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Postavka {0} prezrta, ker ne gre za element parka" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Predloži ta proizvodnja red za nadaljnjo predelavo. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Predloži ta proizvodnja red za nadaljnjo predelavo. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Da ne uporabljajo Cenovno pravilo v posameznem poslu, bi morali vsi, ki se uporabljajo pravila za oblikovanje cen so onemogočeni." DocType: Assessment Group,Parent Assessment Group,Skupina Ocena Parent apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs @@ -3817,10 +3828,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs DocType: Employee,Held On,Potekala v apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Proizvodnja Postavka ,Employee Information,Informacije zaposleni -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Stopnja (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Stopnja (%) DocType: Stock Entry Detail,Additional Cost,Dodatne Stroški apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Filter ne more temeljiti na kupona št, če je združena s Voucher" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Naredite Dobavitelj predračun +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Naredite Dobavitelj predračun DocType: Quality Inspection,Incoming,Dohodni DocType: BOM,Materials Required (Exploded),Potreben materiali (eksplodirala) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Dodati uporabnike za vašo organizacijo, razen sebe" @@ -3836,7 +3847,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Račun: {0} se lahko posodobi samo preko delniških poslov DocType: Student Group Creation Tool,Get Courses,Get Tečaji DocType: GL Entry,Party,Zabava -DocType: Sales Order,Delivery Date,Datum dostave +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Datum dostave DocType: Opportunity,Opportunity Date,Priložnost Datum DocType: Purchase Receipt,Return Against Purchase Receipt,Vrni Proti Potrdilo o nakupu DocType: Request for Quotation Item,Request for Quotation Item,Zahteva za ponudbo točki @@ -3850,7 +3861,7 @@ DocType: Task,Actual Time (in Hours),Dejanski čas (v urah) DocType: Employee,History In Company,Zgodovina V družbi apps/erpnext/erpnext/config/learn.py +107,Newsletters,Glasila DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Enako postavka je bila vpisana večkrat +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Enako postavka je bila vpisana večkrat DocType: Department,Leave Block List,Pustite Block List DocType: Sales Invoice,Tax ID,Davčna številka apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Postavka {0} ni setup za Serijska št. Kolona mora biti prazno @@ -3868,25 +3879,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Črna DocType: BOM Explosion Item,BOM Explosion Item,BOM Eksplozija Postavka DocType: Account,Auditor,Revizor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} postavke proizvedene +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} postavke proizvedene DocType: Cheque Print Template,Distance from top edge,Oddaljenost od zgornjega roba apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cenik {0} je onemogočena ali pa ne obstaja DocType: Purchase Invoice,Return,Return DocType: Production Order Operation,Production Order Operation,Proizvodnja naročite Delovanje DocType: Pricing Rule,Disable,Onemogoči -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,"Način plačila je potrebno, da bi plačilo" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,"Način plačila je potrebno, da bi plačilo" DocType: Project Task,Pending Review,Dokler Pregled apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ni vpisan v Batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Sredstvo {0} ne more biti izločeni, saj je že {1}" DocType: Task,Total Expense Claim (via Expense Claim),Total Expense zahtevek (preko Expense zahtevka) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Odsoten -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Vrstica {0}: Valuta BOM # {1} mora biti enaka izbrani valuti {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Vrstica {0}: Valuta BOM # {1} mora biti enaka izbrani valuti {2} DocType: Journal Entry Account,Exchange Rate,Menjalni tečaj -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Naročilo {0} ni predloženo +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Naročilo {0} ni predloženo DocType: Homepage,Tag Line,tag Line DocType: Fee Component,Fee Component,Fee Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet management -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Dodaj artikle iz +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Dodaj artikle iz DocType: Cheque Print Template,Regular,redno apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Skupaj weightage vseh ocenjevalnih meril mora biti 100% DocType: BOM,Last Purchase Rate,Zadnja Purchase Rate @@ -3907,12 +3918,12 @@ DocType: Employee,Reports to,Poročila DocType: SMS Settings,Enter url parameter for receiver nos,Vnesite url parameter za sprejemnik nos DocType: Payment Entry,Paid Amount,Znesek Plačila DocType: Assessment Plan,Supervisor,nadzornik -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Na zalogi +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Na zalogi ,Available Stock for Packing Items,Zaloga za embalirane izdelke DocType: Item Variant,Item Variant,Postavka Variant DocType: Assessment Result Tool,Assessment Result Tool,Ocena Rezultat orodje DocType: BOM Scrap Item,BOM Scrap Item,BOM Odpadno Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Predložene naročila ni mogoče izbrisati +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Predložene naročila ni mogoče izbrisati apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje na računu je že ""bremenitev"", ni dovoljeno nastaviti ""Stanje mora biti"" kot ""kredit""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Upravljanje kakovosti apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Točka {0} je bila onemogočena @@ -3944,7 +3955,7 @@ DocType: Item Group,Default Expense Account,Privzeto Expense račun apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Študent Email ID DocType: Employee,Notice (days),Obvestilo (dni) DocType: Tax Rule,Sales Tax Template,Sales Tax Predloga -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,"Izberite predmete, da shranite račun" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,"Izberite predmete, da shranite račun" DocType: Employee,Encashment Date,Vnovčevanje Datum DocType: Training Event,Internet,internet DocType: Account,Stock Adjustment,Prilagoditev zaloge @@ -3993,10 +4004,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatc apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max popust dovoljena za postavko: {0} je {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Čista vrednost sredstev, kot je na" DocType: Account,Receivable,Terjatev -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Vrstica # {0}: ni dovoljeno spreminjati Dobavitelj kot Naročilo že obstaja +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Vrstica # {0}: ni dovoljeno spreminjati Dobavitelj kot Naročilo že obstaja DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Vloga, ki jo je dovoljeno vložiti transakcije, ki presegajo omejitve posojil zastavili." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Izberite artikel v Izdelava -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master podatkov sinhronizacijo, lahko traja nekaj časa" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Izberite artikel v Izdelava +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master podatkov sinhronizacijo, lahko traja nekaj časa" DocType: Item,Material Issue,Material Issue DocType: Hub Settings,Seller Description,Prodajalec Opis DocType: Employee Education,Qualification,Kvalifikacije @@ -4017,11 +4028,10 @@ DocType: BOM,Rate Of Materials Based On,Oceni materialov na osnovi apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Podpora Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Odznači vse DocType: POS Profile,Terms and Conditions,Pravila in pogoji -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Prosimo, nastavite sistem imenovanja zaposlenih v kadrovskem načrtu> HR Settings" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Do datuma mora biti v poslovnem letu. Ob predpostavki, da želite Datum = {0}" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Tukaj lahko ohranijo višino, težo, alergije, zdravstvene pomisleke itd" DocType: Leave Block List,Applies to Company,Velja za podjetja -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Ni mogoče preklicati, ker je predložila Stock Začetek {0} obstaja" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Ni mogoče preklicati, ker je predložila Stock Začetek {0} obstaja" DocType: Employee Loan,Disbursement Date,izplačilo Datum DocType: Vehicle,Vehicle,vozila DocType: Purchase Invoice,In Words,V besedi @@ -4060,7 +4070,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globalni Nastavitve DocType: Assessment Result Detail,Assessment Result Detail,Ocena Rezultat Podrobnosti DocType: Employee Education,Employee Education,Izobraževanje delavec apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Dvojnik postavka skupina je našla v tabeli točka skupine -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,"To je potrebno, da prinese Element Podrobnosti." +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,"To je potrebno, da prinese Element Podrobnosti." DocType: Salary Slip,Net Pay,Neto plača DocType: Account,Account,Račun apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serijska št {0} je že prejela @@ -4068,7 +4078,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,vozilo Log DocType: Purchase Invoice,Recurring Id,Ponavljajoči Id DocType: Customer,Sales Team Details,Sales Team Podrobnosti -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Izbriši trajno? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Izbriši trajno? DocType: Expense Claim,Total Claimed Amount,Skupaj zahtevani znesek apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencialne možnosti za prodajo. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neveljavna {0} @@ -4080,7 +4090,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup vaš šola v ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Osnovna Sprememba Znesek (družba Valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Ni vknjižbe za naslednjih skladiščih -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Shranite dokument na prvem mestu. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Shranite dokument na prvem mestu. DocType: Account,Chargeable,Obračuna DocType: Company,Change Abbreviation,Spremeni kratico DocType: Expense Claim Detail,Expense Date,Expense Datum @@ -4094,7 +4104,6 @@ DocType: BOM,Manufacturing User,Proizvodnja Uporabnik DocType: Purchase Invoice,Raw Materials Supplied,"Surovin, dobavljenih" DocType: Purchase Invoice,Recurring Print Format,Ponavljajoči Print Format DocType: C-Form,Series,Zaporedje -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Pričakuje Dostava datum ne more biti pred narocilo Datum DocType: Appraisal,Appraisal Template,Cenitev Predloga DocType: Item Group,Item Classification,Postavka Razvrstitev apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4133,12 +4142,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Izberi zna apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Usposabljanje Dogodki / Rezultati apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,"Nabrano amortizacijo, na" DocType: Sales Invoice,C-Form Applicable,"C-obliki, ki velja" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},"Delovanje Čas mora biti večja od 0, za obratovanje {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},"Delovanje Čas mora biti večja od 0, za obratovanje {0}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Skladišče je obvezna DocType: Supplier,Address and Contacts,Naslov in kontakti DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail DocType: Program,Program Abbreviation,Kratica programa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Proizvodnja naročilo ne more biti postavljeno pred Predloga Postavka +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Proizvodnja naročilo ne more biti postavljeno pred Predloga Postavka apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Dajatve so posodobljeni v Potrdilo o nakupu ob vsaki postavki DocType: Warranty Claim,Resolved By,Rešujejo s DocType: Bank Guarantee,Start Date,Datum začetka @@ -4173,6 +4182,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Predlogi za usposabljanje apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Proizvodnja naročite {0} je treba predložiti apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Prosimo, izberite Start in končni datum za postavko {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Določite prodajne cilje, ki jih želite doseči." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Seveda je obvezna v vrsti {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Do danes ne more biti pred od datuma DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4191,7 +4201,7 @@ DocType: Account,Income,Prihodki DocType: Industry Type,Industry Type,Industrija Type apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Nekaj je šlo narobe! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Opozorilo: Pustite prijava vsebuje naslednje datume blok -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Račun {0} je že bil predložen +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Račun {0} je že bil predložen DocType: Assessment Result Detail,Score,ocena apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Poslovno leto {0} ne obstaja apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,datum dokončanja @@ -4221,7 +4231,7 @@ DocType: Naming Series,Help HTML,Pomoč HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Študent orodje za oblikovanje skupine DocType: Item,Variant Based On,"Varianta, ki temelji na" apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Skupaj weightage dodeljena mora biti 100%. To je {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Vaše Dobavitelji +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Vaše Dobavitelji apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Ni mogoče nastaviti kot izgubili, kot je narejena Sales Order." DocType: Request for Quotation Item,Supplier Part No,Šifra dela dobavitelj apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"ne more odbiti, če je kategorija za "vrednotenje" ali "Vaulation in Total"" @@ -4231,14 +4241,14 @@ DocType: Item,Has Serial No,Ima Serijska št DocType: Employee,Date of Issue,Datum izdaje apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Od {0} za {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kot je na Nastavitve Nakup če Nakup Reciept Zahtevano == "DA", nato pa za ustvarjanje računu o nakupu, uporabnik potreba ustvariti Nakup listek najprej za postavko {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Vrstica # {0}: Nastavite Dobavitelj za postavko {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Vrstica {0}: Ure vrednost mora biti večja od nič. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Vrstica # {0}: Nastavite Dobavitelj za postavko {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Vrstica {0}: Ure vrednost mora biti večja od nič. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Spletna stran slike {0} pritrjena na postavki {1} ni mogoče najti DocType: Issue,Content Type,Vrsta vsebine apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Računalnik DocType: Item,List this Item in multiple groups on the website.,Seznam ta postavka v več skupinah na spletni strani. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Prosimo, preverite Multi Valuta možnost, da se omogoči račune pri drugi valuti" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Postavka: {0} ne obstaja v sistemu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Postavka: {0} ne obstaja v sistemu apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nimate dovoljenja za nastavitev Zamrznjena vrednost DocType: Payment Reconciliation,Get Unreconciled Entries,Pridobite neusklajene vnose DocType: Payment Reconciliation,From Invoice Date,Od Datum računa @@ -4264,7 +4274,7 @@ DocType: Stock Entry,Default Source Warehouse,Privzeto Vir Skladišče DocType: Item,Customer Code,Koda za stranke apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},"Opomnik za rojstni dan, za {0}" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dni od zadnjega naročila -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Bremenitev računa mora biti bilanca računa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Bremenitev računa mora biti bilanca računa DocType: Buying Settings,Naming Series,Poimenovanje zaporedja DocType: Leave Block List,Leave Block List Name,Pustite Ime Block List apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Datum zavarovanje Začetek sme biti manjša od datuma zavarovanje End @@ -4281,7 +4291,7 @@ DocType: Vehicle Log,Odometer,števec kilometrov DocType: Sales Order Item,Ordered Qty,Naročeno Kol apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Postavka {0} je onemogočena DocType: Stock Settings,Stock Frozen Upto,Stock Zamrznjena Stanuje -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ne vsebuje nobenega elementa zaloge +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM ne vsebuje nobenega elementa zaloge apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},"Obdobje Od in obdobje, da datumi obvezne za ponavljajoče {0}" apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektna dejavnost / naloga. DocType: Vehicle Log,Refuelling Details,Oskrba z gorivom Podrobnosti @@ -4291,7 +4301,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Zadnja stopnja nakup ni bilo mogoče najti DocType: Purchase Invoice,Write Off Amount (Company Currency),Napišite enkratni znesek (družba Valuta) DocType: Sales Invoice Timesheet,Billing Hours,zaračunavanje storitev ure -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Privzeti BOM za {0} ni bilo mogoče najti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Privzeti BOM za {0} ni bilo mogoče najti apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Vrstica # {0}: Prosim nastavite naročniško količino apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Dotaknite predmete, da jih dodate tukaj" DocType: Fees,Program Enrollment,Program Vpis @@ -4325,6 +4335,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Staranje Razpon 2 DocType: SG Creation Tool Course,Max Strength,Max moč apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM nadomesti +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Izberite elemente glede na datum dostave ,Sales Analytics,Prodajna analitika apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Na voljo {0} ,Prospects Engaged But Not Converted,Obeti Ukvarjajo pa ne pretvorijo @@ -4373,7 +4384,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Popust apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet za naloge. DocType: Purchase Invoice,Against Expense Account,Proti Expense račun DocType: Production Order,Production Order,Proizvodnja naročilo -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Je že bil predložen Namestitev Opomba {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Je že bil predložen Namestitev Opomba {0} DocType: Bank Reconciliation,Get Payment Entries,Dobili plačila Entries DocType: Quotation Item,Against Docname,Proti Docname DocType: SMS Center,All Employee (Active),Vsi zaposlenih (Active) @@ -4382,7 +4393,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Raw Material Stroški DocType: Item Reorder,Re-Order Level,Ponovno naročila ravni DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Vnesite predmete in načrtovano kol, za katere želite, da dvig proizvodnih nalogov ali prenos surovin za analizo." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantogram +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantogram apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Krajši delovni čas DocType: Employee,Applicable Holiday List,Velja Holiday Seznam DocType: Employee,Cheque,Ček @@ -4439,11 +4450,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Rezervirano Količina za proizvodnjo DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Pustite neoznačeno, če ne želite, da razmisli serije, hkrati pa seveda temelji skupin." DocType: Asset,Frequency of Depreciation (Months),Pogostost amortizacijo (meseci) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Credit račun +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Credit račun DocType: Landed Cost Item,Landed Cost Item,Pristali Stroški Postavka apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Prikaži ničelnimi vrednostmi DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Količina postavke pridobljeno po proizvodnji / prepakiranja iz danih količin surovin -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Nastavitev preprosto spletno stran za svojo organizacijo +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Nastavitev preprosto spletno stran za svojo organizacijo DocType: Payment Reconciliation,Receivable / Payable Account,Terjatve / plačljivo račun DocType: Delivery Note Item,Against Sales Order Item,Proti Sales Order Postavka apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Prosimo, navedite Lastnost vrednost za atribut {0}" @@ -4507,22 +4518,22 @@ DocType: Student,Nationality,državljanstvo ,Items To Be Requested,"Predmeti, ki bodo zahtevana" DocType: Purchase Order,Get Last Purchase Rate,Get zadnjega nakupa Rate DocType: Company,Company Info,Informacije o podjetju -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Izberite ali dodati novo stranko -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Stroškovno mesto je potrebno rezervirati odhodek zahtevek +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Izberite ali dodati novo stranko +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Stroškovno mesto je potrebno rezervirati odhodek zahtevek apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Uporaba sredstev (sredstva) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ta temelji na prisotnosti tega zaposlenega -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Debetni račun +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Debetni račun DocType: Fiscal Year,Year Start Date,Leto Start Date DocType: Attendance,Employee Name,ime zaposlenega DocType: Sales Invoice,Rounded Total (Company Currency),Zaokrožena Skupaj (Company Valuta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Ne more prikrite skupini, saj je izbrana vrsta računa." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} je bila spremenjena. Osvežite. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} je bila spremenjena. Osvežite. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop uporabnike iz česar dopusta aplikacij na naslednjih dneh. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Znesek nakupa apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dobavitelj za predračun {0} ustvaril apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Konec leta ne more biti pred začetkom leta apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Zaslužki zaposlencev -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Pakirana količina mora biti enaka količini za postavko {0} v vrstici {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Pakirana količina mora biti enaka količini za postavko {0} v vrstici {1} DocType: Production Order,Manufactured Qty,Izdelano Kol DocType: Purchase Receipt Item,Accepted Quantity,Accepted Količina apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Nastavite privzeto Hiša List za zaposlenega {0} ali podjetja {1} @@ -4533,11 +4544,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Vrstica št {0}: količina ne more biti večja od Dokler Znesek proti Expense zahtevka {1}. Dokler Znesek je {2} DocType: Maintenance Schedule,Schedule,Urnik DocType: Account,Parent Account,Matični račun -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Na voljo +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Na voljo DocType: Quality Inspection Reading,Reading 3,Branje 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Bon Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cenik ni mogoče najti ali onemogočena +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Cenik ni mogoče najti ali onemogočena DocType: Employee Loan Application,Approved,Odobreno DocType: Pricing Rule,Price,Cena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Zaposleni razrešen na {0} mora biti nastavljen kot "levo" @@ -4607,7 +4618,7 @@ DocType: SMS Settings,Static Parameters,Statični Parametri DocType: Assessment Plan,Room,soba DocType: Purchase Order,Advance Paid,Advance Paid DocType: Item,Item Tax,Postavka Tax -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Material za dobavitelja +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Material za dobavitelja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Trošarina Račun apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Praga {0}% pojavi več kot enkrat DocType: Expense Claim,Employees Email Id,Zaposleni Email Id @@ -4647,7 +4658,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Model DocType: Production Order,Actual Operating Cost,Dejanski operacijski stroškov DocType: Payment Entry,Cheque/Reference No,Ček / referenčna številka -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavitelj> Dobavitelj tip apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root ni mogoče urejati. DocType: Item,Units of Measure,Merske enote DocType: Manufacturing Settings,Allow Production on Holidays,Dovoli Proizvodnja na počitnicah @@ -4680,12 +4690,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Kreditne dnevi apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Naj Student Batch DocType: Leave Type,Is Carry Forward,Se Carry Forward -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Pridobi artikle iz BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Pridobi artikle iz BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Dobavni rok dni -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Napotitev Datum mora biti enak datumu nakupa {1} od sredstva {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Napotitev Datum mora biti enak datumu nakupa {1} od sredstva {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Označite to, če je študent s stalnim prebivališčem v Hostel inštituta." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Vnesite Prodajne nalogov v zgornji tabeli -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ni predložil plačilne liste +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Ni predložil plačilne liste ,Stock Summary,Stock Povzetek apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Prenese sredstva iz enega skladišča v drugo DocType: Vehicle,Petrol,Petrol diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv index e36f11a001c..741dc36ec88 100644 --- a/erpnext/translations/sq.csv +++ b/erpnext/translations/sq.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Tregtar DocType: Employee,Rented,Me qira DocType: Purchase Order,PO-,poli- DocType: POS Profile,Applicable for User,E aplikueshme për anëtarët -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ndaloi Rendit prodhimit nuk mund të anulohet, tapën atë më parë për të anulluar" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ndaloi Rendit prodhimit nuk mund të anulohet, tapën atë më parë për të anulluar" DocType: Vehicle Service,Mileage,Largësi apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,A jeni të vërtetë doni për të hequr këtë pasuri? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Zgjidh Default Furnizuesi @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Faturuar apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate duhet të jetë i njëjtë si {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Emri i Klientit DocType: Vehicle,Natural Gas,Gazit natyror -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Llogari bankare nuk mund të quhet si {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Llogari bankare nuk mund të quhet si {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kokat (ose grupe) kundër të cilit Hyrjet e kontabilitetit janë bërë dhe bilancet janë të mirëmbajtura. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Shquar për {0} nuk mund të jetë më pak se zero ({1}) DocType: Manufacturing Settings,Default 10 mins,Default 10 minuta @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Lini Lloji Emri apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Trego të hapur apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Seria Përditësuar sukses apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,arkë -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Hyrja Dërguar +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Hyrja Dërguar DocType: Pricing Rule,Apply On,Apliko On DocType: Item Price,Multiple Item prices.,Çmimet shumta artikull. ,Purchase Order Items To Be Received,Items Rendit Blerje të pranohen @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Mënyra e Llogarisë Pa apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Shfaq Variantet DocType: Academic Term,Academic Term,Term akademik apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,material -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Sasi +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Sasi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Llogaritë tabelë nuk mund të jetë bosh. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Kredi (obligimeve) DocType: Employee Education,Year of Passing,Viti i kalimit @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Kujdes shëndetësor apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Vonesa në pagesa (ditë) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,shpenzimeve të shërbimit -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Numri Serial: {0} është referuar tashmë në shitje Faturë: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Faturë +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Numri Serial: {0} është referuar tashmë në shitje Faturë: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Faturë DocType: Maintenance Schedule Item,Periodicity,Periodicitet apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Viti Fiskal {0} është e nevojshme -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Pritet Data e dorëzimit është jetë para Sales Rendit Data apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Mbrojtje DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),Rezultati (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: DocType: Timesheet,Total Costing Amount,Total Shuma kushton DocType: Delivery Note,Vehicle No,Automjeteve Nuk ka -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Ju lutem, përzgjidhni Lista e Çmimeve" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,"Ju lutem, përzgjidhni Lista e Çmimeve" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: dokument Pagesa është e nevojshme për të përfunduar trasaction DocType: Production Order Operation,Work In Progress,Punë në vazhdim apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Ju lutemi zgjidhni data @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ne asnje vitit aktiv Fiskal. DocType: Packed Item,Parent Detail docname,Docname prind Detail apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",Referenca: {0} Artikull Code: {1} dhe klientit: {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Identifikohu apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Hapja për një punë. DocType: Item Attribute,Increment,Rritje @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,I martuar apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Nuk lejohet për {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Të marrë sendet nga -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock nuk mund të rifreskohet kundër dorëzimit Shënim {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock nuk mund të rifreskohet kundër dorëzimit Shënim {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Product {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nuk ka artikuj të listuara DocType: Payment Reconciliation,Reconcile,Pajtojë @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Fonde apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Zhvlerësimi Date tjetër nuk mund të jetë më parë data e blerjes DocType: SMS Center,All Sales Person,Të gjitha Person Sales DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Shpërndarja mujore ** ju ndihmon të shpërndani Buxhetore / Target gjithë muaj nëse keni sezonalitetit në biznesin tuaj. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Nuk sende gjetur +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Nuk sende gjetur apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Struktura Paga Missing DocType: Lead,Person Name,Emri personi DocType: Sales Invoice Item,Sales Invoice Item,Item Shitjet Faturë @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""A është e aseteve fikse" nuk mund të jetë e pakontrolluar, pasi ekziston rekord Pasurive ndaj artikullit" DocType: Vehicle Service,Brake Oil,Brake Oil DocType: Tax Rule,Tax Type,Lloji Tatimore -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Shuma e tatueshme +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Shuma e tatueshme apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Ju nuk jeni i autorizuar për të shtuar ose shënimet e para përditësim {0} DocType: BOM,Item Image (if not slideshow),Item Image (nëse nuk Slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Ekziston një klient me të njëjtin emër DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Ore Rate / 60) * aktuale Operacioni Koha -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Zgjidh BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Zgjidh BOM DocType: SMS Log,SMS Log,SMS Identifikohu apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostoja e Artikujve dorëzohet apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Festa në {0} nuk është në mes Nga Data dhe To Date @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,shkollat DocType: School Settings,Validate Batch for Students in Student Group,Vlereso Batch për Studentët në Grupin e Studentëve apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nuk ka rekord leje gjetur për punonjës {0} për {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ju lutemi shkruani kompani parë -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Ju lutemi zgjidhni kompania e parë +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Ju lutemi zgjidhni kompania e parë DocType: Employee Education,Under Graduate,Nën diplomuar apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Target Në DocType: BOM,Total Cost,Kostoja Totale DocType: Journal Entry Account,Employee Loan,Kredi punonjës -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Identifikohu Aktiviteti: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Item {0} nuk ekziston në sistemin apo ka skaduar +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Identifikohu Aktiviteti: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Item {0} nuk ekziston në sistemin apo ka skaduar apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Deklarata e llogarisë apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutike @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Shuma Claim apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Grupi i konsumatorëve Duplicate gjenden në tabelën e grupit cutomer apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Furnizuesi Lloji / Furnizuesi DocType: Naming Series,Prefix,Parashtesë -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vendosni Serinë Naming për {0} nëpërmjet Setup> Settings> Seria Naming -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Harxhuese +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Harxhuese DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Import Identifikohu DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Pull materiale Kërkesa e tipit Prodhime bazuar në kriteret e mësipërme DocType: Training Result Employee,Grade,Gradë DocType: Sales Invoice Item,Delivered By Supplier,Dorëzuar nga furnizuesi DocType: SMS Center,All Contact,Të gjitha Kontakt -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Rendit prodhimi krijuar tashmë për të gjitha sendet me bom +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Rendit prodhimi krijuar tashmë për të gjitha sendet me bom apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Paga vjetore DocType: Daily Work Summary,Daily Work Summary,Daily Përmbledhje Work DocType: Period Closing Voucher,Closing Fiscal Year,Mbyllja e Vitit Fiskal -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} është e ngrirë +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} është e ngrirë apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Ju lutem, përzgjidhni kompanie ekzistuese për krijimin Skemën e Kontabilitetit" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Shpenzimet apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Zgjidhni Target Magazina @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Pranuar + Refuzuar Qty duhet të jetë e barabartë me sasinë e pranuara për Item {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Furnizimit të lëndëve të para për Blerje -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Të paktën një mënyra e pagesës është e nevojshme për POS faturë. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Të paktën një mënyra e pagesës është e nevojshme për POS faturë. DocType: Products Settings,Show Products as a List,Shfaq Produkte si një Lista DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Shkarko template, plotësoni të dhënat e duhura dhe të bashkëngjitni e tanishëm. Të gjitha datat dhe punonjës kombinim në periudhën e zgjedhur do të vijë në template, me të dhënat ekzistuese frekuentimit" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Item {0} nuk është aktiv apo fundi i jetës është arritur -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Shembull: Matematikë themelore -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Të përfshijnë tatimin në rresht {0} në shkallën Item, taksat në rreshtat {1} duhet të përfshihen edhe" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Shembull: Matematikë themelore +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Të përfshijnë tatimin në rresht {0} në shkallën Item, taksat në rreshtat {1} duhet të përfshihen edhe" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Cilësimet për HR Module DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,Ndryshimi Shuma @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Data Instalimi nuk mund të jetë para datës së dorëzimit për pika {0} DocType: Pricing Rule,Discount on Price List Rate (%),Zbritje në listën e çmimeve Norma (%) DocType: Offer Letter,Select Terms and Conditions,Zgjidhni Termat dhe Kushtet -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Vlera out +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Vlera out DocType: Production Planning Tool,Sales Orders,Sales Urdhërat DocType: Purchase Taxes and Charges,Valuation,Vlerësim ,Purchase Order Trends,Rendit Blerje Trendet @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Është Hapja Hyrja DocType: Customer Group,Mention if non-standard receivable account applicable,Përmend në qoftë se jo-standarde llogari të arkëtueshme të zbatueshme DocType: Course Schedule,Instructor Name,instruktor Emri -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Për Magazina është e nevojshme para se të Submit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Për Magazina është e nevojshme para se të Submit apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Marrë më DocType: Sales Partner,Reseller,Reseller DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Nëse zgjidhet, do të përfshijë çështje jo-aksioneve në kërkesat materiale." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Kundër Item Shitjet Faturë ,Production Orders in Progress,Urdhërat e prodhimit në Progres apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Paraja neto nga Financimi -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage është e plotë, nuk ka shpëtuar" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage është e plotë, nuk ka shpëtuar" DocType: Lead,Address & Contact,Adresa & Kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Shtoni gjethe të papërdorura nga alokimet e mëparshme apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Tjetër Periodik {0} do të krijohet në {1} DocType: Sales Partner,Partner website,website partner apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Shto Item -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kontakt Emri +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kontakt Emri DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteret e vlerësimit kurs DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Krijon shqip pagave për kriteret e përmendura më sipër. DocType: POS Customer Group,POS Customer Group,POS Group Customer @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Ju lutem kontrolloni 'A Advance' kundër llogaria {1} në qoftë se kjo është një hyrje paraprakisht. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Magazina {0} nuk i përkasin kompanisë {1} DocType: Email Digest,Profit & Loss,Fitimi dhe Humbja -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litra +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litra DocType: Task,Total Costing Amount (via Time Sheet),Total Kostoja Shuma (via Koha Sheet) DocType: Item Website Specification,Item Website Specification,Item Faqja Specifikimi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Lini Blocked @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Shitjet Faturë Asnjë DocType: Material Request Item,Min Order Qty,Rendit min Qty DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursi Group Student Krijimi Tool DocType: Lead,Do Not Contact,Mos Kontaktoni -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Njerëzit të cilët japin mësim në organizatën tuaj +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Njerëzit të cilët japin mësim në organizatën tuaj DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,ID unike për ndjekjen e të gjitha faturave të përsëritura. Ajo është krijuar për të paraqitur. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer DocType: Item,Minimum Order Qty,Minimale Rendit Qty @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Publikojë në Hub DocType: Student Admission,Student Admission,Pranimi Student ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Item {0} është anuluar -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Kërkesë materiale +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Kërkesë materiale DocType: Bank Reconciliation,Update Clearance Date,Update Pastrimi Data DocType: Item,Purchase Details,Detajet Blerje apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} nuk u gjet në 'e para materiale të furnizuara "tryezë në Rendit Blerje {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fleet Menaxher apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} nuk mund të jetë negative për artikull {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Gabuar Fjalëkalimi DocType: Item,Variant Of,Variant i -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Kompletuar Qty nuk mund të jetë më i madh se "Qty për Prodhimi" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Kompletuar Qty nuk mund të jetë më i madh se "Qty për Prodhimi" DocType: Period Closing Voucher,Closing Account Head,Mbyllja Shef Llogaria DocType: Employee,External Work History,Historia e jashtme apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Qarkorja Referenca Gabim @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Largësia nga buzë e maj apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} njësitë e [{1}] (# Forma / Item / {1}) gjenden në [{2}] (# Forma / Magazina / {2}) DocType: Lead,Industry,Industri DocType: Employee,Job Profile,Profile Job +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Kjo bazohet në transaksione kundër kësaj kompanie. Shiko detajet më poshtë për detaje DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Njoftojë me email për krijimin e kërkesës automatike materiale DocType: Journal Entry,Multi Currency,Multi Valuta DocType: Payment Reconciliation Invoice,Invoice Type,Lloji Faturë -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Ofrimit Shënim +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Ofrimit Shënim apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Ngritja Tatimet apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kostoja e asetit të shitur apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Pagesa Hyrja është ndryshuar, pasi që ju nxorrën atë. Ju lutemi të tërheqë atë përsëri." @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Ju lutemi shkruani 'Përsëriteni në Ditën e Muajit "në terren vlerë DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Shkalla në të cilën Valuta Customer është konvertuar në bazë monedhën klientit DocType: Course Scheduling Tool,Course Scheduling Tool,Sigurisht caktimin Tool -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Blerje Fatura nuk mund të bëhet kundër një aktiv ekzistues {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Blerje Fatura nuk mund të bëhet kundër një aktiv ekzistues {1} DocType: Item Tax,Tax Rate,Shkalla e tatimit apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ndarë tashmë për punonjësit {1} për periudhën {2} në {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Zgjidh Item +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Zgjidh Item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Blerje Fatura {0} është dorëzuar tashmë apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch Nuk duhet të jetë i njëjtë si {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convert për të jo-Group @@ -447,7 +446,7 @@ DocType: Employee,Widowed,Ve DocType: Request for Quotation,Request for Quotation,Kërkesa për kuotim DocType: Salary Slip Timesheet,Working Hours,Orari i punës DocType: Naming Series,Change the starting / current sequence number of an existing series.,Ndryshimi filluar / numrin e tanishëm sekuencë e një serie ekzistuese. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Krijo një klient i ri +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Krijo një klient i ri apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Nëse Rregullat shumta Çmimeve të vazhdojë të mbizotërojë, përdoruesit janë të kërkohet për të vendosur përparësi dorë për të zgjidhur konfliktin." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Krijo urdhëron Blerje ,Purchase Register,Blerje Regjistrohu @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Emri Examiner DocType: Purchase Invoice Item,Quantity and Rate,Sasia dhe Rate DocType: Delivery Note,% Installed,% Installed -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klasat / laboratore etj, ku mësimi mund të jenë të planifikuara." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klasat / laboratore etj, ku mësimi mund të jenë të planifikuara." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Ju lutem shkruani emrin e kompanisë e parë DocType: Purchase Invoice,Supplier Name,Furnizuesi Emri apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lexoni Manualin ERPNext @@ -490,7 +489,7 @@ DocType: Account,Old Parent,Vjetër Parent apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Fushë e detyrueshme - Viti akademik apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Fushë e detyrueshme - Viti akademik DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Rregulloje tekstin hyrës që shkon si një pjesë e asaj email. Secili transaksion ka një tekst të veçantë hyrëse. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Ju lutemi të vendosur llogari parazgjedhur pagueshëm për kompaninë {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Ju lutemi të vendosur llogari parazgjedhur pagueshëm për kompaninë {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Konfigurimet Global për të gjitha proceset e prodhimit. DocType: Accounts Settings,Accounts Frozen Upto,Llogaritë ngrira Upto DocType: SMS Log,Sent On,Dërguar në @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,Llogaritë e pagueshme apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Të BOM përzgjedhur nuk janë për të njëjtin artikull DocType: Pricing Rule,Valid Upto,Valid Upto DocType: Training Event,Workshop,punishte -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Lista disa nga klientët tuaj. Ata mund të jenë organizata ose individë. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Lista disa nga klientët tuaj. Ata mund të jenë organizata ose individë. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Pjesë mjaftueshme për të ndërtuar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Të ardhurat direkte apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nuk mund të filtruar në bazë të llogarisë, në qoftë se të grupuara nga Llogaria" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Ju lutem, përzgjidhni Course" apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Ju lutem, përzgjidhni Course" DocType: Timesheet Detail,Hrs,orë -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Ju lutem, përzgjidhni Company" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Ju lutem, përzgjidhni Company" DocType: Stock Entry Detail,Difference Account,Llogaria Diferenca DocType: Purchase Invoice,Supplier GSTIN,furnizuesi GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Nuk mund detyrë afër sa detyra e saj të varur {0} nuk është e mbyllur. @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Ju lutemi të përcaktuar klasën për Prag 0% DocType: Sales Order,To Deliver,Për të ofruar DocType: Purchase Invoice Item,Item,Artikull -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serial asnjë artikull nuk mund të jetë një pjesë +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serial asnjë artikull nuk mund të jetë një pjesë DocType: Journal Entry,Difference (Dr - Cr),Diferenca (Dr - Cr) DocType: Account,Profit and Loss,Fitimi dhe Humbja apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Menaxhimi Nënkontraktimi @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),Garanci Periudha (ditë) DocType: Installation Note Item,Installation Note Item,Instalimi Shënim Item DocType: Production Plan Item,Pending Qty,Në pritje Qty DocType: Budget,Ignore,Injoroj -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} nuk është aktiv +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} nuk është aktiv apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS dërguar në numrat e mëposhtëm: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Dimensionet kontrolloni Setup për printim DocType: Salary Slip,Salary Slip Timesheet,Paga Slip pasqyrë e mungesave @@ -686,8 +685,8 @@ DocType: Installation Note,IN-,NË- DocType: Production Order Operation,In minutes,Në minuta DocType: Issue,Resolution Date,Rezoluta Data DocType: Student Batch Name,Batch Name,Batch Emri -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Pasqyrë e mungesave krijuar: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Ju lutemi të vendosur Cash parazgjedhur apo llogari bankare në mënyra e pagesës {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Pasqyrë e mungesave krijuar: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Ju lutemi të vendosur Cash parazgjedhur apo llogari bankare në mënyra e pagesës {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,regjistroj DocType: GST Settings,GST Settings,GST Settings DocType: Selling Settings,Customer Naming By,Emërtimi Customer Nga @@ -707,7 +706,7 @@ DocType: Activity Cost,Projects User,Projektet i përdoruesit apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Konsumuar apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} nuk u gjet në detaje Fatura tryezë DocType: Company,Round Off Cost Center,Rrumbullakët Off Qendra Kosto -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Mirëmbajtja Vizitoni {0} duhet të anulohet para se anulimi këtë Radhit Sales +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Mirëmbajtja Vizitoni {0} duhet të anulohet para se anulimi këtë Radhit Sales DocType: Item,Material Transfer,Transferimi materiale apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Hapja (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Timestamp postimi duhet të jetë pas {0} @@ -716,7 +715,7 @@ DocType: Employee Loan,Total Interest Payable,Interesi i përgjithshëm për t&# DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Taksat zbarkoi Kosto dhe Tarifat DocType: Production Order Operation,Actual Start Time,Aktuale Koha e fillimit DocType: BOM Operation,Operation Time,Operacioni Koha -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,fund +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,fund apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,bazë DocType: Timesheet,Total Billed Hours,Orët totale faturuara DocType: Journal Entry,Write Off Amount,Shkruani Off Shuma @@ -743,7 +742,7 @@ DocType: Vehicle,Odometer Value (Last),Vlera rrugëmatës (i fundit) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Pagesa Hyrja është krijuar tashmë DocType: Purchase Receipt Item Supplied,Current Stock,Stock tanishme -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} nuk lidhet me pikën {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} nuk lidhet me pikën {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Preview Paga Shqip apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Llogaria {0} ka hyrë disa herë DocType: Account,Expenses Included In Valuation,Shpenzimet e përfshira në Vlerësimit @@ -767,7 +766,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Hapësirë DocType: Journal Entry,Credit Card Entry,Credit Card Hyrja apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Company dhe Llogaritë apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Mallrat e marra nga furnizuesit. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,në Vlera +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,në Vlera DocType: Lead,Campaign Name,Emri fushatë DocType: Selling Settings,Close Opportunity After Days,Mbylle Opportunity pas ditë ,Reserved,I rezervuar @@ -792,17 +791,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energji DocType: Opportunity,Opportunity From,Opportunity Nga apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Deklarata mujore e pagave. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rreshti {0}: {1} Numrat serialë të kërkuar për artikullin {2}. Ju keni dhënë {3}. DocType: BOM,Website Specifications,Specifikimet Website apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Nga {0} nga lloji {1} DocType: Warranty Claim,CI-,Pri- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Konvertimi Faktori është e detyrueshme DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Rregullat e çmimeve të shumta ekziston me kritere të njëjta, ju lutemi të zgjidhur konfliktin duke caktuar prioritet. Rregullat Çmimi: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nuk mund të çaktivizuar ose të anulojë bom si ajo është e lidhur me BOM-in e tjera +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nuk mund të çaktivizuar ose të anulojë bom si ajo është e lidhur me BOM-in e tjera DocType: Opportunity,Maintenance,Mirëmbajtje DocType: Item Attribute Value,Item Attribute Value,Item atribut Vlera apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Shitjet fushata. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,bëni pasqyrë e mungesave +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,bëni pasqyrë e mungesave DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -836,7 +836,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Ngritja llogari PE apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ju lutemi shkruani pika e parë DocType: Account,Liability,Detyrim -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Shuma e sanksionuar nuk mund të jetë më e madhe se shuma e kërkesës në Row {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Shuma e sanksionuar nuk mund të jetë më e madhe se shuma e kërkesës në Row {0}. DocType: Company,Default Cost of Goods Sold Account,Gabim Kostoja e mallrave të shitura Llogaria apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Lista e Çmimeve nuk zgjidhet DocType: Employee,Family Background,Historiku i familjes @@ -847,10 +847,10 @@ DocType: Company,Default Bank Account,Gabim Llogarisë Bankare apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Për të filtruar në bazë të Partisë, Partia zgjidhni llojin e parë" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Update Stock "nuk mund të kontrollohet, sepse sendet nuk janë dorëzuar nëpërmjet {0}" DocType: Vehicle,Acquisition Date,Blerja Data -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Gjërat me weightage më të lartë do të tregohet më e lartë DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detail Banka Pajtimit -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} duhet të dorëzohet +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} duhet të dorëzohet apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Asnjë punonjës gjetur DocType: Supplier Quotation,Stopped,U ndal DocType: Item,If subcontracted to a vendor,Në qoftë se nënkontraktuar për një shitës @@ -866,7 +866,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Shuma minimale Faturë apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Qendra Kosto {2} nuk i përkasin kompanisë {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Llogaria {2} nuk mund të jetë një grup apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {IDX}: {} {DOCTYPE docname} nuk ekziston në më sipër '{DOCTYPE}' tabelë -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Pasqyrë e mungesave {0} është përfunduar tashmë ose anuluar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Pasqyrë e mungesave {0} është përfunduar tashmë ose anuluar apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nuk ka detyrat DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Ditë të muajit në të cilin fatura auto do të gjenerohet p.sh. 05, 28 etj" DocType: Asset,Opening Accumulated Depreciation,Hapja amortizimi i akumuluar @@ -925,7 +925,7 @@ DocType: SMS Log,Requested Numbers,Numrat kërkuara DocType: Production Planning Tool,Only Obtain Raw Materials,Vetëm Merrni lëndëve të para apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Vlerësimit të performancës. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Duke bërë të mundur 'Përdorimi për Shportë', si Shporta është aktivizuar dhe duhet të ketë të paktën një Rule Tax per Shporta" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Pagesa Hyrja {0} është e lidhur kundrejt Rendit {1}, kontrolloni nëse ajo duhet të largohen sa më parë në këtë faturë." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Pagesa Hyrja {0} është e lidhur kundrejt Rendit {1}, kontrolloni nëse ajo duhet të largohen sa më parë në këtë faturë." DocType: Sales Invoice Item,Stock Details,Stock Detajet apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Vlera e Projektit apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-Sale @@ -948,15 +948,15 @@ DocType: Naming Series,Update Series,Update Series DocType: Supplier Quotation,Is Subcontracted,Është nënkontraktuar DocType: Item Attribute,Item Attribute Values,Vlerat Item ia atribuojnë DocType: Examination Result,Examination Result,Ekzaminimi Result -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Pranimi Blerje +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Pranimi Blerje ,Received Items To Be Billed,Items marra Për të faturohet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Dërguar pagave rrëshqet +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Dërguar pagave rrëshqet apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Kursi i këmbimit të monedhës mjeshtër. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referenca DOCTYPE duhet të jetë një nga {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Në pamundësi për të gjetur vend i caktuar kohë në {0} ditëve të ardhshme për funksionimin {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Në pamundësi për të gjetur vend i caktuar kohë në {0} ditëve të ardhshme për funksionimin {1} DocType: Production Order,Plan material for sub-assemblies,Materiali plan për nën-kuvendet apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Sales Partners dhe Territori -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} duhet të jetë aktiv +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} duhet të jetë aktiv DocType: Journal Entry,Depreciation Entry,Zhvlerësimi Hyrja apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Ju lutem zgjidhni llojin e dokumentit të parë apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuloje Vizitat Materiale {0} para anulimit të kësaj vizite Mirëmbajtja @@ -966,7 +966,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Shuma totale apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Botime Internet DocType: Production Planning Tool,Production Orders,Urdhërat e prodhimit -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Vlera e bilancit +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Vlera e bilancit apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Lista Sales Çmimi apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publikimi i të sync artikuj DocType: Bank Reconciliation,Account Currency,Llogaria Valuta @@ -991,12 +991,12 @@ DocType: Employee,Exit Interview Details,Detajet Dil Intervista DocType: Item,Is Purchase Item,Është Blerje Item DocType: Asset,Purchase Invoice,Blerje Faturë DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail Asnjë -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Sales New Fatura +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Sales New Fatura DocType: Stock Entry,Total Outgoing Value,Vlera Totale largohet apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Hapja Data dhe Data e mbylljes duhet të jetë brenda të njëjtit vit fiskal DocType: Lead,Request for Information,Kërkesë për Informacion ,LeaderBoard,Fituesit -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline Faturat +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Faturat DocType: Payment Request,Paid,I paguar DocType: Program Fee,Program Fee,Tarifa program DocType: Salary Slip,Total in words,Gjithsej në fjalë @@ -1004,7 +1004,7 @@ DocType: Material Request Item,Lead Time Date,Lead Data Koha DocType: Guardian,Guardian Name,Emri Guardian DocType: Cheque Print Template,Has Print Format,Ka Print Format DocType: Employee Loan,Sanctioned,sanksionuar -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,është i detyrueshëm. Ndoshta rekord Currency Exchange nuk është krijuar për +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,është i detyrueshëm. Ndoshta rekord Currency Exchange nuk është krijuar për apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Ju lutem specifikoni Serial Jo për Item {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Për sendet e 'Produkt Bundle', depo, pa serial dhe Serisë Nuk do të konsiderohet nga 'Paketimi listë' tryezë. Nëse Magazina dhe Serisë Nuk janë të njëjta për të gjitha sendet e paketimit për çdo send 'produkt Bundle', këto vlera mund të futen në tabelën kryesore Item, vlerat do të kopjohet në 'Paketimi listë' tryezë." DocType: Job Opening,Publish on website,Publikojë në faqen e internetit @@ -1017,7 +1017,7 @@ DocType: Cheque Print Template,Date Settings,Data Settings apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Grindje ,Company Name,Emri i kompanisë DocType: SMS Center,Total Message(s),Përgjithshme mesazh (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Përzgjidh Item për transferimin +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Përzgjidh Item për transferimin DocType: Purchase Invoice,Additional Discount Percentage,Përqindja shtesë Discount apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Shiko një listë të të gjitha ndihmë videot DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Zgjidh llogaria kreu i bankës ku kontrolli ishte depozituar. @@ -1032,7 +1032,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Raw Material Kosto (Company Val apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Të gjitha sendet janë tashmë të transferuar për këtë Rendit Production. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: norma nuk mund të jetë më e madhe se norma e përdorur në {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: norma nuk mund të jetë më e madhe se norma e përdorur në {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,metër +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,metër DocType: Workstation,Electricity Cost,Kosto të energjisë elektrike DocType: HR Settings,Don't send Employee Birthday Reminders,Mos dërgoni punonjës Ditëlindja Përkujtesat DocType: Item,Inspection Criteria,Kriteret e Inspektimit @@ -1047,7 +1047,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Get Paid Përparimet DocType: Item,Automatically Create New Batch,Automatikisht Krijo grumbull të ri DocType: Item,Automatically Create New Batch,Automatikisht Krijo grumbull të ri -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Bëj +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Bëj DocType: Student Admission,Admission Start Date,Pranimi Data e fillimit DocType: Journal Entry,Total Amount in Words,Shuma totale në fjalë apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Pati një gabim. Një arsye e mundshme mund të jetë që ju nuk e keni ruajtur formën. Ju lutemi te kontaktoni support@erpnext.com nëse problemi vazhdon. @@ -1055,7 +1055,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Shporta ime apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Rendit Lloji duhet të jetë një nga {0} DocType: Lead,Next Contact Date,Tjetër Kontakt Data apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Hapja Qty -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Ju lutem, jepni llogari për Ndryshim Shuma" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Ju lutem, jepni llogari për Ndryshim Shuma" DocType: Student Batch Name,Student Batch Name,Student Batch Emri DocType: Holiday List,Holiday List Name,Festa Lista Emri DocType: Repayment Schedule,Balance Loan Amount,Bilanci Shuma e Kredisë @@ -1063,7 +1063,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Stock Options DocType: Journal Entry Account,Expense Claim,Shpenzim Claim apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,A jeni të vërtetë doni për të rivendosur këtë pasuri braktiset? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Qty për {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Qty për {0} DocType: Leave Application,Leave Application,Lini Aplikimi apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Lini Alokimi Tool DocType: Leave Block List,Leave Block List Dates,Dërgo Block Lista Datat @@ -1114,7 +1114,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Kundër DocType: Item,Default Selling Cost Center,Gabim Qendra Shitja Kosto DocType: Sales Partner,Implementation Partner,Partner Zbatimi -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Kodi Postal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Kodi Postal apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} është {1} DocType: Opportunity,Contact Info,Informacionet Kontakt apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Marrja e aksioneve Entries @@ -1133,14 +1133,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,M DocType: School Settings,Attendance Freeze Date,Pjesëmarrja Freeze Data DocType: School Settings,Attendance Freeze Date,Pjesëmarrja Freeze Data DocType: Opportunity,Your sales person who will contact the customer in future,Shitjes person i juaj i cili do të kontaktojë e konsumatorit në të ardhmen -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Lista disa nga furnizuesit tuaj. Ata mund të jenë organizata ose individë. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Lista disa nga furnizuesit tuaj. Ata mund të jenë organizata ose individë. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Shiko të gjitha Produktet apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead Minimumi moshes (ditë) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead Minimumi moshes (ditë) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Të gjitha BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Të gjitha BOM DocType: Company,Default Currency,Gabim Valuta DocType: Expense Claim,From Employee,Nga punonjësi -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Kujdes: Sistemi nuk do të kontrollojë overbilling që shuma për Item {0} në {1} është zero +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Kujdes: Sistemi nuk do të kontrollojë overbilling që shuma për Item {0} në {1} është zero DocType: Journal Entry,Make Difference Entry,Bëni Diferenca Hyrja DocType: Upload Attendance,Attendance From Date,Pjesëmarrja Nga Data DocType: Appraisal Template Goal,Key Performance Area,Key Zona Performance @@ -1157,7 +1157,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Numrat e regjistrimit kompani për referencë tuaj. Numrat e taksave etj DocType: Sales Partner,Distributor,Shpërndarës DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Shporta Transporti Rregulla -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Prodhimi Rendit {0} duhet të anulohet para se anulimi këtë Radhit Sales +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Prodhimi Rendit {0} duhet të anulohet para se anulimi këtë Radhit Sales apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Ju lutemi të vendosur 'Aplikoni Discount shtesë në' ,Ordered Items To Be Billed,Items urdhëruar të faturuar apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Nga një distancë duhet të jetë më pak se në rang @@ -1166,10 +1166,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Zbritjet DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,fillimi Year -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Para 2 shifrat e GSTIN duhet të përputhen me numrin e Shtetit {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Para 2 shifrat e GSTIN duhet të përputhen me numrin e Shtetit {0} DocType: Purchase Invoice,Start date of current invoice's period,Data e fillimit të periudhës së fatura aktual DocType: Salary Slip,Leave Without Pay,Lini pa pagesë -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapaciteti Planifikimi Gabim +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kapaciteti Planifikimi Gabim ,Trial Balance for Party,Bilanci gjyqi për Partinë DocType: Lead,Consultant,Konsulent DocType: Salary Slip,Earnings,Fitim @@ -1185,7 +1185,7 @@ DocType: Cheque Print Template,Payer Settings,Cilësimet paguesit DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Kjo do t'i bashkëngjitet Kodit Pika e variant. Për shembull, në qoftë se shkurtim juaj është "SM", dhe kodin pika është "T-shirt", kodi pika e variantit do të jetë "T-shirt-SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Neto Pay (me fjalë) do të jetë i dukshëm një herë ju ruani gabim pagave. DocType: Purchase Invoice,Is Return,Është Kthimi -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Kthimi / Debiti Note +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Kthimi / Debiti Note DocType: Price List Country,Price List Country,Lista e Çmimeve Vendi DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} nos vlefshme serik për Item {1} @@ -1198,7 +1198,7 @@ DocType: Employee Loan,Partially Disbursed,lëvrohet pjesërisht apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Bazës së të dhënave Furnizuesi. DocType: Account,Balance Sheet,Bilanci i gjendjes apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Qendra Kosto Per Item me Kodin Item " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode pagesa nuk është i konfiguruar. Ju lutem kontrolloni, nëse llogaria është vendosur në Mode të pagesave ose në POS Profilin." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode pagesa nuk është i konfiguruar. Ju lutem kontrolloni, nëse llogaria është vendosur në Mode të pagesave ose në POS Profilin." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Personi i shitjes juaj do të merrni një kujtesë në këtë datë të kontaktoni klientin apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Same artikull nuk mund të futen shumë herë. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Llogaritë e mëtejshme mund të bëhen në bazë të grupeve, por hyra mund të bëhet kundër jo-grupeve" @@ -1228,7 +1228,7 @@ DocType: Employee Loan Application,Repayment Info,Info Ripagimi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"Hyrjet" nuk mund të jetë bosh apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplicate rresht {0} me të njëjtën {1} ,Trial Balance,Bilanci gjyqi -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Viti Fiskal {0} nuk u gjet +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Viti Fiskal {0} nuk u gjet apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Ngritja Punonjësit DocType: Sales Order,SO-,KËSHTU QË- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Ju lutem, përzgjidhni prefiks parë" @@ -1243,11 +1243,11 @@ DocType: Grading Scale,Intervals,intervalet apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Hershme apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Një Grup Item ekziston me të njëjtin emër, ju lutemi të ndryshojë emrin pika ose riemërtoj grupin pika" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Pjesa tjetër e botës +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Pjesa tjetër e botës apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} nuk mund të ketë Serisë ,Budget Variance Report,Buxheti Varianca Raport DocType: Salary Slip,Gross Pay,Pay Bruto -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Aktiviteti lloji është i detyrueshëm. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Row {0}: Aktiviteti lloji është i detyrueshëm. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividentët e paguar apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Ledger Kontabilitet DocType: Stock Reconciliation,Difference Amount,Shuma Diferenca @@ -1270,18 +1270,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Punonjës Pushimi Bilanci apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Gjendjen e llogarisë {0} duhet të jetë gjithmonë {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Vlerësoni Vlerësimi nevojshme për Item në rresht {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Shembull: Master në Shkenca Kompjuterike +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Shembull: Master në Shkenca Kompjuterike DocType: Purchase Invoice,Rejected Warehouse,Magazina refuzuar DocType: GL Entry,Against Voucher,Kundër Bonon DocType: Item,Default Buying Cost Center,Gabim Qendra Blerja Kosto apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Për të marrë më të mirë nga ERPNext, ne ju rekomandojmë që të marrë disa kohë dhe të shikojnë këto video ndihmë." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,në +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,në DocType: Supplier Quotation Item,Lead Time in days,Lead Koha në ditë apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Llogaritë e pagueshme Përmbledhje -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Pagesa e pagës nga {0} në {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Pagesa e pagës nga {0} në {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Nuk është i autorizuar për të redaktuar Llogari ngrirë {0} DocType: Journal Entry,Get Outstanding Invoices,Get Faturat e papaguara -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Sales Order {0} nuk është e vlefshme +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Sales Order {0} nuk është e vlefshme apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,urdhrat e blerjes t'ju ndihmuar të planit dhe të ndjekin deri në blerjet tuaja apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Na vjen keq, kompanitë nuk mund të bashkohen" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1303,8 +1303,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Shpenzimet indirekte apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Qty është e detyrueshme apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Bujqësi -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Produktet ose shërbimet tuaja +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync Master Data +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Produktet ose shërbimet tuaja DocType: Mode of Payment,Mode of Payment,Mënyra e pagesës apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Faqja Image duhet të jetë një file publik ose URL website DocType: Student Applicant,AP,AP @@ -1324,18 +1324,18 @@ DocType: Student Group Student,Group Roll Number,Grupi Roll Number DocType: Student Group Student,Group Roll Number,Grupi Roll Number apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Për {0}, vetëm llogaritë e kreditit mund të jetë i lidhur kundër një tjetër hyrje debiti" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total i të gjitha peshave duhet të jetë detyrë 1. Ju lutemi të rregulluar peshat e të gjitha detyrave të Projektit në përputhje me rrethanat -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Ofrimit Shënim {0} nuk është dorëzuar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Ofrimit Shënim {0} nuk është dorëzuar apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Item {0} duhet të jetë një nënkontraktohet Item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Pajisje kapitale apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rregulla e Çmimeve është zgjedhur për herë të parë në bazë të "Apliko në 'fushë, të cilat mund të jenë të artikullit, Grupi i artikullit ose markë." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Ju lutemi të vendosni fillimisht Kodin e Artikullit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Ju lutemi të vendosni fillimisht Kodin e Artikullit DocType: Hub Settings,Seller Website,Shitës Faqja DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Gjithsej përqindje ndarë për shitjet e ekipit duhet të jetë 100 DocType: Appraisal Goal,Goal,Qëllim DocType: Sales Invoice Item,Edit Description,Ndrysho Përshkrimi ,Team Updates,Ekipi Updates -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Për Furnizuesin +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Për Furnizuesin DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Vendosja Tipi Llogarisë ndihmon në zgjedhjen e kësaj llogarie në transaksionet. DocType: Purchase Invoice,Grand Total (Company Currency),Grand Total (Kompania Valuta) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Krijo Print Format @@ -1349,12 +1349,12 @@ DocType: Item,Website Item Groups,Faqja kryesore Item Grupet DocType: Purchase Invoice,Total (Company Currency),Total (Kompania Valuta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Numri serik {0} hyrë më shumë se një herë DocType: Depreciation Schedule,Journal Entry,Journal Hyrja -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} artikuj në progres +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} artikuj në progres DocType: Workstation,Workstation Name,Workstation Emri DocType: Grading Scale Interval,Grade Code,Kodi Grade DocType: POS Item Group,POS Item Group,POS Item Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} nuk i përket Item {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} nuk i përket Item {1} DocType: Sales Partner,Target Distribution,Shpërndarja Target DocType: Salary Slip,Bank Account No.,Llogarisë Bankare Nr DocType: Naming Series,This is the number of the last created transaction with this prefix,Ky është numri i transaksionit të fundit të krijuar me këtë prefiks @@ -1412,7 +1412,7 @@ DocType: Quotation,Shopping Cart,Karrocat apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daily largohet DocType: POS Profile,Campaign,Fushatë DocType: Supplier,Name and Type,Emri dhe lloji i -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Miratimi Statusi duhet të jetë "miratuar" ose "Refuzuar ' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Miratimi Statusi duhet të jetë "miratuar" ose "Refuzuar ' DocType: Purchase Invoice,Contact Person,Personi kontaktues apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"Pritet Data e Fillimit 'nuk mund të jetë më i madh se" Data e Përfundimit e pritshme' DocType: Course Scheduling Tool,Course End Date,Sigurisht End Date @@ -1424,8 +1424,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,i preferuar Email apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Ndryshimi neto në aseteve fikse DocType: Leave Control Panel,Leave blank if considered for all designations,Lini bosh nëse konsiderohet për të gjitha përcaktimeve -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Ngarkesa e tipit 'aktuale' në rresht {0} nuk mund të përfshihen në Item Rate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Ngarkesa e tipit 'aktuale' në rresht {0} nuk mund të përfshihen në Item Rate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Nga datetime DocType: Email Digest,For Company,Për Kompaninë apps/erpnext/erpnext/config/support.py +17,Communication log.,Log komunikimi. @@ -1466,7 +1466,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Profili i pun DocType: Journal Entry Account,Account Balance,Bilanci i llogarisë apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Rregulla taksë për transaksionet. DocType: Rename Tool,Type of document to rename.,Lloji i dokumentit për të riemërtoni. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Ne blerë këtë artikull +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Ne blerë këtë artikull apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Customer është i detyruar kundrejt llogarisë arkëtueshme {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totali Taksat dhe Tarifat (Kompania Valuta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Trego P & L bilancet pambyllur vitit fiskal @@ -1477,7 +1477,7 @@ DocType: Quality Inspection,Readings,Lexime DocType: Stock Entry,Total Additional Costs,Gjithsej kosto shtesë DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Kosto skrap Material (Company Valuta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Kuvendet Nën +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Kuvendet Nën DocType: Asset,Asset Name,Emri i Aseteve DocType: Project,Task Weight,Task Pesha DocType: Shipping Rule Condition,To Value,Të vlerës @@ -1506,7 +1506,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantet pika DocType: Company,Services,Sherbime DocType: HR Settings,Email Salary Slip to Employee,Email Paga Slip për të punësuarit DocType: Cost Center,Parent Cost Center,Qendra prind Kosto -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Zgjidhni mundshëm Furnizuesi +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Zgjidhni mundshëm Furnizuesi DocType: Sales Invoice,Source,Burim apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Shfaq të mbyllura DocType: Leave Type,Is Leave Without Pay,Lini është pa pagesë @@ -1518,7 +1518,7 @@ DocType: POS Profile,Apply Discount,aplikoni Discount DocType: GST HSN Code,GST HSN Code,GST Code HSN DocType: Employee External Work History,Total Experience,Përvoja Total apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Projektet e hapura -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Paketimi Shqip (s) anulluar +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Paketimi Shqip (s) anulluar apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Cash Flow nga Investimi DocType: Program Course,Program Course,Kursi program apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Mallrave dhe Forwarding Pagesat @@ -1559,9 +1559,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,Program Regjistrimet DocType: Sales Invoice Item,Brand Name,Brand Name DocType: Purchase Receipt,Transporter Details,Detajet Transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,depo Default është e nevojshme për pika të zgjedhura -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Kuti -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,mundur Furnizuesi +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,depo Default është e nevojshme për pika të zgjedhura +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Kuti +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,mundur Furnizuesi DocType: Budget,Monthly Distribution,Shpërndarja mujore apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Marresit Lista është e zbrazët. Ju lutem krijoni Marresit Lista DocType: Production Plan Sales Order,Production Plan Sales Order,Prodhimit Plani Rendit Sales @@ -1594,7 +1594,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Kërkesat pë apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Studentët janë në zemër të sistemit, shtoni të gjithë studentët tuaj" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: date Pastrimi {1} nuk mund të jetë para datës çek {2} DocType: Company,Default Holiday List,Default Festa Lista -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Nga kohë dhe për kohën e {1} është mbivendosje me {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Nga kohë dhe për kohën e {1} është mbivendosje me {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Detyrimet DocType: Purchase Invoice,Supplier Warehouse,Furnizuesi Magazina DocType: Opportunity,Contact Mobile No,Kontaktoni Mobile Asnjë @@ -1610,18 +1610,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Pushimi i tipit {0} nuk mund të jetë më i gjatë se {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Provoni planifikimin e operacioneve për ditë X paraprakisht. DocType: HR Settings,Stop Birthday Reminders,Stop Ditëlindja Harroni -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Ju lutemi të vendosur Default Payroll Llogaria e pagueshme në Kompaninë {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Ju lutemi të vendosur Default Payroll Llogaria e pagueshme në Kompaninë {0} DocType: SMS Center,Receiver List,Marresit Lista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Kërko Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Kërko Item apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Shuma konsumuar apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Ndryshimi neto në para të gatshme DocType: Assessment Plan,Grading Scale,Scale Nota apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Njësia e masës {0} ka hyrë më shumë se një herë në Konvertimi Faktori Tabelën -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,përfunduar tashmë +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,përfunduar tashmë apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock In Hand apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Kërkesa pagesa tashmë ekziston {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kostoja e Artikujve emetuara -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Sasia nuk duhet të jetë më shumë se {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Sasia nuk duhet të jetë më shumë se {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Previous Viti financiar nuk është e mbyllur apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Mosha (ditë) DocType: Quotation Item,Quotation Item,Citat Item @@ -1635,6 +1635,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Dokumenti Referenca apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} është anuluar ose ndaluar DocType: Accounts Settings,Credit Controller,Kontrolluesi krediti +DocType: Sales Order,Final Delivery Date,Data e dorëzimit përfundimtar DocType: Delivery Note,Vehicle Dispatch Date,Automjeteve Dërgimi Data DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Blerje Pranimi {0} nuk është dorëzuar @@ -1727,9 +1728,9 @@ DocType: Employee,Date Of Retirement,Data e daljes në pension DocType: Upload Attendance,Get Template,Get Template DocType: Material Request,Transferred,transferuar DocType: Vehicle,Doors,Dyer -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,Breakup Tax +DocType: Purchase Invoice,Tax Breakup,Breakup Tax DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Qendra Kosto është e nevojshme për "Fitimi dhe Humbja 'llogarisë {2}. Ju lutemi të ngritur një qendër me kosto të paracaktuar për kompaninë. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Një grup të konsumatorëve ekziston me të njëjtin emër, ju lutem të ndryshojë emrin Customer ose riemërtoni grup të konsumatorëve" @@ -1742,14 +1743,14 @@ DocType: Announcement,Instructor,instruktor DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Nëse ky artikull ka variante, atëherë ajo nuk mund të zgjidhen në shitje urdhrat etj" DocType: Lead,Next Contact By,Kontakt Next By -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Sasia e nevojshme për Item {0} në rresht {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Sasia e nevojshme për Item {0} në rresht {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazina {0} nuk mund të fshihet si ekziston sasia e artikullit {1} DocType: Quotation,Order Type,Rendit Type DocType: Purchase Invoice,Notification Email Address,Njoftimi Email Adresa ,Item-wise Sales Register,Pika-mençur Sales Regjistrohu DocType: Asset,Gross Purchase Amount,Shuma Blerje Gross DocType: Asset,Depreciation Method,Metoda e amortizimit -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,në linjë +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,në linjë DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,A është kjo Tatimore të përfshira në normën bazë? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Target Total DocType: Job Applicant,Applicant for a Job,Aplikuesi për një punë @@ -1771,7 +1772,7 @@ DocType: Employee,Leave Encashed?,Dërgo arkëtuar? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Nga fushë është e detyrueshme DocType: Email Digest,Annual Expenses,Shpenzimet vjetore DocType: Item,Variants,Variantet -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Bëni Rendit Blerje +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Bëni Rendit Blerje DocType: SMS Center,Send To,Send To apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nuk ka bilanc mjaft leje për pushim Lloji {0} DocType: Payment Reconciliation Payment,Allocated amount,Shuma e ndarë @@ -1779,7 +1780,7 @@ DocType: Sales Team,Contribution to Net Total,Kontributi në Net Total DocType: Sales Invoice Item,Customer's Item Code,Item Kodi konsumatorit DocType: Stock Reconciliation,Stock Reconciliation,Stock Pajtimit DocType: Territory,Territory Name,Territori Emri -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Puna në progres Magazina është e nevojshme para se të Submit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Puna në progres Magazina është e nevojshme para se të Submit apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Aplikuesi për një punë. DocType: Purchase Order Item,Warehouse and Reference,Magazina dhe Referenca DocType: Supplier,Statutory info and other general information about your Supplier,Info Statutore dhe informacione të tjera të përgjithshme në lidhje me furnizuesit tuaj @@ -1791,16 +1792,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,vlerësime apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Duplicate Serial Asnjë hyrë për Item {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Një kusht për Sundimin Shipping apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Ju lutemi shkruani -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","nuk mund overbill për artikullit {0} në rradhë {1} më shumë se {2}. Për të lejuar mbi-faturimit, ju lutemi të vendosur në Blerja Settings" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Ju lutemi të vendosur filtër në bazë të artikullit ose Magazina +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","nuk mund overbill për artikullit {0} në rradhë {1} më shumë se {2}. Për të lejuar mbi-faturimit, ju lutemi të vendosur në Blerja Settings" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Ju lutemi të vendosur filtër në bazë të artikullit ose Magazina DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Pesha neto i kësaj pakete. (Llogaritet automatikisht si shumë të peshës neto të artikujve) DocType: Sales Order,To Deliver and Bill,Për të ofruar dhe Bill DocType: Student Group,Instructors,instruktorët DocType: GL Entry,Credit Amount in Account Currency,Shuma e kredisë në llogari në monedhë të -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} duhet të dorëzohet +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} duhet të dorëzohet DocType: Authorization Control,Authorization Control,Kontrolli Autorizimi apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Rejected Magazina është e detyrueshme kundër Item refuzuar {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Pagesa +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Pagesa apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Magazina {0} nuk është e lidhur me ndonjë llogari, ju lutemi të përmendim llogari në procesverbal depo apo vendosur llogari inventarit parazgjedhur në kompaninë {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Menaxho urdhërat tuaj DocType: Production Order Operation,Actual Time and Cost,Koha aktuale dhe kostos @@ -1816,12 +1817,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Artikuj DocType: Quotation Item,Actual Qty,Aktuale Qty DocType: Sales Invoice Item,References,Referencat DocType: Quality Inspection Reading,Reading 10,Leximi 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista produktet ose shërbimet tuaja që ju të blerë ose shitur. Sigurohuni që të kontrolloni Grupin artikull, Njësia e masës dhe pronat e tjera, kur ju filloni." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista produktet ose shërbimet tuaja që ju të blerë ose shitur. Sigurohuni që të kontrolloni Grupin artikull, Njësia e masës dhe pronat e tjera, kur ju filloni." DocType: Hub Settings,Hub Node,Hub Nyja apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Ju keni hyrë artikuj kopjuar. Ju lutemi të ndrequr dhe provoni përsëri. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Koleg +DocType: Company,Sales Target,Synimi i shitjes DocType: Asset Movement,Asset Movement,Lëvizja e aseteve -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Shporta e re +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Shporta e re apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Item {0} nuk është një Item serialized DocType: SMS Center,Create Receiver List,Krijo Marresit Lista DocType: Vehicle,Wheels,rrota @@ -1863,13 +1865,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Menaxhimi i Projekte DocType: Supplier,Supplier of Goods or Services.,Furnizuesi i mallrave ose shërbimeve. DocType: Budget,Fiscal Year,Viti Fiskal DocType: Vehicle Log,Fuel Price,Fuel Price +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutem vendosni numrat e serisë për Pjesëmarrjen përmes Setup> Seritë e Numërimit DocType: Budget,Budget,Buxhet apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Fixed Item Aseteve duhet të jetë një element jo-aksioneve. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Buxheti nuk mund të caktohet {0} kundër, pasi kjo nuk është një llogari të ardhura ose shpenzime" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Arritur DocType: Student Admission,Application Form Route,Formular Aplikimi Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territori / Customer -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,p.sh. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,p.sh. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Dërgo Lloji {0} nuk mund të ndahen pasi ajo është lënë pa paguar apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Shuma e ndarë {1} duhet të jetë më pak se ose e barabartë me shumën e faturës papaguar {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Me fjalë do të jetë i dukshëm një herë ju ruani Sales Faturë. @@ -1878,11 +1881,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Item {0} nuk është setup për Serial Nr. Kontrolloni mjeshtër Item DocType: Maintenance Visit,Maintenance Time,Mirëmbajtja Koha ,Amount to Deliver,Shuma për të Ofruar -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Një produkt apo shërbim +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Një produkt apo shërbim apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Data e fillimit nuk mund të jetë më herët se Year Data e fillimit të vitit akademik në të cilin termi është i lidhur (Viti Akademik {}). Ju lutem, Korrigjo datat dhe provoni përsëri." DocType: Guardian,Guardian Interests,Guardian Interesat DocType: Naming Series,Current Value,Vlera e tanishme -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,vite të shumta fiskale ekzistojnë për datën {0}. Ju lutemi të vënë kompaninë në vitin fiskal +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,vite të shumta fiskale ekzistojnë për datën {0}. Ju lutemi të vënë kompaninë në vitin fiskal apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} krijuar DocType: Delivery Note Item,Against Sales Order,Kundër Sales Rendit ,Serial No Status,Serial Asnjë Statusi @@ -1895,7 +1898,7 @@ DocType: Pricing Rule,Selling,Shitja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Shuma {0} {1} zbritur kundër {2} DocType: Employee,Salary Information,Informacione paga DocType: Sales Person,Name and Employee ID,Emri dhe punonjës ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Për shkak Data nuk mund të jetë para se të postimi Data +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Për shkak Data nuk mund të jetë para se të postimi Data DocType: Website Item Group,Website Item Group,Faqja kryesore Item Grupi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Detyrat dhe Taksat apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Ju lutem shkruani datën Reference @@ -1952,9 +1955,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Ju lutemi të vendosur datën e bashkuar për të punësuar {0} DocType: Task,Total Billing Amount (via Time Sheet),Total Shuma Faturimi (via Koha Sheet) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Përsëriteni ardhurat Klientit -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) duhet të ketë rol 'aprovuesi kurriz' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Palë -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Zgjidhni bom dhe Qty për Prodhimin +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) duhet të ketë rol 'aprovuesi kurriz' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Palë +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Zgjidhni bom dhe Qty për Prodhimin DocType: Asset,Depreciation Schedule,Zhvlerësimi Orari apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresat Sales partner dhe Kontakte DocType: Bank Reconciliation Detail,Against Account,Kundër Llogaria @@ -1964,7 +1967,7 @@ DocType: Item,Has Batch No,Ka Serisë Asnjë apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Faturimi vjetore: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Mallrat dhe Shërbimet Tatimore (GST India) DocType: Delivery Note,Excise Page Number,Akciza Faqja Numër -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Kompania, Nga Data dhe deri më sot është e detyrueshme" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Kompania, Nga Data dhe deri më sot është e detyrueshme" DocType: Asset,Purchase Date,Blerje Date DocType: Employee,Personal Details,Detajet personale apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ju lutemi të vendosur 'të mjeteve Qendra Amortizimi Kosto' në Kompaninë {0} @@ -1973,9 +1976,9 @@ DocType: Task,Actual End Date (via Time Sheet),Aktuale End Date (via Koha Sheet) apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Shuma {0} {1} kundër {2} {3} ,Quotation Trends,Kuotimit Trendet apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Grupi pika nuk përmendet në pikën për të zotëruar pikën {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debiti te llogaria duhet të jetë një llogari të arkëtueshme +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debiti te llogaria duhet të jetë një llogari të arkëtueshme DocType: Shipping Rule Condition,Shipping Amount,Shuma e anijeve -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Shto Konsumatorët +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Shto Konsumatorët apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Në pritje Shuma DocType: Purchase Invoice Item,Conversion Factor,Konvertimi Faktori DocType: Purchase Order,Delivered,Dorëzuar @@ -1998,7 +2001,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Përfshini gjitha pajtua DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kursi Parent (Lini bosh, në qoftë se kjo nuk është pjesë e mëmë natyrisht)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Kursi Parent (Lini bosh, në qoftë se kjo nuk është pjesë e mëmë natyrisht)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Lini bosh nëse konsiderohet për të gjitha llojet e punonjësve -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klienti> Grupi i Klientit> Territori DocType: Landed Cost Voucher,Distribute Charges Based On,Shpërndarjen Akuzat Bazuar Në apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,HR Cilësimet @@ -2006,7 +2008,7 @@ DocType: Salary Slip,net pay info,info net pay apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Shpenzim Kërkesa është në pritje të miratimit. Vetëm aprovuesi shpenzimeve mund update statusin. DocType: Email Digest,New Expenses,Shpenzimet e reja DocType: Purchase Invoice,Additional Discount Amount,Shtesë Shuma Discount -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty duhet të jetë 1, pasi pika është një pasuri fikse. Ju lutem përdorni rresht të veçantë për Qty shumëfishtë." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty duhet të jetë 1, pasi pika është një pasuri fikse. Ju lutem përdorni rresht të veçantë për Qty shumëfishtë." DocType: Leave Block List Allow,Leave Block List Allow,Dërgo Block Lista Lejoni apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr nuk mund të jetë bosh ose hapësirë apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grup për jo-Group @@ -2014,7 +2016,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sportiv DocType: Loan Type,Loan Name,kredi Emri apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Gjithsej aktuale DocType: Student Siblings,Student Siblings,Vëllai dhe motra e studentëve -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Njësi +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Njësi apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Ju lutem specifikoni Company ,Customer Acquisition and Loyalty,Customer Blerja dhe Besnik DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazina ku ju jeni mbajtjen e aksioneve të artikujve refuzuar @@ -2032,12 +2034,12 @@ DocType: Workstation,Wages per hour,Rrogat në orë apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Bilanci aksioneve në Serisë {0} do të bëhet negative {1} për Item {2} në {3} Magazina apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Pas kërkesave materiale janë ngritur automatikisht bazuar në nivelin e ri të rendit zërit DocType: Email Digest,Pending Sales Orders,Në pritje Sales urdhëron -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Llogari {0} është i pavlefshëm. Llogaria Valuta duhet të jetë {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Llogari {0} është i pavlefshëm. Llogaria Valuta duhet të jetë {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktori UOM Konvertimi është e nevojshme në rresht {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një nga Sales Rendit, Sales Fatura ose Journal Entry" DocType: Salary Component,Deduction,Zbritje -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Nga koha dhe në kohë është i detyrueshëm. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Row {0}: Nga koha dhe në kohë është i detyrueshëm. DocType: Stock Reconciliation Item,Amount Difference,shuma Diferenca apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Item Çmimi shtuar për {0} në çmim Lista {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ju lutemi shkruani punonjës Id i këtij personi të shitjes @@ -2047,11 +2049,11 @@ DocType: Project,Gross Margin,Marzhi bruto apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Ju lutemi shkruani Prodhimi pikën e parë apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Llogaritur Banka bilanci Deklarata apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,përdorues me aftësi të kufizuara -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Citat +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Citat DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Zbritje Total ,Production Analytics,Analytics prodhimit -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kosto Përditësuar +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Kosto Përditësuar DocType: Employee,Date of Birth,Data e lindjes apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Item {0} tashmë është kthyer DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Viti Fiskal ** përfaqëson një viti financiar. Të gjitha shënimet e kontabilitetit dhe transaksionet tjera të mëdha janë gjurmuar kundër Vitit Fiskal ** **. @@ -2097,18 +2099,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Zgjidh kompanisë ... DocType: Leave Control Panel,Leave blank if considered for all departments,Lini bosh nëse konsiderohet për të gjitha departamentet apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Llojet e punësimit (, kontratë të përhershme, etj intern)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} është e detyrueshme për Item {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} është e detyrueshme për Item {1} DocType: Process Payroll,Fortnightly,dyjavor DocType: Currency Exchange,From Currency,Nga Valuta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Kostoja e blerjes së Re -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Rendit Shitjet e nevojshme për Item {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Rendit Shitjet e nevojshme për Item {0} DocType: Purchase Invoice Item,Rate (Company Currency),Shkalla (Kompania Valuta) DocType: Student Guardian,Others,Të tjerët DocType: Payment Entry,Unallocated Amount,Shuma pashpërndarë apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Nuk mund të gjeni një përputhen Item. Ju lutem zgjidhni një vlerë tjetër {0} për. DocType: POS Profile,Taxes and Charges,Taksat dhe Tarifat DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Një produkt apo një shërbim që është blerë, shitur apo mbajtur në magazinë." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kodi i artikullit> Grupi i artikullit> Markë apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Nuk ka përditësime më shumë apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Nuk mund të zgjidhni llojin e ngarkuar si "Për Shuma Previous Row 'ose' Në Previous Row Total" për rreshtin e parë apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Child Item nuk duhet të jetë një Bundle Product. Ju lutemi të heq arikullin '{0}' dhe për të shpëtuar @@ -2136,7 +2139,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Shuma totale Faturimi apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Nuk duhet të jetë një parazgjedhur në hyrje Email Llogaria aktivizuar për këtë punë. Ju lutemi të setup një parazgjedhur në hyrje Email Llogaria (POP / IMAP) dhe provoni përsëri. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Llogaria e arkëtueshme -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} është tashmë {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} është tashmë {2} DocType: Quotation Item,Stock Balance,Stock Bilanci apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Rendit Shitjet për Pagesa apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2161,10 +2164,11 @@ DocType: C-Form,Received Date,Data e marra DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Nëse keni krijuar një template standarde në shitje taksave dhe detyrimeve Stampa, përzgjidh njërin dhe klikoni mbi butonin më poshtë." DocType: BOM Scrap Item,Basic Amount (Company Currency),Shuma Basic (Company Valuta) DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizuesi> Lloji i Furnizuesit DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Çmimet nuk do të shfaqet në qoftë Lista Çmimi nuk është vendosur apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Ju lutem specifikoni një vend për këtë Rregull Shipping ose kontrolloni anijeve në botë DocType: Stock Entry,Total Incoming Value,Vlera Totale hyrëse -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debi Për të është e nevojshme +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debi Për të është e nevojshme apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ndihmojë për të mbajtur gjurmët e kohës, kostos dhe faturimit për Aktivitetet e kryera nga ekipi juaj" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Blerje Lista e Çmimeve DocType: Offer Letter Term,Offer Term,Term Oferta @@ -2183,11 +2187,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Produ DocType: Timesheet Detail,To Time,Për Koha DocType: Authorization Rule,Approving Role (above authorized value),Miratimi Rolit (mbi vlerën e autorizuar) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredia për llogari duhet të jetë një llogari e pagueshme -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} nuk mund të jetë prindi ose fëmija i {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} nuk mund të jetë prindi ose fëmija i {2} DocType: Production Order Operation,Completed Qty,Kompletuar Qty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Për {0}, vetëm llogaritë e debitit mund të jetë i lidhur kundër një tjetër hyrjes krediti" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Lista e Çmimeve {0} është me aftësi të kufizuara -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Kompletuar Qty nuk mund të jetë më shumë se {1} për funksionimin {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Row {0}: Kompletuar Qty nuk mund të jetë më shumë se {1} për funksionimin {2} DocType: Manufacturing Settings,Allow Overtime,Lejo jashtë orarit apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} nuk mund të përditësohet duke përdorur Stock pajtimit, ju lutem, përdorni Stock Hyrja" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Item {0} nuk mund të përditësohet duke përdorur Stock pajtimit, ju lutem, përdorni Stock Hyrja" @@ -2206,10 +2210,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,I jashtëm apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Përdoruesit dhe Lejet DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Urdhërat e prodhimit Krijuar: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Urdhërat e prodhimit Krijuar: {0} DocType: Branch,Branch,Degë DocType: Guardian,Mobile Number,Numri Mobile apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Printime dhe quajtur +DocType: Company,Total Monthly Sales,Shitjet mujore totale DocType: Bin,Actual Quantity,Sasia aktuale DocType: Shipping Rule,example: Next Day Shipping,shembull: Transporti Dita e ardhshme apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial Asnjë {0} nuk u gjet @@ -2240,7 +2245,7 @@ DocType: Payment Request,Make Sales Invoice,Bëni Sales Faturë apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Programe apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Next Kontakt Data nuk mund të jetë në të kaluarën DocType: Company,For Reference Only.,Vetëm për referencë. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Zgjidh Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Zgjidh Batch No apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Invalid {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Advance Shuma @@ -2253,7 +2258,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nuk ka artikull me Barkodi {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Rast No. nuk mund të jetë 0 DocType: Item,Show a slideshow at the top of the page,Tregojnë një Slideshow në krye të faqes -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,BOM apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Dyqane DocType: Serial No,Delivery Time,Koha e dorëzimit apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Plakjen Bazuar Në @@ -2267,16 +2272,16 @@ DocType: Rename Tool,Rename Tool,Rename Tool apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Update Kosto DocType: Item Reorder,Item Reorder,Item reorder apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Trego Paga Shqip -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Material Transferimi +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Material Transferimi DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Specifikoni operacionet, koston operative dhe të japë një operacion i veçantë nuk ka për operacionet tuaja." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ky dokument është mbi kufirin nga {0} {1} për pika {4}. A jeni duke bërë një tjetër {3} kundër të njëjtit {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Ju lutemi të vendosur përsëritur pas kursimit -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Llogaria Shuma Zgjidh ndryshim +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Ju lutemi të vendosur përsëritur pas kursimit +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Llogaria Shuma Zgjidh ndryshim DocType: Purchase Invoice,Price List Currency,Lista e Çmimeve Valuta DocType: Naming Series,User must always select,Përdoruesi duhet të zgjidhni gjithmonë DocType: Stock Settings,Allow Negative Stock,Lejo Negativ Stock DocType: Installation Note,Installation Note,Instalimi Shënim -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Shto Tatimet +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Shto Tatimet DocType: Topic,Topic,temë apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Cash Flow nga Financimi DocType: Budget Account,Budget Account,Llogaria buxheti @@ -2290,7 +2295,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Gjurm apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Burimi i Fondeve (obligimeve) të papaguara apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Sasia në rresht {0} ({1}) duhet të jetë e njëjtë me sasinë e prodhuar {2} DocType: Appraisal,Employee,Punonjës -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Zgjidh Batch +DocType: Company,Sales Monthly History,Historia mujore e shitjeve +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Zgjidh Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} është faturuar plotësisht DocType: Training Event,End Time,Fundi Koha apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Paga Struktura Active {0} gjetur për punonjës {1} për të dhënë datat @@ -2298,15 +2304,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Zbritjet e pagesës ose Loss apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Kushtet e kontratës standarde për shitje ose blerje. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grupi nga Bonon apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Sales tubacionit -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Ju lutemi të vendosur llogarinë e paracaktuar në Paga Komponentin {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Ju lutemi të vendosur llogarinë e paracaktuar në Paga Komponentin {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Kerkohet Në DocType: Rename Tool,File to Rename,Paraqesë për Rename apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Ju lutem, përzgjidhni bom për Item në rresht {0}" apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Llogaria {0} nuk përputhet me Kompaninë {1} në Mode e Llogarisë: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Specifikuar BOM {0} nuk ekziston për Item {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Mirëmbajtja Orari {0} duhet të anulohet para se anulimi këtë Radhit Sales +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Mirëmbajtja Orari {0} duhet të anulohet para se anulimi këtë Radhit Sales DocType: Notification Control,Expense Claim Approved,Shpenzim Kërkesa Miratuar -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutem vendosni numrat e serisë për Pjesëmarrjen përmes Setup> Seritë e Numërimit apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Slip Paga e punonjësit të {0} krijuar tashmë për këtë periudhë apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutike apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostoja e artikujve të blerë @@ -2323,7 +2328,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Jo për një ar DocType: Upload Attendance,Attendance To Date,Pjesëmarrja në datën DocType: Warranty Claim,Raised By,Ngritur nga DocType: Payment Gateway Account,Payment Account,Llogaria e pagesës -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Ju lutemi specifikoni kompanisë për të vazhduar +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Ju lutemi specifikoni kompanisë për të vazhduar apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Ndryshimi neto në llogarive të arkëtueshme apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompensues Off DocType: Offer Letter,Accepted,Pranuar @@ -2333,12 +2338,12 @@ DocType: SG Creation Tool Course,Student Group Name,Emri Group Student apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Ju lutem sigurohuni që ju me të vërtetë dëshironi të fshini të gjitha transaksionet për këtë kompani. Të dhënat tuaja mjeshtër do të mbetet ashtu siç është. Ky veprim nuk mund të zhbëhet. DocType: Room,Room Number,Numri Room apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referenca e pavlefshme {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nuk mund të jetë më i madh se quanitity planifikuar ({2}) në Prodhimi i rendit {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nuk mund të jetë më i madh se quanitity planifikuar ({2}) në Prodhimi i rendit {3} DocType: Shipping Rule,Shipping Rule Label,Rregulla Transporti Label apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forumi User -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Lëndëve të para nuk mund të jetë bosh. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Nuk mund të rinovuar aksioneve, fatura përmban anijeve rënie artikull." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Journal Hyrja +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Lëndëve të para nuk mund të jetë bosh. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Nuk mund të rinovuar aksioneve, fatura përmban anijeve rënie artikull." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Quick Journal Hyrja apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Ju nuk mund të ndryshoni normës nëse bom përmendur agianst çdo send DocType: Employee,Previous Work Experience,Përvoja e mëparshme e punës DocType: Stock Entry,For Quantity,Për Sasia @@ -2395,7 +2400,7 @@ DocType: SMS Log,No of Requested SMS,Nr i SMS kërkuar apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Dërgo Pa Paguhet nuk përputhet me të dhënat Leave Aplikimi miratuara DocType: Campaign,Campaign-.####,Fushata -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Hapat e ardhshëm -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Ju lutemi të furnizimit me artikuj të specifikuara në normat më të mirë të mundshme +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Ju lutemi të furnizimit me artikuj të specifikuara në normat më të mirë të mundshme DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Opportunity afër pas 15 ditësh apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,Fundi Viti apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot /% Lead @@ -2433,7 +2438,7 @@ DocType: Homepage,Homepage,Faqe Hyrëse DocType: Purchase Receipt Item,Recd Quantity,Recd Sasia apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Records tarifë Krijuar - {0} DocType: Asset Category Account,Asset Category Account,Asset Kategoria Llogaria -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Nuk mund të prodhojë më shumë Item {0} se sasia Sales Rendit {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Nuk mund të prodhojë më shumë Item {0} se sasia Sales Rendit {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock Hyrja {0} nuk është dorëzuar DocType: Payment Reconciliation,Bank / Cash Account,Llogarisë Bankare / Cash apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Next kontaktoni me nuk mund të jetë i njëjtë si adresë Lead Email @@ -2466,7 +2471,7 @@ DocType: Salary Structure,Total Earning,Fituar Total DocType: Purchase Receipt,Time at which materials were received,Koha në të cilën janë pranuar materialet e DocType: Stock Ledger Entry,Outgoing Rate,Largohet Rate apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Mjeshtër degë organizatë. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ose +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,ose DocType: Sales Order,Billing Status,Faturimi Statusi apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Raportoni një çështje apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Shpenzimet komunale @@ -2474,7 +2479,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Ditari Hyrja {1} nuk ka llogari {2} ose tashmë krahasohen kundër një kupon DocType: Buying Settings,Default Buying Price List,E albumit Lista Blerja Çmimi DocType: Process Payroll,Salary Slip Based on Timesheet,Slip Paga Bazuar në pasqyrë e mungesave -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nuk ka punonjës me kriteret e zgjedhura sipër apo rrogës pip krijuar tashmë +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Nuk ka punonjës me kriteret e zgjedhura sipër apo rrogës pip krijuar tashmë DocType: Notification Control,Sales Order Message,Sales Rendit Mesazh apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Vlerat Default si Company, Valuta, vitin aktual fiskal, etj" DocType: Payment Entry,Payment Type,Lloji Pagesa @@ -2499,7 +2504,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Dokumenti Pranimi duhet të dorëzohet DocType: Purchase Invoice Item,Received Qty,Marrë Qty DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Nuk është paguar dhe nuk dorëzohet +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Nuk është paguar dhe nuk dorëzohet DocType: Product Bundle,Parent Item,Item prind DocType: Account,Account Type,Lloji i Llogarisë DocType: Delivery Note,DN-RET-,DN-RET- @@ -2530,8 +2535,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Shuma totale e alokuar apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Bëje llogari inventarit parazgjedhur për inventarit të përhershëm DocType: Item Reorder,Material Request Type,Material Type Kërkesë -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Gazeta hyrjes pagave nga {0} në {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage është e plotë, nuk ka shpëtuar" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Gazeta hyrjes pagave nga {0} në {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage është e plotë, nuk ka shpëtuar" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Konvertimi Faktori është i detyrueshëm apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Qendra Kosto @@ -2549,7 +2554,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Tatim apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Nëse Rregulla zgjedhur Çmimeve është bërë për 'Çmimi', ajo do të prishësh listën e çmimeve. Çmimi Rregulla e Çmimeve është çmimi përfundimtar, kështu që nuk ka zbritje të mëtejshme duhet të zbatohet. Për këtë arsye, në transaksione si Sales Rendit, Rendit Blerje etj, ajo do të sjellë në fushën e 'norma', në vend se të fushës "listën e çmimeve normë '." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track kryeson nga Industrisë Type. DocType: Item Supplier,Item Supplier,Item Furnizuesi -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Ju lutemi shkruani Kodin artikull për të marrë grumbull asnjë +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Ju lutemi shkruani Kodin artikull për të marrë grumbull asnjë apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},"Ju lutem, përzgjidhni një vlerë për {0} quotation_to {1}" apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Të gjitha adresat. DocType: Company,Stock Settings,Stock Cilësimet @@ -2576,7 +2581,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qty aktual Pas Transaks apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nuk ka paga shqip gjetur mes {0} dhe {1} ,Pending SO Items For Purchase Request,Në pritje SO artikuj për Kërkesë Blerje apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Pranimet e studentëve -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} është me aftësi të kufizuara +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} është me aftësi të kufizuara DocType: Supplier,Billing Currency,Faturimi Valuta DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Shumë i madh @@ -2606,7 +2611,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,aplikimi Status DocType: Fees,Fees,tarifat DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specifikoni Exchange Rate për të kthyer një monedhë në një tjetër -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Citat {0} është anuluar +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Citat {0} është anuluar apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Shuma totale Outstanding DocType: Sales Partner,Targets,Synimet DocType: Price List,Price List Master,Lista e Çmimeve Master @@ -2623,7 +2628,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignore Rregulla e Çmimeve DocType: Employee Education,Graduate,I diplomuar DocType: Leave Block List,Block Days,Ditët Blloku DocType: Journal Entry,Excise Entry,Akciza Hyrja -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Kujdes: Sales Order {0} ekziston kundër Rendit Blerje Klientit {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Kujdes: Sales Order {0} ekziston kundër Rendit Blerje Klientit {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2650,7 +2655,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Nës ,Salary Register,Paga Regjistrohu DocType: Warehouse,Parent Warehouse,Magazina Parent DocType: C-Form Invoice Detail,Net Total,Net Total -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Default BOM nuk u gjet për Item {0} dhe Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Përcaktojnë lloje të ndryshme të kredive DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Shuma Outstanding @@ -2687,7 +2692,7 @@ DocType: Salary Detail,Condition and Formula Help,Gjendja dhe Formula Ndihmë apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Manage Territorit Tree. DocType: Journal Entry Account,Sales Invoice,Shitjet Faturë DocType: Journal Entry Account,Party Balance,Bilanci i Partisë -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Ju lutem, përzgjidhni Aplikoni zbritje në" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Ju lutem, përzgjidhni Aplikoni zbritje në" DocType: Company,Default Receivable Account,Gabim Llogaria Arkëtueshme DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Krijo Banka e hyrjes për pagën totale e paguar për kriteret e përzgjedhura më sipër DocType: Stock Entry,Material Transfer for Manufacture,Transferimi materiale për Prodhimin @@ -2701,7 +2706,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Customer Adresa DocType: Employee Loan,Loan Details,kredi Details DocType: Company,Default Inventory Account,Llogaria Default Inventar -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Kompletuar Qty duhet të jetë më e madhe se zero. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Row {0}: Kompletuar Qty duhet të jetë më e madhe se zero. DocType: Purchase Invoice,Apply Additional Discount On,Aplikoni shtesë zbritje në DocType: Account,Root Type,Root Type DocType: Item,FIFO,FIFO @@ -2718,7 +2723,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Cilësia Inspektimi apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Vogla DocType: Company,Standard Template,Template standard DocType: Training Event,Theory,teori -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Warning: Materiali kërkuar Qty është më pak se minimale Rendit Qty +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Warning: Materiali kërkuar Qty është më pak se minimale Rendit Qty apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Llogaria {0} është ngrirë DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Personit juridik / subsidiare me një tabelë të veçantë e llogarive i përkasin Organizatës. DocType: Payment Request,Mute Email,Mute Email @@ -2742,7 +2747,7 @@ DocType: Training Event,Scheduled,Planifikuar apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Kërkesa për kuotim. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Ju lutem zgjidhni Item ku "A Stock Pika" është "Jo" dhe "është pika e shitjes" është "Po", dhe nuk ka asnjë tjetër Bundle Produktit" DocType: Student Log,Academic,Akademik -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Gjithsej paraprakisht ({0}) kundër Rendit {1} nuk mund të jetë më e madhe se Grand Total ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Gjithsej paraprakisht ({0}) kundër Rendit {1} nuk mund të jetë më e madhe se Grand Total ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Zgjidh Shpërndarja mujore të pabarabartë shpërndarë objektiva të gjithë muajve. DocType: Purchase Invoice Item,Valuation Rate,Vlerësimi Rate DocType: Stock Reconciliation,SR/,SR / @@ -2808,6 +2813,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Sasia DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Shkruani emrin e fushatës nëse burimi i hetimit është fushatë apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Gazeta Botuesit apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Zgjidh Viti Fiskal +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Data e dorëzimit të pritshëm duhet të jetë pas datës së porosisë së shitjes apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Reorder Niveli DocType: Company,Chart Of Accounts Template,Chart e Llogarive Stampa DocType: Attendance,Attendance Date,Pjesëmarrja Data @@ -2839,7 +2845,7 @@ DocType: Pricing Rule,Discount Percentage,Përqindja Discount DocType: Payment Reconciliation Invoice,Invoice Number,Numri i faturës DocType: Shopping Cart Settings,Orders,Urdhërat DocType: Employee Leave Approver,Leave Approver,Lini aprovuesi -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,"Ju lutem, përzgjidhni një grumbull" +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,"Ju lutem, përzgjidhni një grumbull" DocType: Assessment Group,Assessment Group Name,Emri Grupi i Vlerësimit DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferuar për Prodhime DocType: Expense Claim,"A user with ""Expense Approver"" role",Një përdorues me "Shpenzimi aprovuesi" rolin @@ -2876,7 +2882,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Dita e fundit e muajit të ardhshëm DocType: Support Settings,Auto close Issue after 7 days,Auto Issue ngushtë pas 7 ditësh apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lënë nuk mund të ndahen përpara {0}, si bilanci leja ka qenë tashmë copë dërgohet në regjistrin e ardhshëm alokimit Pushimi {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Shënim: Për shkak / Data Referenca kalon lejuar ditët e kreditit të konsumatorëve nga {0} ditë (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Shënim: Për shkak / Data Referenca kalon lejuar ditët e kreditit të konsumatorëve nga {0} ditë (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Aplikuesi DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL për RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,Llogaria akumuluar Zhvlerësimi @@ -2887,7 +2893,7 @@ DocType: Item,Reorder level based on Warehouse,Niveli Reorder bazuar në Magazin DocType: Activity Cost,Billing Rate,Rate Faturimi ,Qty to Deliver,Qty të Dorëzojë ,Stock Analytics,Stock Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operacionet nuk mund të lihet bosh +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operacionet nuk mund të lihet bosh DocType: Maintenance Visit Purpose,Against Document Detail No,Kundër Document Detail Jo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Lloji Party është e detyrueshme DocType: Quality Inspection,Outgoing,Largohet @@ -2929,15 +2935,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Qty në dispozicion në magazinë apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Shuma e faturuar DocType: Asset,Double Declining Balance,Dyfishtë rënie Balance -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,mënyrë të mbyllura nuk mund të anulohet. Hap për të anulluar. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,mënyrë të mbyllura nuk mund të anulohet. Hap për të anulluar. DocType: Student Guardian,Father,Atë -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' nuk mund të kontrollohet për shitjen e aseteve fikse +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' nuk mund të kontrollohet për shitjen e aseteve fikse DocType: Bank Reconciliation,Bank Reconciliation,Banka Pajtimit DocType: Attendance,On Leave,Në ikje apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Get Updates apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Llogaria {2} nuk i përkasin kompanisë {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materiali Kërkesë {0} është anuluar ose ndërprerë -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Shto një pak të dhënat mostër +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Shto një pak të dhënat mostër apps/erpnext/erpnext/config/hr.py +301,Leave Management,Lini Menaxhimi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupi nga Llogaria DocType: Sales Order,Fully Delivered,Dorëzuar plotësisht @@ -2946,12 +2952,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Llogaria ndryshim duhet të jetë një llogari lloj Aseteve / Detyrimeve, pasi kjo Stock Pajtimi është një Hyrja Hapja" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Shuma e disbursuar nuk mund të jetë më e madhe se: Kredia {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Blerje numrin urdhër që nevojitet për artikullit {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Rendit prodhimit jo krijuar +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Rendit prodhimit jo krijuar apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Nga Data "duhet të jetë pas" deri më sot " apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nuk mund të ndryshojë statusin si nxënës {0} është e lidhur me aplikimin e studentëve {1} DocType: Asset,Fully Depreciated,amortizuar plotësisht ,Stock Projected Qty,Stock Projektuar Qty -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Customer {0} nuk i përket projektit {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Customer {0} nuk i përket projektit {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Pjesëmarrja e shënuar HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citate janë propozimet, ofertat keni dërguar për klientët tuaj" DocType: Sales Order,Customer's Purchase Order,Rendit Blerje konsumatorit @@ -2961,7 +2967,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Ju lutemi të vendosur Numri i nënçmime rezervuar apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Vlera ose Qty apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Urdhërat Productions nuk mund të ngrihen për: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minutë +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minutë DocType: Purchase Invoice,Purchase Taxes and Charges,Blerje taksat dhe tatimet ,Qty to Receive,Qty të marrin DocType: Leave Block List,Leave Block List Allowed,Dërgo Block Lista Lejohet @@ -2975,7 +2981,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Gjitha llojet Furnizuesi DocType: Global Defaults,Disable In Words,Disable Në fjalë apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Kodi i artikullit është i detyrueshëm për shkak Item nuk është numëruar në mënyrë automatike -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Citat {0} nuk e tipit {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Citat {0} nuk e tipit {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Orari Mirëmbajtja Item DocType: Sales Order,% Delivered,% Dorëzuar DocType: Production Order,PRO-,PRO @@ -2998,7 +3004,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Shitës Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Gjithsej Kosto Blerje (nëpërmjet Blerje Faturës) DocType: Training Event,Start Time,Koha e fillimit -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Zgjidh Sasia +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Zgjidh Sasia DocType: Customs Tariff Number,Customs Tariff Number,Numri Tarifa doganore apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Miratimi Rolit nuk mund të jetë i njëjtë si rolin rregulli është i zbatueshëm për apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Çabonoheni nga ky Dërgoje Digest @@ -3022,7 +3028,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Faturuar plotësisht apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Para në dorë -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Depo ofrimit të nevojshme për pikën e aksioneve {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Depo ofrimit të nevojshme për pikën e aksioneve {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Pesha bruto e paketës. Zakonisht pesha neto + paketimin pesha materiale. (Për shtyp) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Përdoruesit me këtë rol janë të lejuara për të ngritur llogaritë ngrirë dhe për të krijuar / modifikuar shënimet e kontabilitetit kundrejt llogarive të ngrira @@ -3032,7 +3038,7 @@ DocType: Student Group,Group Based On,Grupi i bazuar në DocType: Journal Entry,Bill Date,Bill Data apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Shërbimi Item, Lloji, frekuenca dhe sasia shpenzimet janë të nevojshme" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Edhe në qoftë se ka rregulla të shumta çmimeve me prioritet më të lartë, prioritetet e brendshme atëherë në vijim aplikohen:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},A jeni të vërtetë dëshironi të paraqesë të gjitha kuotat e duhura Rroga nga {0} në {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},A jeni të vërtetë dëshironi të paraqesë të gjitha kuotat e duhura Rroga nga {0} në {1} DocType: Cheque Print Template,Cheque Height,Çek Lartësia DocType: Supplier,Supplier Details,Detajet Furnizuesi DocType: Expense Claim,Approval Status,Miratimi Statusi @@ -3054,7 +3060,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Lead për Kuotim apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Asgjë më shumë për të treguar. DocType: Lead,From Customer,Nga Klientit apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Telefonatat -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,tufa +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,tufa DocType: Project,Total Costing Amount (via Time Logs),Shuma kushton (nëpërmjet Koha Shkrime) DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Blerje Rendit {0} nuk është dorëzuar @@ -3086,7 +3092,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Kthehu kundër Blerje DocType: Item,Warranty Period (in days),Garanci Periudha (në ditë) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Raporti me Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Paraja neto nga operacionet -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,p.sh. TVSH +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,p.sh. TVSH apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Pika 4 DocType: Student Admission,Admission End Date,Pranimi End Date apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Nënkontraktimi @@ -3094,7 +3100,7 @@ DocType: Journal Entry Account,Journal Entry Account,Llogaria Journal Hyrja apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupi Student DocType: Shopping Cart Settings,Quotation Series,Citat Series apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Një artikull ekziston me të njëjtin emër ({0}), ju lutemi të ndryshojë emrin e grupit pika ose riemërtoj pika" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Ju lutemi zgjidhni klientit +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Ju lutemi zgjidhni klientit DocType: C-Form,I,unë DocType: Company,Asset Depreciation Cost Center,Asset Center Zhvlerësimi Kostoja DocType: Sales Order Item,Sales Order Date,Sales Order Data @@ -3105,6 +3111,7 @@ DocType: Stock Settings,Limit Percent,Limit Percent ,Payment Period Based On Invoice Date,Periudha e pagesës bazuar në datën Faturë apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Missing Currency Exchange Rates për {0} DocType: Assessment Plan,Examiner,pedagog +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vendosni Serinë Naming për {0} nëpërmjet Setup> Settings> Seria Naming DocType: Student,Siblings,Vëllezërit e motrat DocType: Journal Entry,Stock Entry,Stock Hyrja DocType: Payment Entry,Payment References,Referencat e pagesës @@ -3129,7 +3136,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Ku operacionet prodhuese janë kryer. DocType: Asset Movement,Source Warehouse,Burimi Magazina DocType: Installation Note,Installation Date,Instalimi Data -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} nuk i përkasin kompanisë {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} nuk i përkasin kompanisë {2} DocType: Employee,Confirmation Date,Konfirmimi Data DocType: C-Form,Total Invoiced Amount,Shuma totale e faturuar apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty nuk mund të jetë më i madh se Max Qty @@ -3204,7 +3211,7 @@ DocType: Company,Default Letter Head,Default Letër Shef DocType: Purchase Order,Get Items from Open Material Requests,Të marrë sendet nga kërkesat Hapur Materiale DocType: Item,Standard Selling Rate,Standard Shitja Vlerësoni DocType: Account,Rate at which this tax is applied,Shkalla në të cilën kjo taksë aplikohet -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Reorder Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Reorder Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Hapje e tanishme e punës DocType: Company,Stock Adjustment Account,Llogaria aksioneve Rregullimit apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Shkruani Off @@ -3218,7 +3225,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Furnizuesi jep Klientit apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Forma / Item / {0}) është nga të aksioneve apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Data e ardhshme duhet të jetë më i madh se mbi postimet Data -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Për shkak / Referenca Data nuk mund të jetë pas {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Për shkak / Referenca Data nuk mund të jetë pas {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Importi dhe Eksporti i të dhënave apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nuk studentët Found apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Fatura Posting Data @@ -3238,12 +3245,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Kjo është e bazuar në pjesëmarrjen e këtij Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Nuk ka Studentët në apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Shto artikuj më shumë apo formë të hapur të plotë -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Ju lutemi shkruani 'datës së pritshme dorëzimit' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Shënime ofrimit {0} duhet të anulohet para se anulimi këtë Radhit Sales +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Shënime ofrimit {0} duhet të anulohet para se anulimi këtë Radhit Sales apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Shuma e paguar + anullojë Shuma nuk mund të jetë më i madh se Grand Total apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nuk është një numër i vlefshëm Batch për Item {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Shënim: Nuk ka bilanc mjaft leje për pushim Lloji {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN pavlefshme ose Shkruani NA për paregjistruar +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN pavlefshme ose Shkruani NA për paregjistruar DocType: Training Event,Seminar,seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Program Tarifa Regjistrimi DocType: Item,Supplier Items,Items Furnizuesi @@ -3261,7 +3267,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stock plakjen apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} ekzistojnë kundër aplikantit studentore {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,pasqyrë e mungesave -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' është me aftësi të kufizuara +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' është me aftësi të kufizuara apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Bëje si Open DocType: Cheque Print Template,Scanned Cheque,skanuar çek DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Dërgo email automatike në Kontaktet për transaksionet Dorëzimi. @@ -3307,7 +3313,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Lista e Çmimeve Exchange Rate DocType: Purchase Invoice Item,Rate,Normë apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Mjek praktikant -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,adresa Emri +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,adresa Emri DocType: Stock Entry,From BOM,Nga bom DocType: Assessment Code,Assessment Code,Kodi i vlerësimit apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Themelor @@ -3320,20 +3326,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Struktura e pagave DocType: Account,Bank,Banka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Linjë ajrore -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Materiali çështje +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Materiali çështje DocType: Material Request Item,For Warehouse,Për Magazina DocType: Employee,Offer Date,Oferta Data apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citate -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Ju jeni në offline mode. Ju nuk do të jetë në gjendje për të rifreskoni deri sa të ketë rrjet. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Ju jeni në offline mode. Ju nuk do të jetë në gjendje për të rifreskoni deri sa të ketë rrjet. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Nuk Grupet Student krijuar. DocType: Purchase Invoice Item,Serial No,Serial Asnjë apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Shuma mujore e pagesës nuk mund të jetë më e madhe se Shuma e Kredisë apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Ju lutemi shkruani maintaince Detaje parë +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rreshti # {0}: Data e pritshme e dorëzimit nuk mund të jetë para datës së porosisë së blerjes DocType: Purchase Invoice,Print Language,Print Gjuha DocType: Salary Slip,Total Working Hours,Gjithsej Orari i punës DocType: Stock Entry,Including items for sub assemblies,Duke përfshirë edhe artikuj për nën kuvendet -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Shkruani Vlera duhet të jetë pozitiv -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kodi i artikullit> Grupi i artikullit> Markë +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Shkruani Vlera duhet të jetë pozitiv apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Të gjitha Territoret DocType: Purchase Invoice,Items,Artikuj apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Studenti është regjistruar tashmë. @@ -3355,7 +3361,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default njësinë e matjes për Varianti '{0}' duhet të jetë i njëjtë si në Template '{1}' DocType: Shipping Rule,Calculate Based On,Llogaritur bazuar në DocType: Delivery Note Item,From Warehouse,Nga Magazina -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Nuk Items me faturën e materialeve të Prodhimi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Nuk Items me faturën e materialeve të Prodhimi DocType: Assessment Plan,Supervisor Name,Emri Supervisor DocType: Program Enrollment Course,Program Enrollment Course,Program Regjistrimi Kursi DocType: Purchase Taxes and Charges,Valuation and Total,Vlerësimi dhe Total @@ -3370,32 +3376,33 @@ DocType: Training Event Employee,Attended,mori pjesë apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"Ditët Që Rendit Fundit" duhet të jetë më e madhe se ose e barabartë me zero DocType: Process Payroll,Payroll Frequency,Payroll Frekuenca DocType: Asset,Amended From,Ndryshuar Nga -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Raw Material +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Raw Material DocType: Leave Application,Follow via Email,Ndiqni nëpërmjet Email apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Bimët dhe makineri DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Shuma e taksave Pas Shuma ulje DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daily Settings Përmbledhje Work -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta e listës së çmimeve {0} nuk është i ngjashëm me monedhën e zgjedhur {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuta e listës së çmimeve {0} nuk është i ngjashëm me monedhën e zgjedhur {1} DocType: Payment Entry,Internal Transfer,Transfer të brendshme apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Llogari fëmijë ekziston për këtë llogari. Ju nuk mund të fshini këtë llogari. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ose Qty objektiv ose shuma e synuar është e detyrueshme apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Nuk ekziston parazgjedhur bom për Item {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Ju lutem, përzgjidhni datën e postimit parë" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Ju lutem, përzgjidhni datën e postimit parë" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Hapja Data duhet të jetë para datës së mbylljes DocType: Leave Control Panel,Carry Forward,Bart apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Qendra Kosto me transaksionet ekzistuese nuk mund të konvertohet në Ledger DocType: Department,Days for which Holidays are blocked for this department.,Ditë për të cilat Festat janë bllokuar për këtë departament. ,Produced,Prodhuar -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Krijuar pagave rrëshqet +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Krijuar pagave rrëshqet DocType: Item,Item Code for Suppliers,Item Kodi për Furnizuesit DocType: Issue,Raised By (Email),Ngritur nga (Email) DocType: Training Event,Trainer Name,Emri trajner DocType: Mode of Payment,General,I përgjithshëm apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikimi i fundit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nuk mund të zbres kur kategori është për 'vlerësimit' ose 'Vlerësimit dhe Total " -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista kokat tuaja tatimore (p.sh. TVSH, doganore etj, ata duhet të kenë emra të veçantë) dhe normat e tyre standarde. Kjo do të krijojë një template standarde, të cilat ju mund të redaktoni dhe shtoni më vonë." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista kokat tuaja tatimore (p.sh. TVSH, doganore etj, ata duhet të kenë emra të veçantë) dhe normat e tyre standarde. Kjo do të krijojë një template standarde, të cilat ju mund të redaktoni dhe shtoni më vonë." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Nos kërkuar për Item serialized {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Pagesat ndeshje me faturat +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Rresht # {0}: Ju lutemi shkruani datën e dorëzimit kundër sendit {1} DocType: Journal Entry,Bank Entry,Banka Hyrja DocType: Authorization Rule,Applicable To (Designation),Për të zbatueshme (Përcaktimi) ,Profitability Analysis,Analiza e profitabilitetit @@ -3411,17 +3418,18 @@ DocType: Quality Inspection,Item Serial No,Item Nr Serial apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Krijo Records punonjësve apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,I pranishëm Total apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Deklaratat e kontabilitetit -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Orë +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Orë apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Jo i ri Serial nuk mund të ketë depo. Magazina duhet të përcaktohen nga Bursa e hyrjes ose marrjes Blerje DocType: Lead,Lead Type,Lead Type apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Ju nuk jeni i autorizuar të miratojë lë në datat Block -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Të gjitha këto objekte janë tashmë faturohen +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Të gjitha këto objekte janë tashmë faturohen +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Synimi i shitjeve mujore apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Mund të miratohet nga {0} DocType: Item,Default Material Request Type,Default Kërkesa Tipe Materiali apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,I panjohur DocType: Shipping Rule,Shipping Rule Conditions,Shipping Rregulla Kushte DocType: BOM Replace Tool,The new BOM after replacement,BOM ri pas zëvendësimit -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Pika e Shitjes +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Pika e Shitjes DocType: Payment Entry,Received Amount,Shuma e marrë DocType: GST Settings,GSTIN Email Sent On,GSTIN Email dërguar më DocType: Program Enrollment,Pick/Drop by Guardian,Pick / rënie nga Guardian @@ -3436,8 +3444,8 @@ DocType: C-Form,Invoices,Faturat DocType: Batch,Source Document Name,Dokumenti Burimi Emri DocType: Job Opening,Job Title,Titulli Job apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Krijo Përdoruesit -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Sasi të Prodhimi duhet të jetë më e madhe se 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Sasi të Prodhimi duhet të jetë më e madhe se 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Vizitoni raport për thirrjen e mirëmbajtjes. DocType: Stock Entry,Update Rate and Availability,Update Vlerësoni dhe Disponueshmëria DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Përqindja ju keni të drejtë për të marrë ose të japë më shumë kundër sasi të urdhëruar. Për shembull: Nëse ju keni urdhëruar 100 njësi. dhe Allowance juaj është 10%, atëherë ju keni të drejtë për të marrë 110 njësi." @@ -3449,7 +3457,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Ju lutemi anuloni Blerje Faturën {0} parë apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Adresa Email duhet të jetë unike, tashmë ekziston për {0}" DocType: Serial No,AMC Expiry Date,AMC Data e Mbarimit -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Faturë +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Faturë ,Sales Register,Shitjet Regjistrohu DocType: Daily Work Summary Settings Company,Send Emails At,Dërgo email Në DocType: Quotation,Quotation Lost Reason,Citat Humbur Arsyeja @@ -3462,14 +3470,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Nuk ka Konsum apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Pasqyra Cash Flow apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Sasia huaja nuk mund të kalojë sasi maksimale huazimin e {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Liçensë -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Ju lutem hiqni këtë Faturë {0} nga C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Ju lutem hiqni këtë Faturë {0} nga C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Ju lutem, përzgjidhni Mbaj përpara në qoftë se ju të dëshironi që të përfshijë bilancit vitit të kaluar fiskal lë të këtij viti fiskal" DocType: GL Entry,Against Voucher Type,Kundër Voucher Type DocType: Item,Attributes,Atributet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Ju lutem, jepini të anullojë Llogari" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Rendit fundit Date apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Llogaria {0} nuk i takon kompanisë {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Numrat serial në rresht {0} nuk përputhet me shpërndarjen Note +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Numrat serial në rresht {0} nuk përputhet me shpërndarjen Note DocType: Student,Guardian Details,Guardian Details DocType: C-Form,C-Form,C-Forma apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Pjesëmarrja për të punësuarit të shumta @@ -3501,16 +3509,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ll DocType: Tax Rule,Sales,Shitjet DocType: Stock Entry Detail,Basic Amount,Shuma bazë DocType: Training Event,Exam,Provimi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Magazina e nevojshme për aksioneve Item {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Magazina e nevojshme për aksioneve Item {0} DocType: Leave Allocation,Unused leaves,Gjethet e papërdorura -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Shteti Faturimi apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transferim apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nuk lidhen me llogarinë Partisë {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch bom shpërtheu (përfshirë nën-kuvendet) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch bom shpërtheu (përfshirë nën-kuvendet) DocType: Authorization Rule,Applicable To (Employee),Për të zbatueshme (punonjës) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Për shkak Data është e detyrueshme apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Rritja për Atributit {0} nuk mund të jetë 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klienti> Grupi i Klientit> Territori DocType: Journal Entry,Pay To / Recd From,Për të paguar / Recd Nga DocType: Naming Series,Setup Series,Setup Series DocType: Payment Reconciliation,To Invoice Date,Në faturën Date @@ -3537,7 +3546,7 @@ DocType: Journal Entry,Write Off Based On,Shkruani Off bazuar në apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,bëni Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print dhe Stationery DocType: Stock Settings,Show Barcode Field,Trego Barcode Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Dërgo email furnizuesi +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Dërgo email furnizuesi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Paga përpunuar tashmë për periudhën ndërmjet {0} dhe {1}, Lini periudha e aplikimit nuk mund të jetë në mes të këtyre datave." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Rekord Instalimi për një Nr Serial DocType: Guardian Interest,Guardian Interest,Guardian Interesi @@ -3550,7 +3559,7 @@ DocType: Offer Letter,Awaiting Response,Në pritje të përgjigjes apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Sipër apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},atribut i pavlefshëm {0} {1} DocType: Supplier,Mention if non-standard payable account,Përmend në qoftë se llogaria jo-standarde pagueshme -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Same artikull është futur shumë herë. {listë} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Same artikull është futur shumë herë. {listë} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Ju lutemi zgjidhni grupin e vlerësimit të tjera se "të gjitha grupet e vlerësimit ' DocType: Salary Slip,Earning & Deduction,Fituar dhe Zbritje apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Fakultative. Ky rregullim do të përdoret për të filtruar në transaksionet e ndryshme. @@ -3569,7 +3578,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kostoja e asetit braktiset apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Qendra Kosto është e detyrueshme për Item {2} DocType: Vehicle,Policy No,Politika No -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Të marrë sendet nga Bundle produktit +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Të marrë sendet nga Bundle produktit DocType: Asset,Straight Line,Vijë e drejtë DocType: Project User,Project User,User Project apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,ndarje @@ -3582,6 +3591,7 @@ DocType: Sales Team,Contact No.,Kontakt Nr DocType: Bank Reconciliation,Payment Entries,Entries pagesës DocType: Production Order,Scrap Warehouse,Scrap Magazina DocType: Production Order,Check if material transfer entry is not required,Kontrolloni nëse hyrja transferimi material nuk është e nevojshme +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutem vendosni Sistemin e Emërimit të Punonjësve në Burimet Njerëzore> Cilësimet e HR DocType: Program Enrollment Tool,Get Students From,Get Studentët nga DocType: Hub Settings,Seller Country,Shitës Vendi apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publikojnë artikuj në faqen @@ -3599,19 +3609,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Specifikoni kushtet për të llogaritur shumën e anijeve DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Roli i lejohet të Accounts ngrirë dhe Edit ngrira gjitha apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,Nuk mund të konvertohet Qendra Kosto të librit si ajo ka nyje fëmijë -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Vlera e hapjes +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Vlera e hapjes DocType: Salary Detail,Formula,formulë apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisioni për Shitje DocType: Offer Letter Term,Value / Description,Vlera / Përshkrim -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nuk mund të paraqitet, ajo është tashmë {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nuk mund të paraqitet, ajo është tashmë {2}" DocType: Tax Rule,Billing Country,Faturimi Vendi DocType: Purchase Order Item,Expected Delivery Date,Pritet Data e dorëzimit apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debi dhe Kredi jo të barabartë për {0} # {1}. Dallimi është {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Shpenzimet Argëtim apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Bëni materiale Kërkesë apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Hapur Artikull {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Shitjet Faturë {0} duhet të anulohet para anulimit këtë Radhit Sales +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Shitjet Faturë {0} duhet të anulohet para anulimit këtë Radhit Sales apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Moshë DocType: Sales Invoice Timesheet,Billing Amount,Shuma Faturimi apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Sasia e pavlefshme specifikuar për pika {0}. Sasia duhet të jetë më i madh se 0. @@ -3634,7 +3644,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Të ardhurat New Customer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Shpenzimet e udhëtimit DocType: Maintenance Visit,Breakdown,Avari -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Llogaria: {0} me monedhën: {1} nuk mund të zgjidhen +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Llogaria: {0} me monedhën: {1} nuk mund të zgjidhen DocType: Bank Reconciliation Detail,Cheque Date,Çek Data apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Llogaria {0}: llogari Parent {1} nuk i përkasin kompanisë: {2} DocType: Program Enrollment Tool,Student Applicants,Aplikantët Student @@ -3654,11 +3664,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planif DocType: Material Request,Issued,Lëshuar apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Aktiviteti Student DocType: Project,Total Billing Amount (via Time Logs),Shuma totale Faturimi (nëpërmjet Koha Shkrime) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Ne shesim këtë artikull +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Ne shesim këtë artikull apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Furnizuesi Id DocType: Payment Request,Payment Gateway Details,Pagesa Gateway Details -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Sasia duhet të jetë më e madhe se 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Mostra e të dhënave +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Sasia duhet të jetë më e madhe se 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Mostra e të dhënave DocType: Journal Entry,Cash Entry,Hyrja Cash apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,nyjet e fëmijëve mund të krijohen vetëm me nyje të tipit 'Grupit' DocType: Leave Application,Half Day Date,Half Day Date @@ -3667,17 +3677,18 @@ DocType: Sales Partner,Contact Desc,Kontakt Përshkrimi apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Lloji i lë si rastësor, të sëmurë etj" DocType: Email Digest,Send regular summary reports via Email.,Dërgo raporte të rregullta përmbledhje nëpërmjet Email. DocType: Payment Entry,PE-,pe- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Ju lutemi të vendosur llogarinë e paracaktuar në Expense kërkesën Lloji {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Ju lutemi të vendosur llogarinë e paracaktuar në Expense kërkesën Lloji {0} DocType: Assessment Result,Student Name,Emri i studentit DocType: Brand,Item Manager,Item Menaxher apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll pagueshme DocType: Buying Settings,Default Supplier Type,Gabim Furnizuesi Type DocType: Production Order,Total Operating Cost,Gjithsej Kosto Operative -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Shënim: Item {0} hyrë herë të shumta +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Shënim: Item {0} hyrë herë të shumta apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Të gjitha kontaktet. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Caktoni synimin tuaj apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Shkurtesa kompani apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Përdoruesi {0} nuk ekziston -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Lëndë e parë nuk mund të jetë i njëjtë si pika kryesore +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Lëndë e parë nuk mund të jetë i njëjtë si pika kryesore DocType: Item Attribute Value,Abbreviation,Shkurtim apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Pagesa Hyrja tashmë ekziston apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Jo Authroized që nga {0} tejkalon kufijtë @@ -3695,7 +3706,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Roli i lejuar për të ,Territory Target Variance Item Group-Wise,Territori i synuar Varianca Item Grupi i urti apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Të gjitha grupet e konsumatorëve apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,akumuluar mujore -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} është i detyrueshëm. Ndoshta rekord Currency Exchange nuk është krijuar për {1} të {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} është i detyrueshëm. Ndoshta rekord Currency Exchange nuk është krijuar për {1} të {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Template tatimi është i detyrueshëm. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Llogaria {0}: llogari Parent {1} nuk ekziston DocType: Purchase Invoice Item,Price List Rate (Company Currency),Lista e Çmimeve Rate (Kompania Valuta) @@ -3706,7 +3717,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Alokimi Përqindj apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretar DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Nëse disable, "me fjalë" fushë nuk do të jetë i dukshëm në çdo transaksion" DocType: Serial No,Distinct unit of an Item,Njësi të dallueshme nga një artikull -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Ju lutemi të vendosur Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Ju lutemi të vendosur Company DocType: Pricing Rule,Buying,Blerje DocType: HR Settings,Employee Records to be created by,Të dhënat e punonjësve që do të krijohet nga DocType: POS Profile,Apply Discount On,Aplikoni zbritje në @@ -3717,7 +3728,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Tatimore urti Detail apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Shkurtesa Institute ,Item-wise Price List Rate,Pika-mençur Lista e Çmimeve Rate -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Furnizuesi Citat +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Furnizuesi Citat DocType: Quotation,In Words will be visible once you save the Quotation.,Me fjalë do të jetë i dukshëm një herë ju ruani Kuotim. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Sasi ({0}) nuk mund të jetë një pjesë në rradhë {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Mblidhni Taksat @@ -3740,7 +3751,7 @@ Updated via 'Time Log'",në minuta Përditësuar nëpërmjet 'Koha Identifik DocType: Customer,From Lead,Nga Lead apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Urdhërat lëshuar për prodhim. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Zgjidh Vitin Fiskal ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profilin nevojshme për të bërë POS Hyrja +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profilin nevojshme për të bërë POS Hyrja DocType: Program Enrollment Tool,Enroll Students,regjistrohen Studentët DocType: Hub Settings,Name Token,Emri Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Shitja Standard @@ -3758,7 +3769,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Vlera e aksioneve Diferenca apps/erpnext/erpnext/config/learn.py +234,Human Resource,Burimeve Njerëzore DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pajtimi Pagesa Pagesa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Pasuritë tatimore -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Prodhimi Order ka qenë {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Prodhimi Order ka qenë {0} DocType: BOM Item,BOM No,Bom Asnjë DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Hyrja {0} nuk ka llogari {1} ose tashmë krahasohen me kupon tjetër @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Ngarko apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Amt Outstanding DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Caqet e përcaktuara Item Grupi-mençur për këtë person të shitjes. DocType: Stock Settings,Freeze Stocks Older Than [Days],Stoqet Freeze vjetër se [Ditët] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset është e detyrueshme për të aseteve fikse blerje / shitje +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset është e detyrueshme për të aseteve fikse blerje / shitje apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Nëse dy ose më shumë Rregullat e Çmimeve janë gjetur në bazë të kushteve të mësipërme, Prioritet është aplikuar. Prioritet është një numër mes 0 deri ne 20, ndërsa vlera e parazgjedhur është zero (bosh). Numri më i lartë do të thotë se do të marrë përparësi nëse ka rregulla të shumta çmimeve me kushte të njëjta." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Viti Fiskal: {0} nuk ekziston DocType: Currency Exchange,To Currency,Për të Valuta @@ -3780,7 +3791,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Llojet e shpenzimeve kërkesës. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Shitjen e normës për elementit {0} është më e ulët se saj {1}. Shitja e normës duhet të jetë atleast {2} DocType: Item,Taxes,Tatimet -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Paguar dhe nuk dorëzohet +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Paguar dhe nuk dorëzohet DocType: Project,Default Cost Center,Qendra Kosto e albumit DocType: Bank Guarantee,End Date,End Date apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transaksionet e aksioneve @@ -3797,7 +3808,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Puna Daily Settings Përmbledhje Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Item {0} injoruar pasi ajo nuk është një artikull të aksioneve DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Submit Kjo mënyrë e prodhimit për përpunim të mëtejshëm. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Submit Kjo mënyrë e prodhimit për përpunim të mëtejshëm. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Për të nuk zbatohet Rregulla e Çmimeve në një transaksion të caktuar, të gjitha rregullat e aplikueshme çmimeve duhet të jetë me aftësi të kufizuara." DocType: Assessment Group,Parent Assessment Group,Parent Group Vlerësimit apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs @@ -3805,10 +3816,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs DocType: Employee,Held On,Mbajtur më apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Prodhimi Item ,Employee Information,Informacione punonjës -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Shkalla (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Shkalla (%) DocType: Stock Entry Detail,Additional Cost,Kosto shtesë apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"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" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Bëjnë Furnizuesi Kuotim +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Bëjnë Furnizuesi Kuotim DocType: Quality Inspection,Incoming,Hyrje DocType: BOM,Materials Required (Exploded),Materialet e nevojshme (Shpërtheu) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Shto përdoruesve për organizatën tuaj, përveç vetes" @@ -3824,7 +3835,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Llogaria: {0} mund të përditësuar vetëm përmes aksionare transaksionet DocType: Student Group Creation Tool,Get Courses,Get Kurse DocType: GL Entry,Party,Parti -DocType: Sales Order,Delivery Date,Ofrimit Data +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Ofrimit Data DocType: Opportunity,Opportunity Date,Mundësi Data DocType: Purchase Receipt,Return Against Purchase Receipt,Kthehu përkundrejt marrjes Blerje DocType: Request for Quotation Item,Request for Quotation Item,Kërkesë për Kuotim Item @@ -3838,7 +3849,7 @@ DocType: Task,Actual Time (in Hours),Koha aktuale (në orë) DocType: Employee,History In Company,Historia Në kompanisë apps/erpnext/erpnext/config/learn.py +107,Newsletters,Buletinet DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Hyrja -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Same artikull është futur disa herë +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Same artikull është futur disa herë DocType: Department,Leave Block List,Lini Blloko Lista DocType: Sales Invoice,Tax ID,ID e taksave apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Item {0} nuk është setup për Serial Nr. Kolona duhet të jetë bosh @@ -3856,25 +3867,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,E zezë DocType: BOM Explosion Item,BOM Explosion Item,Bom Shpërthimi i artikullit DocType: Account,Auditor,Revizor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} artikuj prodhuara +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} artikuj prodhuara DocType: Cheque Print Template,Distance from top edge,Largësia nga buzë të lartë apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Lista e Çmimeve {0} është me aftësi të kufizuara ose nuk ekziston DocType: Purchase Invoice,Return,Kthimi DocType: Production Order Operation,Production Order Operation,Prodhimit Rendit Operacioni DocType: Pricing Rule,Disable,Disable -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Mënyra e pagesës është e nevojshme për të bërë një pagesë +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Mënyra e pagesës është e nevojshme për të bërë një pagesë DocType: Project Task,Pending Review,Në pritje Rishikimi apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nuk është i regjistruar në grumbull {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nuk mund të braktiset, pasi ajo është tashmë {1}" DocType: Task,Total Expense Claim (via Expense Claim),Gjithsej Kërkesa shpenzimeve (nëpërmjet shpenzimeve Kërkesës) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Mungon -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Valuta e BOM # {1} duhet të jetë e barabartë me monedhën e zgjedhur {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Valuta e BOM # {1} duhet të jetë e barabartë me monedhën e zgjedhur {2} DocType: Journal Entry Account,Exchange Rate,Exchange Rate -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Sales Order {0} nuk është dorëzuar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Sales Order {0} nuk është dorëzuar DocType: Homepage,Tag Line,tag Line DocType: Fee Component,Fee Component,Komponenti Fee apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Menaxhimi Fleet -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Shto artikuj nga +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Shto artikuj nga DocType: Cheque Print Template,Regular,i rregullt apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage i përgjithshëm i të gjitha kriteret e vlerësimit duhet të jetë 100% DocType: BOM,Last Purchase Rate,Rate fundit Blerje @@ -3895,12 +3906,12 @@ DocType: Employee,Reports to,Raportet për DocType: SMS Settings,Enter url parameter for receiver nos,Shkruani parametër url për pranuesit nos DocType: Payment Entry,Paid Amount,Paid Shuma DocType: Assessment Plan,Supervisor,mbikëqyrës -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,online ,Available Stock for Packing Items,Stock dispozicion për Items Paketimi DocType: Item Variant,Item Variant,Item Variant DocType: Assessment Result Tool,Assessment Result Tool,Vlerësimi Rezultati Tool DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,urdhërat e dorëzuara nuk mund të fshihet +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,urdhërat e dorëzuara nuk mund të fshihet apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Bilanci i llogarisë tashmë në Debitimit, ju nuk jeni i lejuar për të vendosur "Bilanci Must Be 'si' Credit"" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Menaxhimit të Cilësisë apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} artikull ka qenë me aftësi të kufizuara @@ -3931,7 +3942,7 @@ DocType: Item Group,Default Expense Account,Llogaria e albumit shpenzimeve apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID DocType: Employee,Notice (days),Njoftim (ditë) DocType: Tax Rule,Sales Tax Template,Template Sales Tax -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Zgjidhni artikuj për të shpëtuar faturën +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Zgjidhni artikuj për të shpëtuar faturën DocType: Employee,Encashment Date,Arkëtim Data DocType: Training Event,Internet,internet DocType: Account,Stock Adjustment,Stock Rregullimit @@ -3979,10 +3990,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dërgim apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max zbritje lejohet për artikull: {0} është {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Vlera neto e aseteve si në DocType: Account,Receivable,Arkëtueshme -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nuk lejohet të ndryshojë Furnizuesit si Urdhër Blerje tashmë ekziston +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nuk lejohet të ndryshojë Furnizuesit si Urdhër Blerje tashmë ekziston DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Roli që i lejohet të paraqesë transaksionet që tejkalojnë limitet e kreditit përcaktuara. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Zgjidhni Items të Prodhimi -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Master dhënat syncing, ajo mund të marrë disa kohë" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Zgjidhni Items të Prodhimi +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master dhënat syncing, ajo mund të marrë disa kohë" DocType: Item,Material Issue,Materiali Issue DocType: Hub Settings,Seller Description,Shitës Përshkrim DocType: Employee Education,Qualification,Kualifikim @@ -4003,11 +4014,10 @@ DocType: BOM,Rate Of Materials Based On,Shkalla e materialeve në bazë të apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics Mbështetje apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Uncheck gjitha DocType: POS Profile,Terms and Conditions,Termat dhe Kushtet -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutem vendosni Sistemin e Emërimit të Punonjësve në Burimet Njerëzore> Cilësimet e HR apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Deri më sot duhet të jetë brenda vitit fiskal. Duke supozuar në datën = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Këtu ju mund të mbajë lartësia, pesha, alergji, shqetësimet mjekësore etj" DocType: Leave Block List,Applies to Company,Zbatohet për Kompaninë -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Nuk mund të anulojë, sepse paraqitet Stock Hyrja {0} ekziston" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Nuk mund të anulojë, sepse paraqitet Stock Hyrja {0} ekziston" DocType: Employee Loan,Disbursement Date,disbursimi Date DocType: Vehicle,Vehicle,automjet DocType: Purchase Invoice,In Words,Me fjalë të @@ -4045,7 +4055,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Cilësimet globale DocType: Assessment Result Detail,Assessment Result Detail,Vlerësimi Rezultati Detail DocType: Employee Education,Employee Education,Arsimimi punonjës apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Grupi Duplicate artikull gjenden në tabelën e grupit artikull -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Është e nevojshme për të shkoj të marr dhëna të artikullit. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Është e nevojshme për të shkoj të marr dhëna të artikullit. DocType: Salary Slip,Net Pay,Pay Net DocType: Account,Account,Llogari apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial Asnjë {0} tashmë është marrë @@ -4053,7 +4063,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,Vehicle Identifikohu DocType: Purchase Invoice,Recurring Id,Përsëritur Id DocType: Customer,Sales Team Details,Detajet shitjet e ekipit -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Fshini përgjithmonë? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Fshini përgjithmonë? DocType: Expense Claim,Total Claimed Amount,Shuma totale Pohoi apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Mundësi potenciale për të shitur. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0} @@ -4065,7 +4075,7 @@ DocType: Warehouse,PIN,GJILPËRË apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup shkolla juaj në ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Base Ndryshimi Shuma (Company Valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nuk ka hyrje të kontabilitetit për magazinat e mëposhtme -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Ruaj dokumentin e parë. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Ruaj dokumentin e parë. DocType: Account,Chargeable,I dënueshëm DocType: Company,Change Abbreviation,Ndryshimi Shkurtesa DocType: Expense Claim Detail,Expense Date,Shpenzim Data @@ -4079,7 +4089,6 @@ DocType: BOM,Manufacturing User,Prodhim i përdoruesit DocType: Purchase Invoice,Raw Materials Supplied,Lëndëve të para furnizuar DocType: Purchase Invoice,Recurring Print Format,Format përsëritur Print DocType: C-Form,Series,Seri -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Pritet Data e dorëzimit nuk mund të jetë para se të Rendit Blerje Data DocType: Appraisal,Appraisal Template,Vlerësimi Template DocType: Item Group,Item Classification,Klasifikimi i artikullit apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Zhvillimin e Biznesit Manager @@ -4118,12 +4127,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Zgjidh Mar apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Ngjarjet / rezultateve të trajnimit apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Amortizimin e akumuluar si në DocType: Sales Invoice,C-Form Applicable,C-Formulari i zbatueshëm -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Operacioni Koha duhet të jetë më e madhe se 0 për Operacionin {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Operacioni Koha duhet të jetë më e madhe se 0 për Operacionin {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Magazina është e detyrueshme DocType: Supplier,Address and Contacts,Adresa dhe Kontakte DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Konvertimi Detail DocType: Program,Program Abbreviation,Shkurtesa program -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Rendit prodhimi nuk mund të ngrihet kundër një Template Item +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Rendit prodhimi nuk mund të ngrihet kundër një Template Item apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Akuzat janë përditësuar në pranimin Blerje kundër çdo send DocType: Warranty Claim,Resolved By,Zgjidhen nga DocType: Bank Guarantee,Start Date,Data e Fillimit @@ -4158,6 +4167,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Feedback Training apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Prodhimi Rendit {0} duhet të dorëzohet apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Ju lutem, përzgjidhni Data e Fillimit Data e Përfundimit Kohëzgjatja për Item {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Vendosni një objektiv të shitjes që dëshironi të arrini. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kursi është i detyrueshëm në rresht {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Deri më sot nuk mund të jetë e para nga data e DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4175,7 +4185,7 @@ DocType: Account,Income,Të ardhura DocType: Industry Type,Industry Type,Industria Type apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Diçka shkoi keq! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Warning: Lini aplikimi përmban datat e mëposhtme bllok -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Shitjet Faturë {0} tashmë është dorëzuar +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Shitjet Faturë {0} tashmë është dorëzuar DocType: Assessment Result Detail,Score,rezultat apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Viti Fiskal {0} nuk ekziston apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Data e përfundimit @@ -4205,7 +4215,7 @@ DocType: Naming Series,Help HTML,Ndihmë HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Krijimi Tool DocType: Item,Variant Based On,Variant i bazuar në apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Weightage Gjithsej caktuar duhet të jetë 100%. Kjo është {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Furnizuesit tuaj +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Furnizuesit tuaj apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Nuk mund të vendosur si Humbur si Sales Order është bërë. DocType: Request for Quotation Item,Supplier Part No,Furnizuesi Part No apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Nuk mund të zbres kur kategori është për 'vlerësimin' ose 'Vaulation dhe Total " @@ -4215,14 +4225,14 @@ DocType: Item,Has Serial No,Nuk ka Serial DocType: Employee,Date of Issue,Data e lëshimit apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Nga {0} për {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sipas Settings Blerja nëse blerja Reciept Required == 'PO', pastaj për krijimin Blerje Faturën, përdoruesi duhet të krijoni Marrjes blerjen e parë për pikën {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Row # {0}: Furnizuesi Set për pika {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Hours Vlera duhet të jetë më e madhe se zero. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Row # {0}: Furnizuesi Set për pika {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Row {0}: Hours Vlera duhet të jetë më e madhe se zero. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Faqja Image {0} bashkangjitur në pikën {1} nuk mund të gjendet DocType: Issue,Content Type,Përmbajtja Type apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Kompjuter DocType: Item,List this Item in multiple groups on the website.,Lista këtë artikull në grupe të shumta në faqen e internetit. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Ju lutem kontrolloni opsionin Multi Valuta për të lejuar llogaritë me valutë tjetër -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} nuk ekziston në sistemin +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Item: {0} nuk ekziston në sistemin apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Ju nuk jeni i autorizuar për të vendosur vlerën e ngrira DocType: Payment Reconciliation,Get Unreconciled Entries,Get Unreconciled Entries DocType: Payment Reconciliation,From Invoice Date,Nga Faturë Data @@ -4248,7 +4258,7 @@ DocType: Stock Entry,Default Source Warehouse,Gabim Burimi Magazina DocType: Item,Customer Code,Kodi Klientit apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Vërejtje ditëlindjen për {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Ditët Që Rendit Fundit -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debi Për shkak duhet të jetë një llogari Bilanci i Gjendjes +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debi Për shkak duhet të jetë një llogari Bilanci i Gjendjes DocType: Buying Settings,Naming Series,Emërtimi Series DocType: Leave Block List,Leave Block List Name,Dërgo Block Lista Emri apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,date Insurance Fillimi duhet të jetë më pak se data Insurance Fund @@ -4265,7 +4275,7 @@ DocType: Vehicle Log,Odometer,rrugëmatës DocType: Sales Order Item,Ordered Qty,Urdhërohet Qty apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Item {0} është me aftësi të kufizuara DocType: Stock Settings,Stock Frozen Upto,Stock ngrira Upto -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nuk përmban ndonjë artikull aksioneve +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM nuk përmban ndonjë artikull aksioneve apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periudha nga dhe periudha në datat e detyrueshme për të përsëritura {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Aktiviteti i projekt / detyra. DocType: Vehicle Log,Refuelling Details,Details Rimbushja @@ -4275,7 +4285,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Shkalla e fundit e blerjes nuk u gjet DocType: Purchase Invoice,Write Off Amount (Company Currency),Shkruaj Off Shuma (Kompania Valuta) DocType: Sales Invoice Timesheet,Billing Hours,faturimit Hours -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM Default për {0} nuk u gjet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM Default për {0} nuk u gjet apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Row # {0}: Ju lutemi të vendosur sasinë Reorder apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Prekni për të shtuar artikuj tyre këtu DocType: Fees,Program Enrollment,program Regjistrimi @@ -4309,6 +4319,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Gama plakjen 2 DocType: SG Creation Tool Course,Max Strength,Max Forca apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Bom zëvendësohet +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Zgjedhni artikujt bazuar në Datën e Dorëzimit ,Sales Analytics,Sales Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Në dispozicion {0} ,Prospects Engaged But Not Converted,Perspektivat angazhuar Por Jo konvertuar @@ -4357,7 +4368,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Discount apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Pasqyrë e mungesave për detyra. DocType: Purchase Invoice,Against Expense Account,Kundër Llogaria shpenzimeve DocType: Production Order,Production Order,Rendit prodhimit -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Instalimi Shënim {0} tashmë është dorëzuar +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Instalimi Shënim {0} tashmë është dorëzuar DocType: Bank Reconciliation,Get Payment Entries,Get Entries pagesës DocType: Quotation Item,Against Docname,Kundër Docname DocType: SMS Center,All Employee (Active),Të gjitha Punonjës (Aktive) @@ -4366,7 +4377,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Raw Material Kosto DocType: Item Reorder,Re-Order Level,Re-Rendit nivel DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Shkruani artikuj dhe Qty planifikuar për të cilën ju doni të rritur urdhërat e prodhimit ose shkarkoni materiale të papërpunuara për analizë. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Chart +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt Chart apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Me kohë të pjesshme DocType: Employee,Applicable Holiday List,Zbatueshme Lista Holiday DocType: Employee,Cheque,Çek @@ -4423,11 +4434,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Rezervuar Qty për Prodhimin DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Dërgo pakontrolluar në qoftë se ju nuk doni të marrin në konsideratë duke bërë grumbull grupet kurs të bazuar. DocType: Asset,Frequency of Depreciation (Months),Frekuenca e Zhvlerësimit (Muaj) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Llogaria e Kredisë +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Llogaria e Kredisë DocType: Landed Cost Item,Landed Cost Item,Kosto zbarkoi Item apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Trego zero vlerat DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Sasia e sendit të marra pas prodhimit / ripaketimin nga sasi të caktuara të lëndëve të para -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup një website të thjeshtë për organizatën time +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup një website të thjeshtë për organizatën time DocType: Payment Reconciliation,Receivable / Payable Account,Arkëtueshme / pagueshme Llogaria DocType: Delivery Note Item,Against Sales Order Item,Kundër Sales Rendit Item apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Ju lutem specifikoni atribut Vlera për atribut {0} @@ -4491,22 +4502,22 @@ DocType: Student,Nationality,kombësi ,Items To Be Requested,Items të kërkohet DocType: Purchase Order,Get Last Purchase Rate,Get fundit Blerje Vlerësoni DocType: Company,Company Info,Company Info -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Zgjidhni ose shtoni klient të ri -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Qendra Kosto është e nevojshme për të librit një kërkesë shpenzimeve +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Zgjidhni ose shtoni klient të ri +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Qendra Kosto është e nevojshme për të librit një kërkesë shpenzimeve apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplikimi i mjeteve (aktiveve) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Kjo është e bazuar në pjesëmarrjen e këtij punonjësi -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Llogaria Debiti +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Llogaria Debiti DocType: Fiscal Year,Year Start Date,Viti Data e Fillimit DocType: Attendance,Employee Name,Emri punonjës DocType: Sales Invoice,Rounded Total (Company Currency),Harmonishëm Total (Kompania Valuta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Nuk mund të fshehta të grupit për shkak Tipi Llogarisë është zgjedhur. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} është modifikuar. Ju lutem refresh. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} është modifikuar. Ju lutem refresh. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop përdoruesit nga bërja Dërgo Aplikacione në ditët në vijim. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Shuma Blerje apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Furnizuesi Citat {0} krijuar apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Fundi Viti nuk mund të jetë para se të fillojë Vitit apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Përfitimet e Punonjësve -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Sasia e mbushur duhet të barabartë sasi për Item {0} në rresht {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Sasia e mbushur duhet të barabartë sasi për Item {0} në rresht {1} DocType: Production Order,Manufactured Qty,Prodhuar Qty DocType: Purchase Receipt Item,Accepted Quantity,Sasi të pranuar apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Ju lutemi të vendosur një default Holiday Lista për punonjësit {0} ose Company {1} @@ -4517,11 +4528,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Asnjë {0}: Shuma nuk mund të jetë më e madhe se pritje Shuma kundër shpenzimeve sipas Pretendimit {1}. Në pritje Shuma është {2} DocType: Maintenance Schedule,Schedule,Orar DocType: Account,Parent Account,Llogaria prind -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Në dispozicion +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Në dispozicion DocType: Quality Inspection Reading,Reading 3,Leximi 3 ,Hub,Qendër DocType: GL Entry,Voucher Type,Voucher Type -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Lista e Çmimeve nuk u gjet ose me aftësi të kufizuara +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Lista e Çmimeve nuk u gjet ose me aftësi të kufizuara DocType: Employee Loan Application,Approved,I miratuar DocType: Pricing Rule,Price,Çmim apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Punonjës lirohet për {0} duhet të jetë vendosur si 'majtë' @@ -4591,7 +4602,7 @@ DocType: SMS Settings,Static Parameters,Parametrat statike DocType: Assessment Plan,Room,dhomë DocType: Purchase Order,Advance Paid,Advance Paid DocType: Item,Item Tax,Tatimi i artikullit -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Materiale për Furnizuesin +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Materiale për Furnizuesin apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Akciza Faturë apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Pragun {0}% shfaqet më shumë se një herë DocType: Expense Claim,Employees Email Id,Punonjësit Email Id @@ -4631,7 +4642,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Model DocType: Production Order,Actual Operating Cost,Aktuale Kosto Operative DocType: Payment Entry,Cheque/Reference No,Çek / Reference No -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizuesi> Lloji i Furnizuesit apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Rrënjë nuk mund të redaktohen. DocType: Item,Units of Measure,Njësitë e masës DocType: Manufacturing Settings,Allow Production on Holidays,Lejo Prodhimi në pushime @@ -4664,12 +4674,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Ditët e kreditit apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Bëni Serisë Student DocType: Leave Type,Is Carry Forward,Është Mbaj Forward -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Të marrë sendet nga bom +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Të marrë sendet nga bom apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead ditësh -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Data duhet të jetë i njëjtë si data e blerjes {1} e aseteve {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Data duhet të jetë i njëjtë si data e blerjes {1} e aseteve {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kontrolloni këtë nëse studenti banon në Hostel e Institutit. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Ju lutem shkruani urdhëron Sales në tabelën e mësipërme -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Jo Dërguar pagave rrëshqet +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Jo Dërguar pagave rrëshqet ,Stock Summary,Stock Përmbledhje apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transferimi një aktiv nga një magazinë në tjetrën DocType: Vehicle,Petrol,benzinë diff --git a/erpnext/translations/sr-SP.csv b/erpnext/translations/sr-SP.csv index b55b286dcd2..850f146bc81 100644 --- a/erpnext/translations/sr-SP.csv +++ b/erpnext/translations/sr-SP.csv @@ -1,7 +1,8 @@ DocType: Item,Is Purchase Item,Artikal je za poručivanje apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Potvrđene porudžbine od strane kupaca +apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Prijavi grešku DocType: Purchase Invoice Item,Item Tax Rate,Poreska stopa -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Kreirajte novog kupca +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Kreirajte novog kupca DocType: Item Variant Attribute,Attribute,Atribut DocType: POS Profile,POS Profile,POS profil DocType: Purchase Invoice,Currency and Price List,Valuta i cjenovnik @@ -16,10 +17,10 @@ DocType: Bank Guarantee,Customer,Kupac DocType: Purchase Order Item,Supplier Quotation Item,Stavka na dobavljačevoj ponudi DocType: Item,Customer Code,Šifra kupca DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Dozvolite više prodajnih naloga koji su vezani sa porudžbenicom kupca -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjenovnika {0} nema sličnosti sa odabranom valutom {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjenovnika {0} nema sličnosti sa odabranom valutom {1} apps/erpnext/erpnext/config/selling.py +23,Customers,Kupci apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kupovina -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Odaberite kupca +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Odaberite kupca DocType: Item Price,Item Price,Cijena artikla DocType: Sales Order Item,Sales Order Date,Datum prodajnog naloga apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +35,Delivery Note {0} must not be submitted,Otpremnica {0} se ne može potvrditi @@ -54,25 +55,27 @@ DocType: Item,"Example: ABCD.##### If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Primjer:. ABCD ##### Ако Радња је смештена i serijski broj se ne pominje u transakcijama, onda će automatski serijski broj biti kreiran na osnovu ove serije. Ukoliko uvijek želite da eksplicitno spomenete serijski broj ove šifre, onda je ostavite praznu." apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kupac i dobavljač -DocType: Journal Entry Account,Sales Invoice,Fakture +DocType: Journal Entry Account,Sales Invoice,Faktura DocType: Sales Order,Track this Sales Order against any Project,Prati ovaj prodajni nalog na bilo kom projektu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +491,[Error],[Greška] DocType: Supplier,Supplier Details,Detalji o dobavljaču -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Plaćanje +apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Forum zajednice +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Plaćanje apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Cjenovnik {0} je zaključan DocType: Notification Control,Sales Order Message,Poruka prodajnog naloga DocType: Email Digest,Pending Sales Orders,Prodajni nalozi na čekanju DocType: Item,Standard Selling Rate,Standarna prodajna cijena -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Izaberite ili dodajte novog kupca +apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Korisnički portal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Izaberite ili dodajte novog kupca DocType: Product Bundle Item,Product Bundle Item,Sastavljeni proizvodi apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Ovo praćenje je zasnovano na kretanje zaliha. Pogledajte {0} za više detalja DocType: Item,Default Warehouse,Podrazumijevano skladište -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Prodajni nalog {0} nije validan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Prodajni nalog {0} nije validan DocType: Selling Settings,Delivery Note Required,Otpremnica je obavezna DocType: Sales Order,Not Delivered,Nije isporučeno apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne kampanje DocType: Item,Auto re-order,Automatska porudžbina -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Faktura {0} je već potvrđena +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Faktura {0} je već potvrđena apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Upravljanje projektima apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Kalkulacija DocType: Customs Tariff Number,Customs Tariff Number,Carinska tarifa @@ -99,7 +102,7 @@ DocType: Purchase Invoice Item,Is Fixed Asset,Artikal je osnovno sredstvo DocType: Shipping Rule,Net Weight,Neto težina DocType: Payment Entry Reference,Outstanding,Preostalo apps/erpnext/erpnext/utilities/activation.py +80,Make Sales Orders to help you plan your work and deliver on-time,Kreiranje prodajnog naloga će vam pomoći da isplanirate svoje vrijeme i dostavite robu na vrijeme -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sinhronizuj offline fakture +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sinhronizuj offline fakture DocType: Delivery Note,Customer's Purchase Order No,Broj porudžbenice kupca apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,U tabelu iznad unesite prodajni nalog DocType: POS Profile,Item Groups,Vrste artikala @@ -121,8 +124,8 @@ DocType: Quotation Item,Quotation Item,Stavka sa ponude DocType: Notification Control,Purchase Receipt Message,Poruka u Prijemu robe DocType: Item,Default Unit of Measure,Podrazumijevana jedinica mjere DocType: Purchase Invoice Item,Serial No,Serijski broj -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cjenovnik nije pronađen ili je zaključan -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Nova faktura +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Cjenovnik nije pronađen ili je zaključan +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Nova faktura DocType: Project,Project Type,Tip Projekta DocType: Opportunity,Maintenance,Održavanje DocType: Item Price,Multiple Item prices.,Više cijena artikala @@ -137,7 +140,7 @@ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Custo apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS profil {0} je već kreiran za korisnika: {1} i kompaniju {2} DocType: Item,Default Selling Cost Center,Podrazumijevani centar troškova apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Još uvijek nema kupaca! -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozorenje: Prodajni nalog {0}već postoji veza sa porudžbenicom kupca {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Upozorenje: Prodajni nalog {0}već postoji veza sa porudžbenicom kupca {1} apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Prodajni nalog {0} је {1} apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Novi kupci DocType: POS Customer Group,POS Customer Group,POS grupa kupaca @@ -146,7 +149,7 @@ DocType: Pricing Rule,Pricing Rule Help,Pravilnik za cijene pomoć DocType: POS Item Group,POS Item Group,POS Vrsta artikala DocType: Lead,Lead,Lead DocType: Student Attendance Tool,Batch,Serija -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Prijem robe +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Prijem robe DocType: Item,Warranty Period (in days),Garantni rok (u danima) apps/erpnext/erpnext/config/selling.py +28,Customer database.,Korisnička baza podataka DocType: Tax Rule,Sales,Prodaja @@ -158,11 +161,11 @@ DocType: Sales Order,Customer's Purchase Order Date,Datum porudžbenice kupca DocType: Item,Country of Origin,Zemlja porijekla DocType: Quotation,Order Type,Vrsta porudžbine DocType: Pricing Rule,For Price List,Za cjenovnik -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Prodajni nalog {0} nije potvrđen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Prodajni nalog {0} nije potvrđen DocType: Item,Default Material Request Type,Podrazumijevani zahtjev za tip materijala DocType: Payment Entry,Pay,Plati DocType: Item,Sales Details,Detalji prodaje -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Ponuda {0} je otkazana +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Ponuda {0} je otkazana DocType: Purchase Order,Customer Mobile No,Broj telefona kupca apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +566,Product Bundle,Sastavnica DocType: Landed Cost Voucher,Purchase Receipts,Prijemi robe @@ -173,6 +176,7 @@ DocType: Pricing Rule,Selling,Prodaja DocType: Purchase Order,Customer Contact,Kontakt kupca apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Artikal {0} ne postoji DocType: Bank Reconciliation Detail,Payment Entry,Uplata +DocType: Purchase Invoice,In Words,Riječima apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serijski broj {0} ne pripada otpremnici {1} apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Podrazumijevana podešavanja za dio Promjene na zalihama DocType: Production Planning Tool,Get Sales Orders,Pregledaj prodajne naloge @@ -185,11 +189,12 @@ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Pa DocType: Purchase Invoice Item,Item,Artikli DocType: Project User,Project User,Projektni user DocType: Item,Customer Items,Proizvodi kupca -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Prodajni nalog je obavezan za artikal {0} +DocType: Stock Reconciliation,SR/,SR / +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Prodajni nalog je obavezan za artikal {0} ,Sales Funnel,Prodajni lijevak DocType: Sales Invoice,Payment Due Date,Datum dospijeća fakture DocType: Authorization Rule,Customer / Item Name,Kupac / Naziv proizvoda -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Ponuda dobavljača +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Ponuda dobavljača DocType: SMS Center,All Customer Contact,Svi kontakti kupca DocType: Quotation,Quotation Lost Reason,Razlog gubitka ponude DocType: Account,Stock,Zaliha @@ -203,7 +208,8 @@ apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} i apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Popust DocType: Packing Slip,Net Weight UOM,Neto težina JM DocType: Selling Settings,Sales Order Required,Prodajni nalog je obavezan -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Pretraži artikal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Pretraži artikal +DocType: Purchase Invoice,In Words (Company Currency),Riječima (valuta kompanije) ,Purchase Receipt Trends,Trendovi prijema robe DocType: Purchase Invoice,Contact Person,Kontakt osoba DocType: Item,Item Code for Suppliers,Dobavljačeva šifra @@ -213,10 +219,9 @@ DocType: Item,Manufacture,Proizvodnja apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +716,Make Sales Order,Kreiraj prodajni nalog DocType: Price List,Price List Name,Naziv cjenovnika DocType: Item,Purchase Details,Detalji kupovine -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Očekivani datum isporuke је manji od datuma prodajnog naloga DocType: Sales Invoice Item,Customer's Item Code,Šifra kupca apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Datum početka projekta -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Zaliha se ne može promijeniti jer je vezana sa otpremnicom {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Zaliha se ne može promijeniti jer je vezana sa otpremnicom {0} apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree,Stablo vrste artikala ,Delivery Note Trends,Trendovi Otpremnica DocType: Notification Control,Quotation Message,Ponuda - poruka @@ -227,7 +232,7 @@ DocType: Item,End of Life,Kraj proizvodnje DocType: Selling Settings,Default Customer Group,Podrazumijevana grupa kupaca DocType: Notification Control,Delivery Note Message,Poruka na otpremnici apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Ne može se obrisati serijski broj {0}, dok god se nalazi u dijelu Promjene na zalihama" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena DocType: Purchase Invoice,Price List Currency,Valuta Cjenovnika apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektni menadzer apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cjenovnik {0} je zaključan ili ne postoji @@ -242,44 +247,44 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Opportunity,Customer / Lead Address,Kupac / Adresa lead-a DocType: Buying Settings,Default Buying Price List,Podrazumijevani Cjenovnik DocType: Purchase Invoice Item,Qty,Kol -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Nije plaćeno i nije isporučeno +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Nije plaćeno i nije isporučeno DocType: Bank Reconciliation,Total Amount,Ukupan iznos apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Usluga kupca apps/erpnext/erpnext/config/projects.py +13,Project master.,Projektni master DocType: Quotation,In Words will be visible once you save the Quotation.,Sačuvajte Predračun da bi Ispis slovima bio vidljiv apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Kontakt i adresa kupca apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Nabavni cjenovnik -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnice {0} moraju biti otkazane prije otkazivanja prodajnog naloga +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnice {0} moraju biti otkazane prije otkazivanja prodajnog naloga apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID Projekta apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Cjenovnik nije odabran DocType: Shipping Rule Condition,Shipping Rule Condition,Uslovi pravila nabavke ,Customer Credit Balance,Kreditni limit kupca DocType: Sales Order,Fully Delivered,Kompletno isporučeno DocType: Customer,Default Price List,Podrazumijevani cjenovnik -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Serijski broj na poziciji {0} se ne poklapa sa otpremnicom +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Serijski broj na poziciji {0} se ne poklapa sa otpremnicom apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Vrijednost Projekta apps/erpnext/erpnext/public/js/pos/pos.html +80,Del,Obriši DocType: Pricing Rule,Price,Cijena apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektna aktivnost / zadatak -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Količina +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Količina DocType: Buying Settings,Purchase Receipt Required,Prijem robe je obavezan apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Valuta je obavezna za Cjenovnik {0} DocType: POS Customer Group,Customer Group,Grupa kupaca DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Skladište se jedino može promijeniti u dijelu Unos zaliha / Otpremnica / Prijem robe apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Zahtjev za ponude DocType: C-Form,Series,Vrsta dokumenta -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Dodaj kupce +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Dodaj kupce apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Otpremite robu prvo DocType: Lead,From Customer,Od kupca DocType: Item,Maintain Stock,Vođenje zalihe DocType: Sales Invoice Item,Sales Order Item,Pozicija prodajnog naloga -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Ništa nije pronađeno +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Ništa nije pronađeno DocType: Item,Copy From Item Group,Kopiraj iz vrste artikala apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Molimo odaberite Predračune DocType: Sales Order,Partly Delivered,Djelimično isporučeno apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Cijena je dodata na artiklu {0} iz cjenovnika {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Ponuda {0} ne propada {1} -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Ponuda +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Ponuda {0} ne propada {1} +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Ponuda DocType: Item,Has Variants,Ima varijante DocType: Price List Country,Price List Country,Zemlja cjenovnika apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Promjene na zalihama prije {0} su zamrznute @@ -290,7 +295,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard S apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren DocType: Request for Quotation Item,Request for Quotation Item,Zahtjev za stavku sa ponude apps/erpnext/erpnext/config/selling.py +216,Other Reports,Ostali izvještaji -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Otpremnica +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Otpremnica DocType: Sales Order,In Words will be visible once you save the Sales Order.,U riječima će biti vidljivo tek kada sačuvate prodajni nalog. DocType: Journal Entry Account,Sales Order,Prodajni nalog DocType: Stock Entry,Customer or Supplier Details,Detalji kupca ili dobavljača @@ -298,6 +303,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Prodaja DocType: Email Digest,Pending Quotations,Predračuni na čekanju apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Izvještaji zaliha robe ,Stock Ledger,Zalihe robe -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktura {0} mora biti otkazana prije otkazivanja ovog prodajnog naloga +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktura {0} mora biti otkazana prije otkazivanja ovog prodajnog naloga DocType: Email Digest,New Quotations,Nove ponude DocType: Item,Units of Measure,Jedinica mjere diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index 8f0d9d184b6..01d5d617737 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Трговац DocType: Employee,Rented,Изнајмљени DocType: Purchase Order,PO-,po- DocType: POS Profile,Applicable for User,Важи за кориснике -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Стоппед Производња поредак не може бити поништен, то Унстоп прво да откажете" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Стоппед Производња поредак не може бити поништен, то Унстоп прво да откажете" DocType: Vehicle Service,Mileage,километража apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Да ли заиста желите да укине ову имовину? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Изаберите Примарни добављач @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,Фактурисано % apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Курс курс мора да буде исти као {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Име клијента DocType: Vehicle,Natural Gas,Природни гас -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Жиро рачун не може бити именован као {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Жиро рачун не може бити именован као {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Хеадс (или групе) против које рачуноводствене уноси се праве и биланси се одржавају. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Выдающийся для {0} не может быть меньше нуля ( {1} ) DocType: Manufacturing Settings,Default 10 mins,Уобичајено 10 минс @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Оставите Име Вид apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,схов отворен apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Серия Обновлено Успешно apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Провери -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Аццурал Часопис Ступање Субмиттед +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Аццурал Часопис Ступање Субмиттед DocType: Pricing Rule,Apply On,Нанесите на DocType: Item Price,Multiple Item prices.,Више цене аукцији . ,Purchase Order Items To Be Received,Налог за куповину ставке које се примају @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Начин плаћањ apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Схов Варијанте DocType: Academic Term,Academic Term,akademski Рок apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Материјал -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Количина +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Количина apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Рачуни сто не мозе бити празна. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Кредиты ( обязательства) DocType: Employee Education,Year of Passing,Година Пассинг @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,здравство apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Кашњење у плаћању (Дани) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,сервис Трошкови -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Серијски број: {0} је већ наведено у продаји фактуре: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Фактура +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Серијски број: {0} је већ наведено у продаји фактуре: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Фактура DocType: Maintenance Schedule Item,Periodicity,Периодичност apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} је потребно -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Очекивани Датум испоруке је био пре продаје по дата apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,одбрана DocType: Salary Component,Abbr,Аббр DocType: Appraisal Goal,Score (0-5),Оцена (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ров # {0}: DocType: Timesheet,Total Costing Amount,Укупно Цостинг Износ DocType: Delivery Note,Vehicle No,Нема возила -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Изаберите Ценовник +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Изаберите Ценовник apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Ред # {0}: Документ Плаћање је потребно за завршетак трасацтион DocType: Production Order Operation,Work In Progress,Ворк Ин Прогресс apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Молимо одаберите датум @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ни у ком активном фискалној години. DocType: Packed Item,Parent Detail docname,Родитељ Детаљ доцнаме apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Референца: {0}, Код товара: {1} Цустомер: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,кг +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,кг DocType: Student Log,Log,Пријава apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Отварање за посао. DocType: Item Attribute,Increment,Повећање @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Ожењен apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Није дозвољено за {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Гет ставке из -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Производ {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Но итемс листед DocType: Payment Reconciliation,Reconcile,помирити @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Пе apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Следећа Амортизација Датум не може бити пре купуваве DocType: SMS Center,All Sales Person,Све продаје Особа DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Месечни Дистрибуција ** помаже да дистрибуирате буџет / Таргет преко месеци ако имате сезонски у свом послу. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Није пронађено ставки +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Није пронађено ставки apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Плата Структура Недостаје DocType: Lead,Person Name,Особа Име DocType: Sales Invoice Item,Sales Invoice Item,Продаја Рачун шифра @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Да ли је основних средстава" не може бити неконтролисано, као средствима запис постоји у односу на ставке" DocType: Vehicle Service,Brake Oil,кочница уље DocType: Tax Rule,Tax Type,Пореска Тип -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,опорезиви износ +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,опорезиви износ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},"Вы не авторизованы , чтобы добавить или обновить записи до {0}" DocType: BOM,Item Image (if not slideshow),Артикал слика (ако не слидесхов) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Существуетклиентов с одноименным названием DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Час курс / 60) * Пуна Операција време -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Избор БОМ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Избор БОМ DocType: SMS Log,SMS Log,СМС Пријава apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Трошкови уручене пошиљке apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Празник на {0} није између Од датума и до сада @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,škole DocType: School Settings,Validate Batch for Students in Student Group,Потврди Батцх за студенте у Студентском Групе apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Но одсуство запис фоунд фор запосленом {0} за {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Молимо унесите прва компанија -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Одредите прво Компанија +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Одредите прво Компанија DocType: Employee Education,Under Graduate,Под Дипломац apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Циљна На DocType: BOM,Total Cost,Укупни трошкови DocType: Journal Entry Account,Employee Loan,zaposleni кредита -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Активност Пријављивање : -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,"Пункт {0} не существует в системе, или истек" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Активност Пријављивање : +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,"Пункт {0} не существует в системе, или истек" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Некретнине apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Изјава рачуна apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Фармација @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Захтев Износ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Дупликат група купаца наћи у табели Клиентам групе apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Добављач Тип / Добављач DocType: Naming Series,Prefix,Префикс -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставите називе серије за {0} преко Сетуп> Сеттингс> Сериес Наминг -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,потребляемый +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,потребляемый DocType: Employee,B-,Б- DocType: Upload Attendance,Import Log,Увоз се DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Повуците Материал захтев типа производње на основу горе наведених критеријума DocType: Training Result Employee,Grade,разред DocType: Sales Invoice Item,Delivered By Supplier,Деливеред добављач DocType: SMS Center,All Contact,Све Контакт -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Производња заказа већ створена за све ставке са БОМ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Производња заказа већ створена за све ставке са БОМ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Годишња плата DocType: Daily Work Summary,Daily Work Summary,Дневни Рад Преглед DocType: Period Closing Voucher,Closing Fiscal Year,Затварање Фискална година -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} је замрзнут +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} је замрзнут apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Молимо одаберите постојећу компанију за израду контни apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Акции Расходы apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Селецт Таргет Варехоусе @@ -213,14 +211,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Принято + Отклоненные Кол-во должно быть равно полученного количества по пункту {0} DocType: Request for Quotation,RFQ-,РФК- DocType: Item,Supply Raw Materials for Purchase,Набавка сировина за куповину -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Најмање један начин плаћања је потребно за ПОС рачуна. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Најмање један начин плаћања је потребно за ПОС рачуна. DocType: Products Settings,Show Products as a List,Схов Производи као Лист DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Преузмите шаблон, попуните одговарајуће податке и приложите измењену датотеку. Све датуми и запослени комбинација у одабраном периоду ће доћи у шаблону, са постојећим евиденцију" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Пункт {0} не является активным или конец жизни был достигнут -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Пример: Басиц Матхематицс -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item , налоги в строках должны быть также включены {1}" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Пример: Басиц Матхематицс +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item , налоги в строках должны быть также включены {1}" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Настройки для модуля HR DocType: SMS Center,SMS Center,СМС центар DocType: Sales Invoice,Change Amount,Промена Износ @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Дата установки не может быть до даты доставки для Пункт {0} DocType: Pricing Rule,Discount on Price List Rate (%),Попуст на цену Лист стопа (%) DocType: Offer Letter,Select Terms and Conditions,Изаберите Услови -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,od Вредност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,od Вредност DocType: Production Planning Tool,Sales Orders,Салес Ордерс DocType: Purchase Taxes and Charges,Valuation,Вредновање ,Purchase Order Trends,Куповина Трендови Ордер @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Отвара Ентри DocType: Customer Group,Mention if non-standard receivable account applicable,Спомените ако нестандардни потраживања рачуна примењује DocType: Course Schedule,Instructor Name,инструктор Име -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Для требуется Склад перед Отправить +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Для требуется Склад перед Отправить apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,На примљене DocType: Sales Partner,Reseller,Продавац DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Ако је означено, ће укључивати не-залихама у материјалу захтевима." @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Против продаје Фактура тачком ,Production Orders in Progress,Производни Поруџбине у напретку apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Нето готовина из финансирања -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","Локалну меморију је пуна, није сачувао" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","Локалну меморију је пуна, није сачувао" DocType: Lead,Address & Contact,Адреса и контакт DocType: Leave Allocation,Add unused leaves from previous allocations,Додај неискоришћене листове из претходних алокација apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Следећа Поновни {0} ће бити креирана на {1} DocType: Sales Partner,Partner website,сајт партнер apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Додајте ставку -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Контакт Име +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Контакт Име DocType: Course Assessment Criteria,Course Assessment Criteria,Критеријуми процене цоурсе DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Ствара плата листић за горе наведених критеријума. DocType: POS Customer Group,POS Customer Group,ПОС клијента Група @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ров {0}: Проверите 'Да ли је напредно ""против налог {1} ако је ово унапред унос." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Магацин {0} не припада фирми {1} DocType: Email Digest,Profit & Loss,Губитак профита -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Литар +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Литар DocType: Task,Total Costing Amount (via Time Sheet),Укупно Обрачун трошкова Износ (преко Тиме Схеет) DocType: Item Website Specification,Item Website Specification,Ставка Сајт Спецификација apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Оставите Блокирани @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,Продаја Рачун Нема DocType: Material Request Item,Min Order Qty,Минимална количина за поручивање DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Студент Група Стварање Алат курс DocType: Lead,Do Not Contact,Немојте Контакт -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Људи који предају у вашој организацији +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Људи који предају у вашој организацији DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Стеам ИД за праћење свих понавља фактуре. Генерише се на субмит. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Софтваре Девелопер DocType: Item,Minimum Order Qty,Минимална количина за поручивање @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,Објављивање у Хуб DocType: Student Admission,Student Admission,студент Улаз ,Terretory,Терретори apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Пункт {0} отменяется -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Материјал Захтев +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Материјал Захтев DocType: Bank Reconciliation,Update Clearance Date,Упдате Дате клиренс DocType: Item,Purchase Details,Куповина Детаљи apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Ставка {0} није пронађен у "сировине Испоручује се 'сто у нарудзбенице {1} @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,флота директор apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Ред # {0}: {1} не може бити негативна за ставку {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Погрешна Лозинка DocType: Item,Variant Of,Варијанта -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Завршен ком не може бити већи од 'Количина за производњу' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Завршен ком не може бити већи од 'Количина за производњу' DocType: Period Closing Voucher,Closing Account Head,Затварање рачуна Хеад DocType: Employee,External Work History,Спољни власници apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Циркуларне референце Грешка @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,Удаљеност од apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} јединице [{1}] (# Форм / итем / {1}) у [{2}] (# Форм / Варехоусе / {2}) DocType: Lead,Industry,Индустрија DocType: Employee,Job Profile,Профиль работы +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Ово се заснива на трансакцијама против ове компаније. За детаље погледајте временски оквир испод DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Обавестити путем емаила на стварању аутоматског материјала захтеву DocType: Journal Entry,Multi Currency,Тема Валута DocType: Payment Reconciliation Invoice,Invoice Type,Фактура Тип -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Обавештење о пријему пошиљке +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Обавештење о пријему пошиљке apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Подешавање Порези apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Набавна вредност продате Ассет apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Плаћање Ступање је модификована након што га извукао. Молимо вас да га опет повуците. @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Пожалуйста, введите ' Repeat на день месяца ' значения поля" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Стопа по којој Купац Валута се претварају у основне валуте купца DocType: Course Scheduling Tool,Course Scheduling Tool,Наравно Распоред Алат -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: фактури не може се против постојеће имовине {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: фактури не може се против постојеће имовине {1} DocType: Item Tax,Tax Rate,Пореска стопа apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} већ издвојила за запосленог {1} за период {2} {3} у -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Избор артикла +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Избор артикла apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Покупка Счет {0} уже подано apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Ред # {0}: Серијски бр морају бити исти као {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Претвори у не-Гроуп @@ -448,7 +447,7 @@ DocType: Employee,Widowed,Удовички DocType: Request for Quotation,Request for Quotation,Захтев за понуду DocType: Salary Slip Timesheet,Working Hours,Радно време DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промена стартовања / струја број редни постојеће серије. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Креирајте нови клијента +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Креирајте нови клијента apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако више Цене Правила наставити да превлада, корисници су упитани да подесите приоритет ручно да реши конфликт." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Створити куповини Ордерс ,Purchase Register,Куповина Регистрација @@ -474,7 +473,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,испитивач Име DocType: Purchase Invoice Item,Quantity and Rate,Количина и Оцените DocType: Delivery Note,% Installed,Инсталирано % -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Учионице / Лабораторије итд, где може да се планира предавања." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Учионице / Лабораторије итд, где може да се планира предавања." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Молимо унесите прво име компаније DocType: Purchase Invoice,Supplier Name,Снабдевач Име apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Прочитајте ЕРПНект Мануал @@ -491,7 +490,7 @@ DocType: Account,Old Parent,Стари Родитељ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Обавезно поље - школска година apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Обавезно поље - школска година DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Прилагодите уводни текст који иде као део тог поште. Свака трансакција има посебан уводном тексту. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Молимо поставите подразумевани се плаћају рачун за предузећа {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Молимо поставите подразумевани се плаћају рачун за предузећа {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобална подешавања за свим производним процесима. DocType: Accounts Settings,Accounts Frozen Upto,Рачуни Фрозен Упто DocType: SMS Log,Sent On,Послата @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,Обавезе према добавља apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Одабрани БОМ нису за исту робу DocType: Pricing Rule,Valid Upto,Важи до DocType: Training Event,Workshop,радионица -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Листанеколико ваших клијената . Они могу бити организације и појединци . +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Листанеколико ваших клијената . Они могу бити организације и појединци . apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Довољно Делови за изградњу apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Прямая прибыль apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Не можете да филтрирате на основу налога , ако груписани по налогу" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Молимо одаберите Цоурсе apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Молимо одаберите Цоурсе DocType: Timesheet Detail,Hrs,хрс -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Молимо изаберите Цомпани +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Молимо изаберите Цомпани DocType: Stock Entry Detail,Difference Account,Разлика налог DocType: Purchase Invoice,Supplier GSTIN,добављач ГСТИН apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Не можете да затворите задатак као њен задатак зависи {0} није затворен. @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Молимо Вас да дефинише оцену за праг 0% DocType: Sales Order,To Deliver,Да Испоручи DocType: Purchase Invoice Item,Item,ставка -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Серијски број Ставка не може да буде део +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Серијски број Ставка не може да буде део DocType: Journal Entry,Difference (Dr - Cr),Разлика ( др - Кр ) DocType: Account,Profit and Loss,Прибыль и убытки apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Управљање Подуговарање @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),Гарантни период (дан DocType: Installation Note Item,Installation Note Item,Инсталација Напомена Ставка DocType: Production Plan Item,Pending Qty,Кол чекању DocType: Budget,Ignore,Игнорисати -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} није активан +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} није активан apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},СМС порука на следеће бројеве телефона: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,цхецк сетуп димензије за штампање DocType: Salary Slip,Salary Slip Timesheet,Плата Слип Тимесхеет @@ -686,8 +685,8 @@ DocType: Installation Note,IN-,ИН- DocType: Production Order Operation,In minutes,У минута DocType: Issue,Resolution Date,Резолуција Датум DocType: Student Batch Name,Batch Name,батцх Име -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Тимесхеет цреатед: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Тимесхеет цреатед: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,уписати DocType: GST Settings,GST Settings,ПДВ подешавања DocType: Selling Settings,Customer Naming By,Кориснички назив под @@ -707,7 +706,7 @@ DocType: Activity Cost,Projects User,Пројекти Упутства apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Цонсумед apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} није пронађен у табели Фактура Детаљи DocType: Company,Round Off Cost Center,Заокружују трошка -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Техническое обслуживание Посетить {0} должно быть отменено до отмены этого заказ клиента +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Техническое обслуживание Посетить {0} должно быть отменено до отмены этого заказ клиента DocType: Item,Material Transfer,Пренос материјала apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Открытие (д-р ) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Средняя отметка должна быть после {0} @@ -716,7 +715,7 @@ DocType: Employee Loan,Total Interest Payable,Укупно камати DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Истовара порези и таксе DocType: Production Order Operation,Actual Start Time,Стварна Почетак Време DocType: BOM Operation,Operation Time,Операција време -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,завршити +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,завршити apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,база DocType: Timesheet,Total Billed Hours,Укупно Обрачунате сат DocType: Journal Entry,Write Off Amount,Отпис Износ @@ -743,7 +742,7 @@ DocType: Vehicle,Odometer Value (Last),Одометер вредност (Зад apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,маркетинг apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Плаћање Ступање је већ направљена DocType: Purchase Receipt Item Supplied,Current Stock,Тренутне залихе -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Ред # {0}: имовине {1} не повезано са тачком {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Ред # {0}: имовине {1} не повезано са тачком {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Преглед плата Слип apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Рачун {0} је ушла више пута DocType: Account,Expenses Included In Valuation,Трошкови укључени у процене @@ -768,7 +767,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,вазду DocType: Journal Entry,Credit Card Entry,Кредитна картица Ступање apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Компанија и рачуни apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Роба примљена од добављача. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,у вредности +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,у вредности DocType: Lead,Campaign Name,Назив кампање DocType: Selling Settings,Close Opportunity After Days,Близу Прилика Након неколико дана ,Reserved,Резервисано @@ -793,17 +792,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,енергија DocType: Opportunity,Opportunity From,Прилика Од apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Месечна плата изјава. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Ред {0}: {1} Серијски бројеви потребни за ставку {2}. Дали сте {3}. DocType: BOM,Website Specifications,Сајт Спецификације apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Од {0} типа {1} DocType: Warranty Claim,CI-,ЦИ- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор конверзије је обавезно DocType: Employee,A+,А + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правила постоји са истим критеријумима, молимо вас да решавају конфликте са приоритетом. Цена Правила: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не можете деактивирати или отказати БОМ јер је повезан са другим саставница +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не можете деактивирати или отказати БОМ јер је повезан са другим саставница DocType: Opportunity,Maintenance,Одржавање DocType: Item Attribute Value,Item Attribute Value,Итем Вредност атрибута apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Кампании по продажам . -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Маке тимесхеет +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Маке тимесхеет DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -856,7 +856,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Подешавање Емаил налога apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Молимо унесите прва тачка DocType: Account,Liability,одговорност -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционисани износ не може бити већи од износ потраживања у низу {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционисани износ не може бити већи од износ потраживања у низу {0}. DocType: Company,Default Cost of Goods Sold Account,Уобичајено Набавна вредност продате робе рачуна apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Прайс-лист не выбран DocType: Employee,Family Background,Породица Позадина @@ -867,10 +867,10 @@ DocType: Company,Default Bank Account,Уобичајено банковног р apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Филтрирање на основу партије, изаберите партија Типе први" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Ажурирање Сток "не може се проверити, јер ствари нису достављене преко {0}" DocType: Vehicle,Acquisition Date,Датум куповине -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Нос +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Нос DocType: Item,Items with higher weightage will be shown higher,Предмети са вишим веигхтаге ће бити приказано више DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Банка помирење Детаљ -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Ред # {0}: имовине {1} мора да се поднесе +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Ред # {0}: имовине {1} мора да се поднесе apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Не работник не найдено DocType: Supplier Quotation,Stopped,Заустављен DocType: Item,If subcontracted to a vendor,Ако подизвођење на продавца @@ -887,7 +887,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Минимални изн apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Цена центар {2} не припада компанији {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: налог {2} не може бити група apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Итем Ред {идк}: {ДОЦТИПЕ} {ДОЦНАМЕ} не постоји у горе '{ДОЦТИПЕ}' сто -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Тимесхеет {0} је већ завршен или отказан +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Тимесхеет {0} је већ завршен или отказан apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Но задаци DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Дан у месецу на којем друмски фактура ће бити генерисан нпр 05, 28 итд" DocType: Asset,Opening Accumulated Depreciation,Отварање акумулирана амортизација @@ -946,7 +946,7 @@ DocType: SMS Log,Requested Numbers,Тражени Бројеви DocType: Production Planning Tool,Only Obtain Raw Materials,Само Добијање Сировине apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Учинка. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Омогућавање 'Користи се за Корпа ", као што је омогућено Корпа и требало би да постоји најмање један Пореска правила за Корпа" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ступање плаћање {0} је повезан против налога {1}, провери да ли треба да се повуче као напредак у овој фактури." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ступање плаћање {0} је повезан против налога {1}, провери да ли треба да се повуче као напредак у овој фактури." DocType: Sales Invoice Item,Stock Details,Сток Детаљи apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Пројекат Вредност apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Место продаје @@ -969,15 +969,15 @@ DocType: Naming Series,Update Series,Упдате DocType: Supplier Quotation,Is Subcontracted,Да ли подизвођење DocType: Item Attribute,Item Attribute Values,Итем Особина Вредности DocType: Examination Result,Examination Result,преглед резултата -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Куповина Пријем +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Куповина Пријем ,Received Items To Be Billed,Примљени артикала буду наплаћени -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Поставио плата Слипс +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Поставио плата Слипс apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Мастер Валютный курс . apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Референце Тип документа мора бити један од {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Није могуће пронаћи време за наредних {0} дана за рад {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Није могуће пронаћи време за наредних {0} дана за рад {1} DocType: Production Order,Plan material for sub-assemblies,План материјал за подсклопови apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Продајних партнера и Регија -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,БОМ {0} мора бити активна +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,БОМ {0} мора бити активна DocType: Journal Entry,Depreciation Entry,Амортизација Ступање apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Прво изаберите врсту документа apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменить Материал просмотров {0} до отмены этого обслуживания визит @@ -987,7 +987,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Укупан износ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Интернет издаваштво DocType: Production Planning Tool,Production Orders,Налога за производњу -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Биланс Вредност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Биланс Вредност apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Продаја Ценовник apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Објављивање за синхронизацију ставки DocType: Bank Reconciliation,Account Currency,Рачун Валута @@ -1012,12 +1012,12 @@ DocType: Employee,Exit Interview Details,Екит Детаљи Интервју DocType: Item,Is Purchase Item,Да ли је куповина артикла DocType: Asset,Purchase Invoice,Фактури DocType: Stock Ledger Entry,Voucher Detail No,Ваучер Детаљ Бр. -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Нови продаје Фактура +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Нови продаје Фактура DocType: Stock Entry,Total Outgoing Value,Укупна вредност Одлазећи apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Датум отварања и затварања Дате треба да буде у истој фискалној години DocType: Lead,Request for Information,Захтев за информације ,LeaderBoard,банер -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Синц Оффлине Рачуни +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Синц Оффлине Рачуни DocType: Payment Request,Paid,Плаћен DocType: Program Fee,Program Fee,naknada програм DocType: Salary Slip,Total in words,Укупно у речима @@ -1025,7 +1025,7 @@ DocType: Material Request Item,Lead Time Date,Олово Датум Време DocType: Guardian,Guardian Name,гуардиан Име DocType: Cheque Print Template,Has Print Format,Има Принт Формат DocType: Employee Loan,Sanctioned,санкционисан -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,је обавезно. Можда Мењачница запис није створен за +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,је обавезно. Можда Мењачница запис није створен за apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Наведите Сериал но за пункт {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За 'производ' Бундле предмета, Магацин, редни број и серијски бр ће се сматрати из "листе паковања 'табели. Ако Складиште и серијски бр су исти за све ставке паковање за било коју 'производ' Бундле ставке, те вредности се могу уносити у главном табели тачка, вредности ће бити копирана у 'Паковање лист' сто." DocType: Job Opening,Publish on website,Објави на сајту @@ -1038,7 +1038,7 @@ DocType: Cheque Print Template,Date Settings,Датум Поставке apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Варијација ,Company Name,Име компаније DocType: SMS Center,Total Message(s),Всего сообщений (ы) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Избор тачка за трансфер +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Избор тачка за трансфер DocType: Purchase Invoice,Additional Discount Percentage,Додатни попуст Проценат apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Погледајте листу сву помоћ видео DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Изаберите главу рачуна банке у којој је депонован чек. @@ -1053,7 +1053,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Сировина трошков apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Сви артикли су већ пребачени за ову производњу Реда. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: курс не може бити већа од стопе која се користи у {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: курс не може бити већа од стопе која се користи у {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Метар +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Метар DocType: Workstation,Electricity Cost,Струја Трошкови DocType: HR Settings,Don't send Employee Birthday Reminders,Немојте слати запослених подсетник за рођендан DocType: Item,Inspection Criteria,Инспекцијски Критеријуми @@ -1068,7 +1068,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Гет аванси DocType: Item,Automatically Create New Batch,Аутоматски Направи нови Батцх DocType: Item,Automatically Create New Batch,Аутоматски Направи нови Батцх -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Правити +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Правити DocType: Student Admission,Admission Start Date,Улаз Датум почетка DocType: Journal Entry,Total Amount in Words,Укупан износ у речи apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Дошло је до грешке . Један могући разлог би могао бити да нисте сачували форму . Молимо контактирајте суппорт@ерпнект.цом акопроблем и даље постоји . @@ -1076,7 +1076,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моја Корпа apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Наручи Тип мора бити један од {0} DocType: Lead,Next Contact Date,Следеће Контакт Датум apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Отварање Кол -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Молимо Вас да унесете налог за промене Износ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Молимо Вас да унесете налог за промене Износ DocType: Student Batch Name,Student Batch Name,Студент Серија Име DocType: Holiday List,Holiday List Name,Холидаи Листа Име DocType: Repayment Schedule,Balance Loan Amount,Биланс Износ кредита @@ -1084,7 +1084,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Сток Опције DocType: Journal Entry Account,Expense Claim,Расходи потраживање apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Да ли заиста желите да вратите овај укинута средства? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Количина за {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Количина за {0} DocType: Leave Application,Leave Application,Оставите апликацију apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Оставите Тоол доделе DocType: Leave Block List,Leave Block List Dates,Оставите Датуми листу блокираних @@ -1135,7 +1135,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Против DocType: Item,Default Selling Cost Center,По умолчанию Продажа Стоимость центр DocType: Sales Partner,Implementation Partner,Имплементација Партнер -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Поштански број +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Поштански број apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Салес Ордер {0} је {1} DocType: Opportunity,Contact Info,Контакт Инфо apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Макинг Стоцк записи @@ -1154,14 +1154,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,Присуство Замрзавање Датум DocType: School Settings,Attendance Freeze Date,Присуство Замрзавање Датум DocType: Opportunity,Your sales person who will contact the customer in future,Ваш продавац који ће контактирати купца у будућности -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Листанеколико ваших добављача . Они могу бити организације и појединци . +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Листанеколико ваших добављача . Они могу бити организације и појединци . apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Погледајте остале производе apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минималну предност (дани) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минималну предност (дани) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,sve БОМ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,sve БОМ DocType: Company,Default Currency,Уобичајено валута DocType: Expense Claim,From Employee,Од запосленог -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю DocType: Journal Entry,Make Difference Entry,Направите унос Дифференце DocType: Upload Attendance,Attendance From Date,Гледалаца Од датума DocType: Appraisal Template Goal,Key Performance Area,Кључна Перформансе Област @@ -1178,7 +1178,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,. Компанија регистарски бројеви за референцу Порески бројеви итд DocType: Sales Partner,Distributor,Дистрибутер DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корпа Достава Правило -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Производственный заказ {0} должно быть отменено до отмены этого заказ клиента +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Производственный заказ {0} должно быть отменено до отмены этого заказ клиента apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Молимо поставите 'Аппли додатни попуст на' ,Ordered Items To Be Billed,Ж артикала буду наплаћени apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Од Опсег мора да буде мањи од у распону @@ -1187,10 +1187,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Одбици DocType: Leave Allocation,LAL/,ЛАЛ / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,старт Година -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Прве 2 цифре ГСТИН треба да одговара државном бројем {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Прве 2 цифре ГСТИН треба да одговара државном бројем {0} DocType: Purchase Invoice,Start date of current invoice's period,Почетак датум периода текуће фактуре за DocType: Salary Slip,Leave Without Pay,Оставите Без плате -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Капацитет Планирање Грешка +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Капацитет Планирање Грешка ,Trial Balance for Party,Претресно Разлика за странке DocType: Lead,Consultant,Консултант DocType: Salary Slip,Earnings,Зарада @@ -1206,7 +1206,7 @@ DocType: Cheque Print Template,Payer Settings,обвезник Подешава DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ово ће бити прикључена на Кодекса тачка на варијанте. На пример, ако је ваш скраћеница је ""СМ"", а код ставка је ""МАЈИЦА"", ставка код варијанте ће бити ""МАЈИЦА-СМ""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Нето плата (у речи) ће бити видљив када сачувате Слип плату. DocType: Purchase Invoice,Is Return,Да ли је Повратак -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Повратак / задужењу +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Повратак / задужењу DocType: Price List Country,Price List Country,Ценовник Земља DocType: Item,UOMs,УОМс apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} действительные серийные NOS для Пункт {1} @@ -1219,7 +1219,7 @@ DocType: Employee Loan,Partially Disbursed,Делимично Додељено apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Снабдевач базе података. DocType: Account,Balance Sheet,баланс apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Цост Центер За ставку са Код товара ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим плаћања није подешен. Молимо вас да проверите, да ли налог је постављен на начину плаћања или на ПОС профил." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим плаћања није подешен. Молимо вас да проверите, да ли налог је постављен на начину плаћања или на ПОС профил." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Ваша особа продаја ће добити подсетник на овај датум да се контактира купца apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Исто ставка не може се уписати више пута. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Даље рачуни могу бити у групама, али уноса можете извршити над несрпским групама" @@ -1249,7 +1249,7 @@ DocType: Employee Loan Application,Repayment Info,otplata информације apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Уноси"" не могу бити празни" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Дубликат строка {0} с же {1} ,Trial Balance,Пробни биланс -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Фискална година {0} није пронађен +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Фискална година {0} није пронађен apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Подешавање Запослени DocType: Sales Order,SO-,ТАКО- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Пожалуйста, выберите префикс первым" @@ -1264,11 +1264,11 @@ DocType: Grading Scale,Intervals,интервали apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Најраније apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем , пожалуйста, измените имя элемента или переименовать группу товаров" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Студент Мобилни број -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Остальной мир +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Остальной мир apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Ставка {0} не може имати Батцх ,Budget Variance Report,Буџет Разлика извештај DocType: Salary Slip,Gross Pay,Бруто Паи -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Ред {0}: Тип активност је обавезна. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Ред {0}: Тип активност је обавезна. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Исплаћене дивиденде apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Књиговодство Леџер DocType: Stock Reconciliation,Difference Amount,Разлика Износ @@ -1291,18 +1291,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Запослени одсуство Биланс apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Весы для счета {0} должен быть всегда {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Процена курс потребно за предмета на ред {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Пример: Мастерс ин Цомпутер Сциенце +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Пример: Мастерс ин Цомпутер Сциенце DocType: Purchase Invoice,Rejected Warehouse,Одбијен Магацин DocType: GL Entry,Against Voucher,Против ваучер DocType: Item,Default Buying Cost Center,По умолчанию Покупка МВЗ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Да бисте добили најбоље од ЕРПНект, препоручујемо да узмете мало времена и гледати ове видео снимке помоћ." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,у +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,у DocType: Supplier Quotation Item,Lead Time in days,Олово Време у данима apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Обавезе према добављачима Преглед -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Исплата зараде из {0} до {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Исплата зараде из {0} до {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Не разрешается редактировать замороженный счет {0} DocType: Journal Entry,Get Outstanding Invoices,Гет неплаћене рачуне -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Наруџбенице помоћи да планирате и праћење куповина apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Жао нам је , компаније не могу да се споје" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1324,8 +1324,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,косвенные расходы apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Ред {0}: Кол је обавезно apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,пољопривреда -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Синц мастер података -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Ваши производи или услуге +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Синц мастер података +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Ваши производи или услуге DocType: Mode of Payment,Mode of Payment,Начин плаћања apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Сајт Слика треба да буде јавни фајл или УРЛ веб-сајта DocType: Student Applicant,AP,АП @@ -1344,18 +1344,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Ставка Пореска сто DocType: Student Group Student,Group Roll Number,"Група Ролл, број" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитне рачуни могу бити повезани против неке друге ставке дебитне" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Збир свих радних тегова треба да буде 1. Подесите тежине свих задатака пројекта у складу са тим -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Доставка Примечание {0} не представлено +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Доставка Примечание {0} не представлено apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Пункт {0} должен быть Субдоговорная Пункт apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Капитальные оборудование apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Правилник о ценама је први изабран на основу 'Примени на ""терену, који могу бити артикла, шифра групе или Марка." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Молимо прво поставите код за ставку +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Молимо прво поставите код за ставку DocType: Hub Settings,Seller Website,Продавац Сајт DocType: Item,ITEM-,Артикл- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Всего выделено процент для отдела продаж должен быть 100 DocType: Appraisal Goal,Goal,Циљ DocType: Sales Invoice Item,Edit Description,Измени опис ,Team Updates,тим ажурирања -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,За добављача +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,За добављача DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Подешавање Тип налога помаже у одабиру овог рачуна у трансакцијама. DocType: Purchase Invoice,Grand Total (Company Currency),Гранд Укупно (Друштво валута) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Створити Принт Формат @@ -1369,12 +1369,12 @@ DocType: Item,Website Item Groups,Сајт Итем Групе DocType: Purchase Invoice,Total (Company Currency),Укупно (Фирма валута) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза DocType: Depreciation Schedule,Journal Entry,Јоурнал Ентри -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} ставки у току +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} ставки у току DocType: Workstation,Workstation Name,Воркстатион Име DocType: Grading Scale Interval,Grade Code,граде код DocType: POS Item Group,POS Item Group,ПОС Тачка Група apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Емаил Дигест: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},БОМ {0} не припада тачком {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},БОМ {0} не припада тачком {1} DocType: Sales Partner,Target Distribution,Циљна Дистрибуција DocType: Salary Slip,Bank Account No.,Банковни рачун бр DocType: Naming Series,This is the number of the last created transaction with this prefix,То је број последње створеног трансакције са овим префиксом @@ -1432,7 +1432,7 @@ DocType: Quotation,Shopping Cart,Корпа apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Просек Дневни Одлазећи DocType: POS Profile,Campaign,Кампања DocType: Supplier,Name and Type,Име и тип -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Состояние утверждения должны быть ""Одобрено"" или "" Отклонено """ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Состояние утверждения должны быть ""Одобрено"" или "" Отклонено """ DocType: Purchase Invoice,Contact Person,Контакт особа apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Очекивани датум почетка"" не може бити већи од ""Очекивани датум завршетка""" DocType: Course Scheduling Tool,Course End Date,Наравно Датум завршетка @@ -1444,8 +1444,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,преферед Е-маил apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Нето промена у основном средству DocType: Leave Control Panel,Leave blank if considered for all designations,Оставите празно ако се сматра за све ознакама -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные ' в строке {0} не могут быть включены в пункт Оценить -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Мак: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные ' в строке {0} не могут быть включены в пункт Оценить +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Мак: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Од датетиме DocType: Email Digest,For Company,За компаније apps/erpnext/erpnext/config/support.py +17,Communication log.,Комуникација дневник. @@ -1487,7 +1487,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Профиль DocType: Journal Entry Account,Account Balance,Рачун Биланс apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Пореска Правило за трансакције. DocType: Rename Tool,Type of document to rename.,Врста документа да преименујете. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Купујемо ову ставку +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Купујемо ову ставку apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Купац је обавезан против Потраживања обзир {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Укупни порези и таксе (Друштво валута) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Схов П & Л стања унцлосед фискалну годину @@ -1498,7 +1498,7 @@ DocType: Quality Inspection,Readings,Читања DocType: Stock Entry,Total Additional Costs,Укупно Додатни трошкови DocType: Course Schedule,SH,СХ DocType: BOM,Scrap Material Cost(Company Currency),Отпадног материјала Трошкови (Фирма валута) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub сборки +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub сборки DocType: Asset,Asset Name,Назив дела DocType: Project,Task Weight,zadatak Тежина DocType: Shipping Rule Condition,To Value,Да вредност @@ -1527,7 +1527,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Ставка Вариј DocType: Company,Services,Услуге DocType: HR Settings,Email Salary Slip to Employee,Емаил плата Слип да запосленом DocType: Cost Center,Parent Cost Center,Родитељ Трошкови центар -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Изабери Могући Супплиер +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Изабери Могући Супплиер DocType: Sales Invoice,Source,Извор apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,схов затворено DocType: Leave Type,Is Leave Without Pay,Да ли је Оставите без плате @@ -1539,7 +1539,7 @@ DocType: POS Profile,Apply Discount,Примени попуст DocType: GST HSN Code,GST HSN Code,ПДВ ХСН код DocType: Employee External Work History,Total Experience,Укупно Искуство apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Опен Пројекти -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Упаковочный лист (ы) отменяется +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Упаковочный лист (ы) отменяется apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Новчани ток од Инвестирање DocType: Program Course,Program Course,програм предмета apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Грузовые и экспедиторские Сборы @@ -1580,9 +1580,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,program Упис DocType: Sales Invoice Item,Brand Name,Бранд Наме DocType: Purchase Receipt,Transporter Details,Транспортер Детаљи -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Уобичајено складиште је потребан за одабране ставке -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,коробка -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,могуће добављача +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Уобичајено складиште је потребан за одабране ставке +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,коробка +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,могуће добављача DocType: Budget,Monthly Distribution,Месечни Дистрибуција apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Приемник Список пуст . Пожалуйста, создайте приемник Список" DocType: Production Plan Sales Order,Production Plan Sales Order,Производња Продаја план Наручи @@ -1615,7 +1615,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Захтев apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Студенти су у срцу система, додати све студенте" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Ред # {0}: Датум Одобрење {1} не може бити пре Чек Дате {2} DocType: Company,Default Holiday List,Уобичајено Холидаи Лист -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Ред {0}: Од времена и доба {1} преклапа са {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},Ред {0}: Од времена и доба {1} преклапа са {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Акции Обязательства DocType: Purchase Invoice,Supplier Warehouse,Снабдевач Магацин DocType: Opportunity,Contact Mobile No,Контакт Мобиле Нема @@ -1631,18 +1631,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},"Оставить типа {0} не может быть больше, чем {1}" DocType: Manufacturing Settings,Try planning operations for X days in advance.,Покушајте планирање операција за Кс дана унапред. DocType: HR Settings,Stop Birthday Reminders,Стани Рођендан Подсетници -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Молимо поставите Дефаулт Паиролл Паиабле рачун у компанији {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Молимо поставите Дефаулт Паиролл Паиабле рачун у компанији {0} DocType: SMS Center,Receiver List,Пријемник Листа -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Тражи артикла +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Тражи артикла apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Цонсумед Износ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Нето промена на пари DocType: Assessment Plan,Grading Scale,скала оцењивања apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,већ завршено +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,већ завршено apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Стоцк Ин Ханд apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Плаћање Захтјев већ постоји {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Трошкови издатих ставки -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Количина не сме бити више од {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Количина не сме бити више од {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Претходној финансијској години није затворена apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Старост (Дани) DocType: Quotation Item,Quotation Item,Понуда шифра @@ -1656,6 +1656,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Ознака документа apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} отказан или заустављен DocType: Accounts Settings,Credit Controller,Кредитни контролер +DocType: Sales Order,Final Delivery Date,Датум завршне испоруке DocType: Delivery Note,Vehicle Dispatch Date,Отпрема Возила Датум DocType: Purchase Invoice Item,HSN/SAC,ХСН / САЧ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Покупка Получение {0} не представлено @@ -1747,9 +1748,9 @@ DocType: Employee,Date Of Retirement,Датум одласка у пензију DocType: Upload Attendance,Get Template,Гет шаблона DocType: Material Request,Transferred,пренети DocType: Vehicle,Doors,vrata -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ЕРПНект Подешавање Комплетна! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ЕРПНект Подешавање Комплетна! DocType: Course Assessment Criteria,Weightage,Веигхтаге -DocType: Sales Invoice,Tax Breakup,porez на распад +DocType: Purchase Invoice,Tax Breakup,porez на распад DocType: Packing Slip,PS-,ПС- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Трошкови Центар је потребно за "добит и губитак" налога {2}. Молимо Вас да оснује центар трошкова подразумевани за компаније. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов существует с тем же именем , пожалуйста изменить имя клиентов или переименовать группу клиентов" @@ -1762,14 +1763,14 @@ DocType: Announcement,Instructor,инструктор DocType: Employee,AB+,АБ + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ако ова ставка има варијанте, онда не може бити изабран у налозима продаје итд" DocType: Lead,Next Contact By,Следеће Контакт По -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Магацин {0} не може бити обрисан јер постоји количина за Ставку {1} DocType: Quotation,Order Type,Врста поруџбине DocType: Purchase Invoice,Notification Email Address,Обавештење е-маил адреса ,Item-wise Sales Register,Предмет продаје-мудре Регистрација DocType: Asset,Gross Purchase Amount,Бруто Куповина Количина DocType: Asset,Depreciation Method,Амортизација Метод -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,оффлине +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,оффлине DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Да ли је то такса у Основном Рате? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Укупно Циљна DocType: Job Applicant,Applicant for a Job,Подносилац захтева за посао @@ -1791,7 +1792,7 @@ DocType: Employee,Leave Encashed?,Оставите Енцасхед? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Прилика Од пољу је обавезна DocType: Email Digest,Annual Expenses,Годишњи трошкови DocType: Item,Variants,Варијанте -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Маке наруџбенице +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Маке наруџбенице DocType: SMS Center,Send To,Пошаљи apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0} DocType: Payment Reconciliation Payment,Allocated amount,Додијељени износ @@ -1799,7 +1800,7 @@ DocType: Sales Team,Contribution to Net Total,Допринос нето укуп DocType: Sales Invoice Item,Customer's Item Code,Шифра купца DocType: Stock Reconciliation,Stock Reconciliation,Берза помирење DocType: Territory,Territory Name,Територија Име -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Работа -в- Прогресс Склад требуется перед Отправить +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Работа -в- Прогресс Склад требуется перед Отправить apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Подносилац захтева за посао. DocType: Purchase Order Item,Warehouse and Reference,Магацини и Референца DocType: Supplier,Statutory info and other general information about your Supplier,Статутарна инфо и друге опште информације о вашем добављачу @@ -1812,16 +1813,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,аппраисалс apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Дубликат Серийный номер вводится для Пункт {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Услов за владавину Схиппинг apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Унесите -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не могу да овербилл за тачком {0} у реду {1} више од {2}. Да би се омогућило над-наплате, молимо вас да поставите у Буиинг Сеттингс" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Молимо поставите филтер на основу тачке или Варехоусе +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не могу да овербилл за тачком {0} у реду {1} више од {2}. Да би се омогућило над-наплате, молимо вас да поставите у Буиинг Сеттингс" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Молимо поставите филтер на основу тачке или Варехоусе DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нето тежина овог пакета. (Израчунава аутоматски као збир нето тежине предмета) DocType: Sales Order,To Deliver and Bill,Да достави и Билл DocType: Student Group,Instructors,instruktori DocType: GL Entry,Credit Amount in Account Currency,Износ кредита на рачуну валути -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,БОМ {0} мора да се поднесе +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,БОМ {0} мора да се поднесе DocType: Authorization Control,Authorization Control,Овлашћење за контролу apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Одбијен Складиште је обавезна против одбијен тачком {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Плаћање +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Плаћање apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Магацин {0} није повезан на било који рачун, молимо вас да поменете рачун у складиште записник или сет налог подразумевани инвентара у компанији {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Организујте своје налоге DocType: Production Order Operation,Actual Time and Cost,Тренутно време и трошак @@ -1837,12 +1838,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Бун DocType: Quotation Item,Actual Qty,Стварна Кол DocType: Sales Invoice Item,References,Референце DocType: Quality Inspection Reading,Reading 10,Читање 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Наведите своје производе или услуге које купују или продају . +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Наведите своје производе или услуге које купују или продају . DocType: Hub Settings,Hub Node,Хуб Ноде apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Унели дупликате . Молимо исправи и покушајте поново . apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,помоћник +DocType: Company,Sales Target,Продајна мета DocType: Asset Movement,Asset Movement,средство покрет -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Нова корпа +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Нова корпа apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Пункт {0} не сериализованным Пункт DocType: SMS Center,Create Receiver List,Направите листу пријемника DocType: Vehicle,Wheels,Точкови @@ -1884,13 +1886,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Управљање DocType: Supplier,Supplier of Goods or Services.,Добављач робе или услуга. DocType: Budget,Fiscal Year,Фискална година DocType: Vehicle Log,Fuel Price,Гориво Цена +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо да подесите серије бројева за присуство преко Сетуп> Сериес Нумберинг DocType: Budget,Budget,Буџет apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Основних средстава тачка мора бити нон-лагеру предмета. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Буџет не може се одредити према {0}, јер то није прихода или расхода рачун" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Постигнута DocType: Student Admission,Application Form Route,Образац за пријаву Рута apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Територија / Кориснички -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,например 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,например 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Оставите Тип {0} не може бити додељена јер је оставити без плате apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Ред {0}: Додељени износ {1} мора бити мања или једнака фактурише изузетну количину {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,У речи ће бити видљив када сачувате продаје фактуру. @@ -1899,11 +1902,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Пункт {0} не установка для мастера серийные номера Проверить товара DocType: Maintenance Visit,Maintenance Time,Одржавање време ,Amount to Deliver,Износ на Избави -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Продукт или сервис +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Продукт или сервис apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Рок Датум почетка не може бити раније него годину дана датум почетка академске године на коју се израз је везан (академска година {}). Молимо исправите датуме и покушајте поново. DocType: Guardian,Guardian Interests,Гуардиан Интереси DocType: Naming Series,Current Value,Тренутна вредност -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Више фискалне године постоје за датум {0}. Молимо поставите компаније у фискалној години +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Више фискалне године постоје за датум {0}. Молимо поставите компаније у фискалној години apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} создан DocType: Delivery Note Item,Against Sales Order,Против продаје налога ,Serial No Status,Серијски број статус @@ -1916,7 +1919,7 @@ DocType: Pricing Rule,Selling,Продаја apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Износ {0} {1} одузима од {2} DocType: Employee,Salary Information,Плата Информација DocType: Sales Person,Name and Employee ID,Име и број запослених -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,"Впритык не может быть , прежде чем отправлять Дата" +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,"Впритык не может быть , прежде чем отправлять Дата" DocType: Website Item Group,Website Item Group,Сајт тачка Група apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Пошлины и налоги apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Пожалуйста, введите дату Ссылка" @@ -1973,9 +1976,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Подесите датум приступања за запосленог {0} DocType: Task,Total Billing Amount (via Time Sheet),Укупно Износ обрачуна (преко Тиме Схеет) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Поновите Кориснички Приход -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) мора имати улогу 'Екпенсе одобраватељ' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,пара -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Изабери БОМ и Кти за производњу +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) мора имати улогу 'Екпенсе одобраватељ' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,пара +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Изабери БОМ и Кти за производњу DocType: Asset,Depreciation Schedule,Амортизација Распоред apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Продаја Партнер адресе и контакт DocType: Bank Reconciliation Detail,Against Account,Против налога @@ -1985,7 +1988,7 @@ DocType: Item,Has Batch No,Има Батцх Нема apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Годишња плаћања: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Роба и услуга Порез (ПДВ Индија) DocType: Delivery Note,Excise Page Number,Акцизе Број странице -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Компанија, Од датума и до данас је обавезно" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Компанија, Од датума и до данас је обавезно" DocType: Asset,Purchase Date,Датум куповине DocType: Employee,Personal Details,Лични детаљи apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Молимо поставите 'Ассет Амортизација Набавна центар "у компанији {0} @@ -1994,9 +1997,9 @@ DocType: Task,Actual End Date (via Time Sheet),Стварна Датум зав apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Износ {0} {1} против {2} {3} ,Quotation Trends,Котировочные тенденции apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Ставка група не помиње у тачки мајстор за ставку {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Дебитна Да рачуну мора бити потраживања рачун +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Дебитна Да рачуну мора бити потраживања рачун DocType: Shipping Rule Condition,Shipping Amount,Достава Износ -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Додај Купци +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Додај Купци apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Чека Износ DocType: Purchase Invoice Item,Conversion Factor,Конверзија Фактор DocType: Purchase Order,Delivered,Испоручено @@ -2019,7 +2022,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Укључи помир DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Родитељ голф (Оставите празно, ако то није део матичног Цоурсе)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Родитељ голф (Оставите празно, ако то није део матичног Цоурсе)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Оставите празно ако се сматра за све типове запослених -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Корисник> Група клијената> Територија DocType: Landed Cost Voucher,Distribute Charges Based On,Дистрибуирају пријава по apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,тимесхеетс DocType: HR Settings,HR Settings,ХР Подешавања @@ -2027,7 +2029,7 @@ DocType: Salary Slip,net pay info,Нето плата Информације о apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Расходи Тужба се чека на одобрење . СамоРасходи одобраватељ да ажурирате статус . DocType: Email Digest,New Expenses,Нове Трошкови DocType: Purchase Invoice,Additional Discount Amount,Додатне Износ попуста -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Кол-во мора бити 1, као тачка је основна средства. Молимо вас да користите посебан ред за вишеструко Кол." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Кол-во мора бити 1, као тачка је основна средства. Молимо вас да користите посебан ред за вишеструко Кол." DocType: Leave Block List Allow,Leave Block List Allow,Оставите листу блокираних Аллов apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Аббр не може бити празно или простор apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Група не-Гроуп @@ -2035,7 +2037,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,спортс DocType: Loan Type,Loan Name,kredit Име apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Укупно Стварна DocType: Student Siblings,Student Siblings,Студент Браћа и сестре -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,блок +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,блок apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Молимо наведите фирму ,Customer Acquisition and Loyalty,Кориснички Стицање и лојалности DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Магацин где се одржава залихе одбачених предмета @@ -2054,12 +2056,12 @@ DocType: Workstation,Wages per hour,Сатнице apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Сток стање у батцх {0} ће постати негативна {1} за {2} тачком у складишту {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Следећи материјал захтеви су аутоматски подигнута на основу нивоа поновног реда ставке DocType: Email Digest,Pending Sales Orders,У току продајних налога -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Рачун {0} је неважећа. Рачун валута мора да буде {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Рачун {0} је неважећа. Рачун валута мора да буде {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0} DocType: Production Plan Item,material_request_item,материал_рекуест_итем apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од продаје реда, продаје Фактура или Јоурнал Ентри" DocType: Salary Component,Deduction,Одузимање -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Ред {0}: Од времена и времена је обавезно. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Ред {0}: Од времена и времена је обавезно. DocType: Stock Reconciliation Item,Amount Difference,iznos Разлика apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Ставка Цена додат за {0} у ценовнику {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Молимо Вас да унесете Ид радник ове продаје особе @@ -2069,11 +2071,11 @@ DocType: Project,Gross Margin,Бруто маржа apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Молимо унесите прво Производња пункт apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Обрачуната банка Биланс apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,искључени корисник -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Понуда +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Понуда DocType: Quotation,QTN-,КТН- DocType: Salary Slip,Total Deduction,Укупно Одбитак ,Production Analytics,Продуцтион analitika -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Трошкови ажурирано +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Трошкови ажурирано DocType: Employee,Date of Birth,Датум рођења apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Пункт {0} уже вернулся DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Фискална година** представља Финансијску годину. Све рачуноводствене уносе и остале главне трансакције се прате наспрам **Фискалне фодине**. @@ -2119,18 +2121,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Изаберите фирму ... DocType: Leave Control Panel,Leave blank if considered for all departments,Оставите празно ако се сматра за сва одељења apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Виды занятости (постоянная , контракт, стажер и т.д. ) ." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} является обязательным для п. {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} является обязательным для п. {1} DocType: Process Payroll,Fortnightly,четрнаестодневни DocType: Currency Exchange,From Currency,Од валутног apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Молимо Вас да изаберете издвајају, Тип фактуре и број фактуре у атлеаст једном реду" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Трошкови куповини -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Заказать продаж требуется для Пункт {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Заказать продаж требуется для Пункт {0} DocType: Purchase Invoice Item,Rate (Company Currency),Стопа (Друштво валута) DocType: Student Guardian,Others,другие DocType: Payment Entry,Unallocated Amount,Неалоцирано Износ apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Не могу да нађем ставку која се подудара. Молимо Вас да одаберете неку другу вредност за {0}. DocType: POS Profile,Taxes and Charges,Порези и накнаде DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Производ или сервис који се купити, продати или држати у складишту." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Шифра производа> Група производа> Бренд apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Нема више ажурирања apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Невозможно выбрать тип заряда , как «О предыдущего ряда Сумма » или « О предыдущего ряда Всего 'для первой строки" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Дете артикла не би требало да буде Бундле производа. Молимо Вас да уклоните ставку `{0} 'и сачувати @@ -2158,7 +2161,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Укупно обрачуна Износ apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Мора постојати подразумевани долазни е-маил налог омогућено да би ово радило. Молим вас подесити подразумевани долазне е-маил налог (ПОП / ИМАП) и покушајте поново. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Потраживања рачуна -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Ред # {0}: имовине {1} је већ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Ред # {0}: имовине {1} је већ {2} DocType: Quotation Item,Stock Balance,Берза Биланс apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Продаја Налог за плаћања apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Директор @@ -2183,10 +2186,11 @@ DocType: C-Form,Received Date,Примљени Датум DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ако сте направили стандардни образац у продаји порези и таксе Темплате, изаберите један и кликните на дугме испод." DocType: BOM Scrap Item,Basic Amount (Company Currency),Основни Износ (Фирма валута) DocType: Student,Guardians,старатељи +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Супплиер> Тип добављача DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Цене неће бити приказан ако Ценовник није подешен apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Наведите земљу за ову Схиппинг правило или проверите ворлдвиде схиппинг DocType: Stock Entry,Total Incoming Value,Укупна вредност Долазни -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Дебитна Да је потребно +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Дебитна Да је потребно apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Тимесхеетс лакше пратили времена, трошкова и рачуна за АКТИВНОСТИ урадио ваш тим" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Куповина Ценовник DocType: Offer Letter Term,Offer Term,Понуда Рок @@ -2205,11 +2209,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Пр DocType: Timesheet Detail,To Time,За време DocType: Authorization Rule,Approving Role (above authorized value),Одобравање улога (изнад овлашћеног вредности) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Кредит на рачун мора бити Плаћа рачун -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия : {0} не может быть родитель или ребенок {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия : {0} не может быть родитель или ребенок {2} DocType: Production Order Operation,Completed Qty,Завршен Кол apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само дебитне рачуни могу бити повезани против другог кредитног уласка" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Прайс-лист {0} отключена -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Ред {0}: Завршен количина не може бити више од {1} за операцију {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Ред {0}: Завршен количина не може бити више од {1} за операцију {2} DocType: Manufacturing Settings,Allow Overtime,Дозволи Овертиме apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Сериализед артикла {0} не може да се ажурира преко Стоцк помирење, користите Стоцк унос" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Сериализед артикла {0} не може да се ажурира преко Стоцк помирење, користите Стоцк унос" @@ -2228,10 +2232,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Спољни apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Корисници и дозволе DocType: Vehicle Log,VLOG.,ВЛОГ. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Производни Поруџбине Креирано: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Производни Поруџбине Креирано: {0} DocType: Branch,Branch,Филијала DocType: Guardian,Mobile Number,Број мобилног телефона apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Печать и брендинг +DocType: Company,Total Monthly Sales,Укупна месечна продаја DocType: Bin,Actual Quantity,Стварна Количина DocType: Shipping Rule,example: Next Day Shipping,Пример: Нект Даи Схиппинг apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Серијски број {0} није пронађен @@ -2262,7 +2267,7 @@ DocType: Payment Request,Make Sales Invoice,Маке Салес фактура apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Програми apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Следећа контакт Датум не могу бити у прошлости DocType: Company,For Reference Only.,За справки. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Избор серијски бр +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Избор серијски бр apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Неважећи {0}: {1} DocType: Purchase Invoice,PINV-RET-,ПИНВ-РЕТ- DocType: Sales Invoice Advance,Advance Amount,Унапред Износ @@ -2275,7 +2280,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Нет товара со штрих-кодом {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Предмет бр не може бити 0 DocType: Item,Show a slideshow at the top of the page,Приказивање слајдова на врху странице -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,БОМ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,БОМ apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Магазины DocType: Serial No,Delivery Time,Време испоруке apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Старење Басед Он @@ -2289,16 +2294,16 @@ DocType: Rename Tool,Rename Tool,Преименовање Тоол apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Ажурирање Трошкови DocType: Item Reorder,Item Reorder,Предмет Реордер apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Схов плата Слип -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Пренос материјала +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Пренос материјала DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Наведите операције , оперативне трошкове и дају јединствену операцију без своје пословање ." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Овај документ је преко границе од {0} {1} за ставку {4}. Правиш други {3} против исте {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Молимо поставите понављају након снимања -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Избор промена износ рачуна +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Молимо поставите понављају након снимања +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Избор промена износ рачуна DocType: Purchase Invoice,Price List Currency,Ценовник валута DocType: Naming Series,User must always select,Корисник мора увек изабрати DocType: Stock Settings,Allow Negative Stock,Дозволи Негативно Стоцк DocType: Installation Note,Installation Note,Инсталација Напомена -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Додај Порези +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Додај Порези DocType: Topic,Topic,тема apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Новчани ток од финансирања DocType: Budget Account,Budget Account,буџета рачуна @@ -2312,7 +2317,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,сл apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Источник финансирования ( обязательства) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ( {1} ) должна быть такой же, как изготавливается количество {2}" DocType: Appraisal,Employee,Запосленик -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Избор Серија +DocType: Company,Sales Monthly History,Месечна историја продаје +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Избор Серија apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} је у потпуности наплаћује DocType: Training Event,End Time,Крајње време apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Активно плата Структура {0} наћи за запосленог {1} за одређени датум @@ -2320,15 +2326,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Плаћања Одбици и apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Стандартные условия договора для продажи или покупки. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Группа по ваучером apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Продаја Цевовод -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Молимо поставите подразумевани рачун у плате компоненте {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Молимо поставите подразумевани рачун у плате компоненте {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Обавезно На DocType: Rename Tool,File to Rename,Филе Ренаме да apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Молимо одаберите БОМ за предмета на Ров {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Рачун {0} не поклапа са Компаније {1} у режиму рачуна: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Указано БОМ {0} не постоји за ставку {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График обслуживания {0} должно быть отменено до отмены этого заказ клиента +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График обслуживания {0} должно быть отменено до отмены этого заказ клиента DocType: Notification Control,Expense Claim Approved,Расходи потраживање одобрено -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо да подесите серије бројева за присуство преко Сетуп> Сериес Нумберинг apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Плата Слип запосленог {0} већ створен за овај период apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,фармацевтический apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Трошкови Купљено @@ -2345,7 +2350,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,БОМ Но за г DocType: Upload Attendance,Attendance To Date,Присуство Дате DocType: Warranty Claim,Raised By,Подигао DocType: Payment Gateway Account,Payment Account,Плаћање рачуна -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Наведите компанија наставити +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Наведите компанија наставити apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Нето Промена Потраживања apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Компенсационные Выкл DocType: Offer Letter,Accepted,Примљен @@ -2354,12 +2359,12 @@ DocType: SG Creation Tool Course,Student Group Name,Студент Име гру apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Молимо проверите да ли сте заиста желите да избришете све трансакције за ову компанију. Ваши основни подаци ће остати како јесте. Ова акција се не може поништити. DocType: Room,Room Number,Број собе apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Неважећи референца {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може бити већи од планираног куанитити ({2}) у производњи Низ {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може бити већи од планираног куанитити ({2}) у производњи Низ {3} DocType: Shipping Rule,Shipping Rule Label,Достава Правило Лабел apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Корисник форум -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Сировине не може бити празан. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Није могуће ажурирати залихе, фактура садржи испоруку ставку дроп." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Брзо Јоурнал Ентри +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Сировине не може бити празан. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Није могуће ажурирати залихе, фактура садржи испоруку ставку дроп." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Брзо Јоурнал Ентри apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Не можете променити стопу ако бом помиње агианст било које ставке DocType: Employee,Previous Work Experience,Претходно радно искуство DocType: Stock Entry,For Quantity,За Количина @@ -2416,7 +2421,7 @@ DocType: SMS Log,No of Requested SMS,Нема тражених СМС apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Оставите без плате се не слаже са одобреним подацима одсуство примене DocType: Campaign,Campaign-.####,Кампания - . # # # # apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Следећи кораци -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Молимо вас да доставите одређене ставке на најбољи могући стопама +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Молимо вас да доставите одређене ставке на најбољи могући стопама DocType: Selling Settings,Auto close Opportunity after 15 days,Ауто затварање Могућност након 15 дана apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,До краја године apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Куот / Олово% @@ -2474,7 +2479,7 @@ DocType: Homepage,Homepage,страница DocType: Purchase Receipt Item,Recd Quantity,Рецд Количина apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Накнада Записи Цреатед - {0} DocType: Asset Category Account,Asset Category Account,Средство Категорија налог -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0} , чем количество продаж Заказать {1}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0} , чем количество продаж Заказать {1}" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Сток Ступање {0} не поднесе DocType: Payment Reconciliation,Bank / Cash Account,Банка / готовински рачун apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Следећа контактирати путем не може бити исто као водећи Емаил Аддресс @@ -2507,7 +2512,7 @@ DocType: Salary Structure,Total Earning,Укупна Зарада DocType: Purchase Receipt,Time at which materials were received,Време у коме су примљене материјали DocType: Stock Ledger Entry,Outgoing Rate,Одлазећи курс apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Организация филиал мастер . -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,или +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,или DocType: Sales Order,Billing Status,Обрачун статус apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Пријави грешку apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Коммунальные расходы @@ -2515,7 +2520,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Ред # {0}: Јоурнал Ентри {1} нема налог {2} или већ упарен против другог ваучера DocType: Buying Settings,Default Buying Price List,Уобичајено Куповина Ценовник DocType: Process Payroll,Salary Slip Based on Timesheet,Плата Слип основу ТимеСхеет -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ни један запослени за горе одабране критеријуме или листић плата већ креирана +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Ни један запослени за горе одабране критеријуме или листић плата већ креирана DocType: Notification Control,Sales Order Message,Продаја Наручите порука apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Установить значения по умолчанию , как Болгарии, Валюта , текущий финансовый год и т.д." DocType: Payment Entry,Payment Type,Плаћање Тип @@ -2540,7 +2545,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Потврда мора бити достављен DocType: Purchase Invoice Item,Received Qty,Примљени Кол DocType: Stock Entry Detail,Serial No / Batch,Серијски бр / Серије -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Не Паид и није испоручена +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Не Паид и није испоручена DocType: Product Bundle,Parent Item,Родитељ шифра DocType: Account,Account Type,Тип налога DocType: Delivery Note,DN-RET-,ДН-РЕТ- @@ -2571,8 +2576,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Укупно издвајају apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Сет Дефаулт инвентар рачун за вечити инвентар DocType: Item Reorder,Material Request Type,Материјал Врста Захтева -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Аццурал Јоурнал Ентри за плате од {0} до {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","Локалну меморију је пуна, није сачувао" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Аццурал Јоурнал Ентри за плате од {0} до {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Локалну меморију је пуна, није сачувао" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Ред {0}: УОМ фактор конверзије је обавезна apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Реф DocType: Budget,Cost Center,Трошкови центар @@ -2590,7 +2595,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,по apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ако изабрана Правилник о ценама је направљен за '' Прице, он ће преписати Ценовник. Правилник о ценама цена је коначна цена, тако да би требало да се примени даље попуст. Стога, у трансакцијама као што продаје Реда, наруџбину итд, то ће бити продата у ""рате"" терену, а не области 'Ценовник рате'." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Стаза води од индустрије Типе . DocType: Item Supplier,Item Supplier,Ставка Снабдевач -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Унесите Шифра добити пакет не +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Унесите Шифра добити пакет не apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}" apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Све адресе. DocType: Company,Stock Settings,Стоцк Подешавања @@ -2617,7 +2622,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Стварна Кол apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Нема плата клизање налази између {0} и {1} ,Pending SO Items For Purchase Request,Чекању СО Артикли за куповину захтеву apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Студент Пријемни -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} је онемогућен +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} је онемогућен DocType: Supplier,Billing Currency,Обрачун Валута DocType: Sales Invoice,SINV-RET-,СИНВ-РЕТ- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Екстра велики @@ -2647,7 +2652,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Статус апликације DocType: Fees,Fees,naknade DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Наведите курс према претворити једну валуту у другу -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Цитата {0} отменяется +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Цитата {0} отменяется apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Преостали дио кредита DocType: Sales Partner,Targets,Мете DocType: Price List,Price List Master,Ценовник Мастер @@ -2664,7 +2669,7 @@ DocType: POS Profile,Ignore Pricing Rule,Игноре Правилник о це DocType: Employee Education,Graduate,Пређите DocType: Leave Block List,Block Days,Блок Дана DocType: Journal Entry,Excise Entry,Акциза Ступање -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Упозорење: Продаја заказа {0} већ постоји против нарудзбенице клијента {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Упозорење: Продаја заказа {0} већ постоји против нарудзбенице клијента {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2703,7 +2708,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ак ,Salary Register,плата Регистрација DocType: Warehouse,Parent Warehouse,родитељ Магацин DocType: C-Form Invoice Detail,Net Total,Нето Укупно -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Стандардно БОМ није пронађен за тачком {0} и пројекат {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Стандардно БОМ није пронађен за тачком {0} и пројекат {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Дефинисати различите врсте кредита DocType: Bin,FCFS Rate,Стопа ФЦФС DocType: Payment Reconciliation Invoice,Outstanding Amount,Изванредна Износ @@ -2740,7 +2745,7 @@ DocType: Salary Detail,Condition and Formula Help,Стање и формула apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Управление Территория дерево . DocType: Journal Entry Account,Sales Invoice,Продаја Рачун DocType: Journal Entry Account,Party Balance,Парти Стање -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Молимо одаберите Аппли попуста на +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Молимо одаберите Аппли попуста на DocType: Company,Default Receivable Account,Уобичајено потраживања рачуна DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,"Направи Банк, улаз за укупне плате исплаћене за горе изабране критеријуме" DocType: Stock Entry,Material Transfer for Manufacture,Пренос материјала за Производња @@ -2754,7 +2759,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Кориснички Адреса DocType: Employee Loan,Loan Details,kredit Детаљи DocType: Company,Default Inventory Account,Уобичајено Инвентар налог -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Ред {0}: Завршен количина мора бити већа од нуле. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Ред {0}: Завршен количина мора бити већа од нуле. DocType: Purchase Invoice,Apply Additional Discount On,Нанесите додатни попуст Он DocType: Account,Root Type,Корен Тип DocType: Item,FIFO,"ФИФО," @@ -2771,7 +2776,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Провера квалите apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Ектра Смалл DocType: Company,Standard Template,стандард Шаблон DocType: Training Event,Theory,теорија -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Упозорење : Материјал Тражени Кол је мање од Минимална количина за поручивање +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Упозорење : Материјал Тражени Кол је мање од Минимална количина за поручивање apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Счет {0} заморожен DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Правно лице / Подружница са посебном контном припада организацији. DocType: Payment Request,Mute Email,Муте-маил @@ -2795,7 +2800,7 @@ DocType: Training Event,Scheduled,Планиран apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Захтев за понуду. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Молимо одаберите ставку где "је акционарско тачка" је "Не" и "Да ли је продаје Тачка" "Да" и нема другог производа Бундле DocType: Student Log,Academic,академски -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Укупно Адванце ({0}) против Реда {1} не може бити већи од Великог Укупно ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Укупно Адванце ({0}) против Реда {1} не може бити већи од Великог Укупно ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Изаберите мјесечни неравномерно дистрибуира широм мете месеци. DocType: Purchase Invoice Item,Valuation Rate,Процена Стопа DocType: Stock Reconciliation,SR/,СР / @@ -2861,6 +2866,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Амт DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Унесите назив кампање, ако извор истраге је кампања" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Новински издавачи apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Изаберите Фискална година +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Очекивани датум испоруке треба да буде након датума продаје apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Реордер Ниво DocType: Company,Chart Of Accounts Template,Контни план Темплате DocType: Attendance,Attendance Date,Гледалаца Датум @@ -2892,7 +2898,7 @@ DocType: Pricing Rule,Discount Percentage,Скидка в процентах DocType: Payment Reconciliation Invoice,Invoice Number,Фактура број DocType: Shopping Cart Settings,Orders,Поруџбине DocType: Employee Leave Approver,Leave Approver,Оставите Аппровер -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Изаберите серију +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Изаберите серију DocType: Assessment Group,Assessment Group Name,Процена Име групе DocType: Manufacturing Settings,Material Transferred for Manufacture,Материјал Пребачен за производњу DocType: Expense Claim,"A user with ""Expense Approver"" role","Корисник са ""Расходи одобраватељ"" улози" @@ -2929,7 +2935,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Последњи дан наредног мјесеца DocType: Support Settings,Auto close Issue after 7 days,Ауто затварање издање након 7 дана apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Оставите не може се доделити пре {0}, као одсуство стање је већ Царри-прослеђен у будућем расподеле одсуство записника {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Напомена: Због / Референтни Датум прелази дозвољене кредитним купац дана од {0} дана (и) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Напомена: Због / Референтни Датум прелази дозвољене кредитним купац дана од {0} дана (и) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,студент Подносилац DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,Оригинал на РЕЦИПИЕНТ DocType: Asset Category Account,Accumulated Depreciation Account,Исправка вриједности рачуна @@ -2940,7 +2946,7 @@ DocType: Item,Reorder level based on Warehouse,Промени редослед DocType: Activity Cost,Billing Rate,Обрачун курс ,Qty to Deliver,Количина на Избави ,Stock Analytics,Стоцк Аналитика -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Операције не може остати празно +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Операције не може остати празно DocType: Maintenance Visit Purpose,Against Document Detail No,Против докумената детаља Нема apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Парти Тип је обавезно DocType: Quality Inspection,Outgoing,Друштвен @@ -2983,15 +2989,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Доступно Кол у складишту apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Изграђена Износ DocType: Asset,Double Declining Balance,Доубле дегресивне -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Затворен поредак не може бити отказана. Отварати да откаже. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Затворен поредак не може бити отказана. Отварати да откаже. DocType: Student Guardian,Father,отац -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Ажурирање Сток "не може да се провери за фиксну продаје имовине +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Ажурирање Сток "не може да се провери за фиксну продаје имовине DocType: Bank Reconciliation,Bank Reconciliation,Банка помирење DocType: Attendance,On Leave,На одсуству apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Гет Упдатес apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: налог {2} не припада компанији {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Материал Запрос {0} отменяется или остановлен -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Додајте неколико узорака евиденцију +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Додајте неколико узорака евиденцију apps/erpnext/erpnext/config/hr.py +301,Leave Management,Оставите Манагемент apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Группа по Счет DocType: Sales Order,Fully Delivered,Потпуно Испоручено @@ -3000,12 +3006,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разлика Рачун мора бити тип активом / одговорношћу рачуна, јер Сток Помирење је отварање Ступање" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Исплаћено износ не може бити већи од кредита Износ {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Производња Поруџбина није направљена +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Производња Поруџбина није направљена apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Од датума"" мора бити након ""До датума""" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Не могу да променим статус студента {0} је повезан са применом студентског {1} DocType: Asset,Fully Depreciated,потпуно отписаних ,Stock Projected Qty,Пројектовани Стоцк Кти -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Приметан Присуство ХТМЛ apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Цитати су предлози, понуде које сте послали да својим клијентима" DocType: Sales Order,Customer's Purchase Order,Куповина нарудзбини @@ -3015,7 +3021,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Молимо поставите Број Амортизација Жути картони apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Вредност или Кол apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Продуцтионс Налози не може да се подигне за: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,минут +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,минут DocType: Purchase Invoice,Purchase Taxes and Charges,Куповина Порези и накнаде ,Qty to Receive,Количина за примање DocType: Leave Block List,Leave Block List Allowed,Оставите Блоцк Лист Дозвољени @@ -3029,7 +3035,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Сви Типови добављача DocType: Global Defaults,Disable In Words,Онемогућити У Вордс apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Цитата {0} не типа {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Цитата {0} не типа {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Одржавање Распоред шифра DocType: Sales Order,% Delivered,Испоручено % DocType: Production Order,PRO-,ПРО- @@ -3052,7 +3058,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Продавац маил DocType: Project,Total Purchase Cost (via Purchase Invoice),Укупно набавној вредности (преко фактури) DocType: Training Event,Start Time,Почетак Време -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Изаберите Количина +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Изаберите Количина DocType: Customs Tariff Number,Customs Tariff Number,Царинска тарифа број apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Утверждении роль не может быть такой же, как роль правило применимо к" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Унсубсцрибе из овог Емаил Дигест @@ -3076,7 +3082,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,ПР Детаљ DocType: Sales Order,Fully Billed,Потпуно Изграђена apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Наличность кассовая -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Испорука складиште потребно за лагеру предмета {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Испорука складиште потребно за лагеру предмета {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Бруто тежина пакета. Обично нето тежина + амбалаже тежина. (За штампу) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,програм DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Корисници са овом улогом је дозвољено да подесите замрзнуте рачуне и створити / модификује рачуноводствене уносе против замрзнутим рачунима @@ -3086,7 +3092,7 @@ DocType: Student Group,Group Based On,Групу на основу DocType: Journal Entry,Bill Date,Бил Датум apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Сервис артикла, тип, учесталост и износ трошак су потребни" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Чак и ако постоји више Цене правила са највишим приоритетом, онда следећи интерни приоритети се примењују:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Да ли заиста желите да доставе све понуди испасти из {0} до {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Да ли заиста желите да доставе све понуди испасти из {0} до {1} DocType: Cheque Print Template,Cheque Height,Чек Висина DocType: Supplier,Supplier Details,Добављачи Детаљи DocType: Expense Claim,Approval Status,Статус одобравања @@ -3108,7 +3114,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Олово и цит apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ништа више да покаже. DocType: Lead,From Customer,Од купца apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Звонки -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Пакети +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Пакети DocType: Project,Total Costing Amount (via Time Logs),Укупно Кошта Износ (преко Тиме Протоколи) DocType: Purchase Order Item Supplied,Stock UOM,Берза УОМ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Заказ на {0} не представлено @@ -3139,7 +3145,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Повратак пр DocType: Item,Warranty Period (in days),Гарантни период (у данима) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Однос са Гуардиан1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Нето готовина из пословања -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,например НДС +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,например НДС apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Тачка 4 DocType: Student Admission,Admission End Date,Улаз Датум завршетка apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Подуговарање @@ -3147,7 +3153,7 @@ DocType: Journal Entry Account,Journal Entry Account,Јоурнал Ентри apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,студент Група DocType: Shopping Cart Settings,Quotation Series,Цитат Серија apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Элемент существует с тем же именем ({0} ) , пожалуйста, измените название группы или переименовать пункт" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Молимо одаберите клијента +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Молимо одаберите клијента DocType: C-Form,I,ја DocType: Company,Asset Depreciation Cost Center,Средство Амортизација Трошкови центар DocType: Sales Order Item,Sales Order Date,Продаја Датум поруџбине @@ -3158,6 +3164,7 @@ DocType: Stock Settings,Limit Percent,лимит Проценат ,Payment Period Based On Invoice Date,Период отплате Басед Он Фактура Дате apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Миссинг валутниј курс за {0} DocType: Assessment Plan,Examiner,испитивач +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставите називе серије за {0} преко Сетуп> Сеттингс> Сериес Наминг DocType: Student,Siblings,браћа и сестре DocType: Journal Entry,Stock Entry,Берза Ступање DocType: Payment Entry,Payment References,плаћања Референце @@ -3182,7 +3189,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Где се обавља производњу операције. DocType: Asset Movement,Source Warehouse,Извор Магацин DocType: Installation Note,Installation Date,Инсталација Датум -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Ред # {0}: имовине {1} не припада компанији {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Ред # {0}: имовине {1} не припада компанији {2} DocType: Employee,Confirmation Date,Потврда Датум DocType: C-Form,Total Invoiced Amount,Укупан износ Фактурисани apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Минимална Кол не може бити већи од Мак Кол @@ -3257,7 +3264,7 @@ DocType: Company,Default Letter Head,Уобичајено Леттер Хеад DocType: Purchase Order,Get Items from Open Material Requests,Гет ставки из Отворено Материјал Захтеви DocType: Item,Standard Selling Rate,Стандард Продаја курс DocType: Account,Rate at which this tax is applied,Стопа по којој се примењује овај порез -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Реордер ком +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Реордер ком apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Цуррент Јоб Опенингс DocType: Company,Stock Adjustment Account,Стоцк Подешавање налога apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Отписати @@ -3271,7 +3278,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Добављач доставља клијенту apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Облик / тачка / {0}) није у складишту apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Следећа Датум мора бити већи од датума када је послата -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Због / Референтна Датум не може бити после {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Због / Референтна Датум не може бити после {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Подаци Увоз и извоз apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Ниједан студент Фоунд apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Фактура датум постања @@ -3292,12 +3299,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ово је засновано на похађања овог Студент apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Но Ученици у apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Додали још ставки или Опен пуној форми -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Пожалуйста, введите ' ожидаемой даты поставки """ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не является допустимым номер партии по пункту {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Примечание: Существует не хватает отпуск баланс для отпуске Тип {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Неважећи ГСТИН или Ентер НА за регистровани +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Неважећи ГСТИН или Ентер НА за регистровани DocType: Training Event,Seminar,семинар DocType: Program Enrollment Fee,Program Enrollment Fee,Програм Упис накнада DocType: Item,Supplier Items,Супплиер артикала @@ -3315,7 +3321,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Берза Старење apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Студент {0} постоје против подносиоца пријаве студента {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Распоред -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' је онемогућен +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' је онемогућен apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Постави као Опен DocType: Cheque Print Template,Scanned Cheque,скенирана Чек DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Пошаљи аутоматске поруке е-поште у Контакте о достављању трансакцијама. @@ -3362,7 +3368,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Цена курсној листи DocType: Purchase Invoice Item,Rate,Стопа apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,стажиста -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Адреса Име +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Адреса Име DocType: Stock Entry,From BOM,Од БОМ DocType: Assessment Code,Assessment Code,Процена код apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,основной @@ -3375,20 +3381,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Плата Структура DocType: Account,Bank,Банка apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ваздушна линија -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Питање Материјал +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Питање Материјал DocType: Material Request Item,For Warehouse,За Варехоусе DocType: Employee,Offer Date,Понуда Датум apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Цитати -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Ви сте у оффлине моду. Нећете моћи да поново све док имате мрежу. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Ви сте у оффлине моду. Нећете моћи да поново све док имате мрежу. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Нема Студент Групе створио. DocType: Purchase Invoice Item,Serial No,Серијски број apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна отплата износ не може бити већи од кредита Износ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Пожалуйста, введите Maintaince Подробности" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Ред # {0}: Очекивани датум испоруке не може бити пре датума куповине налога DocType: Purchase Invoice,Print Language,принт Језик DocType: Salary Slip,Total Working Hours,Укупно Радно време DocType: Stock Entry,Including items for sub assemblies,Укључујући ставке за под скупштине -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Унесите вредност мора бити позитивна -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Шифра производа> Група производа> Бренд +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Унесите вредност мора бити позитивна apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Все территории DocType: Purchase Invoice,Items,Артикли apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Студент је већ уписано. @@ -3411,7 +3417,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Уобичајено Јединица мере за варијанту '{0}' мора бити исти као у темплате '{1}' DocType: Shipping Rule,Calculate Based On,Израчунајте Басед Он DocType: Delivery Note Item,From Warehouse,Од Варехоусе -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Но Предмети са саставница у Производња +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Но Предмети са саставница у Производња DocType: Assessment Plan,Supervisor Name,Супервизор Име DocType: Program Enrollment Course,Program Enrollment Course,Програм Упис предмета DocType: Program Enrollment Course,Program Enrollment Course,Програм Упис предмета @@ -3427,23 +3433,23 @@ DocType: Training Event Employee,Attended,pohađao apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Дана од последње поруџбине"" мора бити веће или једнако нули" DocType: Process Payroll,Payroll Frequency,паиролл Фреквенција DocType: Asset,Amended From,Измењена од -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,сырье +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,сырье DocType: Leave Application,Follow via Email,Пратите преко е-поште apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Постројења и машине DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сумма налога После скидка сумма DocType: Daily Work Summary Settings,Daily Work Summary Settings,Свакодневном раду Преглед подешавања -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Валута ценовника {0} није сличан са изабране валуте {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Валута ценовника {0} није сличан са изабране валуте {1} DocType: Payment Entry,Internal Transfer,Интерни пренос apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Детский учетная запись существует для этой учетной записи . Вы не можете удалить этот аккаунт . apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Либо целевой Количество или целевое количество является обязательным apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Нет умолчанию спецификации не существует Пункт {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Молимо Вас да изаберете датум постања први +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Молимо Вас да изаберете датум постања први apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Датум отварања треба да буде пре затварања Дате DocType: Leave Control Panel,Carry Forward,Пренети apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,МВЗ с существующими сделок не могут быть преобразованы в книге DocType: Department,Days for which Holidays are blocked for this department.,Дани за које Празници су блокирани овом одељењу. ,Produced,произведен -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Креирано плата Слипс +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Креирано плата Слипс DocType: Item,Item Code for Suppliers,Код за добављаче артикла DocType: Issue,Raised By (Email),Подигао (Е-маил) DocType: Training Event,Trainer Name,тренер Име @@ -3451,9 +3457,10 @@ DocType: Mode of Payment,General,Општи apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последњи Комуникација apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последњи Комуникација apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть , когда категория для "" Оценка "" или "" Оценка и Всего""" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Листа пореске главе (нпр ПДВ, царине, итд, они треба да имају јединствена имена) и њихове стандардне цене. Ово ће створити стандардни модел, који можете уредити и додати још касније." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Листа пореске главе (нпр ПДВ, царине, итд, они треба да имају јединствена имена) и њихове стандардне цене. Ово ће створити стандардни модел, који можете уредити и додати још касније." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Утакмица плаћања са фактурама +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Ред # {0}: Унесите датум испоруке против ставке {1} DocType: Journal Entry,Bank Entry,Банка Унос DocType: Authorization Rule,Applicable To (Designation),Важећи Да (Именовање) ,Profitability Analysis,Анализа профитабилности @@ -3469,17 +3476,18 @@ DocType: Quality Inspection,Item Serial No,Ставка Сериал но apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Створити запослених Рецордс apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Укупно Поклон apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,рачуноводствених исказа -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,час +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,час apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый Серийный номер не может быть Склад . Склад должен быть установлен на фондовой Вступил или приобрести получении DocType: Lead,Lead Type,Олово Тип apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Нисте ауторизовани да одобри лишће на блок Датуми -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Все эти предметы уже выставлен счет +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Все эти предметы уже выставлен счет +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Месечна продајна мета apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Может быть одобрено {0} DocType: Item,Default Material Request Type,Уобичајено Материјал Врста Захтева apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Непознат DocType: Shipping Rule,Shipping Rule Conditions,Правило услови испоруке DocType: BOM Replace Tool,The new BOM after replacement,Нови БОМ након замене -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Поинт оф Сале +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Поинт оф Сале DocType: Payment Entry,Received Amount,примљени износ DocType: GST Settings,GSTIN Email Sent On,ГСТИН Емаил Сент На DocType: Program Enrollment,Pick/Drop by Guardian,Пицк / сврати Гуардиан @@ -3496,8 +3504,8 @@ DocType: Batch,Source Document Name,Извор Име документа DocType: Batch,Source Document Name,Извор Име документа DocType: Job Opening,Job Title,Звање apps/erpnext/erpnext/utilities/activation.py +97,Create Users,створити корисника -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,грам -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Количина да Производња мора бити већи од 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,грам +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Количина да Производња мора бити већи од 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Посетите извештаја за одржавање разговора. DocType: Stock Entry,Update Rate and Availability,Ажурирање курс и доступност DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Проценат вам је дозвољено да примају или испоручи више од количине наредио. На пример: Ако сте наредили 100 јединица. и ваш додатак је 10% онда вам је дозвољено да примају 110 јединица. @@ -3510,7 +3518,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Откажите фактури {0} први apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Е-маил адреса мора бити јединствена, већ постоји за {0}" DocType: Serial No,AMC Expiry Date,АМЦ Датум истека -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Признаница +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Признаница ,Sales Register,Продаја Регистрација DocType: Daily Work Summary Settings Company,Send Emails At,Шаљу мејлове на DocType: Quotation,Quotation Lost Reason,Понуда Лост разлог @@ -3523,14 +3531,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Но Купц apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Извештај о токовима готовине apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Износ кредита не може бити већи од максимални износ кредита {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,лиценца -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Молимо вас да уклоните ову фактуру {0} од Ц-Форм {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Молимо вас да уклоните ову фактуру {0} од Ц-Форм {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Молимо изаберите пренети ако такође желите да укључите претходну фискалну годину је биланс оставља на ову фискалну годину DocType: GL Entry,Against Voucher Type,Против Вауцер Типе DocType: Item,Attributes,Атрибути apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Пожалуйста, введите списать счет" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последњи Низ Датум apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Рачун {0} не припада компанији {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Серијски бројеви у низу {0} не поклапа са Деливери Ноте +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Серијски бројеви у низу {0} не поклапа са Деливери Ноте DocType: Student,Guardian Details,гуардиан Детаљи DocType: C-Form,C-Form,Ц-Форм apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Марк Присуство за више радника @@ -3562,16 +3570,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,В DocType: Tax Rule,Sales,Продајни DocType: Stock Entry Detail,Basic Amount,Основни Износ DocType: Training Event,Exam,испит -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Склад требуется для складе Пункт {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Склад требуется для складе Пункт {0} DocType: Leave Allocation,Unused leaves,Неискоришћени листови -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Кр +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Кр DocType: Tax Rule,Billing State,Тецх Стате apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Пренос apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} није повезана са Парти налог {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Фетцх експлодирала бом ( укључујући подсклопова ) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Фетцх експлодирала бом ( укључујући подсклопова ) DocType: Authorization Rule,Applicable To (Employee),Важећи Да (запослених) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Дуе Дате обавезна apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Повећање за Аттрибуте {0} не може бити 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Корисник> Група клијената> Територија DocType: Journal Entry,Pay To / Recd From,Плати Да / Рецд Од DocType: Naming Series,Setup Series,Подешавање Серија DocType: Payment Reconciliation,To Invoice Date,За датум фактуре @@ -3598,7 +3607,7 @@ DocType: Journal Entry,Write Off Based On,Отпис Басед Он apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Маке Леад apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Принт и Папирна DocType: Stock Settings,Show Barcode Field,Схов Баркод Поље -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Пошаљи Супплиер Емаилс +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Пошаљи Супплиер Емаилс apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Плата већ обрађени за период од {0} и {1}, Оставите период апликација не може бити између овај период." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Инсталација рекорд за серијским бр DocType: Guardian Interest,Guardian Interest,гуардиан камата @@ -3612,7 +3621,7 @@ DocType: Offer Letter,Awaiting Response,Очекујем одговор apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Горе apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Неважећи атрибут {0} {1} DocType: Supplier,Mention if non-standard payable account,Поменули да нестандардни плаћа рачун -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Исто ставка је више пута ушао. {листа} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Исто ставка је више пута ушао. {листа} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Молимо одаберите групу процене осим "Све за оцењивање група" DocType: Salary Slip,Earning & Deduction,Зарада и дедукције apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Опционо . Ова поставка ће се користити за филтрирање у различитим трансакцијама . @@ -3631,7 +3640,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Трошкови укинуо Ассет apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Трошкови Центар је обавезан за пункт {2} DocType: Vehicle,Policy No,politika Нема -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Гет ставки из производа Бундле +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Гет ставки из производа Бундле DocType: Asset,Straight Line,Права линија DocType: Project User,Project User,projekat Корисник apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Разделити @@ -3646,6 +3655,7 @@ DocType: Bank Reconciliation,Payment Entries,плаћања прилога DocType: Production Order,Scrap Warehouse,отпад Магацин DocType: Production Order,Check if material transfer entry is not required,Проверите да ли није потребна унос пренос материјала DocType: Production Order,Check if material transfer entry is not required,Проверите да ли није потребна унос пренос материјала +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Молимо да подесите систем именовања запослених у људским ресурсима> ХР Сеттингс DocType: Program Enrollment Tool,Get Students From,Гет студенти из DocType: Hub Settings,Seller Country,Продавац Земља apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Објављивање ставке на сајту @@ -3664,19 +3674,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,Х DocType: Shipping Rule,Specify conditions to calculate shipping amount,Наведите услове да може да израчуна испоруку износ DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Улога дозвољено да постављају блокада трансакцијских рачуна & Едит Фрозен записи apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"Невозможно преобразовать МВЗ в книге , как это имеет дочерние узлы" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Отварање Вредност +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Отварање Вредност DocType: Salary Detail,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Сериал # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Комиссия по продажам DocType: Offer Letter Term,Value / Description,Вредност / Опис -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: имовине {1} не може се поднети, већ је {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: имовине {1} не може се поднети, већ је {2}" DocType: Tax Rule,Billing Country,Zemlja naplate DocType: Purchase Order Item,Expected Delivery Date,Очекивани Датум испоруке apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Дебитне и кредитне није једнака за {0} # {1}. Разлика је {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,представительские расходы apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Маке Материал захтев apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Отворено артикла {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Счет Продажи {0} должно быть отменено до отмены этого заказ клиента +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Счет Продажи {0} должно быть отменено до отмены этого заказ клиента apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Старост DocType: Sales Invoice Timesheet,Billing Amount,Обрачун Износ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Неверный количество, указанное для элемента {0} . Количество должно быть больше 0 ." @@ -3699,7 +3709,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Нови Кориснички Приход apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Командировочные расходы DocType: Maintenance Visit,Breakdown,Слом -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Рачун: {0} са валутом: {1} не може бити изабран +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Рачун: {0} са валутом: {1} не може бити изабран DocType: Bank Reconciliation Detail,Cheque Date,Чек Датум apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Рачун {0}: {1 Родитељ рачун} не припада компанији: {2} DocType: Program Enrollment Tool,Student Applicants,Студент Кандидати @@ -3719,11 +3729,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,пла DocType: Material Request,Issued,Издато apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,студент Активност DocType: Project,Total Billing Amount (via Time Logs),Укупно цард Износ (преко Тиме Протоколи) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Ми продајемо ову ставку +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Ми продајемо ову ставку apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Добављач Ид DocType: Payment Request,Payment Gateway Details,Паимент Гатеваи Детаљи -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Количину треба већи од 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,uzorak података +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Количину треба већи од 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,uzorak података DocType: Journal Entry,Cash Entry,Готовина Ступање apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Дете чворови се може створити само под типа чворова 'групе' DocType: Leave Application,Half Day Date,Полудневни Датум @@ -3732,17 +3742,18 @@ DocType: Sales Partner,Contact Desc,Контакт Десц apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Тип листова као што су повремене, болесне итд" DocType: Email Digest,Send regular summary reports via Email.,Пошаљи редовне збирне извештаје путем е-маил. DocType: Payment Entry,PE-,ПЕ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Молимо поставите подразумевани рачун у Расходи Цлаим тип {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Молимо поставите подразумевани рачун у Расходи Цлаим тип {0} DocType: Assessment Result,Student Name,Име студента DocType: Brand,Item Manager,Тачка директор apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,паиролл оплате DocType: Buying Settings,Default Supplier Type,Уобичајено Снабдевач Тип DocType: Production Order,Total Operating Cost,Укупни оперативни трошкови -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Примечание: Пункт {0} вошли несколько раз +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Примечание: Пункт {0} вошли несколько раз apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Сви контакти. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Поставите свој циљ apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Компанија Скраћеница apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Пользователь {0} не существует -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,"Сырье не может быть такой же, как главный пункт" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,"Сырье не может быть такой же, как главный пункт" DocType: Item Attribute Value,Abbreviation,Скраћеница apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Плаћање Ступање већ постоји apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не Authroized с {0} превышает пределы @@ -3760,7 +3771,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Улога дозво ,Territory Target Variance Item Group-Wise,Территория Целевая Разница Пункт Группа Мудрого apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Все Группы клиентов apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,картон Месечно -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} је обавезно. Можда Мењачница запис није створен за {1} на {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} је обавезно. Можда Мењачница запис није створен за {1} на {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Пореска Шаблон је обавезно. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Рачун {0}: {1 Родитељ рачун} не постоји DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ценовник Цена (Друштво валута) @@ -3771,7 +3782,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Проценат apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,секретар DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ако онемогућавање, "у речима" пољу неће бити видљив у свакој трансакцији" DocType: Serial No,Distinct unit of an Item,Разликује јединица стране јединице -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Молимо поставите Цомпани +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Молимо поставите Цомпани DocType: Pricing Rule,Buying,Куповина DocType: HR Settings,Employee Records to be created by,Евиденција запослених које ће креирати DocType: POS Profile,Apply Discount On,Аппли попуста на @@ -3782,7 +3793,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрый Налоговый Подробно apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Институт држава ,Item-wise Price List Rate,Ставка - мудар Ценовник курс -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Снабдевач Понуда +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Снабдевач Понуда DocType: Quotation,In Words will be visible once you save the Quotation.,У речи ће бити видљив када сачувате цитат. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може бити део у низу {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може бити део у низу {1} @@ -3807,7 +3818,7 @@ Updated via 'Time Log'","у Минутес DocType: Customer,From Lead,Од Леад apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Поруџбине пуштен за производњу. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Изаберите Фискална година ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,ПОС Профил потребно да ПОС Ентри +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,ПОС Профил потребно да ПОС Ентри DocType: Program Enrollment Tool,Enroll Students,упис студената DocType: Hub Settings,Name Token,Име токен apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандардна Продаја @@ -3825,7 +3836,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Вредност акције apps/erpnext/erpnext/config/learn.py +234,Human Resource,Људски Ресурси DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Плаћање Плаћање Помирење apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,налоговые активы -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Производња Ред је био {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Производња Ред је био {0} DocType: BOM Item,BOM No,БОМ Нема DocType: Instructor,INS/,ИНС / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Јоурнал Ентри {0} нема налог {1} или већ упарен против другог ваучера @@ -3839,7 +3850,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Пос apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Изузетан Амт DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Поставите циљеве ставку Групе мудро ову особу продаје. DocType: Stock Settings,Freeze Stocks Older Than [Days],"Морозильники Акции старше, чем [ дней ]" -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ред # {0}: имовине је обавезан за фиксни средстава куповине / продаје +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ред # {0}: имовине је обавезан за фиксни средстава куповине / продаје apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ако два или више Цене Правила су пронадјени на основу горе наведеним условима, Приоритет се примењује. Приоритет је број између 0 до 20, док стандардна вредност нула (празно). Већи број значи да ће имати предност ако постоји више Цене Правила са истим условима." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Фискална година: {0} не постоји DocType: Currency Exchange,To Currency,Валутном @@ -3848,7 +3859,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Врсте рас apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продајном курсу за ставку {0} је нижи од својих {1}. Продаје стопа буде атлеаст {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продајном курсу за ставку {0} је нижи од својих {1}. Продаје стопа буде атлеаст {2} DocType: Item,Taxes,Порези -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Паид и није испоручена +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Паид и није испоручена DocType: Project,Default Cost Center,Уобичајено Трошкови Центар DocType: Bank Guarantee,End Date,Датум завршетка apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,stock Трансакције @@ -3865,7 +3876,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Свакодневном раду Преглед подешавања Фирма apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Пункт {0} игнорируется, так как это не складские позиции" DocType: Appraisal,APRSL,АПРСЛ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Пошаљите ова производња би за даљу обраду . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Пошаљите ова производња би за даљу обраду . apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Да не примењује Правилник о ценама у одређеном трансакцијом, све важеће Цене Правила би требало да буде онемогућен." DocType: Assessment Group,Parent Assessment Group,Родитељ Процена Група apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Послови @@ -3873,10 +3884,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Послов DocType: Employee,Held On,Одржана apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Производња артикла ,Employee Information,Запослени Информације -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Ставка (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Ставка (%) DocType: Stock Entry Detail,Additional Cost,Додатни трошак apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Не можете да филтрирате на основу ваучер Не , ако груписани по ваучер" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Направи понуду добављача +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Направи понуду добављача DocType: Quality Inspection,Incoming,Долазни DocType: BOM,Materials Required (Exploded),Материјали Обавезно (Екплодед) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Додај корисника у вашој организацији, осим себе" @@ -3892,7 +3903,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Рачун: {0} може да се ажурира само преко Стоцк промету DocType: Student Group Creation Tool,Get Courses,Гет Курсеви DocType: GL Entry,Party,Странка -DocType: Sales Order,Delivery Date,Датум испоруке +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Датум испоруке DocType: Opportunity,Opportunity Date,Прилика Датум DocType: Purchase Receipt,Return Against Purchase Receipt,Повратак против рачуном DocType: Request for Quotation Item,Request for Quotation Item,Захтев за понуду тачком @@ -3906,7 +3917,7 @@ DocType: Task,Actual Time (in Hours),Тренутно време (у сатим DocType: Employee,History In Company,Историја У друштву apps/erpnext/erpnext/config/learn.py +107,Newsletters,Билтен DocType: Stock Ledger Entry,Stock Ledger Entry,Берза Леџер Ентри -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Исто ставка је ушла више пута +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Исто ставка је ушла више пута DocType: Department,Leave Block List,Оставите Блоцк Лист DocType: Sales Invoice,Tax ID,ПИБ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым @@ -3924,25 +3935,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Црн DocType: BOM Explosion Item,BOM Explosion Item,БОМ Експлозија шифра DocType: Account,Auditor,Ревизор -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} ставки производе +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} ставки производе DocType: Cheque Print Template,Distance from top edge,Удаљеност од горње ивице apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Ценовник {0} је онемогућена или не постоји DocType: Purchase Invoice,Return,Повратак DocType: Production Order Operation,Production Order Operation,Производња Ордер Операција DocType: Pricing Rule,Disable,запрещать -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Начин плаћања је обавезан да изврши уплату +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Начин плаћања је обавезан да изврши уплату DocType: Project Task,Pending Review,Чека критику apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} није уписано у Батцх {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Средство {0} не може бити укинута, јер је већ {1}" DocType: Task,Total Expense Claim (via Expense Claim),Укупни расходи Цлаим (преко Екпенсе потраживања) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,марк Одсутан -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ред {0}: Валута у БОМ # {1} треба да буде једнака изабране валуте {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ред {0}: Валута у БОМ # {1} треба да буде једнака изабране валуте {2} DocType: Journal Entry Account,Exchange Rate,Курс -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Заказ на продажу {0} не представлено +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Заказ на продажу {0} не представлено DocType: Homepage,Tag Line,таг линија DocType: Fee Component,Fee Component,naknada Компонента apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Управљање возним парком -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Адд ставке из +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Адд ставке из DocType: Cheque Print Template,Regular,редован apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Укупно Веигхтаге свих критеријума процене мора бити 100% DocType: BOM,Last Purchase Rate,Последња куповина Стопа @@ -3963,12 +3974,12 @@ DocType: Employee,Reports to,Извештаји DocType: SMS Settings,Enter url parameter for receiver nos,Унесите УРЛ параметар за пријемник бр DocType: Payment Entry,Paid Amount,Плаћени Износ DocType: Assessment Plan,Supervisor,надзорник -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,мрежи +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,мрежи ,Available Stock for Packing Items,На располагању лагер за паковање ставке DocType: Item Variant,Item Variant,Итем Варијанта DocType: Assessment Result Tool,Assessment Result Tool,Алат Резултат процена DocType: BOM Scrap Item,BOM Scrap Item,БОМ отпад артикла -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Достављени налози се не могу избрисати +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Достављени налози се не могу избрисати apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Стање рачуна већ у задуживање, није вам дозвољено да поставите 'Стање Муст Бе' као 'Кредит'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Управљање квалитетом apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Итем {0} је онемогућен @@ -3999,7 +4010,7 @@ DocType: Item Group,Default Expense Account,Уобичајено Трошков apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Студент-маил ИД DocType: Employee,Notice (days),Обавештење ( дана ) DocType: Tax Rule,Sales Tax Template,Порез на промет Шаблон -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Изабрали ставке да спасе фактуру +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Изабрали ставке да спасе фактуру DocType: Employee,Encashment Date,Датум Енцасхмент DocType: Training Event,Internet,Интернет DocType: Account,Stock Adjustment,Фото со Регулировка @@ -4047,10 +4058,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,деп apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Максимална дозвољена попуст за ставку: {0} је {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Нето вредност имовине као на DocType: Account,Receivable,Дебиторская задолженность -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ред # {0}: Није дозвољено да промени снабдевача као Пурцхасе Ордер већ постоји +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ред # {0}: Није дозвољено да промени снабдевача као Пурцхасе Ордер већ постоји DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Улога која је дозвољено да поднесе трансакције које превазилазе кредитне лимите. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Изабери ставке у Производња -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Основни подаци синхронизације, то би могло да потраје" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Изабери ставке у Производња +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Основни подаци синхронизације, то би могло да потраје" DocType: Item,Material Issue,Материјал Издање DocType: Hub Settings,Seller Description,Продавац Опис DocType: Employee Education,Qualification,Квалификација @@ -4071,11 +4082,10 @@ DocType: BOM,Rate Of Materials Based On,Стопа материјала на б apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Подршка Аналтиицс apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Искључи све DocType: POS Profile,Terms and Conditions,Услови -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Молимо да подесите систем именовања запослених у људским ресурсима> ХР Сеттингс apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Да би требало да буде дата у фискалну годину. Под претпоставком То Дате = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Овде можете одржавати висина, тежина, алергија, медицинску забринутост сл" DocType: Leave Block List,Applies to Company,Примењује се на предузећа -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить , потому что представляется со Вступление {0} существует" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить , потому что представляется со Вступление {0} существует" DocType: Employee Loan,Disbursement Date,isplata Датум DocType: Vehicle,Vehicle,Возило DocType: Purchase Invoice,In Words,У Вордс @@ -4114,7 +4124,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Глобальные н DocType: Assessment Result Detail,Assessment Result Detail,Процена резултата Детаљ DocType: Employee Education,Employee Education,Запослени Образовање apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Дупликат ставка група наћи у табели тачка групе -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Потребно је да се донесе Сведениа. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Потребно је да се донесе Сведениа. DocType: Salary Slip,Net Pay,Нето плата DocType: Account,Account,рачун apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Серийный номер {0} уже получил @@ -4122,7 +4132,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,возило се DocType: Purchase Invoice,Recurring Id,Понављајући Ид DocType: Customer,Sales Team Details,Продајни тим Детаљи -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Обриши трајно? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Обриши трајно? DocType: Expense Claim,Total Claimed Amount,Укупан износ полаже apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенцијалне могућности за продају. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Неважећи {0} @@ -4134,7 +4144,7 @@ DocType: Warehouse,PIN,ПИН- apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Подесите школа у ЕРПНект DocType: Sales Invoice,Base Change Amount (Company Currency),База Промена Износ (Фирма валута) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Нет учетной записи для следующих складов -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Први Сачувајте документ. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Први Сачувајте документ. DocType: Account,Chargeable,Наплатив DocType: Company,Change Abbreviation,Промена скраћеница DocType: Expense Claim Detail,Expense Date,Расходи Датум @@ -4148,7 +4158,6 @@ DocType: BOM,Manufacturing User,Производња Корисник DocType: Purchase Invoice,Raw Materials Supplied,Сировине комплету DocType: Purchase Invoice,Recurring Print Format,Поновни Принт Формат DocType: C-Form,Series,серија -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Ожидаемая дата поставки не может быть до заказа на Дата DocType: Appraisal,Appraisal Template,Процена Шаблон DocType: Item Group,Item Classification,Итем Класификација apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Менаџер за пословни развој @@ -4187,12 +4196,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Изабе apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Обука Евентс / Ресултс apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Акумулирана амортизација као на DocType: Sales Invoice,C-Form Applicable,Ц-примењује -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Операција време мора бити већи од 0 за операцију {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Операција време мора бити већи од 0 за операцију {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Складиште је обавезно DocType: Supplier,Address and Contacts,Адреса и контакти DocType: UOM Conversion Detail,UOM Conversion Detail,УОМ Конверзија Детаљ DocType: Program,Program Abbreviation,програм држава -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Производња поредак не може бити подигнута против тачка Темплате +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Производња поредак не може бити подигнута против тачка Темплате apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Оптужбе се ажурирају у рачуном против сваке ставке DocType: Warranty Claim,Resolved By,Решен DocType: Bank Guarantee,Start Date,Датум почетка @@ -4227,6 +4236,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,обука Контакт apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Производственный заказ {0} должны быть представлены apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Пожалуйста, выберите дату начала и дату окончания Пункт {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Поставите циљ продаје који желите да постигнете. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Наравно обавезна је у реду {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,До данас не може бити раније од датума DocType: Supplier Quotation Item,Prevdoc DocType,Превдоц ДОЦТИПЕ @@ -4245,7 +4255,7 @@ DocType: Account,Income,доход DocType: Industry Type,Industry Type,Индустрија Тип apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Нешто није у реду! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Упозорење: Оставите пријава садржи следеће датуме блок -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Счет Продажи {0} уже представлен +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Счет Продажи {0} уже представлен DocType: Assessment Result Detail,Score,скор apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Фискална година {0} не постоји apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Завршетак датум @@ -4275,7 +4285,7 @@ DocType: Naming Series,Help HTML,Помоћ ХТМЛ DocType: Student Group Creation Tool,Student Group Creation Tool,Студент Група Стварање Алат DocType: Item,Variant Based On,Варијанту засновану на apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Всего Weightage назначен должна быть 100% . Это {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Ваши Добављачи +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Ваши Добављачи apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Не можете поставити као Лост као Продаја Наручите је направљен . DocType: Request for Quotation Item,Supplier Part No,Добављач Део Бр apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',не могу одбити када категорија је за "процену вредности" или "Ваулатион и Тотал ' @@ -4285,14 +4295,14 @@ DocType: Item,Has Serial No,Има Серијски број DocType: Employee,Date of Issue,Датум издавања apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Од {0} {1} за apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Према куповина Сеттингс ако објекат Рециепт Обавезно == 'ДА', а затим за стварање фактури, корисник треба да креира Куповина потврду за прву ставку за {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Ред # {0}: Сет добављача за ставку {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Ред {0}: Сати вредност мора бити већа од нуле. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Ред # {0}: Сет добављача за ставку {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Ред {0}: Сати вредност мора бити већа од нуле. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Сајт Слика {0} везани са тачком {1} не могу наћи DocType: Issue,Content Type,Тип садржаја apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,рачунар DocType: Item,List this Item in multiple groups on the website.,Наведи ову ставку у више група на сајту. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Молимо вас да проверите Мулти валута опцију да дозволи рачуне са другој валути -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Итем: {0} не постоји у систему +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Итем: {0} не постоји у систему apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Нисте овлашћени да подесите вредност Фрозен DocType: Payment Reconciliation,Get Unreconciled Entries,Гет неусаглашених уносе DocType: Payment Reconciliation,From Invoice Date,Од Датум рачуна @@ -4318,7 +4328,7 @@ DocType: Stock Entry,Default Source Warehouse,Уобичајено Извор М DocType: Item,Customer Code,Кориснички Код apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Подсетник за рођендан за {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дана Од Последња Наручи -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Дебитна на рачун мора да буде биланса стања +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Дебитна на рачун мора да буде биланса стања DocType: Buying Settings,Naming Series,Именовање Сериес DocType: Leave Block List,Leave Block List Name,Оставите Име листу блокираних apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Осигурање Датум почетка треба да буде мања од осигурања Енд дате @@ -4335,7 +4345,7 @@ DocType: Vehicle Log,Odometer,мерач за пређени пут DocType: Sales Order Item,Ordered Qty,Ж Кол apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Ставка {0} је онемогућен DocType: Stock Settings,Stock Frozen Upto,Берза Фрозен Упто -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,БОМ не садржи никакву стоцк итем +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,БОМ не садржи никакву стоцк итем apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Период од периода до датума и обавезних се понављају {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Пројекат активност / задатак. DocType: Vehicle Log,Refuelling Details,Рефуеллинг Детаљи @@ -4345,7 +4355,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Последња куповина стопа није пронађен DocType: Purchase Invoice,Write Off Amount (Company Currency),Отпис Износ (Фирма валута) DocType: Sales Invoice Timesheet,Billing Hours,обрачун сат -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Уобичајено БОМ за {0} није пронађен +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Уобичајено БОМ за {0} није пронађен apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Ред # {0}: Молим вас сет количину преусмеравање apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Додирните ставке да их додати DocType: Fees,Program Enrollment,програм Упис @@ -4380,6 +4390,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Старење Опсег 2 DocType: SG Creation Tool Course,Max Strength,мак Снага apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,БОМ заменио +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Изаберите ставке на основу датума испоруке ,Sales Analytics,Продаја Аналитика apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Доступно {0} ,Prospects Engaged But Not Converted,Изгледи ангажовани али не конвертују @@ -4427,7 +4438,7 @@ DocType: Authorization Rule,Customerwise Discount,Цустомервисе По apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Тимесхеет за послове. DocType: Purchase Invoice,Against Expense Account,Против трошковником налог DocType: Production Order,Production Order,Продуцтион Ордер -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Установка Примечание {0} уже представлен +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Установка Примечание {0} уже представлен DocType: Bank Reconciliation,Get Payment Entries,Гет плаћања уносе DocType: Quotation Item,Against Docname,Против Доцнаме DocType: SMS Center,All Employee (Active),Све Запослени (активна) @@ -4436,7 +4447,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Сировина Трошак DocType: Item Reorder,Re-Order Level,Поново би Левел DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Унесите ставке и планирани Кол за које желите да подигне наређења производне или преузети сировине за анализу. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Гантт Цхарт +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Гантт Цхарт apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Скраћено DocType: Employee,Applicable Holiday List,Важећи Холидаи Листа DocType: Employee,Cheque,Чек @@ -4493,11 +4504,11 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +122,Please ent DocType: Bin,Reserved Qty for Production,Резервисан Кти за производњу DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Остави неконтролисано ако не желите да размотри серије правећи курса на бази групе. DocType: Asset,Frequency of Depreciation (Months),Учесталост амортизације (месеци) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Кредитни рачун +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Кредитни рачун DocType: Landed Cost Item,Landed Cost Item,Слетео Цена артикла apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Схов нула вредности DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Количина тачке добија након производњи / препакивање од датих количине сировина -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Подешавање једноставан сајт за своју организацију +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Подешавање једноставан сајт за своју организацију DocType: Payment Reconciliation,Receivable / Payable Account,Примања / обавезе налог DocType: Delivery Note Item,Against Sales Order Item,Против продаје Ордер тачком apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Наведите Вредност атрибута за атрибут {0} @@ -4561,22 +4572,22 @@ DocType: Student,Nationality,националност ,Items To Be Requested,Артикли бити затражено DocType: Purchase Order,Get Last Purchase Rate,Гет Ласт Рате Куповина DocType: Company,Company Info,Подаци фирме -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Изабрати или додати новог купца -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Трошка је обавезан да резервишете трошковима захтев +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Изабрати или додати новог купца +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Трошка је обавезан да резервишете трошковима захтев apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Применение средств ( активов ) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ово је засновано на похађања овог запосленог -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Текући рачуни +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Текући рачуни DocType: Fiscal Year,Year Start Date,Датум почетка године DocType: Attendance,Employee Name,Запослени Име DocType: Sales Invoice,Rounded Total (Company Currency),Заобљени Укупно (Друштво валута) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Не могу да цоверт групи јер је изабран Тип рачуна. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} был изменен. Обновите . +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} был изменен. Обновите . DocType: Leave Block List,Stop users from making Leave Applications on following days.,Стоп кориснике од доношења Леаве апликација на наредним данима. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Куповина Количина apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Добављач Понуда {0} је направљена apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,До краја године не може бити пре почетка године apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Примања запослених -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Упакованные количество должно равняться количество для Пункт {0} в строке {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Упакованные количество должно равняться количество для Пункт {0} в строке {1} DocType: Production Order,Manufactured Qty,Произведено Кол DocType: Purchase Receipt Item,Accepted Quantity,Прихваћено Количина apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Молимо подесите подразумевани Хамптон Лист за запосленог {0} или Фирма {1} @@ -4587,11 +4598,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Ред Не {0}: Износ не може бити већи од очекивању износ од трошковником потраживања {1}. У очекивању Износ је {2} DocType: Maintenance Schedule,Schedule,Распоред DocType: Account,Parent Account,Родитељ рачуна -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Доступно +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Доступно DocType: Quality Inspection Reading,Reading 3,Читање 3 ,Hub,Средиште DocType: GL Entry,Voucher Type,Тип ваучера -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Ценовник није пронађен или онемогућен +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Ценовник није пронађен или онемогућен DocType: Employee Loan Application,Approved,Одобрено DocType: Pricing Rule,Price,цена apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как "" левые""" @@ -4661,7 +4672,7 @@ DocType: SMS Settings,Static Parameters,Статички параметри DocType: Assessment Plan,Room,соба DocType: Purchase Order,Advance Paid,Адванце Паид DocType: Item,Item Tax,Ставка Пореска -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Материјал за добављача +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Материјал за добављача apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Акцизе фактура apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Тресхолд {0}% појављује више пута DocType: Expense Claim,Employees Email Id,Запослени Емаил ИД @@ -4701,7 +4712,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,модел DocType: Production Order,Actual Operating Cost,Стварни Оперативни трошкови DocType: Payment Entry,Cheque/Reference No,Чек / Референца број -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Супплиер> Тип добављача apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Корневая не могут быть изменены . DocType: Item,Units of Measure,Мерних јединица DocType: Manufacturing Settings,Allow Production on Holidays,Дозволите производња на празницима @@ -4734,12 +4744,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Кредитни Дана apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Маке Студент Батцх DocType: Leave Type,Is Carry Forward,Је напред Царри -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Се ставке из БОМ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Се ставке из БОМ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Олово Дани Тиме -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Постављање Дате мора бити исти као и датуму куповине {1} из средстава {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Постављање Дате мора бити исти као и датуму куповине {1} из средстава {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Проверите ово ако је ученик борави у Института Хостел. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Молимо унесите продајних налога у горњој табели -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Не поднесе плата Слипс +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Не поднесе плата Слипс ,Stock Summary,стоцк Преглед apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Пребаци средство из једног складишта у друго DocType: Vehicle,Petrol,бензин diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv index 95280eae7a5..2921f96fbd3 100644 --- a/erpnext/translations/sv.csv +++ b/erpnext/translations/sv.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Återförsäljare DocType: Employee,Rented,Hyrda DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Tillämplig för Användare -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppad produktionsorder kan inte återkallas, unstop det första att avbryta" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppad produktionsorder kan inte återkallas, unstop det första att avbryta" DocType: Vehicle Service,Mileage,Miltal apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Vill du verkligen att skrota denna tillgång? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Välj Standard Leverantör @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Fakturerad apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Växelkurs måste vara samma som {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Kundnamn DocType: Vehicle,Natural Gas,Naturgas -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankkontot kan inte namnges som {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Bankkontot kan inte namnges som {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Huvudtyper (eller grupper) mot vilka bokföringsposter görs och balanser upprätthålls. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Utstående för {0} kan inte vara mindre än noll ({1}) DocType: Manufacturing Settings,Default 10 mins,Standard 10 minuter @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Ledighetstyp namn apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Visa öppna apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Serie uppdaterats apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Checka ut -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal Entry Inlagd +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Journal Entry Inlagd DocType: Pricing Rule,Apply On,Applicera på DocType: Item Price,Multiple Item prices.,Flera produktpriser. ,Purchase Order Items To Be Received,Inköpsorder Artiklar att ta emot @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Betalningssätt konto apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Visar varianter DocType: Academic Term,Academic Term,Akademisk termin apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Material -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Kvantitet +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Kvantitet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Konton tabell kan inte vara tomt. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Lån (skulder) DocType: Employee Education,Year of Passing,Passerande År @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Sjukvård apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Försenad betalning (dagar) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,tjänsten Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} är redan refererad i försäljningsfaktura: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Faktura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} är redan refererad i försäljningsfaktura: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Faktura DocType: Maintenance Schedule Item,Periodicity,Periodicitet apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Räkenskapsårets {0} krävs -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Förväntat leveransdatum är att innan kundorder Datum apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Försvar DocType: Salary Component,Abbr,Förkortning DocType: Appraisal Goal,Score (0-5),Poäng (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Rad # {0}: DocType: Timesheet,Total Costing Amount,Totala Kalkyl Mängd DocType: Delivery Note,Vehicle No,Fordons nr -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Välj Prislista +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Välj Prislista apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Rad # {0}: Betalning dokument krävs för att slutföra trasaction DocType: Production Order Operation,Work In Progress,Pågående Arbete apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Välj datum @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} inte i någon aktiv räkenskapsår. DocType: Packed Item,Parent Detail docname,Överordnat Detalj doknamn apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referens: {0}, Artikelnummer: {1} och Kund: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Logga apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Öppning för ett jobb. DocType: Item Attribute,Increment,Inkrement @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Gift apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Ej tillåtet för {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Få objekt från -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stock kan inte uppdateras mot följesedel {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stock kan inte uppdateras mot följesedel {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkten {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Inga föremål listade DocType: Payment Reconciliation,Reconcile,Avstämma @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Pensi apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Nästa avskrivning Datum kan inte vara före Inköpsdatum DocType: SMS Center,All Sales Person,Alla försäljningspersonal DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Månatlig Distribution ** hjälper du distribuerar budgeten / Mål över månader om du har säsongs i din verksamhet. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Inte artiklar hittade +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Inte artiklar hittade apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Lönestruktur saknas DocType: Lead,Person Name,Namn DocType: Sales Invoice Item,Sales Invoice Item,Fakturan Punkt @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Är Fast Asset" kan inte vara okontrollerat, som Asset rekord existerar mot objektet" DocType: Vehicle Service,Brake Oil,bromsolja DocType: Tax Rule,Tax Type,Skatte Typ -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Skattepliktiga belopp +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Skattepliktiga belopp apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Du har inte behörighet att lägga till eller uppdatera poster före {0} DocType: BOM,Item Image (if not slideshow),Produktbild (om inte bildspel) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,En kund finns med samma namn DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timmar / 60) * Faktisk produktionstid -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Välj BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Välj BOM DocType: SMS Log,SMS Log,SMS-logg apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostnad levererat gods apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Semester på {0} är inte mellan Från datum och Till datum @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,skolor DocType: School Settings,Validate Batch for Students in Student Group,Validera sats för studenter i studentgruppen apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ingen ledighet rekord hittades för arbetstagare {0} för {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ange företaget först -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Välj Företaget först +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Välj Företaget först DocType: Employee Education,Under Graduate,Enligt Graduate apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Mål på DocType: BOM,Total Cost,Total Kostnad DocType: Journal Entry Account,Employee Loan,Employee Loan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivitets Logg: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Objektet existerar inte {0} i systemet eller har löpt ut +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Aktivitets Logg: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Objektet existerar inte {0} i systemet eller har löpt ut apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Fastighet apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Kontoutdrag apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Läkemedel @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Fordringsbelopp apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicate kundgrupp finns i cutomer grupptabellen apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Leverantör Typ / leverantör DocType: Naming Series,Prefix,Prefix -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ange Naming Series för {0} via Inställningar> Inställningar> Naming Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Förbrukningsartiklar +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Förbrukningsartiklar DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Import logg DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Dra Material Begär typ Tillverkning baserat på ovanstående kriterier DocType: Training Result Employee,Grade,Kvalitet DocType: Sales Invoice Item,Delivered By Supplier,Levereras av Supplier DocType: SMS Center,All Contact,Alla Kontakter -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Produktionsorder redan skapats för alla objekt med BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Produktionsorder redan skapats för alla objekt med BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Årslön DocType: Daily Work Summary,Daily Work Summary,Dagliga Work Sammandrag DocType: Period Closing Voucher,Closing Fiscal Year,Stänger Räkenskapsårets -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} är fryst +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} är fryst apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Välj befintligt företag för att skapa konto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Kostnader apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Välj Target Warehouse @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Godkända + Avvisad Antal måste vara lika med mottagna kvantiteten för punkt {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Leverera råvaror för köp -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Minst ett läge av betalning krävs för POS faktura. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Minst ett läge av betalning krävs för POS faktura. DocType: Products Settings,Show Products as a List,Visa produkter som en lista DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Hämta mallen, fyll lämpliga uppgifter och bifoga den modifierade filen. Alla datum och anställdas kombinationer i den valda perioden kommer i mallen, med befintliga närvaroutdrag" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Produkt {0} är inte aktiv eller uttjänta har nåtts -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Exempel: Grundläggande matematik -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om du vill inkludera skatt i rad {0} i punkt hastighet, skatter i rader {1} måste också inkluderas" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Exempel: Grundläggande matematik +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om du vill inkludera skatt i rad {0} i punkt hastighet, skatter i rader {1} måste också inkluderas" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Inställningar för HR-modul DocType: SMS Center,SMS Center,SMS Center DocType: Sales Invoice,Change Amount,Ändra Mängd @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Installationsdatum kan inte vara före leveransdatum för punkt {0} DocType: Pricing Rule,Discount on Price List Rate (%),Rabatt på Prislista Andel (%) DocType: Offer Letter,Select Terms and Conditions,Välj Villkor -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,ut Värde +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,ut Värde DocType: Production Planning Tool,Sales Orders,Kundorder DocType: Purchase Taxes and Charges,Valuation,Värdering ,Purchase Order Trends,Inköpsorder Trender @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Är öppen anteckning DocType: Customer Group,Mention if non-standard receivable account applicable,Nämn om icke-standard mottagningskonto tillämpat DocType: Course Schedule,Instructor Name,instruktör Namn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,För Lagerkrävs innan du kan skicka +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,För Lagerkrävs innan du kan skicka apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Mottog den DocType: Sales Partner,Reseller,Återförsäljare DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Om markerad, kommer att innehålla icke-lager i materialet begäran." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Mot fakturaprodukt ,Production Orders in Progress,Aktiva Produktionsordrar apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Nettokassaflöde från finansiering -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","Localstorage är full, inte spara" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","Localstorage är full, inte spara" DocType: Lead,Address & Contact,Adress och kontakt DocType: Leave Allocation,Add unused leaves from previous allocations,Lägg oanvända blad från tidigare tilldelningar apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Nästa Återkommande {0} kommer att skapas på {1} DocType: Sales Partner,Partner website,partner webbplats apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Lägg till vara -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Kontaktnamn +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Kontaktnamn DocType: Course Assessment Criteria,Course Assessment Criteria,Kriterier för bedömning Course DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Skapar lönebesked för ovan nämnda kriterier. DocType: POS Customer Group,POS Customer Group,POS Kundgrupp @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rad {0}: Kontrollera ""Är i förskott"" mot konto {1} om det är ett förskotts post." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Lager {0} tillhör inte företaget {1} DocType: Email Digest,Profit & Loss,Vinst förlust -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Liter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Liter DocType: Task,Total Costing Amount (via Time Sheet),Totalt Costing Belopp (via Tidrapportering) DocType: Item Website Specification,Item Website Specification,Produkt hemsidespecifikation apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Lämna Blockerad @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Försäljning Faktura nr DocType: Material Request Item,Min Order Qty,Min Order kvantitet DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course DocType: Lead,Do Not Contact,Kontakta ej -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Personer som undervisar i organisationen +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Personer som undervisar i organisationen DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Den unika ID för att spåra alla återkommande fakturor. Det genereras på skicka. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Mjukvaruutvecklare DocType: Item,Minimum Order Qty,Minimum Antal @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Publicera i Hub DocType: Student Admission,Student Admission,Student Antagning ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Punkt {0} avbryts -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Materialförfrågan +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Materialförfrågan DocType: Bank Reconciliation,Update Clearance Date,Uppdatera Clearance Datum DocType: Item,Purchase Details,Inköpsdetaljer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Produkt {0} hittades inte i ""råvaror som levereras"" i beställning {1}" @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fleet manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Rad # {0}: {1} kan inte vara negativt för produkten {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Fel Lösenord DocType: Item,Variant Of,Variant av -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Avslutade Antal kan inte vara större än ""antal för Tillverkning '" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Avslutade Antal kan inte vara större än ""antal för Tillverkning '" DocType: Period Closing Voucher,Closing Account Head,Stänger Konto Huvud DocType: Employee,External Work History,Extern Arbetserfarenhet apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Cirkelreferens fel @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Avstånd från vänstra k apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} enheter [{1}] (# Form / Föremål / {1}) hittades i [{2}] (# Form / Lager / {2}) DocType: Lead,Industry,Industri DocType: Employee,Job Profile,Jobbprofilen +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Detta baseras på transaktioner mot detta företag. Se tidslinjen nedan för detaljer DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Meddela via e-post om skapandet av automatisk Material Begäran DocType: Journal Entry,Multi Currency,Flera valutor DocType: Payment Reconciliation Invoice,Invoice Type,Faktura Typ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Följesedel +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Följesedel apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Ställa in skatter apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kostnader för sålda Asset apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Betalningsposten har ändrats efter att du hämtade den. Vänligen hämta igen. @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Ange "Upprepa på Dag i månaden" fältvärde DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,I takt med vilket kundens Valuta omvandlas till kundens basvaluta DocType: Course Scheduling Tool,Course Scheduling Tool,Naturligtvis Scheduling Tool -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rad # {0}: Inköp Faktura kan inte göras mot en befintlig tillgång {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rad # {0}: Inköp Faktura kan inte göras mot en befintlig tillgång {1} DocType: Item Tax,Tax Rate,Skattesats apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} som redan tilldelats för anställd {1} för perioden {2} till {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Välj Punkt +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Välj Punkt apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Inköpsfakturan {0} är redan lämnad apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Rad # {0}: Batch nr måste vara samma som {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Konvertera till icke-gruppen @@ -447,7 +446,7 @@ DocType: Employee,Widowed,Änka DocType: Request for Quotation,Request for Quotation,Offertförfrågan DocType: Salary Slip Timesheet,Working Hours,Arbetstimmar DocType: Naming Series,Change the starting / current sequence number of an existing series.,Ändra start / aktuella sekvensnumret av en befintlig serie. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Skapa en ny kund +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Skapa en ny kund apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Om flera prissättningsregler fortsätta att gälla, kan användarna uppmanas att ställa Prioritet manuellt för att lösa konflikten." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Skapa inköpsorder ,Purchase Register,Inköpsregistret @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,examiner Namn DocType: Purchase Invoice Item,Quantity and Rate,Kvantitet och betyg DocType: Delivery Note,% Installed,% Installerad -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Klassrum / Laboratorier etc där föreläsningar kan schemaläggas. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Klassrum / Laboratorier etc där föreläsningar kan schemaläggas. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Ange företagetsnamn först DocType: Purchase Invoice,Supplier Name,Leverantörsnamn apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Läs ERPNext Manual @@ -489,7 +488,7 @@ DocType: Lead,Channel Partner,Kanalpartner DocType: Account,Old Parent,Gammalt mål apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Obligatoriskt fält - Academic Year DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Anpassa inledande text som går som en del av e-postmeddelandet. Varje transaktion har en separat introduktionstext. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Vänligen ange det betalda kontot för företaget {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Vänligen ange det betalda kontot för företaget {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globala inställningar för alla tillverkningsprocesser. DocType: Accounts Settings,Accounts Frozen Upto,Konton frysta upp till DocType: SMS Log,Sent On,Skickas på @@ -529,7 +528,7 @@ DocType: Journal Entry,Accounts Payable,Leverantörsreskontra apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,De valda stycklistor är inte samma objekt DocType: Pricing Rule,Valid Upto,Giltig Upp till DocType: Training Event,Workshop,Verkstad -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Lista några av dina kunder. De kunde vara organisationer eller privatpersoner. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Lista några av dina kunder. De kunde vara organisationer eller privatpersoner. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Tillräckligt med delar för att bygga apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direkt inkomst apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Kan inte filtrera baserat på konto, om grupperad efter konto" @@ -537,7 +536,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Var god välj Kurs apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Var god välj Kurs DocType: Timesheet Detail,Hrs,H -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Välj Företag +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Välj Företag DocType: Stock Entry Detail,Difference Account,Differenskonto DocType: Purchase Invoice,Supplier GSTIN,Leverantör GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Det går inte att stänga uppgiften då dess huvuduppgift {0} inte är stängd. @@ -554,7 +553,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Ange grad för tröskelvärdet 0% DocType: Sales Order,To Deliver,Att Leverera DocType: Purchase Invoice Item,Item,Objekt -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Serienummer objekt kan inte vara en bråkdel +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Serienummer objekt kan inte vara en bråkdel DocType: Journal Entry,Difference (Dr - Cr),Skillnad (Dr - Cr) DocType: Account,Profit and Loss,Resultaträkning apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Hantera Underleverantörer @@ -580,7 +579,7 @@ DocType: Serial No,Warranty Period (Days),Garantiperiod (dagar) DocType: Installation Note Item,Installation Note Item,Installeringsnotis objekt DocType: Production Plan Item,Pending Qty,Väntar Antal DocType: Budget,Ignore,Ignorera -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} är inte aktiv +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} är inte aktiv apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS skickas till följande nummer: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,kryss Setup dimensioner för utskrift DocType: Salary Slip,Salary Slip Timesheet,Lön Slip Tidrapport @@ -685,8 +684,8 @@ DocType: Installation Note,IN-,I- DocType: Production Order Operation,In minutes,På några minuter DocType: Issue,Resolution Date,Åtgärds Datum DocType: Student Batch Name,Batch Name,batch Namn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Tidrapport skapat: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Ställ in standard Kontant eller bankkonto i betalningssätt {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Tidrapport skapat: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Ställ in standard Kontant eller bankkonto i betalningssätt {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Skriva in DocType: GST Settings,GST Settings,GST-inställningar DocType: Selling Settings,Customer Naming By,Kundnamn på @@ -706,7 +705,7 @@ DocType: Activity Cost,Projects User,Projekt Användare apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Förbrukat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} hittades inte i Fakturainformationslistan DocType: Company,Round Off Cost Center,Avrunda kostnadsställe -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Servicebesök {0} måste avbrytas innan man kan avbryta kundorder +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Servicebesök {0} måste avbrytas innan man kan avbryta kundorder DocType: Item,Material Transfer,Material Transfer apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Öppning (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Bokningstidsstämpel måste vara efter {0} @@ -715,7 +714,7 @@ DocType: Employee Loan,Total Interest Payable,Total ränta DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed Cost skatter och avgifter DocType: Production Order Operation,Actual Start Time,Faktisk starttid DocType: BOM Operation,Operation Time,Drifttid -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Yta +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Yta apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Bas DocType: Timesheet,Total Billed Hours,Totalt Fakturerade Timmar DocType: Journal Entry,Write Off Amount,Avskrivningsbelopp @@ -742,7 +741,7 @@ DocType: Vehicle,Odometer Value (Last),Vägmätare Value (Senaste) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marknadsföring apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Betalning Entry redan har skapats DocType: Purchase Receipt Item Supplied,Current Stock,Nuvarande lager -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Rad # {0}: Asset {1} inte kopplad till punkt {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Rad # {0}: Asset {1} inte kopplad till punkt {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Förhandsvisning lönebesked apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} har angetts flera gånger DocType: Account,Expenses Included In Valuation,Kostnader ingår i rapporten @@ -767,7 +766,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace DocType: Journal Entry,Credit Card Entry,Kreditkorts logg apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Företag och konton apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Varor som erhållits från leverantörer. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,Värde +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,Värde DocType: Lead,Campaign Name,Kampanjens namn DocType: Selling Settings,Close Opportunity After Days,Nära möjlighet efter dagar ,Reserved,Reserverat @@ -792,17 +791,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Energi DocType: Opportunity,Opportunity From,Möjlighet Från apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Månadslön uttalande. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Rad {0}: {1} Serienummer krävs för punkt {2}. Du har angett {3}. DocType: BOM,Website Specifications,Webbplats Specifikationer apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Från {0} av typen {1} DocType: Warranty Claim,CI-,Cl apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rad {0}: Omvandlingsfaktor är obligatoriskt DocType: Employee,A+,A+ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flera Pris Regler finns med samma kriterier, vänligen lösa konflikter genom att tilldela prioritet. Pris Regler: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Det går inte att inaktivera eller avbryta BOM eftersom det är kopplat till andra stycklistor +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Det går inte att inaktivera eller avbryta BOM eftersom det är kopplat till andra stycklistor DocType: Opportunity,Maintenance,Underhåll DocType: Item Attribute Value,Item Attribute Value,Produkt Attribut Värde apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Säljkampanjer. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,göra Tidrapport +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,göra Tidrapport DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -836,7 +836,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Ställa in e-postkonto apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ange Artikel först DocType: Account,Liability,Ansvar -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktionerade Belopp kan inte vara större än fordringsbelopp i raden {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktionerade Belopp kan inte vara större än fordringsbelopp i raden {0}. DocType: Company,Default Cost of Goods Sold Account,Standardkostnad Konto Sålda Varor apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Prislista inte valt DocType: Employee,Family Background,Familjebakgrund @@ -847,10 +847,10 @@ DocType: Company,Default Bank Account,Standard bankkonto apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","För att filtrera baserat på partiet, väljer Party Typ först" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Uppdatera Stock"" kan inte kontrolleras eftersom produkter som inte levereras via {0}" DocType: Vehicle,Acquisition Date,förvärvs~~POS=TRUNC -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,Produkter med högre medelvikt kommer att visas högre DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bankavstämning Detalj -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Rad # {0}: Asset {1} måste lämnas in +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Rad # {0}: Asset {1} måste lämnas in apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Ingen anställd hittades DocType: Supplier Quotation,Stopped,Stoppad DocType: Item,If subcontracted to a vendor,Om underleverantörer till en leverantör @@ -866,7 +866,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Minimifakturabelopp apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnadsställe {2} inte tillhör bolaget {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: konto {2} inte kan vara en grupp apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Punkt Row {idx}: {doctype} {doknamn} existerar inte i ovanstående "{doctype} tabellen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Tidrapport {0} är redan slutförts eller avbrutits +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Tidrapport {0} är redan slutförts eller avbrutits apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Inga uppgifter DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Den dagen i den månad som auto faktura kommer att genereras t.ex. 05, 28 etc" DocType: Asset,Opening Accumulated Depreciation,Ingående ackumulerade avskrivningar @@ -925,7 +925,7 @@ DocType: SMS Log,Requested Numbers,Begärda nummer DocType: Production Planning Tool,Only Obtain Raw Materials,Endast Skaffa Råvaror apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Utvecklingssamtal. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivera användning för Varukorgen ", som Kundvagnen är aktiverad och det bör finnas åtminstone en skattebestämmelse för Varukorgen" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betalning Entry {0} är kopplad mot Order {1}, kontrollera om det ska dras i förskott i denna faktura." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betalning Entry {0} är kopplad mot Order {1}, kontrollera om det ska dras i förskott i denna faktura." DocType: Sales Invoice Item,Stock Details,Lager Detaljer apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projekt Värde apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Butiksförsäljnig @@ -948,15 +948,15 @@ DocType: Naming Series,Update Series,Uppdatera Serie DocType: Supplier Quotation,Is Subcontracted,Är utlagt DocType: Item Attribute,Item Attribute Values,Produkt Attribut Värden DocType: Examination Result,Examination Result,Examination Resultat -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Inköpskvitto +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Inköpskvitto ,Received Items To Be Billed,Mottagna objekt som ska faktureras -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Inlämnade lönebesked +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Inlämnade lönebesked apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valutakurs mästare. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referens Doctype måste vara en av {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Det går inte att hitta tidslucka i de närmaste {0} dagar för Operation {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Det går inte att hitta tidslucka i de närmaste {0} dagar för Operation {1} DocType: Production Order,Plan material for sub-assemblies,Planera material för underenheter apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Säljpartners och Territory -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} måste vara aktiv +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} måste vara aktiv DocType: Journal Entry,Depreciation Entry,avskrivningar Entry apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Välj dokumenttyp först apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Avbryt Material {0} innan du avbryter detta Underhållsbesök @@ -966,7 +966,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Totala Summan apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing DocType: Production Planning Tool,Production Orders,Produktionsorder -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Balans Värde +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Balans Värde apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Försäljning Prislista apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Publicera till synkroniseringsobjekt DocType: Bank Reconciliation,Account Currency,Konto Valuta @@ -991,12 +991,12 @@ DocType: Employee,Exit Interview Details,Avsluta intervju Detaljer DocType: Item,Is Purchase Item,Är beställningsobjekt DocType: Asset,Purchase Invoice,Inköpsfaktura DocType: Stock Ledger Entry,Voucher Detail No,Rabatt Detalj nr -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Ny försäljningsfaktura +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Ny försäljningsfaktura DocType: Stock Entry,Total Outgoing Value,Totalt Utgående Värde apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Öppningsdatum och Slutdatum bör ligga inom samma räkenskapsår DocType: Lead,Request for Information,Begäran om upplysningar ,LeaderBoard,leaderboard -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Synkroniserings Offline fakturor +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synkroniserings Offline fakturor DocType: Payment Request,Paid,Betalats DocType: Program Fee,Program Fee,Kurskostnad DocType: Salary Slip,Total in words,Totalt i ord @@ -1004,7 +1004,7 @@ DocType: Material Request Item,Lead Time Date,Ledtid datum DocType: Guardian,Guardian Name,Guardian Namn DocType: Cheque Print Template,Has Print Format,Har Utskriftsformat DocType: Employee Loan,Sanctioned,sanktionerade -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,är obligatoriskt. Kanske Valutaväxling posten inte skapas för +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,är obligatoriskt. Kanske Valutaväxling posten inte skapas för apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Rad # {0}: Ange Löpnummer för punkt {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","För ""Produktgrupper"" poster, Lager, Serienummer och Batch kommer att övervägas från ""Packlistan"". Om Lager och Batch inte är samma för alla förpacknings objekt för alla ""Produktgrupper"" , kan dessa värden skrivas in i huvud produkten, kommer värden kopieras till ""Packlistan""." DocType: Job Opening,Publish on website,Publicera på webbplats @@ -1017,7 +1017,7 @@ DocType: Cheque Print Template,Date Settings,Datum Inställningar apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varians ,Company Name,Företagsnamn DocType: SMS Center,Total Message(s),Totalt Meddelande (er) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Välj föremål för Transfer +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Välj föremål för Transfer DocType: Purchase Invoice,Additional Discount Percentage,Ytterligare rabatt Procent apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Visa en lista över alla hjälp videos DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Välj konto chefen för banken, där kontrollen avsattes." @@ -1032,7 +1032,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Råvarukostnaden (Företaget va apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Alla objekt har redan överförts till denna produktionsorder. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Priset kan inte vara större än den som används i {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Priset kan inte vara större än den som används i {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Meter DocType: Workstation,Electricity Cost,Elkostnad DocType: HR Settings,Don't send Employee Birthday Reminders,Skicka inte anställdas födelsedagspåminnelser DocType: Item,Inspection Criteria,Inspektionskriterier @@ -1047,7 +1047,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Få utbetalda förskott DocType: Item,Automatically Create New Batch,Skapa automatiskt nytt parti DocType: Item,Automatically Create New Batch,Skapa automatiskt nytt parti -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Göra +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Göra DocType: Student Admission,Admission Start Date,Antagning startdatum DocType: Journal Entry,Total Amount in Words,Total mängd i ord apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Det var ett problem. En trolig orsak kan vara att du inte har sparat formuläret. Vänligen kontakta support@erpnext.com om problemet kvarstår. @@ -1055,7 +1055,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Min kundvagn apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Beställd Typ måste vara en av {0} DocType: Lead,Next Contact Date,Nästa Kontakt Datum apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Öppning Antal -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Ange konto för förändring Belopp +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Ange konto för förändring Belopp DocType: Student Batch Name,Student Batch Name,Elev batchnamn DocType: Holiday List,Holiday List Name,Semester Listnamn DocType: Repayment Schedule,Balance Loan Amount,Balans Lånebelopp @@ -1063,7 +1063,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Optioner DocType: Journal Entry Account,Expense Claim,Utgiftsräkning apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Vill du verkligen vill återställa detta skrotas tillgång? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Antal för {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Antal för {0} DocType: Leave Application,Leave Application,Ledighetsansöknan apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Ledighet Tilldelningsverktyget DocType: Leave Block List,Leave Block List Dates,Lämna Block Lista Datum @@ -1114,7 +1114,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Mot DocType: Item,Default Selling Cost Center,Standard Kostnadsställe Försäljning DocType: Sales Partner,Implementation Partner,Genomförande Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Postnummer +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Postnummer apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Kundorder {0} är {1} DocType: Opportunity,Contact Info,Kontaktinformation apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Göra Stock Inlägg @@ -1133,14 +1133,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,M DocType: School Settings,Attendance Freeze Date,Dagsfrysningsdatum DocType: School Settings,Attendance Freeze Date,Dagsfrysningsdatum DocType: Opportunity,Your sales person who will contact the customer in future,Din säljare som kommer att kontakta kunden i framtiden -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Lista några av dina leverantörer. De kunde vara organisationer eller privatpersoner. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Lista några av dina leverantörer. De kunde vara organisationer eller privatpersoner. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Visa alla produkter apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimal ledningsålder (dagar) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimal ledningsålder (dagar) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,alla stycklistor +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,alla stycklistor DocType: Company,Default Currency,Standard Valuta DocType: Expense Claim,From Employee,Från anställd -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Varning: Systemet kommer inte att kontrollera överdebitering, eftersom belopp för punkt {0} i {1} är noll" +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Varning: Systemet kommer inte att kontrollera överdebitering, eftersom belopp för punkt {0} i {1} är noll" DocType: Journal Entry,Make Difference Entry,Skapa Differensinlägg DocType: Upload Attendance,Attendance From Date,Närvaro Från datum DocType: Appraisal Template Goal,Key Performance Area,Nyckelperformance Områden @@ -1157,7 +1157,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Organisationsnummer som referens. Skattenummer etc. DocType: Sales Partner,Distributor,Distributör DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Varukorgen frakt Regel -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Produktionsorder {0} måste avbrytas innan du kan avbryta kundorder +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Produktionsorder {0} måste avbrytas innan du kan avbryta kundorder apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Ställ in "tillämpa ytterligare rabatt på" ,Ordered Items To Be Billed,Beställda varor att faktureras apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Från Range måste vara mindre än ligga @@ -1166,10 +1166,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Avdrag DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start Year -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},De första 2 siffrorna i GSTIN ska matcha med statligt nummer {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},De första 2 siffrorna i GSTIN ska matcha med statligt nummer {0} DocType: Purchase Invoice,Start date of current invoice's period,Startdatum för aktuell faktura period DocType: Salary Slip,Leave Without Pay,Lämna utan lön -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapacitetsplanering Error +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kapacitetsplanering Error ,Trial Balance for Party,Trial Balance för Party DocType: Lead,Consultant,Konsult DocType: Salary Slip,Earnings,Vinster @@ -1185,7 +1185,7 @@ DocType: Cheque Print Template,Payer Settings,Payer Inställningar DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Detta kommer att läggas till den punkt koden varianten. Till exempel, om din förkortning är "SM", och försändelsekoden är "T-TRÖJA", posten kod varianten kommer att vara "T-Shirt-SM"" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettolön (i ord) kommer att vara synliga när du sparar lönebeskedet. DocType: Purchase Invoice,Is Return,Är Returnerad -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Retur / debetnota +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Retur / debetnota DocType: Price List Country,Price List Country,Prislista Land DocType: Item,UOMs,UOM apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} giltigt serienummer för punkt {1} @@ -1198,7 +1198,7 @@ DocType: Employee Loan,Partially Disbursed,delvis Utbetalt apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverantörsdatabas. DocType: Account,Balance Sheet,Balansräkning apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',"Kostnadcenter för artikel med artikelkod """ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalning läget är inte konfigurerad. Kontrollera, om kontot har satts på läge av betalningar eller på POS profil." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalning läget är inte konfigurerad. Kontrollera, om kontot har satts på läge av betalningar eller på POS profil." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Din säljare kommer att få en påminnelse om detta datum att kontakta kunden apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samma post kan inte anges flera gånger. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ytterligare konton kan göras inom ramen för grupper, men poster kan göras mot icke-grupper" @@ -1228,7 +1228,7 @@ DocType: Employee Loan Application,Repayment Info,återbetalning info apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'poster' kan inte vara tomt apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplicate raden {0} med samma {1} ,Trial Balance,Trial Balans -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Räkenskapsårets {0} hittades inte +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Räkenskapsårets {0} hittades inte apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Ställa in Anställda DocType: Sales Order,SO-,SÅ- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Välj prefix först @@ -1243,11 +1243,11 @@ DocType: Grading Scale,Intervals,intervaller apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Tidigast apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Ett varugrupp finns med samma namn, ändra objektets namn eller byta namn på varugrupp" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resten av världen +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Resten av världen apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} kan inte ha Batch ,Budget Variance Report,Budget Variationsrapport DocType: Salary Slip,Gross Pay,Bruttolön -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rad {0}: Aktivitetstyp är obligatorisk. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Rad {0}: Aktivitetstyp är obligatorisk. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Lämnad utdelning apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Redovisning Ledger DocType: Stock Reconciliation,Difference Amount,Differensbelopp @@ -1270,18 +1270,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Anställd Avgångskostnad apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Saldo konto {0} måste alltid vara {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Värderings takt som krävs för punkt i rad {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Exempel: Masters i datavetenskap +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Exempel: Masters i datavetenskap DocType: Purchase Invoice,Rejected Warehouse,Avvisat Lager DocType: GL Entry,Against Voucher,Mot Kupong DocType: Item,Default Buying Cost Center,Standard Inköpsställe apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","För att få ut det bästa av ERPNext, rekommenderar vi att du tar dig tid och titta på dessa hjälp videor." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,till +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,till DocType: Supplier Quotation Item,Lead Time in days,Ledtid i dagar apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Leverantörsreskontra Sammanfattning -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Utbetalning av lön från {0} till {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Utbetalning av lön från {0} till {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Ej tillåtet att redigera fryst konto {0} DocType: Journal Entry,Get Outstanding Invoices,Hämta utestående fakturor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Kundorder {0} är inte giltig +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Kundorder {0} är inte giltig apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Inköpsorder hjälpa dig att planera och följa upp dina inköp apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Tyvärr, kan företagen inte slås samman" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1303,8 +1303,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Indirekta kostnader apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Rad {0}: Antal är obligatoriskt apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Jordbruk -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Sync basdata -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Dina produkter eller tjänster +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Sync basdata +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Dina produkter eller tjänster DocType: Mode of Payment,Mode of Payment,Betalningssätt apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Website Bild bör vara en offentlig fil eller webbadress DocType: Student Applicant,AP,AP @@ -1323,18 +1323,18 @@ DocType: Purchase Invoice Item,Item Tax Rate,Produkt Skattesats DocType: Student Group Student,Group Roll Number,Grupprullnummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",För {0} kan endast kreditkonton länkas mot en annan debitering apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Summan av alla uppgift vikter bör vara 1. Justera vikter av alla projektuppgifter i enlighet -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Följesedel {0} är inte lämnad +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Följesedel {0} är inte lämnad apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Produkt {0} måste vara ett underleverantörs produkt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapital Utrustning apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prissättning regel baseras först på ""Lägg till på' fälten, som kan vara artikel, artikelgrupp eller Märke." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Vänligen ange produktkoden först +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Vänligen ange produktkoden först DocType: Hub Settings,Seller Website,Säljare Webbplatsen DocType: Item,ITEM-,PUNKT- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Totala fördelade procentsats för säljteam bör vara 100 DocType: Appraisal Goal,Goal,Mål DocType: Sales Invoice Item,Edit Description,Redigera Beskrivning ,Team Updates,team Uppdateringar -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,För Leverantör +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,För Leverantör DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Ställa Kontotyp hjälper i att välja detta konto i transaktioner. DocType: Purchase Invoice,Grand Total (Company Currency),Totalsumma (Företagsvaluta) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Skapa utskriftsformat @@ -1348,12 +1348,12 @@ DocType: Item,Website Item Groups,Webbplats artikelgrupper DocType: Purchase Invoice,Total (Company Currency),Totalt (Company valuta) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Serienummer {0} in mer än en gång DocType: Depreciation Schedule,Journal Entry,Journalanteckning -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} objekt pågår +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} objekt pågår DocType: Workstation,Workstation Name,Arbetsstation Namn DocType: Grading Scale Interval,Grade Code,grade kod DocType: POS Item Group,POS Item Group,POS Artikelgrupp apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-postutskick: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} tillhör inte föremål {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} tillhör inte föremål {1} DocType: Sales Partner,Target Distribution,Target Fördelning 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 @@ -1411,7 +1411,7 @@ DocType: Quotation,Shopping Cart,Kundvagn apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daglig Utgång DocType: POS Profile,Campaign,Kampanj DocType: Supplier,Name and Type,Namn och typ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Godkännandestatus måste vara ""Godkänd"" eller ""Avvisad""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Godkännandestatus måste vara ""Godkänd"" eller ""Avvisad""" DocType: Purchase Invoice,Contact Person,Kontaktperson apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Förväntat startdatum"" kan inte vara större än ""Förväntat slutdatum""" DocType: Course Scheduling Tool,Course End Date,Kurs Slutdatum @@ -1423,8 +1423,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Föredragen E apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Netto Förändring av anläggningstillgång DocType: Leave Control Panel,Leave blank if considered for all designations,Lämna tomt om det anses vara för alla beteckningar -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Avgift av typ ""faktiska"" i raden {0} kan inte ingå i artikelomsättningen" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Avgift av typ ""faktiska"" i raden {0} kan inte ingå i artikelomsättningen" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Från Daterad tid DocType: Email Digest,For Company,För Företag apps/erpnext/erpnext/config/support.py +17,Communication log.,Kommunikationslog. @@ -1465,7 +1465,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Jobb profil, k DocType: Journal Entry Account,Account Balance,Balanskonto apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Skatte Regel för transaktioner. DocType: Rename Tool,Type of document to rename.,Typ av dokument för att byta namn. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Vi köper detta objekt +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Vi köper detta objekt apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Kunden är skyldig mot Fordran konto {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totala skatter och avgifter (Företags valuta) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Visa ej avslutad skatteårets P & L balanser @@ -1476,7 +1476,7 @@ DocType: Quality Inspection,Readings,Avläsningar DocType: Stock Entry,Total Additional Costs,Totalt Merkostnader DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Skrot materialkostnader (Company valuta) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Sub Assemblies DocType: Asset,Asset Name,tillgångs Namn DocType: Project,Task Weight,uppgift Vikt DocType: Shipping Rule Condition,To Value,Att Värdera @@ -1505,7 +1505,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Produkt Varianter DocType: Company,Services,Tjänster DocType: HR Settings,Email Salary Slip to Employee,E-lönebesked till anställd DocType: Cost Center,Parent Cost Center,Överordnat kostnadsställe -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Välj Möjliga Leverantör +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Välj Möjliga Leverantör DocType: Sales Invoice,Source,Källa apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,show stängd DocType: Leave Type,Is Leave Without Pay,Är ledighet utan lön @@ -1517,7 +1517,7 @@ DocType: POS Profile,Apply Discount,Applicera rabatt DocType: GST HSN Code,GST HSN Code,GST HSN-kod DocType: Employee External Work History,Total Experience,Total Experience apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,öppna projekt -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Följesedlar avbryts +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Följesedlar avbryts apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Kassaflöde från investeringsverksamheten DocType: Program Course,Program Course,program Kurs apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,"Frakt, spedition Avgifter" @@ -1558,9 +1558,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,program Inskrivningar DocType: Sales Invoice Item,Brand Name,Varumärke DocType: Purchase Receipt,Transporter Details,Transporter Detaljer -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Standardlager krävs för vald post -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Låda -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,möjlig Leverantör +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Standardlager krävs för vald post +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Låda +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,möjlig Leverantör DocType: Budget,Monthly Distribution,Månads Fördelning apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Mottagare Lista är tom. Skapa Mottagare Lista DocType: Production Plan Sales Order,Production Plan Sales Order,Produktionsplan för kundorder @@ -1593,7 +1593,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Anspråk på apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Eleverna i hjärtat i systemet, lägga till alla dina elever" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Rad # {0}: Clearance datum {1} kan inte vara före check Datum {2} DocType: Company,Default Holiday List,Standard kalender -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Skulder DocType: Purchase Invoice,Supplier Warehouse,Leverantör Lager DocType: Opportunity,Contact Mobile No,Kontakt Mobil nr @@ -1609,18 +1609,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Ledighet av typen {0} inte kan vara längre än {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Försök att planera verksamheten för X dagar i förväg. DocType: HR Settings,Stop Birthday Reminders,Stop födelsedag Påminnelser -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Ställ Default Lön betalas konto i bolaget {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Ställ Default Lön betalas konto i bolaget {0} DocType: SMS Center,Receiver List,Mottagare Lista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Sök Produkt +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Sök Produkt apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Förbrukad mängd apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Nettoförändring i Cash DocType: Assessment Plan,Grading Scale,Betygsskala apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mätenhet {0} har angetts mer än en gång i Omvandlingsfaktor Tabell -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,redan avslutat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,redan avslutat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Lager i handen apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Betalning förfrågan finns redan {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kostnad för utfärdade artiklar -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Antal får inte vara mer än {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Antal får inte vara mer än {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Föregående räkenskapsperiod inte stängd apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Ålder (dagar) DocType: Quotation Item,Quotation Item,Offert Artikel @@ -1634,6 +1634,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,referensdokument apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} är avbruten eller stoppad DocType: Accounts Settings,Credit Controller,Kreditcontroller +DocType: Sales Order,Final Delivery Date,Slutleveransdatum DocType: Delivery Note,Vehicle Dispatch Date,Fordon Avgångs Datum DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Inköpskvitto {0} är inte lämnat @@ -1726,9 +1727,9 @@ DocType: Employee,Date Of Retirement,Datum för pensionering DocType: Upload Attendance,Get Template,Hämta mall DocType: Material Request,Transferred,Överförd DocType: Vehicle,Doors,dörrar -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Vikt -DocType: Sales Invoice,Tax Breakup,Skatteavbrott +DocType: Purchase Invoice,Tax Breakup,Skatteavbrott DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kostnadsställe krävs för "Resultaträkning" konto {2}. Ställ upp en standardkostnadsställe för bolaget. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"En Kundgrupp finns med samma namn, vänligen ändra Kundens namn eller döp om Kundgruppen" @@ -1741,14 +1742,14 @@ DocType: Announcement,Instructor,Instruktör DocType: Employee,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Om denna artikel har varianter, så det kan inte väljas i kundorder etc." DocType: Lead,Next Contact By,Nästa Kontakt Vid -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Kvantitet som krävs för artikel {0} i rad {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Kvantitet som krävs för artikel {0} i rad {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Lager {0} kan inte tas bort då kvantitet existerar för artiklar {1} DocType: Quotation,Order Type,Beställ Type DocType: Purchase Invoice,Notification Email Address,Anmälan E-postadress ,Item-wise Sales Register,Produktvis säljregister DocType: Asset,Gross Purchase Amount,Bruttoköpesumma DocType: Asset,Depreciation Method,avskrivnings Metod -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Off-line +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Off-line DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Är denna skatt inkluderar i Basic kursen? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Totalt Target DocType: Job Applicant,Applicant for a Job,Sökande för ett jobb @@ -1770,7 +1771,7 @@ DocType: Employee,Leave Encashed?,Lämna inlösen? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Möjlighet Från fältet är obligatoriskt DocType: Email Digest,Annual Expenses,årliga kostnader DocType: Item,Variants,Varianter -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Skapa beställning +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Skapa beställning DocType: SMS Center,Send To,Skicka Till apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Det finns inte tillräckligt ledighet balans för Lämna typ {0} DocType: Payment Reconciliation Payment,Allocated amount,Avsatt mängd @@ -1778,7 +1779,7 @@ DocType: Sales Team,Contribution to Net Total,Bidrag till Net Total DocType: Sales Invoice Item,Customer's Item Code,Kundens Artikelkod DocType: Stock Reconciliation,Stock Reconciliation,Lager Avstämning DocType: Territory,Territory Name,Territorium Namn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Pågående Arbete - Lager krävs innan du kan Skicka +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Pågående Arbete - Lager krävs innan du kan Skicka apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Sökande av ett jobb. DocType: Purchase Order Item,Warehouse and Reference,Lager och referens DocType: Supplier,Statutory info and other general information about your Supplier,Lagstadgad information och annan allmän information om din leverantör @@ -1791,16 +1792,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,bedömningar apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Duplicera Löpnummer upp till punkt {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,En förutsättning för en frakt Regel apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Stig på -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Det går inte att overbill för Punkt {0} i rad {1} mer än {2}. För att möjliggöra överfakturering, ställ in köpa Inställningar" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Ställ filter baserat på punkt eller Warehouse +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Det går inte att overbill för Punkt {0} i rad {1} mer än {2}. För att möjliggöra överfakturering, ställ in köpa Inställningar" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Ställ filter baserat på punkt eller Warehouse DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovikten av detta paket. (Beräknas automatiskt som summan av nettovikt av objekt) DocType: Sales Order,To Deliver and Bill,Att leverera och Bill DocType: Student Group,Instructors,instruktörer DocType: GL Entry,Credit Amount in Account Currency,Credit Belopp i konto Valuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} måste lämnas in +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} måste lämnas in DocType: Authorization Control,Authorization Control,Behörighetskontroll apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rad # {0}: Avslag Warehouse är obligatoriskt mot förkastade Punkt {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Betalning +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Betalning apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",Lager {0} är inte länkat till något konto. Vänligen ange kontot i lageret eller sätt in det vanliga kontot i företaget {1}. apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Hantera order DocType: Production Order Operation,Actual Time and Cost,Faktisk tid och kostnad @@ -1816,12 +1817,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Bundlad DocType: Quotation Item,Actual Qty,Faktiska Antal DocType: Sales Invoice Item,References,Referenser DocType: Quality Inspection Reading,Reading 10,Avläsning 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista dina produkter eller tjänster som du köper eller säljer. Se till att kontrollera varugruppen, mätenhet och andra egenskaper när du startar." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista dina produkter eller tjänster som du köper eller säljer. Se till att kontrollera varugruppen, mätenhet och andra egenskaper när du startar." DocType: Hub Settings,Hub Node,Nav Nod apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Du har angett dubbletter. Vänligen rätta och försök igen. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associate +DocType: Company,Sales Target,Försäljningsmål DocType: Asset Movement,Asset Movement,Asset Rörelse -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,ny vagn +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,ny vagn apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Produktt {0} är inte en serialiserad Produkt DocType: SMS Center,Create Receiver List,Skapa Mottagare Lista DocType: Vehicle,Wheels,hjul @@ -1863,13 +1865,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Hantera projekt DocType: Supplier,Supplier of Goods or Services.,Leverantör av varor eller tjänster. DocType: Budget,Fiscal Year,Räkenskapsår DocType: Vehicle Log,Fuel Price,bränsle~~POS=TRUNC Pris +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vänligen uppsätt nummerserien för deltagande via Setup> Numbers Series DocType: Budget,Budget,Budget apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Fast Asset Objektet måste vara en icke-lagervara. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan inte tilldelas mot {0}, eftersom det inte är en intäkt eller kostnad konto" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Uppnått DocType: Student Admission,Application Form Route,Ansökningsblankett Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territorium / Kund -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,t.ex. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,t.ex. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Lämna typ {0} kan inte tilldelas eftersom det lämnar utan lön apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Rad {0}: Tilldelad mängd {1} måste vara mindre än eller lika med att fakturerat utestående belopp {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,I Ord kommer att synas när du sparar fakturan. @@ -1878,11 +1881,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Produkt {0} är inte inställt för Serial Nos. Kontrollera huvudprodukt DocType: Maintenance Visit,Maintenance Time,Servicetid ,Amount to Deliver,Belopp att leverera -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,En produkt eller tjänst +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,En produkt eller tjänst apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termen Startdatum kan inte vara tidigare än året Startdatum för läsåret som termen är kopplad (läsåret {}). Rätta datum och försök igen. DocType: Guardian,Guardian Interests,Guardian Intressen DocType: Naming Series,Current Value,Nuvarande Värde -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Flera räkenskapsår finns för dagen {0}. Ställ företag under räkenskapsåret +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Flera räkenskapsår finns för dagen {0}. Ställ företag under räkenskapsåret apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} skapad DocType: Delivery Note Item,Against Sales Order,Mot kundorder ,Serial No Status,Serial No Status @@ -1895,7 +1898,7 @@ DocType: Pricing Rule,Selling,Försäljnings apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Belopp {0} {1} avräknas mot {2} DocType: Employee,Salary Information,Lön Information DocType: Sales Person,Name and Employee ID,Namn och Anställnings ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Förfallodatum kan inte vara före Publiceringsdatum +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Förfallodatum kan inte vara före Publiceringsdatum DocType: Website Item Group,Website Item Group,Webbplats Produkt Grupp apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Tullar och skatter apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Ange Referensdatum @@ -1951,9 +1954,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Ange datum för anslutning till anställd {0} DocType: Task,Total Billing Amount (via Time Sheet),Totalt Billing Belopp (via Tidrapportering) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Upprepa kund Intäkter -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) måste ha rollen ""Utgiftsgodkännare""" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Välj BOM och Antal för produktion +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) måste ha rollen ""Utgiftsgodkännare""" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Par +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Välj BOM och Antal för produktion DocType: Asset,Depreciation Schedule,avskrivningsplanen apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Försäljningspartneradresser och kontakter DocType: Bank Reconciliation Detail,Against Account,Mot Konto @@ -1963,7 +1966,7 @@ DocType: Item,Has Batch No,Har Sats nr apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Årlig Billing: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Varor och tjänster Skatt (GST Indien) DocType: Delivery Note,Excise Page Number,Punktnotering sidnummer -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Företag, är obligatorisk Från datum och Till datum" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Företag, är obligatorisk Från datum och Till datum" DocType: Asset,Purchase Date,inköpsdatum DocType: Employee,Personal Details,Personliga Detaljer apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ställ "Asset Avskrivningar kostnadsställe" i bolaget {0} @@ -1972,9 +1975,9 @@ DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdatum (via Tidrapport apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Belopp {0} {1} mot {2} {3} ,Quotation Trends,Offert Trender apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Produktgruppen nämns inte i huvudprodukten för objektet {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Debitering av konto måste vara ett mottagarkonto +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Debitering av konto måste vara ett mottagarkonto DocType: Shipping Rule Condition,Shipping Amount,Fraktbelopp -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Lägg till kunder +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Lägg till kunder apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Väntande antal DocType: Purchase Invoice Item,Conversion Factor,Omvandlingsfaktor DocType: Purchase Order,Delivered,Levereras @@ -1997,7 +2000,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Inkludera avstämnignsan DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",Föräldrarkurs (lämna tomt om detta inte ingår i föräldrakursen) DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",Föräldrarkurs (lämna tomt om detta inte ingår i föräldrakursen) DocType: Leave Control Panel,Leave blank if considered for all employee types,Lämna tomt om det anses vara för alla typer av anställda -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium DocType: Landed Cost Voucher,Distribute Charges Based On,Fördela avgifter som grundas på apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,tidrapporter DocType: HR Settings,HR Settings,HR Inställningar @@ -2005,7 +2007,7 @@ DocType: Salary Slip,net pay info,nettolön info apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Räkning väntar på godkännande. Endast Utgiftsgodkännare kan uppdatera status. DocType: Email Digest,New Expenses,nya kostnader DocType: Purchase Invoice,Additional Discount Amount,Ytterligare rabatt Belopp -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rad # {0}: Antal måste vara en, som objektet är en anläggningstillgång. Använd separat rad för flera st." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rad # {0}: Antal måste vara en, som objektet är en anläggningstillgång. Använd separat rad för flera st." DocType: Leave Block List Allow,Leave Block List Allow,Lämna Block List Tillåt apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Förkortning kan inte vara tomt apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Grupp till icke-Group @@ -2013,7 +2015,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport DocType: Loan Type,Loan Name,Loan Namn apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Totalt Faktisk DocType: Student Siblings,Student Siblings,elev Syskon -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Enhet +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Enhet apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Ange Företag ,Customer Acquisition and Loyalty,Kundförvärv och Lojalitet DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Lager där du hanterar lager av avvisade föremål @@ -2032,12 +2034,12 @@ DocType: Workstation,Wages per hour,Löner per timme apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagersaldo i Batch {0} kommer att bli negativ {1} till punkt {2} på Warehouse {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Efter Material Framställningar har höjts automatiskt baserat på punkt re-order nivå DocType: Email Digest,Pending Sales Orders,I väntan på kundorder -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} är ogiltig. Konto Valuta måste vara {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Konto {0} är ogiltig. Konto Valuta måste vara {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM omräkningsfaktor i rad {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av kundorder, försäljningsfakturan eller journalanteckning" DocType: Salary Component,Deduction,Avdrag -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rad {0}: Från tid och till tid är obligatorisk. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Rad {0}: Från tid och till tid är obligatorisk. DocType: Stock Reconciliation Item,Amount Difference,mängd Skillnad apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Artikel Pris till för {0} i prislista {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ange anställnings Id för denna säljare @@ -2047,11 +2049,11 @@ DocType: Project,Gross Margin,Bruttomarginal apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Ange Produktionsartikel först apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Beräknat Kontoutdrag balans apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,inaktiverad användare -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Offert +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Offert DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Totalt Avdrag ,Production Analytics,produktions~~POS=TRUNC Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kostnad Uppdaterad +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Kostnad Uppdaterad DocType: Employee,Date of Birth,Födelsedatum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Punkt {0} redan har returnerat DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Räkenskapsårets ** representerar budgetåret. Alla bokföringsposter och andra större transaktioner spåras mot ** räkenskapsår **. @@ -2097,18 +2099,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Välj Företaget ... DocType: Leave Control Panel,Leave blank if considered for all departments,Lämna tomt om det anses vara för alla avdelningar apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Typer av anställning (permanent, kontrakts, praktikant osv)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} är obligatoriskt för punkt {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} är obligatoriskt för punkt {1} DocType: Process Payroll,Fortnightly,Var fjortonde dag DocType: Currency Exchange,From Currency,Från Valuta apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Kostnader för nya inköp -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Kundorder krävs för punkt {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Kundorder krävs för punkt {0} DocType: Purchase Invoice Item,Rate (Company Currency),Andel (Företagsvaluta) DocType: Student Guardian,Others,Annat DocType: Payment Entry,Unallocated Amount,oallokerad Mängd apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Det går inte att hitta en matchande objekt. Välj något annat värde för {0}. DocType: POS Profile,Taxes and Charges,Skatter och avgifter DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","En produkt eller en tjänst som köps, säljs eller hålls i lager." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelnummer> Varugrupp> Varumärke apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Inga fler uppdateringar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,"Det går inte att välja avgiftstyp som ""På föregående v Belopp"" eller ""På föregående v Total"" för första raden" apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Barn Objekt bör inte vara en produkt Bundle. Ta bort objektet `{0}` och spara @@ -2136,7 +2139,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Totalt Fakturerings Mängd apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Det måste finnas en standard inkommande e-postkonto aktiverat för att det ska fungera. Vänligen setup en standard inkommande e-postkonto (POP / IMAP) och försök igen. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Fordran Konto -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Rad # {0}: Asset {1} är redan {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Rad # {0}: Asset {1} är redan {2} DocType: Quotation Item,Stock Balance,Lagersaldo apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Kundorder till betalning apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,vd @@ -2161,10 +2164,11 @@ DocType: C-Form,Received Date,Mottaget Datum DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Om du har skapat en standardmall i skatter och avgifter Mall, välj en och klicka på knappen nedan." DocType: BOM Scrap Item,Basic Amount (Company Currency),Grundbelopp (Company valuta) DocType: Student,Guardians,Guardians +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverantör> Leverantörstyp DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Priserna kommer inte att visas om prislista inte är inställd apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Ange ett land för frakt regel eller kontrollera Världsomspännande sändnings DocType: Stock Entry,Total Incoming Value,Totalt Inkommande Värde -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Debitering krävs +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Debitering krävs apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Tidrapporter hjälpa till att hålla reda på tid, kostnad och fakturering för aktiviteter som utförts av ditt team" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Inköps Prislista DocType: Offer Letter Term,Offer Term,Erbjudandet Villkor @@ -2183,11 +2187,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Sök DocType: Timesheet Detail,To Time,Till Time DocType: Authorization Rule,Approving Role (above authorized value),Godkännande Roll (ovan auktoriserad värde) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredit till konto måste vara en skuld konto -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan inte vara över eller barn under {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan inte vara över eller barn under {2} DocType: Production Order Operation,Completed Qty,Avslutat Antal apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",För {0} kan bara debitkonton länkas mot en annan kreditering apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Prislista {0} är inaktiverad -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},V {0}: Genomförd Antal kan inte vara mer än {1} för drift {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},V {0}: Genomförd Antal kan inte vara mer än {1} för drift {2} DocType: Manufacturing Settings,Allow Overtime,Tillåt övertid apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialiserat objekt {0} kan inte uppdateras med Stock Avstämning, använd varningsinmatning" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialiserat objekt {0} kan inte uppdateras med Stock Avstämning, använd varningsinmatning" @@ -2206,10 +2210,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Extern apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Användare och behörigheter DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Produktionsorder Skapad: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Produktionsorder Skapad: {0} DocType: Branch,Branch,Bransch DocType: Guardian,Mobile Number,Mobilnummer apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tryckning och Branding +DocType: Company,Total Monthly Sales,Total månadsförsäljning DocType: Bin,Actual Quantity,Verklig Kvantitet DocType: Shipping Rule,example: Next Day Shipping,exempel: Nästa dag Leverans apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Löpnummer {0} hittades inte @@ -2240,7 +2245,7 @@ DocType: Payment Request,Make Sales Invoice,Skapa fakturan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Mjukvara apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Next Kontakt Datum kan inte vara i det förflutna DocType: Company,For Reference Only.,För referens. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Välj batchnummer +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Välj batchnummer apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ogiltigt {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-retro DocType: Sales Invoice Advance,Advance Amount,Förskottsmängd @@ -2253,7 +2258,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ingen produkt med streckkod {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Ärendenr kan inte vara 0 DocType: Item,Show a slideshow at the top of the page,Visa ett bildspel på toppen av sidan -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,stycklistor +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,stycklistor apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Butiker DocType: Serial No,Delivery Time,Leveranstid apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Åldring Baserad på @@ -2267,16 +2272,16 @@ DocType: Rename Tool,Rename Tool,Ändrings Verktyget apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Uppdatera Kostnad DocType: Item Reorder,Item Reorder,Produkt Ändra ordning apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Visa lönebesked -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transfermaterial +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transfermaterial DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Ange verksamhet, driftskostnad och ger en unik drift nej till din verksamhet." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Detta dokument är över gränsen med {0} {1} för posten {4}. Är du göra en annan {3} mot samma {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Ställ återkommande efter att ha sparat -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Välj förändringsbelopp konto +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Ställ återkommande efter att ha sparat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Välj förändringsbelopp konto DocType: Purchase Invoice,Price List Currency,Prislista Valuta DocType: Naming Series,User must always select,Användaren måste alltid välja DocType: Stock Settings,Allow Negative Stock,Tillåt Negativ lager DocType: Installation Note,Installation Note,Installeringsnotis -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Lägg till skatter +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Lägg till skatter DocType: Topic,Topic,Ämne apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Kassaflöde från finansiering DocType: Budget Account,Budget Account,budget-konto @@ -2290,7 +2295,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,spår apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Källa fonderna (skulder) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kvantitet i rad {0} ({1}) måste vara samma som tillverkad mängd {2} DocType: Appraisal,Employee,Anställd -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Välj Batch +DocType: Company,Sales Monthly History,Försäljning månadshistoria +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Välj Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} är fullt fakturerad DocType: Training Event,End Time,Sluttid apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktiv Lön Struktur {0} hittades för anställd {1} för de givna datum @@ -2298,15 +2304,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Betalnings Avdrag eller förlu apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Standard avtalsvillkor för försäljning eller köp. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Grupp av Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Sales Pipeline -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Ställ in standardkonto i lönedel {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Ställ in standardkonto i lönedel {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Obligatorisk På DocType: Rename Tool,File to Rename,Fil att byta namn på apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Välj BOM till punkt i rad {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} matchar inte företaget {1} i Konto: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Fastställt BOM {0} finns inte till punkt {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Underhållsschema {0} måste avbrytas innanman kan dra avbryta kundorder +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Underhållsschema {0} måste avbrytas innanman kan dra avbryta kundorder DocType: Notification Control,Expense Claim Approved,Räkningen Godkänd -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vänligen uppsätt nummerserien för deltagande via Setup> Numbers Series apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Lönebesked av personal {0} redan skapats för denna period apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutiska apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostnad för köpta varor @@ -2323,7 +2328,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM nr för ett Fä DocType: Upload Attendance,Attendance To Date,Närvaro Till Datum DocType: Warranty Claim,Raised By,Höjt av DocType: Payment Gateway Account,Payment Account,Betalningskonto -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Ange vilket bolag för att fortsätta +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Ange vilket bolag för att fortsätta apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Nettoförändring av kundfordringar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompensations Av DocType: Offer Letter,Accepted,Godkända @@ -2333,12 +2338,12 @@ DocType: SG Creation Tool Course,Student Group Name,Student gruppnamn apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Se till att du verkligen vill ta bort alla transaktioner för företag. Dina basdata kommer att förbli som det är. Denna åtgärd kan inte ångras. DocType: Room,Room Number,Rumsnummer apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ogiltig referens {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan inte vara större än planerad kvantitet ({2}) i produktionsorder {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan inte vara större än planerad kvantitet ({2}) i produktionsorder {3} DocType: Shipping Rule,Shipping Rule Label,Frakt Regel Etikett apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Användarforum -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Råvaror kan inte vara tomt. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Det gick inte att uppdatera lager, faktura innehåller släppa sjöfarten objekt." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Journal Entry +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Råvaror kan inte vara tomt. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Det gick inte att uppdatera lager, faktura innehåller släppa sjöfarten objekt." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Quick Journal Entry apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Du kan inte ändra kurs om BOM nämnts mot någon artikel DocType: Employee,Previous Work Experience,Tidigare Arbetslivserfarenhet DocType: Stock Entry,For Quantity,För Antal @@ -2395,7 +2400,7 @@ DocType: SMS Log,No of Requested SMS,Antal Begärd SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Lämna utan lön inte stämmer överens med godkända Lämna ansökan registrerar DocType: Campaign,Campaign-.####,Kampanj -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Nästa steg -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Ange de specificerade poster till bästa möjliga pris +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Ange de specificerade poster till bästa möjliga pris DocType: Selling Settings,Auto close Opportunity after 15 days,Stäng automatiskt Affärsmöjlighet efter 15 dagar apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,slut År apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Bly% @@ -2433,7 +2438,7 @@ DocType: Homepage,Homepage,Hemsida DocType: Purchase Receipt Item,Recd Quantity,Recd Kvantitet apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Arvodes Records Skapad - {0} DocType: Asset Category Account,Asset Category Account,Tillgångsslag konto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Det går inte att producera mer artiklar {0} än kundorderns mängd {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Det går inte att producera mer artiklar {0} än kundorderns mängd {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stock Entry {0} är inte lämnat DocType: Payment Reconciliation,Bank / Cash Account,Bank / Konto apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Nästa Kontakta Vid kan inte vara densamma som den ledande e-postadress @@ -2466,7 +2471,7 @@ DocType: Salary Structure,Total Earning,Totalt Tjänar DocType: Purchase Receipt,Time at which materials were received,Tidpunkt för material mottogs DocType: Stock Ledger Entry,Outgoing Rate,Utgående betyg apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisation gren ledare. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,eller +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,eller DocType: Sales Order,Billing Status,Faktureringsstatus apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Rapportera ett problem apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility Kostnader @@ -2474,7 +2479,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rad # {0}: Journal Entry {1} har inte hänsyn {2} eller redan matchas mot en annan kupong DocType: Buying Settings,Default Buying Price List,Standard Inköpslista DocType: Process Payroll,Salary Slip Based on Timesheet,Lön Slip Baserat på Tidrapport -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ingen anställd för ovan valda kriterier eller lönebeskedet redan skapat +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Ingen anställd för ovan valda kriterier eller lönebeskedet redan skapat DocType: Notification Control,Sales Order Message,Kundorder Meddelande apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Ange standardvärden som bolaget, Valuta, varande räkenskapsår, etc." DocType: Payment Entry,Payment Type,Betalning Typ @@ -2499,7 +2504,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kvitto dokument måste lämnas in DocType: Purchase Invoice Item,Received Qty,Mottagna Antal DocType: Stock Entry Detail,Serial No / Batch,Löpnummer / Batch -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Inte betalda och inte levereras +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Inte betalda och inte levereras DocType: Product Bundle,Parent Item,Överordnad produkt DocType: Account,Account Type,Användartyp DocType: Delivery Note,DN-RET-,DN-retro @@ -2530,8 +2535,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Sammanlagda anslaget apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Ange standardinventeringskonto för evig inventering DocType: Item Reorder,Material Request Type,Typ av Materialbegäran -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry för löner från {0} till {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","Localstorage är full, inte spara" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry för löner från {0} till {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Localstorage är full, inte spara" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Rad {0}: UOM Omvandlingsfaktor är obligatorisk apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Kostnadscenter @@ -2549,7 +2554,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Inkom apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Om du väljer prissättningsregel för ""Pris"", kommer det att överskriva Prislistas. Prissättningsregel priset är det slutliga priset, så ingen ytterligare rabatt bör tillämpas. Därför, i de transaktioner som kundorder, inköpsorder mm, kommer det att hämtas i ""Betygsätt fältet, snarare än"" Prislistavärde fältet." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Spår leder med Industry Type. DocType: Item Supplier,Item Supplier,Produkt Leverantör -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Ange Artikelkod att få batchnr +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Ange Artikelkod att få batchnr apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Välj ett värde för {0} offert_till {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alla adresser. DocType: Company,Stock Settings,Stock Inställningar @@ -2576,7 +2581,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Faktiska Antal Efter tr apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ingen lön slip hittades mellan {0} och {1} ,Pending SO Items For Purchase Request,I avvaktan på SO Artiklar till inköpsanmodan apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Student Antagning -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} är inaktiverad +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} är inaktiverad DocType: Supplier,Billing Currency,Faktureringsvaluta DocType: Sales Invoice,SINV-RET-,SINV-retro apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Stor @@ -2606,7 +2611,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,ansökan Status DocType: Fees,Fees,avgifter DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Ange växelkursen för att konvertera en valuta till en annan -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Offert {0} avbryts +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Offert {0} avbryts apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Totala utestående beloppet DocType: Sales Partner,Targets,Mål DocType: Price List,Price List Master,Huvudprislista @@ -2623,7 +2628,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ignorera Prisregler DocType: Employee Education,Graduate,Examinera DocType: Leave Block List,Block Days,Block Dagar DocType: Journal Entry,Excise Entry,Punktnotering -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Varning: Kundorder {0} finns redan mot Kundens beställning {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Varning: Kundorder {0} finns redan mot Kundens beställning {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2650,7 +2655,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Om m ,Salary Register,lön Register DocType: Warehouse,Parent Warehouse,moderLager DocType: C-Form Invoice Detail,Net Total,Netto Totalt -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Standard BOM hittades inte för punkt {0} och projekt {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Standard BOM hittades inte för punkt {0} och projekt {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Definiera olika lån typer DocType: Bin,FCFS Rate,FCFS betyg DocType: Payment Reconciliation Invoice,Outstanding Amount,Utestående Belopp @@ -2687,7 +2692,7 @@ DocType: Salary Detail,Condition and Formula Help,Tillstånd och Formel Hjälp apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Hantera Områden. DocType: Journal Entry Account,Sales Invoice,Försäljning Faktura DocType: Journal Entry Account,Party Balance,Parti Balans -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Välj Verkställ rabatt på +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Välj Verkställ rabatt på DocType: Company,Default Receivable Account,Standard Mottagarkonto DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Skapa Bankinlägg för den totala lönen för de ovan valda kriterier DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer för Tillverkning @@ -2701,7 +2706,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Kundadress DocType: Employee Loan,Loan Details,Loan Detaljer DocType: Company,Default Inventory Account,Standard Inventory Account -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,V {0}: Genomförd Antal måste vara större än noll. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,V {0}: Genomförd Antal måste vara större än noll. DocType: Purchase Invoice,Apply Additional Discount On,Applicera ytterligare rabatt på DocType: Account,Root Type,Root Typ DocType: Item,FIFO,FIFO @@ -2718,7 +2723,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Kvalitetskontroll apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Liten DocType: Company,Standard Template,standardmall DocType: Training Event,Theory,Teori -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Varning: Material Begärt Antal är mindre än Minimum Antal +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Varning: Material Begärt Antal är mindre än Minimum Antal apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Kontot {0} är fruset DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juridisk person / Dotterbolag med en separat kontoplan som tillhör organisationen. DocType: Payment Request,Mute Email,Mute E @@ -2742,7 +2747,7 @@ DocType: Training Event,Scheduled,Planerad apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Offertförfrågan. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Välj punkt där ""Är Lagervara"" är ""Nej"" och ""Är försäljningsprodukt"" är ""Ja"" och det finns ingen annat produktpaket" DocType: Student Log,Academic,Akademisk -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Totalt förskott ({0}) mot Order {1} kan inte vara större än totalsumman ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Totalt förskott ({0}) mot Order {1} kan inte vara större än totalsumman ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Välj Månads Distribution till ojämnt fördela målen mellan månader. DocType: Purchase Invoice Item,Valuation Rate,Värderings betyg DocType: Stock Reconciliation,SR/,SR / @@ -2808,6 +2813,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Ant DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Ange namnet på kampanjen om källförfrågan är kampanjen apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Tidningsutgivarna apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Välj Räkenskapsårets +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Förväntad leveransdatum bör vara efter försäljningsbeställningsdatum apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Ombeställningsnivå DocType: Company,Chart Of Accounts Template,Konto Mall DocType: Attendance,Attendance Date,Närvaro Datum @@ -2839,7 +2845,7 @@ DocType: Pricing Rule,Discount Percentage,Rabatt Procent DocType: Payment Reconciliation Invoice,Invoice Number,Fakturanummer DocType: Shopping Cart Settings,Orders,Beställningar DocType: Employee Leave Approver,Leave Approver,Ledighetsgodkännare -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Var god välj ett parti +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Var god välj ett parti DocType: Assessment Group,Assessment Group Name,Bedömning Gruppnamn DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Överfört för tillverkning DocType: Expense Claim,"A user with ""Expense Approver"" role","En användare med ""Utgiftsgodkännare""-roll" @@ -2876,7 +2882,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Sista dagen i nästa månad DocType: Support Settings,Auto close Issue after 7 days,Stäng automatiskt Problem efter 7 dagar apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lämna inte kan fördelas före {0}, som ledighet balans redan har carry-vidarebefordras i framtiden ledighet tilldelningspost {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),OBS: På grund / Referens Datum överstiger tillåtna kundkreditdagar från {0} dag (ar) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),OBS: På grund / Referens Datum överstiger tillåtna kundkreditdagar från {0} dag (ar) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Sökande DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL FÖR MOTTAGARE DocType: Asset Category Account,Accumulated Depreciation Account,Ackumulerade avskrivningar konto @@ -2887,7 +2893,7 @@ DocType: Item,Reorder level based on Warehouse,Beställningsnivå baserat på Wa DocType: Activity Cost,Billing Rate,Faktureringsfrekvens ,Qty to Deliver,Antal att leverera ,Stock Analytics,Arkiv Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Verksamheten kan inte lämnas tomt +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Verksamheten kan inte lämnas tomt DocType: Maintenance Visit Purpose,Against Document Detail No,Mot Dokument Detalj nr apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party Type är obligatorisk DocType: Quality Inspection,Outgoing,Utgående @@ -2930,15 +2936,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Tillgång Antal vid Lager apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Fakturerat antal DocType: Asset,Double Declining Balance,Dubbel degressiv -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Sluten ordning kan inte avbrytas. ÖPPNA för att avbryta. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Sluten ordning kan inte avbrytas. ÖPPNA för att avbryta. DocType: Student Guardian,Father,Far -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Update Stock" kan inte kontrolleras för anläggningstillgång försäljning +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"Update Stock" kan inte kontrolleras för anläggningstillgång försäljning DocType: Bank Reconciliation,Bank Reconciliation,Bankavstämning DocType: Attendance,On Leave,tjänstledig apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Hämta uppdateringar apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} inte tillhör bolaget {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Material Begäran {0} avbryts eller stoppas -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Lägg till några exempeldokument +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Lägg till några exempeldokument apps/erpnext/erpnext/config/hr.py +301,Leave Management,Lämna ledning apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupp per konto DocType: Sales Order,Fully Delivered,Fullt Levererad @@ -2947,12 +2953,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differenskonto måste vara en tillgång / skuld kontotyp, eftersom denna lageravstämning är en öppnings post" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Betalats Beloppet får inte vara större än Loan Mängd {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Inköpsordernr som krävs för punkt {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Produktionsorder inte skapat +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Produktionsorder inte skapat apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Från datum" måste vara efter "Till datum" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Det går inte att ändra status som studerande {0} är kopplad med student ansökan {1} DocType: Asset,Fully Depreciated,helt avskriven ,Stock Projected Qty,Lager Projicerad Antal -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Kund {0} tillhör inte projektet {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Kund {0} tillhör inte projektet {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Markerad Närvaro HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citat är förslag, bud som du har skickat till dina kunder" DocType: Sales Order,Customer's Purchase Order,Kundens beställning @@ -2962,7 +2968,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Ställ in Antal Avskrivningar bokat apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Värde eller Antal apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Produktioner Beställningar kan inte höjas för: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minut +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Minut DocType: Purchase Invoice,Purchase Taxes and Charges,Inköp skatter och avgifter ,Qty to Receive,Antal att ta emot DocType: Leave Block List,Leave Block List Allowed,Lämna Block List tillåtna @@ -2976,7 +2982,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Alla Leverantörs Typer DocType: Global Defaults,Disable In Words,Inaktivera uttrycker in apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Produktkod är obligatoriskt eftersom Varan inte är automatiskt numrerad -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Offert {0} inte av typen {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Offert {0} inte av typen {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Underhållsschema Produkt DocType: Sales Order,% Delivered,% Levereras DocType: Production Order,PRO-,PROFFS- @@ -2999,7 +3005,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Säljare E-post DocType: Project,Total Purchase Cost (via Purchase Invoice),Totala inköpskostnaden (via inköpsfaktura) DocType: Training Event,Start Time,Starttid -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Välj antal +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Välj antal DocType: Customs Tariff Number,Customs Tariff Number,Tulltaxan Nummer apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Godkännande Roll kan inte vara samma som roll regel är tillämplig på apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Avbeställa Facebook Twitter Digest @@ -3023,7 +3029,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detalj DocType: Sales Order,Fully Billed,Fullt fakturerad apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Kontant i hand -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Leverans lager som krävs för Beställningsvara {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Leverans lager som krävs för Beställningsvara {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruttovikten på paketet. Vanligtvis nettovikt + förpackningsmaterial vikt. (För utskrift) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Användare med den här rollen får ställa frysta konton och skapa / ändra bokföringsposter mot frysta konton @@ -3033,7 +3039,7 @@ DocType: Student Group,Group Based On,Grupp baserad på DocType: Journal Entry,Bill Date,Faktureringsdatum apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","SERVICE, typ, frekvens och omkostnadsbelopp krävs" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Även om det finns flera prissättningsregler med högsta prioritet, kommer följande interna prioriteringar tillämpas:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Vill du verkligen vill in alla lönebesked från {0} till {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Vill du verkligen vill in alla lönebesked från {0} till {1} DocType: Cheque Print Template,Cheque Height,Check Höjd DocType: Supplier,Supplier Details,Leverantör Detaljer DocType: Expense Claim,Approval Status,Godkännandestatus @@ -3055,7 +3061,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Prospekt till offert apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Inget mer att visa. DocType: Lead,From Customer,Från Kunden apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Samtal -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,partier +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,partier DocType: Project,Total Costing Amount (via Time Logs),Totalt kalkyl Belopp (via Time Loggar) DocType: Purchase Order Item Supplied,Stock UOM,Lager UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Inköpsorder {0} inte lämnad @@ -3087,7 +3093,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Återgå mot inköpsfa DocType: Item,Warranty Period (in days),Garantitiden (i dagar) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relation med Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Netto kassaflöde från rörelsen -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,t.ex. moms +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,t.ex. moms apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Produkt 4 DocType: Student Admission,Admission End Date,Antagning Slutdatum apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Underleverantörer @@ -3095,7 +3101,7 @@ DocType: Journal Entry Account,Journal Entry Account,Journalanteckning konto apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student-gruppen DocType: Shopping Cart Settings,Quotation Series,Offert Serie apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Ett objekt finns med samma namn ({0}), ändra objektets varugrupp eller byt namn på objektet" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Välj kund +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Välj kund DocType: C-Form,I,jag DocType: Company,Asset Depreciation Cost Center,Avskrivning kostnadsställe DocType: Sales Order Item,Sales Order Date,Kundorder Datum @@ -3106,6 +3112,7 @@ DocType: Stock Settings,Limit Percent,gräns Procent ,Payment Period Based On Invoice Date,Betalningstiden Baserad på Fakturadatum apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Saknas valutakurser för {0} DocType: Assessment Plan,Examiner,Examinator +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ange Naming Series för {0} via Setup> Settings> Naming Series DocType: Student,Siblings,Syskon DocType: Journal Entry,Stock Entry,Stock Entry DocType: Payment Entry,Payment References,betalnings~~POS=TRUNC Referenser @@ -3130,7 +3137,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Där tillverkningsprocesser genomförs. DocType: Asset Movement,Source Warehouse,Källa Lager DocType: Installation Note,Installation Date,Installations Datum -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Rad # {0}: Asset {1} tillhör inte företag {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Rad # {0}: Asset {1} tillhör inte företag {2} DocType: Employee,Confirmation Date,Bekräftelsedatum DocType: C-Form,Total Invoiced Amount,Sammanlagt fakturerat belopp apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Antal kan inte vara större än Max Antal @@ -3205,7 +3212,7 @@ DocType: Company,Default Letter Head,Standard Brev DocType: Purchase Order,Get Items from Open Material Requests,Få Artiklar från Open Material Begäran DocType: Item,Standard Selling Rate,Standard säljkurs DocType: Account,Rate at which this tax is applied,I takt med vilken denna skatt tillämpas -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Ombeställningskvantitet +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Ombeställningskvantitet apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Nuvarande jobb Öppningar DocType: Company,Stock Adjustment Account,Lager Justering Konto apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Avskrivning @@ -3219,7 +3226,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Leverantören levererar till kunden apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Föremål / {0}) är slut apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Nästa datum måste vara större än Publiceringsdatum -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},På grund / Referens Datum kan inte vara efter {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},På grund / Referens Datum kan inte vara efter {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Data Import och export apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Inga studenter Funnet apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Fakturabokningsdatum @@ -3240,12 +3247,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Detta grundar sig på närvaron av denna Student apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Inga studenter i apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Lägga till fler objekt eller öppna fullständiga formen -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Ange "Förväntat leveransdatum" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Följesedelsnoteringar {0} måste avbrytas innan du kan avbryta denna kundorder +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Följesedelsnoteringar {0} måste avbrytas innan du kan avbryta denna kundorder apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Betald belopp + Avskrivningsbelopp kan inte vara större än Totalsumma apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} är inte en giltig batchnummer för punkt {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Obs: Det finns inte tillräckligt med ledighetdagar för ledighet typ {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Ogiltig GSTIN eller Ange NA för oregistrerad +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Ogiltig GSTIN eller Ange NA för oregistrerad DocType: Training Event,Seminar,Seminarium DocType: Program Enrollment Fee,Program Enrollment Fee,Program inskrivningsavgift DocType: Item,Supplier Items,Leverantör artiklar @@ -3263,7 +3269,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Lager Åldrande apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} finns mot elev sökande {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,tidrapport -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} {1} "är inaktiverad +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} {1} "är inaktiverad apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Ange som Open DocType: Cheque Print Template,Scanned Cheque,skannad Check DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Skicka automatiska meddelanden till kontakter på Skickar transaktioner. @@ -3310,7 +3316,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Prislista Växelkurs DocType: Purchase Invoice Item,Rate,Betygsätt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Adressnamn +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Adressnamn DocType: Stock Entry,From BOM,Från BOM DocType: Assessment Code,Assessment Code,bedömning kod apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Grundläggande @@ -3323,20 +3329,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Lönestruktur DocType: Account,Bank,Bank apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Flygbolag -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Problem Material +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Problem Material DocType: Material Request Item,For Warehouse,För Lager DocType: Employee,Offer Date,Erbjudandet Datum apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citat -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Du befinner dig i offline-läge. Du kommer inte att kunna ladda tills du har nätverket. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Du befinner dig i offline-läge. Du kommer inte att kunna ladda tills du har nätverket. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Inga studentgrupper skapas. DocType: Purchase Invoice Item,Serial No,Serienummer apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Månatliga återbetalningen belopp kan inte vara större än Lånebelopp apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Ange servicedetaljer först +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Rad # {0}: Förväntad leveransdatum kan inte vara före inköpsdatum DocType: Purchase Invoice,Print Language,print Språk DocType: Salary Slip,Total Working Hours,Totala arbetstiden DocType: Stock Entry,Including items for sub assemblies,Inklusive poster för underheter -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Ange värde måste vara positiv -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelnummer> Varugrupp> Varumärke +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Ange värde måste vara positiv apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Alla territorierna DocType: Purchase Invoice,Items,Produkter apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student är redan inskriven. @@ -3359,7 +3365,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard mätenhet för Variant "{0}" måste vara samma som i Mall "{1}" DocType: Shipping Rule,Calculate Based On,Beräkna baserad på DocType: Delivery Note Item,From Warehouse,Från Warehouse -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Inga objekt med Bill of Materials att tillverka +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Inga objekt med Bill of Materials att tillverka DocType: Assessment Plan,Supervisor Name,Supervisor Namn DocType: Program Enrollment Course,Program Enrollment Course,Program Inskrivningskurs DocType: Purchase Taxes and Charges,Valuation and Total,Värdering och Total @@ -3374,23 +3380,23 @@ DocType: Training Event Employee,Attended,deltog apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dagar sedan senaste order"" måste vara större än eller lika med noll" DocType: Process Payroll,Payroll Frequency,löne Frekvens DocType: Asset,Amended From,Ändrat Från -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Råmaterial +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Råmaterial DocType: Leave Application,Follow via Email,Följ via e-post apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Växter och maskinerier DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skattebelopp efter rabatt Belopp DocType: Daily Work Summary Settings,Daily Work Summary Settings,Det dagliga arbetet Sammanfattning Inställningar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta prislistan {0} är inte lika med den valda valutan {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Valuta prislistan {0} är inte lika med den valda valutan {1} DocType: Payment Entry,Internal Transfer,Intern transaktion apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Underkonto existerar för det här kontot. Du kan inte ta bort det här kontot. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Antingen mål antal eller målbeloppet är obligatorisk apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ingen standard BOM finns till punkt {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Välj Publiceringsdatum först +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Välj Publiceringsdatum först apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Öppningsdatum ska vara innan Slutdatum DocType: Leave Control Panel,Carry Forward,Skicka Vidare apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kostnadsställe med befintliga transaktioner kan inte omvandlas till liggaren DocType: Department,Days for which Holidays are blocked for this department.,Dagar då helgdagar är blockerade för denna avdelning. ,Produced,Producerat -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Skapade lönebesked +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Skapade lönebesked DocType: Item,Item Code for Suppliers,Produkt kod för leverantörer DocType: Issue,Raised By (Email),Höjt av (e-post) DocType: Training Event,Trainer Name,Trainer Namn @@ -3398,9 +3404,10 @@ DocType: Mode of Payment,General,Allmänt apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Senaste kommunikationen apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Senaste kommunikationen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Det går inte att dra bort när kategorin är angedd ""Värdering"" eller ""Värdering och Total""" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista dina skattehuvuden (t.ex. moms, tull etc, de bör ha unika namn) och deras standardpriser. Detta kommer att skapa en standardmall som du kan redigera och lägga till fler senare." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista dina skattehuvuden (t.ex. moms, tull etc, de bör ha unika namn) och deras standardpriser. Detta kommer att skapa en standardmall som du kan redigera och lägga till fler senare." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serial Nos krävs för Serialiserad Punkt {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Betalningar med fakturor +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Rad # {0}: Vänligen ange leveransdatum mot artikel {1} DocType: Journal Entry,Bank Entry,Bank anteckning DocType: Authorization Rule,Applicable To (Designation),Är tillämpligt för (Destination) ,Profitability Analysis,lönsamhets~~POS=TRUNC @@ -3416,17 +3423,18 @@ DocType: Quality Inspection,Item Serial No,Produkt Löpnummer apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Skapa anställda Records apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Totalt Närvarande apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,räkenskaper -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Timme +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Timme apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nya Löpnummer kan inte ha Lager. Lagermåste ställas in av lagerpost eller inköpskvitto DocType: Lead,Lead Type,Prospekt Typ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Du har inte behörighet att godkänna löv på Block Datum -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Alla dessa punkter har redan fakturerats +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Alla dessa punkter har redan fakturerats +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Månadsförsäljningsmål apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Kan godkännas av {0} DocType: Item,Default Material Request Type,Standard Material Typ av förfrågan apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,Okänd DocType: Shipping Rule,Shipping Rule Conditions,Frakt härskar Villkor DocType: BOM Replace Tool,The new BOM after replacement,Den nya BOM efter byte -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Butiksförsäljning +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Butiksförsäljning DocType: Payment Entry,Received Amount,erhållet belopp DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Sent On DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop av Guardian @@ -3443,8 +3451,8 @@ DocType: Batch,Source Document Name,Källdokumentnamn DocType: Batch,Source Document Name,Källdokumentnamn DocType: Job Opening,Job Title,Jobbtitel apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Skapa användare -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Kvantitet som Tillverkning måste vara större än 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Kvantitet som Tillverkning måste vara större än 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Besöksrapport för service samtal. DocType: Stock Entry,Update Rate and Availability,Uppdateringsfrekvens och tillgänglighet DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Andel som är tillåtet att ta emot eller leverera mer mot beställt antal. Till exempel: Om du har beställt 100 enheter. och din ersättning är 10% då du får ta emot 110 enheter. @@ -3457,7 +3465,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Vänligen avbryta inköpsfaktura {0} först apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-postadress måste vara unikt, redan för {0}" DocType: Serial No,AMC Expiry Date,AMC Förfallodatum -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Mottagande +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Mottagande ,Sales Register,Försäljningsregistret DocType: Daily Work Summary Settings Company,Send Emails At,Skicka e-post Vid DocType: Quotation,Quotation Lost Reason,Anledning förlorad Offert @@ -3470,14 +3478,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Inga kunder apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Kassaflödesanalys apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeloppet kan inte överstiga Maximal låne Mängd {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licens -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Ta bort denna faktura {0} från C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Ta bort denna faktura {0} från C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Välj Överföring om du även vill inkludera föregående räkenskapsårs balans till detta räkenskapsår DocType: GL Entry,Against Voucher Type,Mot Kupongtyp DocType: Item,Attributes,Attributer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Ange avskrivningskonto apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Sista beställningsdatum apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Kontot {0} till inte företaget {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Serienumren i rad {0} matchar inte med leveransnotering +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Serienumren i rad {0} matchar inte med leveransnotering DocType: Student,Guardian Details,Guardian Detaljer DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Närvaro för flera anställda @@ -3509,16 +3517,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Ol DocType: Tax Rule,Sales,Försäljning DocType: Stock Entry Detail,Basic Amount,BASBELOPP DocType: Training Event,Exam,Examen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Lager krävs för Lagervara {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Lager krävs för Lagervara {0} DocType: Leave Allocation,Unused leaves,Oanvända blad -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Faktureringsstaten apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Överföring apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} inte förknippas med Party-konto {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch expanderande BOM (inklusive underenheter) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Fetch expanderande BOM (inklusive underenheter) DocType: Authorization Rule,Applicable To (Employee),Är tillämpligt för (anställd) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Förfallodatum är obligatorisk apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Påslag för Attribut {0} inte kan vara 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium DocType: Journal Entry,Pay To / Recd From,Betala Till / RECD Från DocType: Naming Series,Setup Series,Inställnings Serie DocType: Payment Reconciliation,To Invoice Date,Att fakturadatum @@ -3545,7 +3554,7 @@ DocType: Journal Entry,Write Off Based On,Avskrivning Baseras på apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,gör Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print och brevpapper DocType: Stock Settings,Show Barcode Field,Show Barcode Field -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Skicka e-post Leverantörs +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Skicka e-post Leverantörs apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Lön redan behandlas för perioden mellan {0} och {1} Lämna ansökningstiden kan inte vara mellan detta datumintervall. apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Installationsinfo för ett serienummer DocType: Guardian Interest,Guardian Interest,Guardian intresse @@ -3559,7 +3568,7 @@ DocType: Offer Letter,Awaiting Response,Väntar på svar apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Ovan apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Ogiltig attribut {0} {1} DocType: Supplier,Mention if non-standard payable account,Nämn om inte-standard betalnings konto -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Samma sak har skrivits in flera gånger. {lista} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Samma sak har skrivits in flera gånger. {lista} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Var god välj bedömningsgruppen annan än "Alla bedömningsgrupper" DocType: Salary Slip,Earning & Deduction,Vinst & Avdrag apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Tillval. Denna inställning kommer att användas för att filtrera i olika transaktioner. @@ -3578,7 +3587,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kostnad för skrotas Asset apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnadsställe är obligatorisk för punkt {2} DocType: Vehicle,Policy No,policy Nej -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Få artiklar från produkt Bundle +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Få artiklar från produkt Bundle DocType: Asset,Straight Line,Rak linje DocType: Project User,Project User,projektAnvändar apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Dela @@ -3593,6 +3602,7 @@ DocType: Bank Reconciliation,Payment Entries,betalningsAnteckningar DocType: Production Order,Scrap Warehouse,skrot Warehouse DocType: Production Order,Check if material transfer entry is not required,Kontrollera om materialöverföring inte krävs DocType: Production Order,Check if material transfer entry is not required,Kontrollera om materialöverföring inte krävs +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vänligen uppsättning Anställd Namn System i Mänskliga Resurser> HR Inställningar DocType: Program Enrollment Tool,Get Students From,Få studenter från DocType: Hub Settings,Seller Country,Säljare Land apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Publicera artiklar på webbplatsen @@ -3611,19 +3621,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Ange villkor för att beräkna fraktbeloppet 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 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,öppnings Värde +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,öppnings Värde DocType: Salary Detail,Formula,Formel apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Seriell # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Försäljningsprovision DocType: Offer Letter Term,Value / Description,Värde / Beskrivning -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rad # {0}: Asset {1} kan inte lämnas, är det redan {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rad # {0}: Asset {1} kan inte lämnas, är det redan {2}" DocType: Tax Rule,Billing Country,Faktureringsland DocType: Purchase Order Item,Expected Delivery Date,Förväntat leveransdatum apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debet och kredit inte är lika för {0} # {1}. Skillnaden är {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Representationskostnader apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Gör Material Request apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Öppen föremål {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Fakturan {0} måste ställas in innan avbryta denna kundorder +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Fakturan {0} måste ställas in innan avbryta denna kundorder apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Ålder DocType: Sales Invoice Timesheet,Billing Amount,Fakturerings Mängd apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ogiltig mängd som anges för produkten {0}. Kvantitet bör vara större än 0. @@ -3646,7 +3656,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nya kund Intäkter apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Resekostnader DocType: Maintenance Visit,Breakdown,Nedbrytning -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan inte väljas {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan inte väljas {1} DocType: Bank Reconciliation Detail,Cheque Date,Check Datum apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Förälder konto {1} tillhör inte företaget: {2} DocType: Program Enrollment Tool,Student Applicants,elev Sökande @@ -3666,11 +3676,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planer DocType: Material Request,Issued,Utfärdad apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Studentaktivitet DocType: Project,Total Billing Amount (via Time Logs),Totalt Billing Belopp (via Time Loggar) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Vi säljer detta objekt +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Vi säljer detta objekt apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Leverantör Id DocType: Payment Request,Payment Gateway Details,Betalning Gateway Detaljer -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Kvantitet bör vara större än 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Provdata +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Kvantitet bör vara större än 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Provdata DocType: Journal Entry,Cash Entry,Kontantinlägg apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Underordnade noder kan endast skapas under "grupp" typ noder DocType: Leave Application,Half Day Date,Halvdag Datum @@ -3679,17 +3689,18 @@ DocType: Sales Partner,Contact Desc,Kontakt Desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Typ av löv som tillfällig, sjuka etc." DocType: Email Digest,Send regular summary reports via Email.,Skicka regelbundna sammanfattande rapporter via e-post. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Ställ in standardkonto i räkningen typ {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Ställ in standardkonto i räkningen typ {0} DocType: Assessment Result,Student Name,Elevs namn DocType: Brand,Item Manager,Produktansvarig apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Lön Betalning DocType: Buying Settings,Default Supplier Type,Standard Leverantörstyp DocType: Production Order,Total Operating Cost,Totala driftskostnaderna -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Obs: Punkt {0} inlagd flera gånger +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Obs: Punkt {0} inlagd flera gånger apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Alla kontakter. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Ange ditt mål apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Företagetsförkortning apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Användare {0} inte existerar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Råvaror kan inte vara samma som huvudartikel +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Råvaror kan inte vara samma som huvudartikel DocType: Item Attribute Value,Abbreviation,Förkortning apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Betalning Entry redan existerar apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Inte auktoriserad eftersom {0} överskrider gränser @@ -3707,7 +3718,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Roll tillåtet att red ,Territory Target Variance Item Group-Wise,Territory Mål Varians Post Group-Wise apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Alla kundgrupper apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,ackumulerade månads -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} är obligatorisk. Kanske Valutaväxlingsposten inte är skapad för {1} till {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} är obligatorisk. Kanske Valutaväxlingsposten inte är skapad för {1} till {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Skatte Mall är obligatorisk. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Förälder konto {1} existerar inte DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prislista värde (Företagsvaluta) @@ -3718,7 +3729,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Procentuell Förd apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekreterare DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Om inaktivera, "uttrycker in" fältet inte kommer att vara synlig i någon transaktion" DocType: Serial No,Distinct unit of an Item,Distinkt enhet för en försändelse -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Vänligen ange företaget +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Vänligen ange företaget DocType: Pricing Rule,Buying,Köpa DocType: HR Settings,Employee Records to be created by,Personal register som skall skapas av DocType: POS Profile,Apply Discount On,Tillämpa rabatt på @@ -3729,7 +3740,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Produktvis Skatte Detalj apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute Förkortning ,Item-wise Price List Rate,Produktvis Prislistavärde -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Leverantör Offert +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Leverantör Offert DocType: Quotation,In Words will be visible once you save the Quotation.,I Ord kommer att synas när du sparar offerten. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kvantitet ({0}) kan inte vara en fraktion i rad {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kvantitet ({0}) kan inte vara en fraktion i rad {1} @@ -3753,7 +3764,7 @@ Updated via 'Time Log'","i protokollet Uppdaterad via ""Tidslog""" DocType: Customer,From Lead,Från Prospekt apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Order släppts för produktion. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Välj räkenskapsår ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS profil som krävs för att göra POS inlägg +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS profil som krävs för att göra POS inlägg DocType: Program Enrollment Tool,Enroll Students,registrera studenter DocType: Hub Settings,Name Token,Namn token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardförsäljnings @@ -3771,7 +3782,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Stock Värde Skillnad apps/erpnext/erpnext/config/learn.py +234,Human Resource,Personal administration DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Betalning Avstämning Betalning apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Skattefordringar -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Produktionsorder har varit {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Produktionsorder har varit {0} DocType: BOM Item,BOM No,BOM nr DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journalanteckning {0} har inte konto {1} eller redan matchad mot andra kuponger @@ -3785,7 +3796,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Ladda u apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Utestående Amt DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Uppsatta mål Punkt Gruppvis för säljare. DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Lager Äldre än [dagar] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rad # {0}: Asset är obligatoriskt för anläggningstillgång köp / försäljning +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rad # {0}: Asset är obligatoriskt för anläggningstillgång köp / försäljning apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Om två eller flera Prissättningsregler hittas baserat på ovanstående villkor, tillämpas prioritet . Prioritet är ett tal mellan 0 till 20, medan standardvärdet är noll (tom). Högre siffra innebär det kommer att ha företräde om det finns flera prissättningsregler med samma villkor." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Räkenskapsårets: {0} inte existerar DocType: Currency Exchange,To Currency,Till Valuta @@ -3794,7 +3805,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Olika typer av ut apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Försäljningsfrekvensen för objektet {0} är lägre än dess {1}. Försäljningsfrekvensen bör vara minst {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Försäljningsfrekvensen för objektet {0} är lägre än dess {1}. Försäljningsfrekvensen bör vara minst {2} DocType: Item,Taxes,Skatter -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Betald och inte levererats +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Betald och inte levererats DocType: Project,Default Cost Center,Standardkostnadsställe DocType: Bank Guarantee,End Date,Slutdatum apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,aktietransaktioner @@ -3811,7 +3822,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Det dagliga arbetet Sammanfattning Inställningar Company apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Punkt {0} ignoreras eftersom det inte är en lagervara DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Skicka det här produktionsorder för ytterligare behandling. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Skicka det här produktionsorder för ytterligare behandling. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","För att inte tillämpa prissättning regel i en viss transaktion, bör alla tillämpliga prissättning regler inaktiveras." DocType: Assessment Group,Parent Assessment Group,Parent Assessment Group apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,jobb @@ -3819,10 +3830,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,jobb DocType: Employee,Held On,Höll På apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produktions artikel ,Employee Information,Anställd Information -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Andel (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Andel (%) DocType: Stock Entry Detail,Additional Cost,Extra kostnad apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",Kan inte filtrera baserat på kupong nr om grupperad efter kupong -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Skapa Leverantörsoffert +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Skapa Leverantörsoffert DocType: Quality Inspection,Incoming,Inkommande DocType: BOM,Materials Required (Exploded),Material som krävs (Expanderad) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Lägg till användare till din organisation, annan än dig själv" @@ -3838,7 +3849,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} kan endast uppdateras via aktietransaktioner DocType: Student Group Creation Tool,Get Courses,få Banor DocType: GL Entry,Party,Parti -DocType: Sales Order,Delivery Date,Leveransdatum +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Leveransdatum DocType: Opportunity,Opportunity Date,Möjlighet Datum DocType: Purchase Receipt,Return Against Purchase Receipt,Återgå mot inköpskvitto DocType: Request for Quotation Item,Request for Quotation Item,Offertförfrågan Punkt @@ -3852,7 +3863,7 @@ DocType: Task,Actual Time (in Hours),Faktisk tid (i timmar) DocType: Employee,History In Company,Historia Företaget apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nyhetsbrev DocType: Stock Ledger Entry,Stock Ledger Entry,Lager Ledger Entry -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Samma objekt har angetts flera gånger +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Samma objekt har angetts flera gånger DocType: Department,Leave Block List,Lämna Block List DocType: Sales Invoice,Tax ID,Skatte ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Produkt {0} är inte inställt för Serial Nos. Kolumn måste vara tom @@ -3870,25 +3881,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Svart DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosions Punkt DocType: Account,Auditor,Redigerare -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} objekt producerade +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} objekt producerade DocType: Cheque Print Template,Distance from top edge,Avståndet från den övre kanten apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Prislista {0} är inaktiverad eller inte existerar DocType: Purchase Invoice,Return,Återgå DocType: Production Order Operation,Production Order Operation,Produktionsorder Drift DocType: Pricing Rule,Disable,Inaktivera -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Verk betalning krävs för att göra en betalning +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Verk betalning krävs för att göra en betalning DocType: Project Task,Pending Review,Väntar På Granskning apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} är inte inskriven i batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Tillgångs {0} kan inte skrotas, eftersom det redan är {1}" DocType: Task,Total Expense Claim (via Expense Claim),Totalkostnadskrav (via utgiftsräkning) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Frånvarande -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rad {0}: Valuta för BOM # {1} bör vara lika med den valda valutan {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rad {0}: Valuta för BOM # {1} bör vara lika med den valda valutan {2} DocType: Journal Entry Account,Exchange Rate,Växelkurs -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Kundorder {0} är inte lämnat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Kundorder {0} är inte lämnat DocType: Homepage,Tag Line,Tag Linje DocType: Fee Component,Fee Component,avgift Komponent apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet Management -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Lägga till objekt från +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Lägga till objekt från DocType: Cheque Print Template,Regular,Regelbunden apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Total weightage av alla kriterier för bedömning måste vara 100% DocType: BOM,Last Purchase Rate,Senaste Beställningsvärde @@ -3909,12 +3920,12 @@ DocType: Employee,Reports to,Rapporter till DocType: SMS Settings,Enter url parameter for receiver nos,Ange url parameter för mottagaren DocType: Payment Entry,Paid Amount,Betalt belopp DocType: Assessment Plan,Supervisor,Handledare -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Uppkopplad +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Uppkopplad ,Available Stock for Packing Items,Tillgängligt lager för förpackningsprodukter DocType: Item Variant,Item Variant,Produkt Variant DocType: Assessment Result Tool,Assessment Result Tool,Bedömningsresultatverktyg DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Punkt -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Inlämnade order kan inte tas bort +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Inlämnade order kan inte tas bort apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Kontosaldo redan i Debit, du är inte tillåten att ställa ""Balans måste vara"" som ""Kredit""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kvalitetshantering apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Punkt {0} har inaktiverats @@ -3946,7 +3957,7 @@ DocType: Item Group,Default Expense Account,Standardutgiftskonto apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student E ID DocType: Employee,Notice (days),Observera (dagar) DocType: Tax Rule,Sales Tax Template,Moms Mall -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Välj objekt för att spara fakturan +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Välj objekt för att spara fakturan DocType: Employee,Encashment Date,Inlösnings Datum DocType: Training Event,Internet,internet DocType: Account,Stock Adjustment,Lager för justering @@ -3994,10 +4005,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Skicka apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max rabatt tillåtet för objektet: {0} är {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Substansvärdet på DocType: Account,Receivable,Fordran -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rad # {0}: Inte tillåtet att byta leverantör som beställning redan existerar +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rad # {0}: Inte tillåtet att byta leverantör som beställning redan existerar DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Roll som får godkänna transaktioner som överstiger kreditgränser. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Välj produkter i Tillverkning -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Basdata synkronisering, kan det ta lite tid" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Välj produkter i Tillverkning +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Basdata synkronisering, kan det ta lite tid" DocType: Item,Material Issue,Materialproblem DocType: Hub Settings,Seller Description,Säljare Beskrivning DocType: Employee Education,Qualification,Kvalifikation @@ -4018,11 +4029,10 @@ DocType: BOM,Rate Of Materials Based On,Hastighet av material baserade på apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Stöd Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Avmarkera alla DocType: POS Profile,Terms and Conditions,Villkor -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vänligen uppsättning Anställd Namn System i Mänskliga Resurser> HR Inställningar apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Till Datum bör ligga inom räkenskapsåret. Förutsatt att Dag = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Här kan du behålla längd, vikt, allergier, medicinska problem etc" DocType: Leave Block List,Applies to Company,Gäller Företag -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Det går inte att avbryta eftersom lämnad Lagernotering {0} existerar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Det går inte att avbryta eftersom lämnad Lagernotering {0} existerar DocType: Employee Loan,Disbursement Date,utbetalning Datum DocType: Vehicle,Vehicle,Fordon DocType: Purchase Invoice,In Words,I Ord @@ -4060,7 +4070,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globala inställningar DocType: Assessment Result Detail,Assessment Result Detail,Detaljer Bedömningsresultat DocType: Employee Education,Employee Education,Anställd Utbildning apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Dubblett grupp finns i posten grupptabellen -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Det behövs för att hämta produktdetaljer. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Det behövs för att hämta produktdetaljer. DocType: Salary Slip,Net Pay,Nettolön DocType: Account,Account,Konto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serienummer {0} redan har mottagits @@ -4068,7 +4078,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,fordonet Log DocType: Purchase Invoice,Recurring Id,Återkommande Id DocType: Customer,Sales Team Details,Försäljnings Team Detaljer -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Ta bort permanent? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Ta bort permanent? DocType: Expense Claim,Total Claimed Amount,Totalt yrkade beloppet apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentiella möjligheter för att sälja. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ogiltigt {0} @@ -4080,7 +4090,7 @@ DocType: Warehouse,PIN,STIFT apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup din skola i ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Basförändring Belopp (Company valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Inga bokföringsposter för följande lager -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Spara dokumentet först. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Spara dokumentet först. DocType: Account,Chargeable,Avgift DocType: Company,Change Abbreviation,Ändra Förkortning DocType: Expense Claim Detail,Expense Date,Utgiftsdatum @@ -4094,7 +4104,6 @@ DocType: BOM,Manufacturing User,Tillverkningsanvändare DocType: Purchase Invoice,Raw Materials Supplied,Råvaror Levereras DocType: Purchase Invoice,Recurring Print Format,Återkommande Utskriftsformat DocType: C-Form,Series,Serie -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Förväntat leveransdatum kan inte vara före beställningsdatum DocType: Appraisal,Appraisal Template,Bedömning mall DocType: Item Group,Item Classification,Produkt Klassificering apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager @@ -4133,12 +4142,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Välj mär apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Utbildningshändelser / resultat apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Ackumulerade avskrivningar som på DocType: Sales Invoice,C-Form Applicable,C-Form Tillämplig -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Operation Time måste vara större än 0 för drift {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Operation Time måste vara större än 0 för drift {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse är obligatoriskt DocType: Supplier,Address and Contacts,Adress och kontakter DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Omvandlings Detalj DocType: Program,Program Abbreviation,program Förkortning -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Produktionsorder kan inte skickas till en objektmall +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Produktionsorder kan inte skickas till en objektmall apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Avgifter uppdateras i inköpskvitto för varje post DocType: Warranty Claim,Resolved By,Åtgärdad av DocType: Bank Guarantee,Start Date,Start Datum @@ -4173,6 +4182,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,utbildning Feedback apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Produktionsorder {0} måste lämnas in apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Välj startdatum och slutdatum för punkt {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Ange ett försäljningsmål som du vill uppnå. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kursen är obligatorisk i rad {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Hittills inte kan vara före startdatum DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4190,7 +4200,7 @@ DocType: Account,Income,Inkomst DocType: Industry Type,Industry Type,Industrityp apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Något gick snett! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Varning: Ledighetsansökan innehåller följande block datum -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Fakturan {0} har redan lämnats in +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Fakturan {0} har redan lämnats in DocType: Assessment Result Detail,Score,Göra apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Räkenskapsårets {0} inte existerar apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Slutförande Datum @@ -4220,7 +4230,7 @@ DocType: Naming Series,Help HTML,Hjälp HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool DocType: Item,Variant Based On,Variant Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Totalt weightage delas ska vara 100%. Det är {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Dina Leverantörer +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Dina Leverantörer apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Kan inte ställa in då Förlorad kundorder är gjord. DocType: Request for Quotation Item,Supplier Part No,Leverantör varunummer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Det går inte att dra när kategori är för "Värdering" eller "Vaulation och Total" @@ -4230,14 +4240,14 @@ DocType: Item,Has Serial No,Har Löpnummer DocType: Employee,Date of Issue,Utgivningsdatum apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Från {0} för {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",Enligt Köpinställningar om inköp krävs == 'JA' och sedan för att skapa Köpfaktura måste användaren skapa Köp kvittot först för punkt {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Rad # {0}: Ställ Leverantör för punkt {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,V {0}: Timmar Värdet måste vara större än noll. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Rad # {0}: Ställ Leverantör för punkt {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,V {0}: Timmar Värdet måste vara större än noll. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Website Bild {0} fäst till punkt {1} kan inte hittas DocType: Issue,Content Type,Typ av innehåll apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Dator DocType: Item,List this Item in multiple groups on the website.,Lista detta objekt i flera grupper på webbplatsen. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Kontrollera flera valutor möjlighet att tillåta konton med annan valuta -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Produkt: {0} existerar inte i systemet +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Produkt: {0} existerar inte i systemet apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Du har inte behörighet att ställa in Frysta värden DocType: Payment Reconciliation,Get Unreconciled Entries,Hämta ej verifierade Anteckningar DocType: Payment Reconciliation,From Invoice Date,Från fakturadatum @@ -4263,7 +4273,7 @@ DocType: Stock Entry,Default Source Warehouse,Standardkälla Lager DocType: Item,Customer Code,Kund kod apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Påminnelse födelsedag för {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dagar sedan senast Order -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Debitering av kontot måste vara ett balanskonto +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Debitering av kontot måste vara ett balanskonto DocType: Buying Settings,Naming Series,Namge Serien DocType: Leave Block List,Leave Block List Name,Lämna Blocklistnamn apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Insurance Startdatum bör vara mindre än försäkring Slutdatum @@ -4280,7 +4290,7 @@ DocType: Vehicle Log,Odometer,Vägmätare DocType: Sales Order Item,Ordered Qty,Beställde Antal apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Punkt {0} är inaktiverad DocType: Stock Settings,Stock Frozen Upto,Lager Fryst Upp -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM inte innehåller någon lagervara +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM inte innehåller någon lagervara apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Period Från och period datum obligatoriska för återkommande {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektverksamhet / uppgift. DocType: Vehicle Log,Refuelling Details,Tanknings Detaljer @@ -4290,7 +4300,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Sista köpkurs hittades inte DocType: Purchase Invoice,Write Off Amount (Company Currency),Skriv engångsavgift (Company valuta) DocType: Sales Invoice Timesheet,Billing Hours,fakturerings Timmar -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,Standard BOM för {0} hittades inte +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,Standard BOM för {0} hittades inte apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Rad # {0}: Ställ in beställningsmängd apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tryck på objekt för att lägga till dem här DocType: Fees,Program Enrollment,programmet Inskrivning @@ -4324,6 +4334,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Åldringsräckvidd 2 DocType: SG Creation Tool Course,Max Strength,max Styrka apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM ersatte +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Välj objekt baserat på leveransdatum ,Sales Analytics,Försäljnings Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Tillgängliga {0} ,Prospects Engaged But Not Converted,Utsikter Engaged Men Not Converted @@ -4372,7 +4383,7 @@ DocType: Authorization Rule,Customerwise Discount,Kundrabatt apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Tidrapport för uppgifter. DocType: Purchase Invoice,Against Expense Account,Mot utgiftskonto DocType: Production Order,Production Order,Produktionsorder -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Installeringsnotis {0} har redan lämnats in +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Installeringsnotis {0} har redan lämnats in DocType: Bank Reconciliation,Get Payment Entries,Få Betalnings Inlägg DocType: Quotation Item,Against Docname,Mot doknamn DocType: SMS Center,All Employee (Active),Personal (aktiv) @@ -4381,7 +4392,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Råvarukostnad DocType: Item Reorder,Re-Order Level,Återuppta nivå DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Ange produkter och planerad ant. som du vill höja produktionsorder eller hämta råvaror för analys. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt-Schema +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt-Schema apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Deltid DocType: Employee,Applicable Holiday List,Tillämplig kalender DocType: Employee,Cheque,Check @@ -4439,11 +4450,11 @@ DocType: Bin,Reserved Qty for Production,Reserverad Kvantitet för produktion DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lämna avmarkerad om du inte vill överväga batch medan du gör kursbaserade grupper. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lämna avmarkerad om du inte vill överväga batch medan du gör kursbaserade grupper. DocType: Asset,Frequency of Depreciation (Months),Frekvens av avskrivningar (månader) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,KUNDKONTO +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,KUNDKONTO DocType: Landed Cost Item,Landed Cost Item,Landad kostnadspost apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Visa nollvärden DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Antal av objekt som erhålls efter tillverkning / ompackning från givna mängder av råvaror -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Setup en enkel hemsida för min organisation +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Setup en enkel hemsida för min organisation DocType: Payment Reconciliation,Receivable / Payable Account,Fordran / Betal konto DocType: Delivery Note Item,Against Sales Order Item,Mot Försäljningvara apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Ange Attribut Värde för attribut {0} @@ -4508,22 +4519,22 @@ DocType: Student,Nationality,Nationalitet ,Items To Be Requested,Produkter att begäras DocType: Purchase Order,Get Last Purchase Rate,Hämta Senaste Beställningsvärdet DocType: Company,Company Info,Företagsinfo -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Välj eller lägga till en ny kund -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kostnadsställe krävs för att boka en räkningen +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Välj eller lägga till en ny kund +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Kostnadsställe krävs för att boka en räkningen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Tillämpning av medel (tillgångar) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Detta är baserat på närvaron av detta till anställda -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Bankkortkonto +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Bankkortkonto DocType: Fiscal Year,Year Start Date,År Startdatum DocType: Attendance,Employee Name,Anställd Namn DocType: Sales Invoice,Rounded Total (Company Currency),Avrundat Totalt (Företagsvaluta) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Det går inte att konvertera till koncernen eftersom Kontotyp valts. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} har ändrats. Vänligen uppdatera. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} har ändrats. Vänligen uppdatera. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stoppa användare från att göra Lämna program på följande dagarna. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Köpesumma apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Leverantör Offert {0} skapades apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,End år kan inte vara före startåret apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Ersättningar till anställda -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Packad kvantitet måste vara samma kvantitet för punkt {0} i rad {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Packad kvantitet måste vara samma kvantitet för punkt {0} i rad {1} DocType: Production Order,Manufactured Qty,Tillverkas Antal DocType: Purchase Receipt Item,Accepted Quantity,Godkänd Kvantitet apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Vänligen ange ett standardkalender för anställd {0} eller Company {1} @@ -4534,11 +4545,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Rad nr {0}: Beloppet kan inte vara större än utestående beloppet mot utgiftsräkning {1}. I avvaktan på Beloppet är {2} DocType: Maintenance Schedule,Schedule,Tidtabell DocType: Account,Parent Account,Moderbolaget konto -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Tillgängligt +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Tillgängligt DocType: Quality Inspection Reading,Reading 3,Avläsning 3 ,Hub,Nav DocType: GL Entry,Voucher Type,Rabatt Typ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Prislista hittades inte eller avaktiverad +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Prislista hittades inte eller avaktiverad DocType: Employee Loan Application,Approved,Godkänd DocType: Pricing Rule,Price,Pris apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Anställd sparkades på {0} måste ställas in som ""lämnat""" @@ -4608,7 +4619,7 @@ DocType: SMS Settings,Static Parameters,Statiska Parametrar DocType: Assessment Plan,Room,Rum DocType: Purchase Order,Advance Paid,Förskottsbetalning DocType: Item,Item Tax,Produkt Skatt -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Material till leverantören +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Material till leverantören apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Punkt Faktura apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Tröskel {0}% visas mer än en gång DocType: Expense Claim,Employees Email Id,Anställdas E-post Id @@ -4648,7 +4659,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Modell DocType: Production Order,Actual Operating Cost,Faktisk driftkostnad DocType: Payment Entry,Cheque/Reference No,Check / referensnummer -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverantör> Leverantörstyp apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root kan inte redigeras. DocType: Item,Units of Measure,Måttenheter DocType: Manufacturing Settings,Allow Production on Holidays,Tillåt Produktion på helgdagar @@ -4681,12 +4691,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Kreditdagar apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Göra Student Batch DocType: Leave Type,Is Carry Forward,Är Överförd -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Hämta artiklar från BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Hämta artiklar från BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ledtid dagar -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rad # {0}: Publiceringsdatum måste vara densamma som inköpsdatum {1} av tillgångar {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rad # {0}: Publiceringsdatum måste vara densamma som inköpsdatum {1} av tillgångar {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kolla här om studenten är bosatt vid institutets vandrarhem. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Ange kundorder i tabellen ovan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Inte lämnat lönebesked +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Inte lämnat lönebesked ,Stock Summary,lager Sammanfattning apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Överföra en tillgång från ett lager till ett annat DocType: Vehicle,Petrol,Bensin diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index f8424a3f58e..7dbb4a472aa 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,வாணிகம் செய்பவர் DocType: Employee,Rented,வாடகைக்கு DocType: Purchase Order,PO-,இம் DocType: POS Profile,Applicable for User,பயனர் பொருந்தும் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","நிறுத்தி உற்பத்தி ஆணை ரத்து செய்ய முடியாது, ரத்து செய்ய முதலில் அதை தடை இல்லாத" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","நிறுத்தி உற்பத்தி ஆணை ரத்து செய்ய முடியாது, ரத்து செய்ய முதலில் அதை தடை இல்லாத" DocType: Vehicle Service,Mileage,மைலேஜ் apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,நீங்கள் உண்மையில் இந்த சொத்து கைவிட்டால் செய்ய விரும்புகிறீர்களா? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,இயல்புநிலை சப்ளையர் தேர்வு @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% வசூலிக்கப்படும் apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),மாற்று வீதம் அதே இருக்க வேண்டும் {0} {1} ({2}) DocType: Sales Invoice,Customer Name,வாடிக்கையாளர் பெயர் DocType: Vehicle,Natural Gas,இயற்கை எரிவாயு -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},வங்கி கணக்கு என பெயரிடப்பட்டது {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},வங்கி கணக்கு என பெயரிடப்பட்டது {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"தலைவர்கள் (குழுக்களின்) எதிராக, கணக்கு பதிவுகள் செய்யப்படுகின்றன மற்றும் சமநிலைகள் பராமரிக்கப்படுகிறது." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),சிறந்த {0} பூஜ்யம் விட குறைவாக இருக்க முடியாது ( {1} ) @@ -45,7 +45,7 @@ DocType: Leave Type,Leave Type Name,வகை பெயர் விட்டு apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,திறந்த காட்டு apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,தொடர் வெற்றிகரமாக புதுப்பிக்கப்பட்டது apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,வெளியேறுதல் -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural ஜர்னல் நுழைவு சமர்ப்பிக்கப்பட்டது +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural ஜர்னல் நுழைவு சமர்ப்பிக்கப்பட்டது DocType: Pricing Rule,Apply On,விண்ணப்பிக்க DocType: Item Price,Multiple Item prices.,பல பொருள் விலை . ,Purchase Order Items To Be Received,"பெறப்பட்டுள்ள இருக்கவும் செய்ய வாங்குதல், ஆர்டர் உருப்படிகள்" @@ -61,7 +61,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,கொடுப் apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,காட்டு மாறிகள் DocType: Academic Term,Academic Term,கல்வி கால apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,பொருள் -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,அளவு +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,அளவு apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,கணக்குகள் அட்டவணை காலியாக இருக்க முடியாது. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),கடன்கள் ( கடன்) DocType: Employee Education,Year of Passing,தேர்ச்சி பெறுவதற்கான ஆண்டு @@ -73,11 +73,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,உடல்நலம் apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),கட்டணம் தாமதம் (நாட்கள்) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,சேவை செலவு -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},வரிசை எண்: {0} ஏற்கனவே விற்பனை விலைப்பட்டியல் குறிக்கப்படுகிறது உள்ளது: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,விலைப்பட்டியல் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},வரிசை எண்: {0} ஏற்கனவே விற்பனை விலைப்பட்டியல் குறிக்கப்படுகிறது உள்ளது: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,விலைப்பட்டியல் DocType: Maintenance Schedule Item,Periodicity,வட்டம் apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,நிதியாண்டு {0} தேவையான -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,எதிர்பார்த்த வழங்குதல் தேதி விற்பனை ஆர்டர் தேதி முன் இருக்க உள்ளது apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,பாதுகாப்பு DocType: Salary Component,Abbr,சுருக்கம் DocType: Appraisal Goal,Score (0-5),ஸ்கோர் (0-5) @@ -85,7 +84,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ரோ # {0}: DocType: Timesheet,Total Costing Amount,மொத்த செலவு தொகை DocType: Delivery Note,Vehicle No,வாகனம் இல்லை -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,விலை பட்டியல் தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,விலை பட்டியல் தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,ரோ # {0}: கொடுப்பனவு ஆவணம் trasaction முடிக்க வேண்டும் DocType: Production Order Operation,Work In Progress,முன்னேற்றம் வேலை apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,தேதியைத் தேர்ந்தெடுக்கவும் @@ -111,7 +110,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} எந்த செயலில் நிதியாண்டு இல்லை. DocType: Packed Item,Parent Detail docname,பெற்றோர் விரிவாக docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",குறிப்பு: {0} பொருள் குறியீடு: {1} மற்றும் வாடிக்கையாளர்: {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,கிலோ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,கிலோ DocType: Student Log,Log,புகுபதிகை apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ஒரு வேலை திறப்பு. DocType: Item Attribute,Increment,சம்பள உயர்வு @@ -121,7 +120,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,திருமணம் apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},அனுமதி இல்லை {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,இருந்து பொருட்களை பெற -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},பங்கு விநியோக குறிப்பு எதிராக மேம்படுத்தப்பட்டது முடியாது {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},பங்கு விநியோக குறிப்பு எதிராக மேம்படுத்தப்பட்டது முடியாது {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},தயாரிப்பு {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,உருப்படிகள் எதுவும் பட்டியலிடப்படவில்லை DocType: Payment Reconciliation,Reconcile,சமரசம் @@ -132,7 +131,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,ஓ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,அடுத்து தேய்மானம் தேதி கொள்முதல் தேதி முன்பாக இருக்கக் கூடாது DocType: SMS Center,All Sales Person,அனைத்து விற்பனை நபர் DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** மாதாந்திர விநியோகம் ** நீங்கள் உங்கள் வணிக பருவகால இருந்தால் நீங்கள் மாதங்கள் முழுவதும் பட்ஜெட் / இலக்கு விநியோகிக்க உதவுகிறது. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,பொருட்களை காணவில்லை +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,பொருட்களை காணவில்லை apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,சம்பளத் திட்டத்தை காணாமல் DocType: Lead,Person Name,நபர் பெயர் DocType: Sales Invoice Item,Sales Invoice Item,விற்பனை விலைப்பட்டியல் பொருள் @@ -146,12 +145,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""நிலையான சொத்து உள்ளது" சொத்து சாதனை உருப்படியை எதிராக உள்ளது என, நீக்கம் செய்ய முடியாது" DocType: Vehicle Service,Brake Oil,பிரேக் ஆயில் DocType: Tax Rule,Tax Type,வரி வகை -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,வரிவிதிக்கத்தக்க தொகை +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,வரிவிதிக்கத்தக்க தொகை apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},நீங்கள் முன் உள்ளீடுகளை சேர்க்க அல்லது மேம்படுத்தல் அங்கீகாரம் இல்லை {0} DocType: BOM,Item Image (if not slideshow),பொருள் படம் (இல்லையென்றால் ஸ்லைடுஷோ) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,"ஒரு வாடிக்கையாளர் , அதே பெயரில்" DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(அவ்வேளை விகிதம் / 60) * உண்மையான நடவடிக்கையை நேரம் -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,BOM தேர்வு +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,BOM தேர்வு DocType: SMS Log,SMS Log,எஸ்எம்எஸ் புகுபதிகை apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,வழங்கப்படுகிறது பொருட்களை செலவு apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} விடுமுறை வரம்பு தேதி தேதி இடையே அல்ல @@ -171,13 +170,13 @@ DocType: Academic Term,Schools,பள்ளிகள் DocType: School Settings,Validate Batch for Students in Student Group,மாணவர் குழுமத்தின் மாணவர்களுக்கான தொகுதி சரிபார்க்கவும் apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ஊழியர் காணப்படவில்லை விடுப்பு குறிப்பிடும் வார்த்தைகளோ {0} க்கான {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,முதல் நிறுவனம் உள்ளிடவும் -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,முதல் நிறுவனம் தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,முதல் நிறுவனம் தேர்ந்தெடுக்கவும் DocType: Employee Education,Under Graduate,பட்டதாரி கீழ் apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,இலக்கு DocType: BOM,Total Cost,மொத்த செலவு DocType: Journal Entry Account,Employee Loan,பணியாளர் கடன் -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,நடவடிக்கை பதிவு -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,பொருள் {0} அமைப்பில் இல்லை அல்லது காலாவதியானது +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,நடவடிக்கை பதிவு +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,பொருள் {0} அமைப்பில் இல்லை அல்லது காலாவதியானது apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,வீடு apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,கணக்கு அறிக்கை apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,மருந்துப்பொருள்கள் @@ -187,19 +186,18 @@ DocType: Expense Claim Detail,Claim Amount,உரிமை தொகை apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer குழு அட்டவணையில் பிரதி வாடிக்கையாளர் குழு apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,வழங்குபவர் வகை / வழங்குபவர் DocType: Naming Series,Prefix,முற்சேர்க்கை -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,அமைவு> அமைப்புகள்> பெயரிடும் தொடர்கள் வழியாக {0} பெயரிடும் தொடர்களை அமைக்கவும் -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,நுகர்வோர் +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,நுகர்வோர் DocType: Employee,B-,பி- DocType: Upload Attendance,Import Log,புகுபதிகை இறக்குமதி DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,மேலே அளவுகோல்களை அடிப்படையாக வகை உற்பத்தி பொருள் வேண்டுகோள் இழுக்க DocType: Training Result Employee,Grade,தரம் DocType: Sales Invoice Item,Delivered By Supplier,சப்ளையர் மூலம் வழங்கப்படுகிறது DocType: SMS Center,All Contact,அனைத்து தொடர்பு -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,உற்பத்தி ஆணை ஏற்கனவே BOM அனைத்து பொருட்கள் உருவாக்கப்பட்ட +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,உற்பத்தி ஆணை ஏற்கனவே BOM அனைத்து பொருட்கள் உருவாக்கப்பட்ட apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,ஆண்டு சம்பளம் DocType: Daily Work Summary,Daily Work Summary,தினசரி வேலை சுருக்கம் DocType: Period Closing Voucher,Closing Fiscal Year,நிதியாண்டு மூடுவதற்கு -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} உறைந்து +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} உறைந்து apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,கணக்கு வரைபடம் உருவாக்க இருக்கும் நிறுவனத்தை தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,பங்கு செலவுகள் apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,இலக்கு கிடங்கு தேர்ந்தெடுக்கவும் @@ -214,14 +212,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ஏற்கப்பட்டது + நிராகரிக்கப்பட்டது அளவு பொருள் பெறப்பட்டது அளவு சமமாக இருக்க வேண்டும் {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,வழங்கல் மூலப்பொருட்கள் வாங்க -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,கட்டணம் குறைந்தது ஒரு முறை பிஓஎஸ் விலைப்பட்டியல் தேவைப்படுகிறது. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,கட்டணம் குறைந்தது ஒரு முறை பிஓஎஸ் விலைப்பட்டியல் தேவைப்படுகிறது. DocType: Products Settings,Show Products as a List,நிகழ்ச்சி பொருட்கள் ஒரு பட்டியல் DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",", டெம்ப்ளேட் பதிவிறக்கம் பொருத்தமான தரவு நிரப்ப செய்தது கோப்பு இணைக்கவும். தேர்வு காலம் இருக்கும் அனைத்து தேதிகளும் ஊழியர் இணைந்து ஏற்கனவே உள்ள வருகைப் பதிவேடுகள் கொண்டு, டெம்ப்ளேட் வரும்" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,பொருள் {0} செயலில் இல்லை அல்லது வாழ்க்கை முடிவுக்கு வந்து விட்டது -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,உதாரணம்: அடிப்படை கணிதம் -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","வரிசையில் வரி ஆகியவை அடங்கும் {0} பொருள் விகிதம் , வரிசைகளில் வரிகளை {1} சேர்க்கப்பட்டுள்ளது" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,உதாரணம்: அடிப்படை கணிதம் +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","வரிசையில் வரி ஆகியவை அடங்கும் {0} பொருள் விகிதம் , வரிசைகளில் வரிகளை {1} சேர்க்கப்பட்டுள்ளது" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,அலுவலக தொகுதி அமைப்புகள் DocType: SMS Center,SMS Center,எஸ்எம்எஸ் மையம் DocType: Sales Invoice,Change Amount,அளவு மாற்ற @@ -252,7 +250,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},நிறுவல் தேதி உருப்படி பிரசவ தேதி முன் இருக்க முடியாது {0} DocType: Pricing Rule,Discount on Price List Rate (%),விலை பட்டியல் விகிதம் தள்ளுபடி (%) DocType: Offer Letter,Select Terms and Conditions,தேர்வு விதிமுறைகள் மற்றும் நிபந்தனைகள் -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,அவுட் மதிப்பு +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,அவுட் மதிப்பு DocType: Production Planning Tool,Sales Orders,விற்பனை ஆணைகள் DocType: Purchase Taxes and Charges,Valuation,மதிப்பு மிக்க ,Purchase Order Trends,ஆர்டர் போக்குகள் வாங்குவதற்கு @@ -276,7 +274,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,நுழைவு திறக்கிறது DocType: Customer Group,Mention if non-standard receivable account applicable,குறிப்பிட தரமற்ற பெறத்தக்க கணக்கு பொருந்தினால் DocType: Course Schedule,Instructor Name,பயிற்றுவிப்பாளர் பெயர் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,கிடங்கு தேவையாக முன் சமர்ப்பிக்க +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,கிடங்கு தேவையாக முன் சமர்ப்பிக்க apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,அன்று பெறப்பட்டது DocType: Sales Partner,Reseller,மறுவிற்பனையாளர் DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","தேர்ந்தெடுக்கப்பட்டால், பொருள் கோரிக்கைகளில் பங்கற்ற பொருட்களை அடங்கும்." @@ -284,13 +282,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,விற்பனை விலைப்பட்டியல் பொருள் எதிராக ,Production Orders in Progress,முன்னேற்றம் உற்பத்தி ஆணைகள் apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,கடன் இருந்து நிகர பண -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage முழு உள்ளது, காப்பாற்ற முடியவில்லை" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage முழு உள்ளது, காப்பாற்ற முடியவில்லை" DocType: Lead,Address & Contact,முகவரி மற்றும் தொடர்பு கொள்ள DocType: Leave Allocation,Add unused leaves from previous allocations,முந்தைய ஒதுக்கீடுகளை இருந்து பயன்படுத்தப்படாத இலைகள் சேர்க்கவும் apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},அடுத்த தொடர் {0} ம் உருவாக்கப்பட்ட {1} DocType: Sales Partner,Partner website,பங்குதாரரான வலைத்தளத்தில் apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,பொருள் சேர் -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,பெயர் தொடர்பு +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,பெயர் தொடர்பு DocType: Course Assessment Criteria,Course Assessment Criteria,கோர்ஸ் மதிப்பீடு செய்க மதீப்பீட்டு DocType: Process Payroll,Creates salary slip for above mentioned criteria.,மேலே குறிப்பிட்டுள்ள அடிப்படை சம்பளம் சீட்டு உருவாக்குகிறது. DocType: POS Customer Group,POS Customer Group,பிஓஎஸ் வாடிக்கையாளர் குழு @@ -306,7 +304,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ரோ {0}: சரிபார்க்கவும் கணக்கு எதிராக 'அட்வான்ஸ்' என்ற {1} இந்த ஒரு முன்கூட்டியே நுழைவு என்றால். apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},கிடங்கு {0} அல்ல நிறுவனம் {1} DocType: Email Digest,Profit & Loss,லாபம் மற்றும் நஷ்டம் -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,லிட்டர் +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,லிட்டர் DocType: Task,Total Costing Amount (via Time Sheet),மொத்த செலவுவகை தொகை (நேரம் தாள் வழியாக) DocType: Item Website Specification,Item Website Specification,பொருள் வலைத்தளம் குறிப்புகள் apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,தடுக்கப்பட்ட விட்டு @@ -318,7 +316,7 @@ DocType: Stock Entry,Sales Invoice No,விற்பனை விலைப் DocType: Material Request Item,Min Order Qty,குறைந்தபட்ச ஆணை அளவு DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,மாணவர் குழு உருவாக்கம் கருவி பாடநெறி DocType: Lead,Do Not Contact,தொடர்பு இல்லை -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,உங்கள் நிறுவனத்தில் உள்ள கற்பிக்க மக்கள் +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,உங்கள் நிறுவனத்தில் உள்ள கற்பிக்க மக்கள் DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,அனைத்து மீண்டும் பொருள் தேடும் தனிப்பட்ட ஐடி. அதை சமர்ப்பிக்க இல் உருவாக்கப்பட்டது. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,மென்பொருள் டெவலப்பர் DocType: Item,Minimum Order Qty,குறைந்தபட்ச ஆணை அளவு @@ -330,7 +328,7 @@ DocType: Item,Publish in Hub,மையம் உள்ள வெளியிட DocType: Student Admission,Student Admission,மாணவர் சேர்க்கை ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,பொருள் {0} ரத்து -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,பொருள் கோரிக்கை +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,பொருள் கோரிக்கை DocType: Bank Reconciliation,Update Clearance Date,இசைவு தேதி புதுப்பிக்க DocType: Item,Purchase Details,கொள்முதல் விவரம் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},கொள்முதல் ஆணை உள்ள 'மூலப்பொருட்கள் சப்ளை' அட்டவணை காணப்படவில்லை பொருள் {0} {1} @@ -370,7 +368,7 @@ DocType: Vehicle,Fleet Manager,கடற்படை மேலாளர் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},ரோ # {0}: {1} உருப்படியை எதிர்மறையாக இருக்க முடியாது {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,தவறான கடவுச்சொல் DocType: Item,Variant Of,மாறுபாடு -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',அது 'அளவு உற்பத்தி செய்ய' நிறைவு அளவு அதிகமாக இருக்க முடியாது +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',அது 'அளவு உற்பத்தி செய்ய' நிறைவு அளவு அதிகமாக இருக்க முடியாது DocType: Period Closing Voucher,Closing Account Head,கணக்கு தலைமை மூடுவதற்கு DocType: Employee,External Work History,வெளி வேலை வரலாறு apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,வட்ட குறிப்பு பிழை @@ -381,10 +379,11 @@ apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) fou அலகுகள் (# படிவம் / பொருள் / {1}) [{2}] காணப்படுகிறது (# படிவம் / சேமிப்பு கிடங்கு / {2})" DocType: Lead,Industry,தொழில் DocType: Employee,Job Profile,வேலை விவரம் +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,இந்த நிறுவனத்திற்கு எதிரான பரிவர்த்தனைகளை அடிப்படையாகக் கொண்டது. விபரங்களுக்கு கீழே காலவரிசைப் பார்க்கவும் DocType: Stock Settings,Notify by Email on creation of automatic Material Request,தானியங்கி பொருள் கோரிக்கை உருவாக்கம் மின்னஞ்சல் மூலம் தெரிவிக்க DocType: Journal Entry,Multi Currency,பல நாணய DocType: Payment Reconciliation Invoice,Invoice Type,விலைப்பட்டியல் வகை -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,டெலிவரி குறிப்பு +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,டெலிவரி குறிப்பு apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,வரி அமைத்தல் apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,விற்கப்பட்டது சொத்து செலவு apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,நீங்கள் அதை இழுத்து பின்னர் கொடுப்பனவு நுழைவு மாற்றப்பட்டுள்ளது. மீண்டும் அதை இழுக்க கொள்ளவும். @@ -407,10 +406,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,துறையில் மதிப்பு ' மாதம் நாளில் பூசை ' உள்ளிடவும் DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,விகிதம் இது வாடிக்கையாளர் நாணயத்தின் வாடிக்கையாளர் அடிப்படை நாணய மாற்றப்படும் DocType: Course Scheduling Tool,Course Scheduling Tool,பாடநெறி திட்டமிடல் கருவி -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ரோ # {0}: கொள்முதல் விலைப்பட்டியல் இருக்கும் சொத்துடன் எதிராகவும் முடியாது {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ரோ # {0}: கொள்முதல் விலைப்பட்டியல் இருக்கும் சொத்துடன் எதிராகவும் முடியாது {1} DocType: Item Tax,Tax Rate,வரி விகிதம் apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ஏற்கனவே பணியாளர் ஒதுக்கப்பட்ட {1} காலம் {2} க்கான {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,உருப்படி தேர்வுசெய்க +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,உருப்படி தேர்வுசெய்க apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,கொள்முதல் விலைப்பட்டியல் {0} ஏற்கனவே சமர்ப்பிக்கப்பட்ட apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ரோ # {0}: கூறு எண் அதே இருக்க வேண்டும் {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,அல்லாத குழு மாற்றுக @@ -450,7 +449,7 @@ DocType: Employee,Widowed,விதவை DocType: Request for Quotation,Request for Quotation,விலைப்பட்டியலுக்கான கோரிக்கை DocType: Salary Slip Timesheet,Working Hours,வேலை நேரங்கள் DocType: Naming Series,Change the starting / current sequence number of an existing series.,ஏற்கனவே தொடரில் தற்போதைய / தொடக்க வரிசை எண் மாற்ற. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ஒரு புதிய வாடிக்கையாளர் உருவாக்கவும் +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,ஒரு புதிய வாடிக்கையாளர் உருவாக்கவும் apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","பல விலை விதிகள் நிலவும் தொடர்ந்து இருந்தால், பயனர்கள் முரண்பாட்டை தீர்க்க கைமுறையாக முன்னுரிமை அமைக்க கேட்கப்பட்டது." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,கொள்முதல் ஆணைகள் உருவாக்க ,Purchase Register,பதிவு வாங்குவதற்கு @@ -476,7 +475,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,பரிசோதகர் பெயர் DocType: Purchase Invoice Item,Quantity and Rate,அளவு மற்றும் விகிதம் DocType: Delivery Note,% Installed,% நிறுவப்பட்ட -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,வகுப்பறைகள் / ஆய்வுக்கூடங்கள் போன்றவை அங்கு விரிவுரைகள் திட்டமிடப்பட்டுள்ளது. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,வகுப்பறைகள் / ஆய்வுக்கூடங்கள் போன்றவை அங்கு விரிவுரைகள் திட்டமிடப்பட்டுள்ளது. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,முதல் நிறுவனத்தின் பெயரை உள்ளிடுக DocType: Purchase Invoice,Supplier Name,வழங்குபவர் பெயர் apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext கையேட்டை வாசிக்க @@ -493,7 +492,7 @@ DocType: Account,Old Parent,பழைய பெற்றோர் apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,கட்டாய துறையில் - கல்வி ஆண்டு apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,கட்டாய துறையில் - கல்வி ஆண்டு DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,அந்த மின்னஞ்சல் ஒரு பகுதியாக சென்று அந்த அறிமுக உரை தனிப்பயனாக்கலாம். ஒவ்வொரு நடவடிக்கைக்கும் ஒரு தனி அறிமுக உரை உள்ளது. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},நிறுவனம் இயல்புநிலை செலுத்தப்பட கணக்கு அமைக்கவும் {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},நிறுவனம் இயல்புநிலை செலுத்தப்பட கணக்கு அமைக்கவும் {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,அனைத்து உற்பத்தி செயல்முறைகள் உலக அமைப்புகள். DocType: Accounts Settings,Accounts Frozen Upto,உறைந்த வரை கணக்குகள் DocType: SMS Log,Sent On,அன்று அனுப்பப்பட்டது @@ -533,7 +532,7 @@ DocType: Journal Entry,Accounts Payable,கணக்குகள் செலு apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,தேர்ந்தெடுக்கப்பட்ட BOM கள் அதே உருப்படியை இல்லை DocType: Pricing Rule,Valid Upto,வரை செல்லுபடியாகும் DocType: Training Event,Workshop,பட்டறை -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,உங்கள் வாடிக்கையாளர்களுக்கு ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,உங்கள் வாடிக்கையாளர்களுக்கு ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,போதும் பாகங்கள் கட்டுவது எப்படி apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,நேரடி வருமானம் apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","கணக்கு மூலம் தொகுக்கப்பட்டுள்ளது என்றால் , கணக்கு அடிப்படையில் வடிகட்ட முடியாது" @@ -541,7 +540,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,கோர்ஸ் தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,கோர்ஸ் தேர்ந்தெடுக்கவும் DocType: Timesheet Detail,Hrs,மணி -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,நிறுவனத்தின் தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,நிறுவனத்தின் தேர்ந்தெடுக்கவும் DocType: Stock Entry Detail,Difference Account,வித்தியாசம் கணக்கு DocType: Purchase Invoice,Supplier GSTIN,சப்ளையர் GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,அதன் சார்ந்து பணி {0} மூடவில்லை நெருக்கமாக பணி அல்ல முடியும். @@ -558,7 +557,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,ஆரம்பம் 0% அளவீட்டைக் வரையறுக்க கொள்ளவும் DocType: Sales Order,To Deliver,வழங்க DocType: Purchase Invoice Item,Item,பொருள் -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,சீரியல் எந்த உருப்படியை ஒரு பகுதியை இருக்க முடியாது +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,சீரியல் எந்த உருப்படியை ஒரு பகுதியை இருக்க முடியாது DocType: Journal Entry,Difference (Dr - Cr),வேறுபாடு ( டாக்டர் - CR) DocType: Account,Profit and Loss,இலாப நட்ட apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,நிர்வாக உப ஒப்பந்தமிடல் @@ -584,7 +583,7 @@ DocType: Serial No,Warranty Period (Days),உத்தரவாதத்தை DocType: Installation Note Item,Installation Note Item,நிறுவல் குறிப்பு பொருள் DocType: Production Plan Item,Pending Qty,நிலுவையில் அளவு DocType: Budget,Ignore,புறக்கணி -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} செயலில் இல்லை +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} செயலில் இல்லை apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},எஸ்எம்எஸ் எண்களில் அனுப்பப்பட்டது: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,அச்சிடும் அமைப்பு காசோலை பரிமாணங்களை DocType: Salary Slip,Salary Slip Timesheet,சம்பளம் ஸ்லிப் டைம் ஷீட் @@ -690,8 +689,8 @@ DocType: Installation Note,IN-,வய தான DocType: Production Order Operation,In minutes,நிமிடங்களில் DocType: Issue,Resolution Date,தீர்மானம் தேதி DocType: Student Batch Name,Batch Name,தொகுதி பெயர் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,டைம் ஷீட் உருவாக்கப்பட்ட: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},கொடுப்பனவு முறையில் இயல்புநிலை பண அல்லது வங்கி கணக்கு அமைக்கவும் {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,டைம் ஷீட் உருவாக்கப்பட்ட: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},கொடுப்பனவு முறையில் இயல்புநிலை பண அல்லது வங்கி கணக்கு அமைக்கவும் {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,பதிவுசெய்யவும் DocType: GST Settings,GST Settings,ஜிஎஸ்டி அமைப்புகள் DocType: Selling Settings,Customer Naming By,மூலம் பெயரிடுதல் வாடிக்கையாளர் @@ -711,7 +710,7 @@ DocType: Activity Cost,Projects User,திட்டங்கள் பயனர apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,உட்கொள்ளுகிறது apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0} {1} விலைப்பட்டியல் விவரம் அட்டவணையில் இல்லை DocType: Company,Round Off Cost Center,விலை மையம் ஆஃப் சுற்றுக்கு -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,பராமரிப்பு வருகை {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,பராமரிப்பு வருகை {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் DocType: Item,Material Transfer,பொருள் மாற்றம் apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),திறப்பு ( டாக்டர் ) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},பதிவுசெய்ய நேர முத்திரை பின்னர் இருக்க வேண்டும் {0} @@ -720,7 +719,7 @@ DocType: Employee Loan,Total Interest Payable,மொத்த வட்டி DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed செலவு வரிகள் மற்றும் கட்டணங்கள் DocType: Production Order Operation,Actual Start Time,உண்மையான தொடக்க நேரம் DocType: BOM Operation,Operation Time,ஆபரேஷன் நேரம் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,முடிந்தது +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,முடிந்தது apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,அடித்தளம் DocType: Timesheet,Total Billed Hours,மொத்த பில் மணி DocType: Journal Entry,Write Off Amount,மொத்த தொகை இனிய எழுத @@ -747,7 +746,7 @@ DocType: Vehicle,Odometer Value (Last),ஓடோமீட்டர் மத apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,சந்தைப்படுத்தல் apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,கொடுப்பனவு நுழைவு ஏற்கனவே உருவாக்கப்பட்ட DocType: Purchase Receipt Item Supplied,Current Stock,தற்போதைய பங்கு -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},ரோ # {0}: சொத்து {1} பொருள் இணைக்கப்பட்ட இல்லை {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},ரோ # {0}: சொத்து {1} பொருள் இணைக்கப்பட்ட இல்லை {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,முன்னோட்டம் சம்பளம் ஸ்லிப் apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,கணக்கு {0} பல முறை உள்ளிட்ட வருகிறது DocType: Account,Expenses Included In Valuation,செலவுகள் மதிப்பீட்டு சேர்க்கப்பட்டுள்ளது @@ -772,7 +771,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,வான DocType: Journal Entry,Credit Card Entry,கடன் அட்டை நுழைவு apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,கணக்குகள் நிறுவனம் மற்றும் apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,பொருட்கள் விநியோகஸ்தர்கள் இருந்து பெற்றார். -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,மதிப்பு +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,மதிப்பு DocType: Lead,Campaign Name,பிரச்சாரம் பெயர் DocType: Selling Settings,Close Opportunity After Days,நாட்கள் பிறகு மூடு வாய்ப்பு ,Reserved,முன்பதிவு @@ -797,17 +796,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,சக்தி DocType: Opportunity,Opportunity From,வாய்ப்பு வரம்பு apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,மாத சம்பளம் அறிக்கை. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,வரிசை {0}: {1} பொருள் {2} க்கான தொடர் எண்கள் தேவைப்படும். நீங்கள் {3} வழங்கியுள்ளீர்கள். DocType: BOM,Website Specifications,இணையத்தளம் விருப்பம் apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0} இருந்து: {0} வகை {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ரோ {0}: மாற்று காரணி கட்டாய ஆகிறது DocType: Employee,A+,ஒரு + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","பல விலை விதிகள் அளவுகோல் கொண்டு உள்ளது, முன்னுரிமை ஒதுக்க மூலம் மோதலை தீர்க்க தயவு செய்து. விலை விதிகள்: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,செயலிழக்க அல்லது அது மற்ற BOM கள் தொடர்பு உள்ளது என BOM ரத்துசெய்ய முடியாது +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,செயலிழக்க அல்லது அது மற்ற BOM கள் தொடர்பு உள்ளது என BOM ரத்துசெய்ய முடியாது DocType: Opportunity,Maintenance,பராமரிப்பு DocType: Item Attribute Value,Item Attribute Value,பொருள் மதிப்பு பண்பு apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,விற்பனை பிரச்சாரங்களை . -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,டைம் ஷீட் செய்ய +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,டைம் ஷீட் செய்ய DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -860,7 +860,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,மின்னஞ்சல் கணக்கை அமைத்ததற்கு apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,முதல் பொருள் உள்ளிடவும் DocType: Account,Liability,பொறுப்பு -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ஒப்புதல் தொகை ரோ கூறுகின்றனர் காட்டிலும் அதிகமாக இருக்க முடியாது {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ஒப்புதல் தொகை ரோ கூறுகின்றனர் காட்டிலும் அதிகமாக இருக்க முடியாது {0}. DocType: Company,Default Cost of Goods Sold Account,பொருட்களை விற்பனை கணக்கு இயல்பான செலவு apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,விலை பட்டியல் தேர்வு DocType: Employee,Family Background,குடும்ப பின்னணி @@ -871,10 +871,10 @@ DocType: Company,Default Bank Account,முன்னிருப்பு வ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",கட்சி அடிப்படையில் வடிகட்ட தேர்ந்தெடுக்கவும் கட்சி முதல் வகை apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"பொருட்களை வழியாக இல்லை, ஏனெனில் 'மேம்படுத்தல் பங்கு' சோதிக்க முடியாது, {0}" DocType: Vehicle,Acquisition Date,வாங்கிய தேதி -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,இலக்கங்கள் +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,இலக்கங்கள் DocType: Item,Items with higher weightage will be shown higher,அதிக முக்கியத்துவம் கொண்ட உருப்படிகள் அதிக காட்டப்படும் DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,வங்கி நல்லிணக்க விரிவாக -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,ரோ # {0}: சொத்து {1} சமர்ப்பிக்க வேண்டும் +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,ரோ # {0}: சொத்து {1} சமர்ப்பிக்க வேண்டும் apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ஊழியர் இல்லை DocType: Supplier Quotation,Stopped,நிறுத்தி DocType: Item,If subcontracted to a vendor,ஒரு விற்பனையாளர் ஒப்பந்தக்காரர்களுக்கு என்றால் @@ -890,7 +890,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,குறைந்தப apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: செலவு மையம் {2} நிறுவனத்தின் சொந்தம் இல்லை {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: கணக்கு {2} ஒரு குழுவாக இருக்க முடியாது apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,பொருள் வரிசையில் {அச்சுக்கோப்புகளை வாசிக்க}: {டாக்டைப்பானது} {docName} மேலே இல்லை '{டாக்டைப்பானது}' அட்டவணை -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,டைம் ஷீட் {0} ஏற்கனவே நிறைவு அல்லது ரத்து செய்யப்பட்டது +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,டைம் ஷீட் {0} ஏற்கனவே நிறைவு அல்லது ரத்து செய்யப்பட்டது apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,பணிகள் எதுவும் இல்லை DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","கார் விலைப்பட்டியல் 05, 28 எ.கா. உருவாக்கப்படும் மாதத்தின் நாள்" DocType: Asset,Opening Accumulated Depreciation,குவிக்கப்பட்ட தேய்மானம் திறந்து @@ -949,7 +949,7 @@ DocType: SMS Log,Requested Numbers,கோரப்பட்ட எண்க DocType: Production Planning Tool,Only Obtain Raw Materials,ஒரே மூலப்பொருட்கள் பெறுதல் apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,செயல்திறன் மதிப்பிடுதல். apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","இயக்குவதால் என வண்டியில் செயல்படுத்தப்படும், 'வண்டியில் பயன்படுத்தவும்' மற்றும் வண்டியில் குறைந்தபட்சம் ஒரு வரி விதி இருக்க வேண்டும்" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","கொடுப்பனவு நுழைவு {0} ஆணை {1}, அது இந்த விலைப்பட்டியல் முன்பணமாக இழுத்து வேண்டும் என்றால் சரிபார்க்க இணைக்கப்பட்டுள்ளது." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","கொடுப்பனவு நுழைவு {0} ஆணை {1}, அது இந்த விலைப்பட்டியல் முன்பணமாக இழுத்து வேண்டும் என்றால் சரிபார்க்க இணைக்கப்பட்டுள்ளது." DocType: Sales Invoice Item,Stock Details,பங்கு விபரங்கள் apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,திட்ட மதிப்பு apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,புள்ளி விற்பனை @@ -972,15 +972,15 @@ DocType: Naming Series,Update Series,மேம்படுத்தல் தெ DocType: Supplier Quotation,Is Subcontracted,துணை ஒப்பந்தம் DocType: Item Attribute,Item Attribute Values,பொருள் பண்புக்கூறு கலாச்சாரம் DocType: Examination Result,Examination Result,தேர்வு முடிவு -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,ரசீது வாங்க +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,ரசீது வாங்க ,Received Items To Be Billed,கட்டணம் பெறப்படும் பொருட்கள் -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,சமர்ப்பிக்கப்பட்டது சம்பளம் துண்டுகளைக் +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,சமர்ப்பிக்கப்பட்டது சம்பளம் துண்டுகளைக் apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,நாணய மாற்று வீதம் மாஸ்டர் . apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},குறிப்பு டாக்டைப் ஒன்றாக இருக்க வேண்டும் {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ஆபரேஷன் அடுத்த {0} நாட்கள் நேரத்தில் கண்டுபிடிக்க முடியவில்லை {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ஆபரேஷன் அடுத்த {0} நாட்கள் நேரத்தில் கண்டுபிடிக்க முடியவில்லை {1} DocType: Production Order,Plan material for sub-assemblies,துணை கூட்டங்கள் திட்டம் பொருள் apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,விற்பனை பங்குதாரர்கள் மற்றும் பிரதேச -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} செயலில் இருக்க வேண்டும் +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} செயலில் இருக்க வேண்டும் DocType: Journal Entry,Depreciation Entry,தேய்மானம் நுழைவு apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,முதல் ஆவணம் வகையை தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,இந்த பராமரிப்பு பணிகள் முன் பொருள் வருகைகள் {0} ரத்து @@ -991,7 +991,7 @@ DocType: Bank Reconciliation,Total Amount,மொத்த தொகை apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,"இணைய வெளியிடுதல்" DocType: Production Planning Tool,Production Orders,தயாரிப்பு ஆணைகள் -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,இருப்பு மதிப்பு +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,இருப்பு மதிப்பு apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,விற்பனை விலை பட்டியல் apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,பொருட்களை ஒத்திசைக்க வெளியிடு DocType: Bank Reconciliation,Account Currency,கணக்கு நாணய @@ -1016,12 +1016,12 @@ DocType: Employee,Exit Interview Details,பேட்டி விவரம் DocType: Item,Is Purchase Item,கொள்முதல் பொருள் DocType: Asset,Purchase Invoice,விலைப்பட்டியல் கொள்வனவு DocType: Stock Ledger Entry,Voucher Detail No,ரசீது விரிவாக இல்லை -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,புதிய விற்பனை விலைப்பட்டியல் +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,புதிய விற்பனை விலைப்பட்டியல் DocType: Stock Entry,Total Outgoing Value,மொத்த வெளிச்செல்லும் மதிப்பு apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,தேதி மற்றும் முடிவுத் திகதி திறந்து அதே நிதியாண்டு க்குள் இருக்க வேண்டும் DocType: Lead,Request for Information,தகவல் கோரிக்கை ,LeaderBoard,முன்னிலை -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,ஒத்திசைவு ஆஃப்லைன் பொருள் +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,ஒத்திசைவு ஆஃப்லைன் பொருள் DocType: Payment Request,Paid,Paid DocType: Program Fee,Program Fee,திட்டம் கட்டணம் DocType: Salary Slip,Total in words,வார்த்தைகளில் மொத்த @@ -1029,7 +1029,7 @@ DocType: Material Request Item,Lead Time Date,முன்னணி நேரம DocType: Guardian,Guardian Name,பாதுகாவலர் பெயர் DocType: Cheque Print Template,Has Print Format,அச்சு வடிவம் DocType: Employee Loan,Sanctioned,ஒப்புதல் -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,இது அத்தியாவசியமானதாகும். ஒருவேளை இதற்கான பணப்பரிமாற்றப் பதிவு உருவாக்கபடவில்லை +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,இது அத்தியாவசியமானதாகும். ஒருவேளை இதற்கான பணப்பரிமாற்றப் பதிவு உருவாக்கபடவில்லை apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ரோ # {0}: பொருள் சீரியல் இல்லை குறிப்பிடவும் {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'தயாரிப்பு மூட்டை' பொருட்களை, சேமிப்புக் கிடங்கு, தொ.எ. மற்றும் தொகுதி இல்லை 'பேக்கிங்கை பட்டியலில் மேஜையிலிருந்து கருதப்படுகிறது. கிடங்கு மற்றும் தொகுதி இல்லை எந்த 'தயாரிப்பு மூட்டை' உருப்படியை அனைத்து பொதி பொருட்களை அதே இருந்தால், அந்த மதிப்புகள் முக்கிய பொருள் அட்டவணை உள்ளிட்ட முடியும், மதிப்புகள் மேஜை '' பட்டியல் பொதி 'நகலெடுக்கப்படும்." DocType: Job Opening,Publish on website,வலைத்தளத்தில் வெளியிடு @@ -1042,7 +1042,7 @@ DocType: Cheque Print Template,Date Settings,தேதி அமைப்பு apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,மாறுபாடு ,Company Name,நிறுவனத்தின் பெயர் DocType: SMS Center,Total Message(s),மொத்த செய்தி (கள்) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,மாற்றம் உருப்படி தேர்வுசெய்க +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,மாற்றம் உருப்படி தேர்வுசெய்க DocType: Purchase Invoice,Additional Discount Percentage,கூடுதல் தள்ளுபடி சதவீதம் apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,அனைத்து உதவி வீடியோக்களை பட்டியலை காண்க DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,காசோலை டெபாசிட் அங்கு வங்கி கணக்கு தலைவர் தேர்வு. @@ -1057,7 +1057,7 @@ DocType: BOM,Raw Material Cost(Company Currency),மூலப்பொரு apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,அனைத்து பொருட்களும் ஏற்கனவே இந்த உத்தரவு க்கு மாற்றப்பட்டது. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ரோ # {0}: விகிதம் பயன்படுத்தப்படும் விகிதத்தை விட அதிகமாக இருக்க முடியாது {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ரோ # {0}: விகிதம் பயன்படுத்தப்படும் விகிதத்தை விட அதிகமாக இருக்க முடியாது {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,மீட்டர் +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,மீட்டர் DocType: Workstation,Electricity Cost,மின்சார செலவு DocType: HR Settings,Don't send Employee Birthday Reminders,பணியாளர் நினைவூட்டல்கள் அனுப்ப வேண்டாம் DocType: Item,Inspection Criteria,ஆய்வு வரையறைகள் @@ -1072,7 +1072,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,கட்டண முன்னேற்றங்கள் கிடைக்கும் DocType: Item,Automatically Create New Batch,தானாகவே புதிய தொகுதி உருவாக்கவும் DocType: Item,Automatically Create New Batch,தானாகவே புதிய தொகுதி உருவாக்கவும் -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,செய்ய +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,செய்ய DocType: Student Admission,Admission Start Date,சேர்க்கை தொடக்க தேதி DocType: Journal Entry,Total Amount in Words,சொற்கள் மொத்த தொகை apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ஒரு பிழை ஏற்பட்டது . ஒரு சாத்தியமான காரணம் நீங்கள் வடிவம் காப்பாற்ற முடியாது என்று இருக்க முடியும் . சிக்கல் தொடர்ந்தால் support@erpnext.com தொடர்பு கொள்ளவும். @@ -1080,7 +1080,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,என் வண்ட apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ஒழுங்கு வகை ஒன்றாக இருக்க வேண்டும் {0} DocType: Lead,Next Contact Date,அடுத்த தொடர்பு தேதி apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,திறந்து அளவு -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,தயவு செய்து தொகை மாற்றத்தைக் கணக்கில் நுழைய +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,தயவு செய்து தொகை மாற்றத்தைக் கணக்கில் நுழைய DocType: Student Batch Name,Student Batch Name,மாணவர் தொகுதி பெயர் DocType: Holiday List,Holiday List Name,விடுமுறை பட்டியல் பெயர் DocType: Repayment Schedule,Balance Loan Amount,இருப்பு கடன் தொகை @@ -1088,7 +1088,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ஸ்டாக் ஆப்ஷன்ஸ் DocType: Journal Entry Account,Expense Claim,இழப்பில் கோரிக்கை apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,நீங்கள் உண்மையில் இந்த முறித்துள்ளது சொத்து மீட்க வேண்டும் என்று விரும்புகிறீர்களா? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},ஐந்து அளவு {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},ஐந்து அளவு {0} DocType: Leave Application,Leave Application,விண்ணப்ப விட்டு apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,ஒதுக்கீடு கருவி விட்டு DocType: Leave Block List,Leave Block List Dates,பிளாக் பட்டியல் தினங்கள் விட்டு @@ -1139,7 +1139,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,எதிராக DocType: Item,Default Selling Cost Center,இயல்புநிலை விற்பனை செலவு மையம் DocType: Sales Partner,Implementation Partner,செயல்படுத்தல் வரன்வாழ்க்கை துணை -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,ஜிப் குறியீடு +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,ஜிப் குறியீடு apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},விற்பனை ஆணை {0} {1} DocType: Opportunity,Contact Info,தகவல் தொடர்பு apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,பங்கு பதிவுகள் செய்தல் @@ -1158,14 +1158,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,வருகை உறைந்து தேதி DocType: School Settings,Attendance Freeze Date,வருகை உறைந்து தேதி DocType: Opportunity,Your sales person who will contact the customer in future,எதிர்காலத்தில் வாடிக்கையாளர் தொடர்பு யார் உங்கள் விற்பனை நபர் -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,உங்கள் சப்ளையர்கள் ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,உங்கள் சப்ளையர்கள் ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,அனைத்து பொருட்கள் காண்க apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),குறைந்தபட்ச முன்னணி வயது (நாட்கள்) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),குறைந்தபட்ச முன்னணி வயது (நாட்கள்) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,அனைத்து BOM கள் +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,அனைத்து BOM கள் DocType: Company,Default Currency,முன்னிருப்பு நாணயத்தின் DocType: Expense Claim,From Employee,பணியாளர் இருந்து -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,எச்சரிக்கை: முறைமை {0} {1} பூஜ்யம் பொருள் தொகை என்பதால் overbilling பார்க்க மாட்டேன் +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,எச்சரிக்கை: முறைமை {0} {1} பூஜ்யம் பொருள் தொகை என்பதால் overbilling பார்க்க மாட்டேன் DocType: Journal Entry,Make Difference Entry,வித்தியாசம் நுழைவு செய்ய DocType: Upload Attendance,Attendance From Date,வரம்பு தேதி வருகை DocType: Appraisal Template Goal,Key Performance Area,முக்கிய செயல்திறன் பகுதி @@ -1182,7 +1182,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,உங்கள் குறிப்பு நிறுவனத்தில் பதிவு எண்கள். வரி எண்கள் போன்ற DocType: Sales Partner,Distributor,பகிர்கருவி DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,வண்டியில் கப்பல் விதி -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,உத்தரவு {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,உத்தரவு {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',அமைக்க மேலும் கூடுதல் தள்ளுபடி விண்ணப்பிக்கவும் 'தயவு செய்து ,Ordered Items To Be Billed,கணக்கில் வேண்டும் உத்தரவிட்டது உருப்படிகள் apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ரேஞ்ச் குறைவாக இருக்க வேண்டும் இருந்து விட வரையறைக்கு @@ -1191,10 +1191,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,விலக்கிற்கு DocType: Leave Allocation,LAL/,லால் / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,தொடக்க ஆண்டு -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN முதல் 2 இலக்கங்கள் மாநில எண் பொருந்த வேண்டும் {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN முதல் 2 இலக்கங்கள் மாநில எண் பொருந்த வேண்டும் {0} DocType: Purchase Invoice,Start date of current invoice's period,தற்போதைய விலைப்பட்டியல் நேரத்தில் தேதி தொடங்கும் DocType: Salary Slip,Leave Without Pay,சம்பளமில்லா விடுப்பு -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,கொள்ளளவு திட்டமிடுதல் பிழை +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,கொள்ளளவு திட்டமிடுதல் பிழை ,Trial Balance for Party,கட்சி சோதனை இருப்பு DocType: Lead,Consultant,பிறர் அறிவுரை வேண்டுபவர் DocType: Salary Slip,Earnings,வருவாய் @@ -1210,7 +1210,7 @@ DocType: Cheque Print Template,Payer Settings,செலுத்துவோ DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","இந்த மாற்று பொருள் குறியீடு இணைக்கப்படும். உங்கள் சுருக்கம் ""எஸ்.எம்"", மற்றும் என்றால் உதாரணமாக, இந்த உருப்படியை குறியீடு ""சட்டை"", ""டி-சட்டை-எஸ்.எம்"" இருக்கும் மாறுபாடு உருப்படியை குறியீடு ஆகிறது" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,நீங்கள் சம்பள விபரம் சேமிக்க முறை நிகர வருவாய் (வார்த்தைகளில்) காண முடியும். DocType: Purchase Invoice,Is Return,திரும்ப -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,திரும்ப / டெபிட் குறிப்பு +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,திரும்ப / டெபிட் குறிப்பு DocType: Price List Country,Price List Country,விலை பட்டியல் நாடு DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},பொருட்களை {0} செல்லுபடியாகும் தொடர் இலக்கங்கள் {1} @@ -1223,7 +1223,7 @@ DocType: Employee Loan,Partially Disbursed,பகுதியளவு செல apps/erpnext/erpnext/config/buying.py +38,Supplier database.,வழங்குபவர் தரவுத்தள. DocType: Account,Balance Sheet,இருப்பு தாள் apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ','பொருள் கோட் பொருள் சென்டர் செலவாகும் -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","பணம் செலுத்தும் முறை உள்ளமைக்கப்படவில்லை. கணக்கு கொடுப்பனவு முறை அல்லது பிஓஎஸ் பதிவு செய்தது பற்றி அமைக்க என்பதையும், சரிபார்க்கவும்." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","பணம் செலுத்தும் முறை உள்ளமைக்கப்படவில்லை. கணக்கு கொடுப்பனவு முறை அல்லது பிஓஎஸ் பதிவு செய்தது பற்றி அமைக்க என்பதையும், சரிபார்க்கவும்." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,உங்கள் விற்பனை நபர் வாடிக்கையாளர் தொடர்பு கொள்ள இந்த தேதியில் ஒரு நினைவூட்டல் வரும் apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,அதே பொருளைப் பலமுறை உள்ளிட முடியாது. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","மேலும் கணக்குகளை குழுக்கள் கீழ் செய்யப்பட்ட, ஆனால் உள்ளீடுகளை அல்லாத குழுக்கள் எதிராகவும் முடியும்" @@ -1253,7 +1253,7 @@ DocType: Employee Loan Application,Repayment Info,திரும்பச் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,' பதிவுகள் ' காலியாக இருக்க முடியாது apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},பிரதி வரிசையில் {0} அதே {1} ,Trial Balance,விசாரணை இருப்பு -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,நிதியாண்டு {0} காணவில்லை +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,நிதியாண்டு {0} காணவில்லை apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,ஊழியர் அமைத்தல் DocType: Sales Order,SO-,அதனால்- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,முதல் முன்னொட்டு தேர்வு செய்க @@ -1268,11 +1268,11 @@ DocType: Grading Scale,Intervals,இடைவெளிகள் apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,முந்தைய apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","ஒரு உருப்படி குழு அதே பெயரில் , உருப்படி பெயர் மாற்ற அல்லது உருப்படியை குழு பெயர்மாற்றம் செய்க" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,மாணவர் மொபைல் எண் -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,உலகம் முழுவதும் +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,உலகம் முழுவதும் apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,பொருள் {0} பணி முடியாது ,Budget Variance Report,வரவு செலவு வேறுபாடு அறிக்கை DocType: Salary Slip,Gross Pay,ஒட்டு மொத்த ஊதியம் / சம்பளம் -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ரோ {0}: நடவடிக்கை வகை கட்டாயமாகும். +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,ரோ {0}: நடவடிக்கை வகை கட்டாயமாகும். apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,பங்கிலாபங்களைப் apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,கணக்கியல் பேரேடு DocType: Stock Reconciliation,Difference Amount,வேறுபாடு தொகை @@ -1295,18 +1295,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,பணியாளர் விடுப்பு இருப்பு apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},{0} எப்போதும் இருக்க வேண்டும் கணக்கு இருப்பு {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},மதிப்பீட்டு மதிப்பீடு வரிசையில் பொருள் தேவையான {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,உதாரணம்: கணினி அறிவியல் முதுநிலை +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,உதாரணம்: கணினி அறிவியல் முதுநிலை DocType: Purchase Invoice,Rejected Warehouse,நிராகரிக்கப்பட்டது கிடங்கு DocType: GL Entry,Against Voucher,வவுச்சர் எதிராக DocType: Item,Default Buying Cost Center,இயல்புநிலை வாங்குதல் செலவு மையம் apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext சிறந்த வெளியே, நாங்கள் உங்களுக்கு சில நேரம் இந்த உதவி வீடியோக்களை பார்க்க வேண்டும் என்று பரிந்துரைக்கிறோம்." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,செய்ய +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,செய்ய DocType: Supplier Quotation Item,Lead Time in days,நாட்கள் முன்னணி நேரம் apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,செலுத்தத்தக்க கணக்குகள் சுருக்கம் -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},{0} இருந்து சம்பளம் கொடுப்பனவு {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},{0} இருந்து சம்பளம் கொடுப்பனவு {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},உறைந்த கணக்கு திருத்த அதிகாரம் இல்லை {0} DocType: Journal Entry,Get Outstanding Invoices,சிறந்த பற்றுச்சீட்டுகள் கிடைக்கும் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,விற்பனை ஆணை {0} தவறானது +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,விற்பனை ஆணை {0} தவறானது apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,கொள்முதல் ஆணைகள் நீ திட்டமிட உதவும் உங்கள் கொள்முதல் சரி வர apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","மன்னிக்கவும், நிறுவனங்கள் ஒன்றாக்க முடியாது" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1328,8 +1328,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,மறைமுக செலவுகள் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ரோ {0}: அளவு கட்டாய ஆகிறது apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,விவசாயம் -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,ஒத்திசைவு முதன்மை தரவு -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,உங்கள் தயாரிப்புகள் அல்லது சேவைகள் +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,ஒத்திசைவு முதன்மை தரவு +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,உங்கள் தயாரிப்புகள் அல்லது சேவைகள் DocType: Mode of Payment,Mode of Payment,கட்டணம் செலுத்தும் முறை apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,இணைய பட ஒரு பொது கோப்பு அல்லது வலைத்தளத்தின் URL இருக்க வேண்டும் DocType: Student Applicant,AP,ஆந்திர @@ -1349,18 +1349,18 @@ DocType: Student Group Student,Group Roll Number,குழு ரோல் DocType: Student Group Student,Group Roll Number,குழு ரோல் எண் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} மட்டுமே கடன் கணக்குகள் மற்றொரு பற்று நுழைவு எதிராக இணைக்கப்பட்ட ஐந்து apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,அனைத்து பணி எடைகள் மொத்த இருக்க வேண்டும் 1. அதன்படி அனைத்து திட்ட பணிகளை எடைகள் சரிசெய்யவும் -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,விநியோக குறிப்பு {0} சமர்ப்பிக்கவில்லை +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,விநியோக குறிப்பு {0} சமர்ப்பிக்கவில்லை apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,பொருள் {0} ஒரு துணை ஒப்பந்தம் பொருள் இருக்க வேண்டும் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,மூலதன கருவிகள் apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","விலை விதி முதல் பொருள், பொருள் பிரிவு அல்லது பிராண்ட் முடியும், துறையில் 'விண்ணப்பிக்க' அடிப்படையில் தேர்வு செய்யப்படுகிறது." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,முதலில் உருப்படி கோட் ஐ அமைக்கவும் +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,முதலில் உருப்படி கோட் ஐ அமைக்கவும் DocType: Hub Settings,Seller Website,விற்பனையாளர் வலைத்தளம் DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,விற்பனை குழு மொத்த ஒதுக்கீடு சதவீதம் 100 இருக்க வேண்டும் DocType: Appraisal Goal,Goal,இலக்கு DocType: Sales Invoice Item,Edit Description,விளக்கம் திருத்த ,Team Updates,குழு மேம்படுத்தல்கள் -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,சப்ளையர் +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,சப்ளையர் DocType: Account,Setting Account Type helps in selecting this Account in transactions.,அமைத்தல் கணக்கு வகை பரிமாற்றங்கள் இந்த கணக்கு தேர்வு உதவுகிறது. DocType: Purchase Invoice,Grand Total (Company Currency),கிராண்ட் மொத்த (நிறுவனத்தின் கரன்சி) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,அச்சு வடிவம் உருவாக்கு @@ -1374,12 +1374,12 @@ DocType: Item,Website Item Groups,இணைய தகவல்கள் கு DocType: Purchase Invoice,Total (Company Currency),மொத்த (நிறுவனத்தின் நாணயம்) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,சீரியல் எண்ணை {0} க்கும் மேற்பட்ட முறை உள்ளிட்ட DocType: Depreciation Schedule,Journal Entry,பத்திரிகை நுழைவு -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} முன்னேற்றம் பொருட்களை +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} முன்னேற்றம் பொருட்களை DocType: Workstation,Workstation Name,பணிநிலைய பெயர் DocType: Grading Scale Interval,Grade Code,தர குறியீடு DocType: POS Item Group,POS Item Group,பிஓஎஸ் பொருள் குழு apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,மின்னஞ்சல் தொகுப்பு: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} பொருள் சேர்ந்தவர்கள் இல்லை {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} பொருள் சேர்ந்தவர்கள் இல்லை {1} DocType: Sales Partner,Target Distribution,இலக்கு விநியோகம் DocType: Salary Slip,Bank Account No.,வங்கி கணக்கு எண் DocType: Naming Series,This is the number of the last created transaction with this prefix,இந்த முன்னொட்டு கடந்த உருவாக்கப்பட்ட பரிவர்த்தனை எண்ணிக்கை @@ -1438,7 +1438,7 @@ DocType: Quotation,Shopping Cart,வணிக வண்டி apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,சராசரியாக தினமும் வெளிச்செல்லும் DocType: POS Profile,Campaign,பிரச்சாரம் DocType: Supplier,Name and Type,பெயர் மற்றும் வகை -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',அங்கீகாரநிலையை அங்கீகரிக்கப்பட்ட 'அல்லது' நிராகரிக்கப்பட்டது ' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',அங்கீகாரநிலையை அங்கீகரிக்கப்பட்ட 'அல்லது' நிராகரிக்கப்பட்டது ' DocType: Purchase Invoice,Contact Person,நபர் தொடர்பு apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',' எதிர்பார்த்த தொடக்க தேதி ' 'எதிர்பார்த்த முடிவு தேதி ' ஐ விட அதிகமாக இருக்க முடியாது DocType: Course Scheduling Tool,Course End Date,நிச்சயமாக முடிவு தேதி @@ -1450,8 +1450,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,prefered மின்னஞ்சல் apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,நிலையான சொத்து நிகர மாற்றம் DocType: Leave Control Panel,Leave blank if considered for all designations,அனைத்து வடிவ கருத்தில் இருந்தால் வெறுமையாக -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,வகை வரிசையில் {0} ல் ' உண்மையான ' பொறுப்பு மதிப்பிட சேர்க்கப்பட்டுள்ளது முடியாது -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},அதிகபட்சம்: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,வகை வரிசையில் {0} ல் ' உண்மையான ' பொறுப்பு மதிப்பிட சேர்க்கப்பட்டுள்ளது முடியாது +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},அதிகபட்சம்: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,தேதி நேரம் இருந்து DocType: Email Digest,For Company,நிறுவனத்தின் apps/erpnext/erpnext/config/support.py +17,Communication log.,தொடர்பாடல் பதிவு. @@ -1493,7 +1493,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","வேலை DocType: Journal Entry Account,Account Balance,கணக்கு இருப்பு apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,பரிவர்த்தனைகள் வரி விதி. DocType: Rename Tool,Type of document to rename.,மறுபெயர் ஆவணம் வகை. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,நாம் இந்த பொருள் வாங்க +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,நாம் இந்த பொருள் வாங்க apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: வாடிக்கையாளர் பெறத்தக்க கணக்கு எதிராக தேவைப்படுகிறது {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),மொத்த வரி மற்றும் கட்டணங்கள் (நிறுவனத்தின் கரன்சி) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,மூடப்படாத நிதி ஆண்டில் பி & எல் நிலுவைகளை காட்டு @@ -1504,7 +1504,7 @@ DocType: Quality Inspection,Readings,அளவீடுகளும் DocType: Stock Entry,Total Additional Costs,மொத்த கூடுதல் செலவுகள் DocType: Course Schedule,SH,எஸ்.எச் DocType: BOM,Scrap Material Cost(Company Currency),குப்பை பொருள் செலவு (நிறுவனத்தின் நாணய) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,துணை சபைகளின் +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,துணை சபைகளின் DocType: Asset,Asset Name,சொத்து பெயர் DocType: Project,Task Weight,டாஸ்க் எடை DocType: Shipping Rule Condition,To Value,மதிப்பு @@ -1533,7 +1533,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,பொருள் DocType: Company,Services,சேவைகள் DocType: HR Settings,Email Salary Slip to Employee,ஊழியர் மின்னஞ்சல் சம்பள விபரம் DocType: Cost Center,Parent Cost Center,பெற்றோர் செலவு மையம் -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,சாத்தியமான சப்ளையர் தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,சாத்தியமான சப்ளையர் தேர்ந்தெடுக்கவும் DocType: Sales Invoice,Source,மூல apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,மூடப்பட்டது காட்டு DocType: Leave Type,Is Leave Without Pay,சம்பளமில்லா விடுப்பு @@ -1545,7 +1545,7 @@ DocType: POS Profile,Apply Discount,தள்ளுபடி விண்ணப DocType: GST HSN Code,GST HSN Code,ஜிஎஸ்டி HSN குறியீடு DocType: Employee External Work History,Total Experience,மொத்த அனுபவம் apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,திறந்த திட்டங்கள் -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,மூட்டை சீட்டு (கள்) ரத்து +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,மூட்டை சீட்டு (கள்) ரத்து apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,முதலீடு இருந்து பண பரிமாற்ற DocType: Program Course,Program Course,திட்டம் பாடநெறி apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,சரக்கு மற்றும் அனுப்புதல் கட்டணம் @@ -1587,9 +1587,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,திட்டம் சேர்வதில் DocType: Sales Invoice Item,Brand Name,குறியீட்டு பெயர் DocType: Purchase Receipt,Transporter Details,இடமாற்றி விபரங்கள் -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,இயல்புநிலை கிடங்கில் தேர்ந்தெடுத்தவையை தேவை -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,பெட்டி -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,சாத்தியமான சப்ளையர் +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,இயல்புநிலை கிடங்கில் தேர்ந்தெடுத்தவையை தேவை +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,பெட்டி +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,சாத்தியமான சப்ளையர் DocType: Budget,Monthly Distribution,மாதாந்திர விநியோகம் apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"ரிசீவர் பட்டியல் காலியாக உள்ளது . பெறுநர் பட்டியலை உருவாக்க , தயவு செய்து" DocType: Production Plan Sales Order,Production Plan Sales Order,உற்பத்தி திட்டம் விற்பனை ஆணை @@ -1622,7 +1622,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,நிறு apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","மாணவர்கள் அமைப்பின் மையத்தில் உள்ள உள்ளன, உங்கள் மாணவர்கள் சேர்க்க" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},ரோ # {0}: இசைவு தேதி {1} காசோலை தேதி முன் இருக்க முடியாது {2} DocType: Company,Default Holiday List,விடுமுறை பட்டியல் இயல்புநிலை -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ரோ {0}: நேரம் மற்றும் நேரம் {1} கொண்டு மேலெழும் {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},ரோ {0}: நேரம் மற்றும் நேரம் {1} கொண்டு மேலெழும் {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,பங்கு பொறுப்புகள் DocType: Purchase Invoice,Supplier Warehouse,வழங்குபவர் கிடங்கு DocType: Opportunity,Contact Mobile No,மொபைல் எண் தொடர்பு @@ -1638,18 +1638,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},வகை விடுப்பு {0} மேலாக இருக்க முடியாது {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,முன்கூட்டியே எக்ஸ் நாட்கள் நடவடிக்கைகளுக்குத் திட்டமிட்டுள்ளது முயற்சி. DocType: HR Settings,Stop Birthday Reminders,நிறுத்து நினைவூட்டல்கள் -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},நிறுவனத்தின் இயல்புநிலை சம்பளப்பட்டியல் செலுத்த வேண்டிய கணக்கு அமைக்கவும் {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},நிறுவனத்தின் இயல்புநிலை சம்பளப்பட்டியல் செலுத்த வேண்டிய கணக்கு அமைக்கவும் {0} DocType: SMS Center,Receiver List,ரிசீவர் பட்டியல் -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,தேடல் பொருள் +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,தேடல் பொருள் apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,உட்கொள்ளுகிறது தொகை apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,பண நிகர மாற்றம் DocType: Assessment Plan,Grading Scale,தரம் பிரித்தல் ஸ்கேல் apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,நடவடிக்கை அலகு {0} மேலும் மாற்று காரணி அட்டவணை முறை விட உள்ளிட்ட -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,ஏற்கனவே நிறைவு +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,ஏற்கனவே நிறைவு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,கை பங்கு apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},பணம் கோரிக்கை ஏற்கனவே உள்ளது {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,வெளியிடப்படுகிறது பொருட்களை செலவு -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},அளவு அதிகமாக இருக்க கூடாது {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},அளவு அதிகமாக இருக்க கூடாது {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,முந்தைய நிதி ஆண்டில் மூடவில்லை apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),வயது (நாட்கள்) DocType: Quotation Item,Quotation Item,மேற்கோள் பொருள் @@ -1663,6 +1663,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,குறிப்பு ஆவண apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ரத்து செய்யப்பட்டது அல்லது நிறுத்தி உள்ளது DocType: Accounts Settings,Credit Controller,கடன் கட்டுப்பாட்டாளர் +DocType: Sales Order,Final Delivery Date,இறுதி டெலிவரி தேதி DocType: Delivery Note,Vehicle Dispatch Date,வாகன அனுப்புகை தேதி DocType: Purchase Invoice Item,HSN/SAC,HSN / எஸ்ஏசி apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,கொள்முதல் ரசீது {0} சமர்ப்பிக்க @@ -1754,9 +1755,9 @@ DocType: Employee,Date Of Retirement,ஓய்வு தேதி DocType: Upload Attendance,Get Template,வார்ப்புரு கிடைக்கும் DocType: Material Request,Transferred,மாற்றப்பட்டது DocType: Vehicle,Doors,கதவுகள் -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext அமைவு முடிந்தது! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext அமைவு முடிந்தது! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,வரி முறிவுக்குப் +DocType: Purchase Invoice,Tax Breakup,வரி முறிவுக்குப் DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: செலவு மையம் 'இலாப நட்ட கணக்கு தேவை {2}. நிறுவனத்தின் ஒரு இயல்பான செலவு மையம் அமைக்க கொள்ளவும். apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ஒரு வாடிக்கையாளர் குழு அதே பெயரில் வாடிக்கையாளர் பெயர் மாற்ற அல்லது வாடிக்கையாளர் குழு பெயர்மாற்றம் செய்க @@ -1769,14 +1770,14 @@ DocType: Announcement,Instructor,பயிற்றுவிப்பாளர DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","இந்த உருப்படியை வகைகள் உண்டு என்றால், அது விற்பனை ஆணைகள் முதலியன தேர்வு" DocType: Lead,Next Contact By,அடுத்த தொடர்பு -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},உருப்படி தேவையான அளவு {0} வரிசையில் {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},உருப்படி தேவையான அளவு {0} வரிசையில் {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},அளவு பொருள் உள்ளது என கிடங்கு {0} நீக்க முடியாது {1} DocType: Quotation,Order Type,வரிசை வகை DocType: Purchase Invoice,Notification Email Address,அறிவிப்பு மின்னஞ்சல் முகவரி ,Item-wise Sales Register,பொருள் வாரியான விற்பனை பதிவு DocType: Asset,Gross Purchase Amount,மொத்த கொள்முதல் அளவு DocType: Asset,Depreciation Method,தேய்மானம் முறை -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ஆஃப்லைன் +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ஆஃப்லைன் DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,இந்த வரி அடிப்படை விகிதம் சேர்க்கப்பட்டுள்ளது? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,மொத்த இலக்கு DocType: Job Applicant,Applicant for a Job,ஒரு வேலை விண்ணப்பதாரர் @@ -1798,7 +1799,7 @@ DocType: Employee,Leave Encashed?,காசாக்கப்பட்டால apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,துறையில் இருந்து வாய்ப்பு கட்டாய ஆகிறது DocType: Email Digest,Annual Expenses,வருடாந்த செலவுகள் DocType: Item,Variants,மாறிகள் -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,கொள்முதல் ஆணை செய்ய +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,கொள்முதல் ஆணை செய்ய DocType: SMS Center,Send To,அனுப்பு apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0} DocType: Payment Reconciliation Payment,Allocated amount,ஒதுக்கப்பட்டுள்ள தொகை @@ -1806,7 +1807,7 @@ DocType: Sales Team,Contribution to Net Total,நிகர மொத்த DocType: Sales Invoice Item,Customer's Item Code,வாடிக்கையாளர் பொருள் குறியீடு DocType: Stock Reconciliation,Stock Reconciliation,பங்கு நல்லிணக்க DocType: Territory,Territory Name,மண்டலம் பெயர் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,"வேலை, முன்னேற்றம் கிடங்கு சமர்ப்பிக்க முன் தேவை" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,"வேலை, முன்னேற்றம் கிடங்கு சமர்ப்பிக்க முன் தேவை" apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,ஒரு வேலை விண்ணப்பதாரர். DocType: Purchase Order Item,Warehouse and Reference,கிடங்கு மற்றும் குறிப்பு DocType: Supplier,Statutory info and other general information about your Supplier,சட்டப்பூர்வ தகவல் மற்றும் உங்கள் சப்ளையர் பற்றி மற்ற பொது தகவல் @@ -1818,16 +1819,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,மதிப்பீடுக apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},நகல் சீரியல் இல்லை உருப்படி உள்ளிட்ட {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,ஒரு கப்பல் ஆட்சிக்கு ஒரு நிலையில் apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,தயவுசெய்து உள்ளீடவும் -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","வரிசையில் பொருள் {0} க்கான overbill முடியாது {1} விட {2}. அமைப்புகள் வாங்குவதில் அதிகமாக பில்லிங் அனுமதிக்க, அமைக்கவும்" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,பொருள் அல்லது கிடங்கில் அடிப்படையில் வடிகட்டி அமைக்கவும் +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","வரிசையில் பொருள் {0} க்கான overbill முடியாது {1} விட {2}. அமைப்புகள் வாங்குவதில் அதிகமாக பில்லிங் அனுமதிக்க, அமைக்கவும்" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,பொருள் அல்லது கிடங்கில் அடிப்படையில் வடிகட்டி அமைக்கவும் DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),இந்த தொகுப்பு நிகர எடை. (பொருட்களை நிகர எடை கூடுதல் போன்ற தானாக கணக்கிடப்படுகிறது) DocType: Sales Order,To Deliver and Bill,வழங்க மசோதா DocType: Student Group,Instructors,பயிற்றுனர்கள் DocType: GL Entry,Credit Amount in Account Currency,கணக்கு நாணய கடன் தொகை -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} சமர்ப்பிக்க வேண்டும் +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} சமர்ப்பிக்க வேண்டும் DocType: Authorization Control,Authorization Control,அங்கீகாரம் கட்டுப்பாடு apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ரோ # {0}: கிடங்கு நிராகரிக்கப்பட்டது நிராகரித்தது பொருள் எதிராக கட்டாயமாகும் {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,கொடுப்பனவு +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,கொடுப்பனவு apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","கிடங்கு {0} எந்த கணக்கிற்கானது அல்ல என்பதுடன், அந்த நிறுவனம் உள்ள கிடங்கில் பதிவில் கணக்கு அல்லது அமைக்க இயல்புநிலை சரக்கு கணக்கு குறிப்பிட தயவு செய்து {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,உங்கள் ஆர்டர்களை நிர்வகிக்கவும் DocType: Production Order Operation,Actual Time and Cost,உண்மையான நேரம் மற்றும் செலவு @@ -1843,12 +1844,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,வி DocType: Quotation Item,Actual Qty,உண்மையான அளவு DocType: Sales Invoice Item,References,குறிப்புகள் DocType: Quality Inspection Reading,Reading 10,10 படித்தல் -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",உங்கள் தயாரிப்புகள் அல்லது நீங்கள் வாங்க அல்லது விற்க என்று சேவைகள் பட்டியலில் . +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",உங்கள் தயாரிப்புகள் அல்லது நீங்கள் வாங்க அல்லது விற்க என்று சேவைகள் பட்டியலில் . DocType: Hub Settings,Hub Node,மையம் கணு apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,நீங்கள் போலி பொருட்களை நுழைந்தது. சரிசெய்து மீண்டும் முயற்சிக்கவும். apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,இணை +DocType: Company,Sales Target,விற்பனை இலக்கு DocType: Asset Movement,Asset Movement,சொத்து இயக்கம் -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,புதிய வண்டி +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,புதிய வண்டி apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,பொருள் {0} ஒரு தொடர் பொருள் அல்ல DocType: SMS Center,Create Receiver List,பெறுநர் பட்டியல் உருவாக்க DocType: Vehicle,Wheels,வீல்ஸ் @@ -1890,13 +1892,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,திட்டங DocType: Supplier,Supplier of Goods or Services.,பொருட்கள் அல்லது சேவைகள் சப்ளையர். DocType: Budget,Fiscal Year,நிதியாண்டு DocType: Vehicle Log,Fuel Price,எரிபொருள் விலை +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண் வரிசை தொடர் மூலம் கலந்துரையாடலுக்காக வரிசை எண்ணை வரிசைப்படுத்தவும் DocType: Budget,Budget,வரவு செலவு திட்டம் apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,நிலையான சொத்து பொருள் அல்லாத பங்கு உருப்படியை இருக்க வேண்டும். apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",அது ஒரு வருமான அல்லது செலவு கணக்கு அல்ல என பட்ஜெட் எதிராக {0} ஒதுக்கப்படும் முடியாது apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,அடைய DocType: Student Admission,Application Form Route,விண்ணப்ப படிவம் வழி apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,மண்டலம் / வாடிக்கையாளர் -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,எ.கா. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,எ.கா. 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,விட்டு வகை {0} அது சம்பளமில்லா விடுப்பு என்பதால் ஒதுக்கீடு முடியாது apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ரோ {0}: ஒதுக்கப்பட்டுள்ள தொகை {1} குறைவாக இருக்க வேண்டும் அல்லது நிலுவை தொகை விலைப்பட்டியல் சமம் வேண்டும் {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,நீங்கள் விற்பனை விலைப்பட்டியல் சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும். @@ -1905,11 +1908,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,பொருள் {0} சீரியல் எண்கள் சோதனை பொருள் மாஸ்டர் அமைப்பு அல்ல DocType: Maintenance Visit,Maintenance Time,பராமரிப்பு நேரம் ,Amount to Deliver,அளவு வழங்க வேண்டும் -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,ஒரு பொருள் அல்லது சேவை +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,ஒரு பொருள் அல்லது சேவை apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,கால தொடக்க தேதி கால இணைக்கப்பட்ட செய்ய கல்வியாண்டின் ஆண்டு தொடக்க தேதி முன்னதாக இருக்க முடியாது (கல்வி ஆண்டு {}). தேதிகள் சரிசெய்து மீண்டும் முயற்சிக்கவும். DocType: Guardian,Guardian Interests,கார்டியன் ஆர்வம் DocType: Naming Series,Current Value,தற்போதைய மதிப்பு -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,பல நிதியாண்டு தேதி {0} உள்ளன. இந்த நிதி ஆண்டில் நிறுவனம் அமைக்கவும் +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,பல நிதியாண்டு தேதி {0} உள்ளன. இந்த நிதி ஆண்டில் நிறுவனம் அமைக்கவும் apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} உருவாக்கப்பட்டது DocType: Delivery Note Item,Against Sales Order,விற்னையாளர் எதிராக ,Serial No Status,தொடர் இல்லை நிலைமை @@ -1923,7 +1926,7 @@ DocType: Pricing Rule,Selling,விற்பனை apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},அளவு {0} {1} எதிராக கழிக்கப்படும் {2} DocType: Employee,Salary Information,சம்பளம் தகவல் DocType: Sales Person,Name and Employee ID,பெயர் மற்றும் பணியாளர் ஐடி -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,காரணம் தேதி தேதி தகவல்களுக்கு முன் இருக்க முடியாது +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,காரணம் தேதி தேதி தகவல்களுக்கு முன் இருக்க முடியாது DocType: Website Item Group,Website Item Group,இணைய தகவல்கள் குழு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,கடமைகள் மற்றும் வரி apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,குறிப்பு தேதியை உள்ளிடவும் @@ -1979,9 +1982,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},பணியாளரின் சேர தேதி அமைக்கவும் {0} DocType: Task,Total Billing Amount (via Time Sheet),மொத்த பில்லிங் அளவு (நேரம் தாள் வழியாக) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,மீண்டும் வாடிக்கையாளர் வருவாய் -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1})பங்கு 'செலவு ஒப்புதல்' வேண்டும் -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,இணை -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,ஆக்கத்துக்கான BOM மற்றும் அளவு தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1})பங்கு 'செலவு ஒப்புதல்' வேண்டும் +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,இணை +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,ஆக்கத்துக்கான BOM மற்றும் அளவு தேர்ந்தெடுக்கவும் DocType: Asset,Depreciation Schedule,தேய்மானம் அட்டவணை apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,விற்பனை பார்ட்னர் முகவரிகள் மற்றும் தொடர்புகள் DocType: Bank Reconciliation Detail,Against Account,கணக்கு எதிராக @@ -1991,7 +1994,7 @@ DocType: Item,Has Batch No,கூறு எண் உள்ளது apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},வருடாந்த பில்லிங்: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),பொருட்கள் மற்றும் சேவைகள் வரி (ஜிஎஸ்டி இந்தியா) DocType: Delivery Note,Excise Page Number,கலால் பக்கம் எண் -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","நிறுவனத்தின், வரம்பு தேதி மற்றும் தேதி கட்டாயமாகும்" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","நிறுவனத்தின், வரம்பு தேதி மற்றும் தேதி கட்டாயமாகும்" DocType: Asset,Purchase Date,கொள்முதல் தேதி DocType: Employee,Personal Details,தனிப்பட்ட விவரங்கள் apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},நிறுவனத்தின் 'சொத்து தேய்மானம் செலவு மையம்' அமைக்கவும் {0} @@ -2001,9 +2004,9 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount ,Quotation Trends,மேற்கோள் போக்குகள் apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},"பொருள் குழு குறிப்பிடப்படவில்லை உருப்படியை {0} ல் உருப்படியை மாஸ்டர்" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,கணக்கில் பற்று ஒரு பெறத்தக்க கணக்கு இருக்க வேண்டும் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,கணக்கில் பற்று ஒரு பெறத்தக்க கணக்கு இருக்க வேண்டும் DocType: Shipping Rule Condition,Shipping Amount,கப்பல் தொகை -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,வாடிக்கையாளர்கள் சேர் +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,வாடிக்கையாளர்கள் சேர் apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,நிலுவையில் தொகை DocType: Purchase Invoice Item,Conversion Factor,மாற்ற காரணி DocType: Purchase Order,Delivered,வழங்கினார் @@ -2026,7 +2029,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,ஒருமைப்ப DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",பெற்றோர் கோர்ஸ் (காலியாக விடவும் இந்த பெற்றோர் கோர்ஸ் பகுதியாக இல்லை என்றால்) DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",பெற்றோர் கோர்ஸ் (காலியாக விடவும் இந்த பெற்றோர் கோர்ஸ் பகுதியாக இல்லை என்றால்) DocType: Leave Control Panel,Leave blank if considered for all employee types,அனைத்து பணியாளர் வகையான கருதப்படுகிறது என்றால் வெறுமையாக -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> மண்டலம் DocType: Landed Cost Voucher,Distribute Charges Based On,விநியோகிக்க குற்றச்சாட்டுக்களை அடிப்படையாகக் கொண்டு apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,அலுவலக அமைப்புகள் @@ -2034,7 +2036,7 @@ DocType: Salary Slip,net pay info,நிகர ஊதியம் தகவல apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,செலவு கோரும் அனுமதிக்காக நிலுவையில் உள்ளது . மட்டுமே செலவு அப்ரூவரான நிலையை மேம்படுத்த முடியும் . DocType: Email Digest,New Expenses,புதிய செலவுகள் DocType: Purchase Invoice,Additional Discount Amount,கூடுதல் தள்ளுபடி தொகை -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ரோ # {0}: அளவு 1, உருப்படி ஒரு நிலையான சொத்தாக இருக்கிறது இருக்க வேண்டும். பல கொத்தமல்லி தனி வரிசையில் பயன்படுத்தவும்." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ரோ # {0}: அளவு 1, உருப்படி ஒரு நிலையான சொத்தாக இருக்கிறது இருக்க வேண்டும். பல கொத்தமல்லி தனி வரிசையில் பயன்படுத்தவும்." DocType: Leave Block List Allow,Leave Block List Allow,பிளாக் பட்டியல் அனுமதி விட்டு apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,சுருக்கம் வெற்று அல்லது இடைவெளி இருக்க முடியாது apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,அல்லாத குழு குழு @@ -2042,7 +2044,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,விளை DocType: Loan Type,Loan Name,கடன் பெயர் apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,உண்மையான மொத்த DocType: Student Siblings,Student Siblings,மாணவர் உடன்பிறப்புகளின் -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,அலகு +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,அலகு apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,நிறுவனத்தின் குறிப்பிடவும் ,Customer Acquisition and Loyalty,வாடிக்கையாளர் கையகப்படுத்துதல் மற்றும் லாயல்டி DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,நீங்கள் நிராகரித்து பொருட்களை பங்கு வைத்து எங்கே கிடங்கு @@ -2061,12 +2063,12 @@ DocType: Workstation,Wages per hour,ஒரு மணி நேரத்திற apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},தொகுதி பங்குச் சமநிலை {0} மாறும் எதிர்மறை {1} கிடங்கு உள்ள பொருள் {2} ஐந்து {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,பொருள் கோரிக்கைகள் தொடர்ந்து பொருள் மறு ஒழுங்கு நிலை அடிப்படையில் தானாக எழுப்பினார் DocType: Email Digest,Pending Sales Orders,விற்பனை ஆணைகள் நிலுவையில் -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},கணக்கு {0} தவறானது. கணக்கு நாணய இருக்க வேண்டும் {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},கணக்கு {0} தவறானது. கணக்கு நாணய இருக்க வேண்டும் {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},மொறட்டுவ பல்கலைகழகம் மாற்ற காரணி வரிசையில் தேவைப்படுகிறது {0} DocType: Production Plan Item,material_request_item,பொருள் கோரிக்கை உருப்படியை apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை விற்பனை ஆணை ஒன்று, விற்பனை விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்" DocType: Salary Component,Deduction,கழித்தல் -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ரோ {0}: நேரம் இருந்து மற்றும் நேரம் கட்டாயமாகும். +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,ரோ {0}: நேரம் இருந்து மற்றும் நேரம் கட்டாயமாகும். DocType: Stock Reconciliation Item,Amount Difference,தொகை வேறுபாடு apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},பொருள் விலை சேர்க்கப்பட்டது {0} விலை பட்டியல் {1} ல் apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,இந்த வியாபாரி பணியாளர் Id உள்ளிடவும் @@ -2076,11 +2078,11 @@ DocType: Project,Gross Margin,மொத்த அளவு apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,முதல் உற்பத்தி பொருள் உள்ளிடவும் apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,கணக்கிடப்படுகிறது வங்கி அறிக்கை சமநிலை apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ஊனமுற்ற பயனர் -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,மேற்கோள் +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,மேற்கோள் DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,மொத்த பொருத்தியறிதல் ,Production Analytics,உற்பத்தி அனலிட்டிக்ஸ் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,செலவு புதுப்பிக்கப்பட்ட +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,செலவு புதுப்பிக்கப்பட்ட DocType: Employee,Date of Birth,பிறந்த நாள் apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,பொருள் {0} ஏற்கனவே திரும்பினார் DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** நிதியாண்டு ** ஒரு நிதி ஆண்டு பிரதிபலிக்கிறது. அனைத்து உள்ளீடுகளை மற்றும் பிற முக்கிய பரிமாற்றங்கள் ** ** நிதியாண்டு எதிரான கண்காணிக்கப்படும். @@ -2126,18 +2128,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,நிறுவனத்தின் தேர்ந்தெடுக்கவும் ... DocType: Leave Control Panel,Leave blank if considered for all departments,அனைத்து துறைகளில் கருதப்படுகிறது என்றால் வெறுமையாக apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","வேலைவாய்ப்பு ( நிரந்தர , ஒப்பந்த , பயிற்சி முதலியன) வகைகள் ." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} பொருள் கட்டாய {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} பொருள் கட்டாய {1} DocType: Process Payroll,Fortnightly,இரண்டு வாரங்களுக்கு ஒரு முறை DocType: Currency Exchange,From Currency,நாணய இருந்து apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","குறைந்தது ஒரு வரிசையில் ஒதுக்கப்பட்டுள்ள தொகை, விலைப்பட்டியல் வகை மற்றும் விலைப்பட்டியல் எண் தேர்ந்தெடுக்கவும்" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,புதிய கொள்முதல் செலவு -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},பொருள் தேவை விற்பனை ஆணை {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},பொருள் தேவை விற்பனை ஆணை {0} DocType: Purchase Invoice Item,Rate (Company Currency),விகிதம் (நிறுவனத்தின் கரன்சி) DocType: Student Guardian,Others,மற்றவை DocType: Payment Entry,Unallocated Amount,ஒதுக்கப்படாத தொகை apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,ஒரு பொருத்தமான பொருள் கண்டுபிடிக்க முடியவில்லை. ஐந்து {0} வேறு சில மதிப்பு தேர்ந்தெடுக்கவும். DocType: POS Profile,Taxes and Charges,வரிகள் மற்றும் கட்டணங்கள் DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","ஒரு தயாரிப்பு அல்லது, வாங்கி விற்று, அல்லது பங்குச் வைக்கப்படும் என்று ஒரு சேவை." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,மேலும் புதுப்பிப்புகளை இல்லை apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,முதல் வரிசையில் ' முந்தைய வரிசை மொத்த ' முந்தைய வரிசையில் தொகை 'அல்லது குற்றச்சாட்டுக்கள் வகை தேர்ந்தெடுக்க முடியாது apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,குழந்தை பொருள் ஒரு தயாரிப்பு மூட்டை இருக்க கூடாது. உருப்படியை நீக்க: {0}: மற்றும் காப்பாற்றுங்கள் @@ -2165,7 +2168,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,மொத்த பில்லிங் அளவு apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,இந்த வேலை செயல்படுத்தப்படும் ஒரு இயல்பான உள்வரும் மின்னஞ்சல் கணக்கு இருக்க வேண்டும். அமைப்பு தயவு செய்து ஒரு இயல்பான உள்வரும் மின்னஞ்சல் கணக்கு (POP / IMAP) மீண்டும் முயற்சிக்கவும். apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,பெறத்தக்க கணக்கு -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},ரோ # {0}: சொத்து {1} ஏற்கனவே {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},ரோ # {0}: சொத்து {1} ஏற்கனவே {2} DocType: Quotation Item,Stock Balance,பங்கு இருப்பு apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,செலுத்துதல் விற்பனை ஆணை apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,தலைமை நிர்வாக அதிகாரி @@ -2190,10 +2193,11 @@ DocType: C-Form,Received Date,பெற்ற தேதி DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","நீங்கள் விற்பனை வரி மற்றும் கட்டணங்கள் டெம்ப்ளேட் ஒரு நிலையான டெம்ப்ளேட் கொண்டிருக்கிறீர்கள் என்றால், ஒரு தேர்வு, கீழே உள்ள பொத்தானை கிளிக் செய்யவும்." DocType: BOM Scrap Item,Basic Amount (Company Currency),அடிப்படை தொகை (நிறுவனத்தின் நாணய) DocType: Student,Guardians,பாதுகாவலர்கள் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,விலை பட்டியல் அமைக்கப்படவில்லை எனில் காண்பிக்கப்படும் விலைகளில் முடியாது apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,இந்த கப்பல் விதி ஒரு நாடு குறிப்பிட அல்லது உலகம் முழுவதும் கப்பல் சரிபார்க்கவும் DocType: Stock Entry,Total Incoming Value,மொத்த உள்வரும் மதிப்பு -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,பற்று தேவைப்படுகிறது +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,பற்று தேவைப்படுகிறது apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets உங்கள் அணி செய்யப்படுகிறது செயல்பாடுகளுக்கு நேரம், செலவு மற்றும் பில்லிங் கண்காணிக்க உதவும்" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,கொள்முதல் விலை பட்டியல் DocType: Offer Letter Term,Offer Term,சலுகை கால @@ -2212,11 +2216,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,த DocType: Timesheet Detail,To Time,டைம் DocType: Authorization Rule,Approving Role (above authorized value),(அங்கீகாரம் மதிப்பை மேலே) பாத்திரம் அப்ரூவிங் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,கணக்கில் வரவு ஒரு செலுத்த வேண்டிய கணக்கு இருக்க வேண்டும் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM மறுநிகழ்வு : {0} பெற்றோர் அல்லது குழந்தை இருக்க முடியாது {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM மறுநிகழ்வு : {0} பெற்றோர் அல்லது குழந்தை இருக்க முடியாது {2} DocType: Production Order Operation,Completed Qty,முடிக்கப்பட்ட அளவு apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0} மட்டுமே டெபிட் கணக்குகள் மற்றொரு கடன் நுழைவு எதிராக இணைக்கப்பட்ட ஐந்து apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,விலை பட்டியல் {0} முடக்கப்பட்டுள்ளது -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},ரோ {0}: பூர்த்தி அளவு விட முடியாது {1} அறுவை சிகிச்சை {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},ரோ {0}: பூர்த்தி அளவு விட முடியாது {1} அறுவை சிகிச்சை {2} DocType: Manufacturing Settings,Allow Overtime,அதிக நேரம் அனுமதிக்கவும் apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","தொடராக வெளிவரும் பொருள் {0} பங்கு நுழைவு பங்கு நல்லிணக்க பயன்படுத்தி, பயன்படுத்தவும் புதுப்பிக்க முடியாது" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","தொடராக வெளிவரும் பொருள் {0} பங்கு நுழைவு பங்கு நல்லிணக்க பயன்படுத்தி, பயன்படுத்தவும் புதுப்பிக்க முடியாது" @@ -2235,10 +2239,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,வெளி apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,பயனர்கள் மற்றும் அனுமதிகள் DocType: Vehicle Log,VLOG.,பதிவின். -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},உற்பத்தி ஆணைகள் உருவாக்கப்பட்டது: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},உற்பத்தி ஆணைகள் உருவாக்கப்பட்டது: {0} DocType: Branch,Branch,கிளை DocType: Guardian,Mobile Number,மொபைல் எண் apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,அச்சிடுதல் மற்றும் பிராண்டிங் +DocType: Company,Total Monthly Sales,மொத்த மாத விற்பனை DocType: Bin,Actual Quantity,உண்மையான அளவு DocType: Shipping Rule,example: Next Day Shipping,உதாரணமாக: அடுத்த நாள் கப்பல் apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,இல்லை தொ.இல. {0} @@ -2270,7 +2275,7 @@ DocType: Payment Request,Make Sales Invoice,விற்பனை விலை apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,மென்பொருள்கள் apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,அடுத்த தொடர்பு தேதி கடந்த காலத்தில் இருக்க முடியாது DocType: Company,For Reference Only.,குறிப்பு மட்டும். -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,தொகுதி தேர்வு இல்லை +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,தொகுதி தேர்வு இல்லை apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},தவறான {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,முன்கூட்டியே தொகை @@ -2283,7 +2288,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},பார்கோடு கூடிய உருப்படி {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,வழக்கு எண் 0 இருக்க முடியாது DocType: Item,Show a slideshow at the top of the page,பக்கம் மேலே ஒரு ஸ்லைடு ஷோ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ஸ்டோர்கள் DocType: Serial No,Delivery Time,விநியோக நேரம் apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,அடிப்படையில் மூப்படைதலுக்கான @@ -2297,16 +2302,16 @@ DocType: Rename Tool,Rename Tool,கருவி மறுபெயரிடு apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,மேம்படுத்தல் DocType: Item Reorder,Item Reorder,உருப்படியை மறுவரிசைப்படுத்துக apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,சம்பளம் ஷோ ஸ்லிப் -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,மாற்றம் பொருள் +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,மாற்றம் பொருள் DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","நடவடிக்கைகள் , இயக்க செலவு குறிப்பிட உங்கள் நடவடிக்கைகள் ஒரு தனிப்பட்ட நடவடிக்கை இல்லை கொடுக்க ." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,இந்த ஆவணம் மூலம் எல்லை மீறிவிட்டது {0} {1} உருப்படியை {4}. நீங்கள் கவனிக்கிறீர்களா மற்றொரு {3} அதே எதிராக {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,சேமிப்பு பிறகு மீண்டும் அமைக்கவும் -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,மாற்றம் தேர்வு அளவு கணக்கு +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,சேமிப்பு பிறகு மீண்டும் அமைக்கவும் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,மாற்றம் தேர்வு அளவு கணக்கு DocType: Purchase Invoice,Price List Currency,விலை பட்டியல் நாணயத்தின் DocType: Naming Series,User must always select,பயனர் எப்போதும் தேர்ந்தெடுக்க வேண்டும் DocType: Stock Settings,Allow Negative Stock,எதிர்மறை பங்கு அனுமதிக்கும் DocType: Installation Note,Installation Note,நிறுவல் குறிப்பு -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,வரிகளை சேர்க்க +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,வரிகளை சேர்க்க DocType: Topic,Topic,தலைப்பு apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,கடன் இருந்து பண பரிமாற்ற DocType: Budget Account,Budget Account,பட்ஜெட் கணக்கு @@ -2320,7 +2325,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,க apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),நிதி ஆதாரம் ( கடன்) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},அளவு வரிசையில் {0} ( {1} ) அதே இருக்க வேண்டும் உற்பத்தி அளவு {2} DocType: Appraisal,Employee,ஊழியர் -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,தொகுதி தேர்வு +DocType: Company,Sales Monthly History,விற்பனை மாதாந்திர வரலாறு +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,தொகுதி தேர்வு apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} முழுமையாக வசூலிக்கப்படும் DocType: Training Event,End Time,முடிவு நேரம் apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,செயலில் சம்பளம் அமைப்பு {0} கொடுக்கப்பட்ட தேதிகள் பணியாளர் {1} காணப்படவில்லை @@ -2328,15 +2334,14 @@ DocType: Payment Entry,Payment Deductions or Loss,கொடுப்பனவ apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,விற்பனை அல்லது கொள்முதல் தரநிலை ஒப்பந்த அடிப்படையில் . apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,வவுச்சர் மூலம் குழு apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,விற்பனை பைப்லைன் -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},சம்பளம் உபகரண உள்ள இயல்பான கணக்கு அமைக்கவும் {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},சம்பளம் உபகரண உள்ள இயல்பான கணக்கு அமைக்கவும் {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,தேவையான அன்று DocType: Rename Tool,File to Rename,மறுபெயர் கோப்புகள் apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"தயவு செய்து வரிசையில் பொருள் BOM, தேர்வு {0}" apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},கணக்கு {0} {1} கணக்கு முறை உள்ள நிறுவனத்துடன் இணைந்தது பொருந்தவில்லை: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},பொருள் இருப்பு இல்லை BOM {0} {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,பராமரிப்பு அட்டவணை {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,பராமரிப்பு அட்டவணை {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் DocType: Notification Control,Expense Claim Approved,செலவு கோரிக்கை ஏற்கப்பட்டது -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண் வரிசை தொடர் மூலம் கலந்துரையாடலுக்காக வரிசை எண்ணை வரிசைப்படுத்தவும் apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே இந்த காலத்தில் உருவாக்கப்பட்ட apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,மருந்து apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,வாங்கிய பொருட்களை செலவு @@ -2353,7 +2358,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,"ஒரு மு DocType: Upload Attendance,Attendance To Date,தேதி வருகை DocType: Warranty Claim,Raised By,எழுப்பப்பட்ட DocType: Payment Gateway Account,Payment Account,கொடுப்பனவு கணக்கு -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,நிறுவனத்தின் தொடர குறிப்பிடவும் +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,நிறுவனத்தின் தொடர குறிப்பிடவும் apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,கணக்குகள் நிகர மாற்றம் apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,இழப்பீட்டு இனிய DocType: Offer Letter,Accepted,ஏற்கப்பட்டது @@ -2363,12 +2368,12 @@ DocType: SG Creation Tool Course,Student Group Name,மாணவர் குழ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,நீங்கள் உண்மையில் இந்த நிறுவனத்தின் அனைத்து பரிமாற்றங்கள் நீக்க வேண்டும் என்பதை உறுதி செய்யுங்கள். இது போன்ற உங்கள் மாஸ்டர் தரவு இருக்கும். இந்தச் செயலைச் செயல். DocType: Room,Room Number,அறை எண் apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},தவறான குறிப்பு {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) திட்டமிட்ட அளவை விட அதிகமாக இருக்க முடியாது ({2}) உற்பத்தி ஆணை {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) திட்டமிட்ட அளவை விட அதிகமாக இருக்க முடியாது ({2}) உற்பத்தி ஆணை {3} DocType: Shipping Rule,Shipping Rule Label,கப்பல் விதி லேபிள் apps/erpnext/erpnext/public/js/conf.js +28,User Forum,பயனர் கருத்துக்களம் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,மூலப்பொருட்கள் காலியாக இருக்க முடியாது. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","பங்கு புதுப்பிக்க முடியவில்லை, விலைப்பட்டியல் துளி கப்பல் உருப்படி உள்ளது." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,விரைவு ஜர்னல் நுழைவு +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,மூலப்பொருட்கள் காலியாக இருக்க முடியாது. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","பங்கு புதுப்பிக்க முடியவில்லை, விலைப்பட்டியல் துளி கப்பல் உருப்படி உள்ளது." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,விரைவு ஜர்னல் நுழைவு apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,BOM எந்த பொருளை agianst குறிப்பிட்டுள்ள நீங்கள் வீதம் மாற்ற முடியாது DocType: Employee,Previous Work Experience,முந்தைய பணி அனுபவம் DocType: Stock Entry,For Quantity,அளவு @@ -2425,7 +2430,7 @@ DocType: SMS Log,No of Requested SMS,கோரப்பட்ட எஸ்எ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,சம்பளமில்லா விடுப்பு ஒப்புதல் விடுப்பு விண்ணப்பம் பதிவுகள் பொருந்தவில்லை DocType: Campaign,Campaign-.####,பிரச்சாரத்தின் . # # # # apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,அடுத்த படிகள் -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,சிறந்த சாத்தியமுள்ள விகிதங்களில் குறிப்பிட்ட பொருட்களை வழங்கவும் +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,சிறந்த சாத்தியமுள்ள விகிதங்களில் குறிப்பிட்ட பொருட்களை வழங்கவும் DocType: Selling Settings,Auto close Opportunity after 15 days,15 நாட்களுக்கு பிறகு ஆட்டோ நெருங்கிய வாய்ப்பு apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,இறுதி ஆண்டு apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / முன்னணி% @@ -2483,7 +2488,7 @@ DocType: Homepage,Homepage,முகப்பு DocType: Purchase Receipt Item,Recd Quantity,Recd அளவு apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},கட்டணம் பதிவுகள் உருவாக்கப்பட்டது - {0} DocType: Asset Category Account,Asset Category Account,சொத்து வகை கணக்கு -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},மேலும் பொருள் தயாரிக்க முடியாது {0} விட விற்பனை ஆணை அளவு {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},மேலும் பொருள் தயாரிக்க முடியாது {0} விட விற்பனை ஆணை அளவு {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,பங்கு நுழைவு {0} சமர்ப்பிக்க DocType: Payment Reconciliation,Bank / Cash Account,வங்கி / பண கணக்கு apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,அடுத்து தொடர்பு மூலம் முன்னணி மின்னஞ்சல் முகவரி அதே இருக்க முடியாது @@ -2516,7 +2521,7 @@ DocType: Salary Structure,Total Earning,மொத்த வருமானம DocType: Purchase Receipt,Time at which materials were received,பொருட்கள் பெற்றனர் எந்த நேரத்தில் DocType: Stock Ledger Entry,Outgoing Rate,வெளிச்செல்லும் விகிதம் apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,அமைப்பு கிளை மாஸ்டர் . -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,அல்லது +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,அல்லது DocType: Sales Order,Billing Status,பில்லிங் நிலைமை apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,சிக்கலை புகார் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,பயன்பாட்டு செலவுகள் @@ -2524,7 +2529,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ரோ # {0}: மற்றொரு ரசீது எதிராக பத்திரிகை நுழைவு {1} கணக்கு இல்லை {2} அல்லது ஏற்கனவே பொருந்தியது DocType: Buying Settings,Default Buying Price List,இயல்புநிலை கொள்முதல் விலை பட்டியல் DocType: Process Payroll,Salary Slip Based on Timesheet,சம்பளம் ஸ்லிப் டைம் ஷீட் அடிப்படையில் -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,மேலே தேர்ந்தெடுக்கப்பட்ட வரையறையில் அல்லது சம்பளம் சீட்டு இல்லை ஊழியர் ஏற்கனவே உருவாக்கப்பட்ட +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,மேலே தேர்ந்தெடுக்கப்பட்ட வரையறையில் அல்லது சம்பளம் சீட்டு இல்லை ஊழியர் ஏற்கனவே உருவாக்கப்பட்ட DocType: Notification Control,Sales Order Message,விற்பனை ஆர்டர் செய்தி apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","முதலியன கம்பெனி, நாணய , நடப்பு நிதியாண்டில் , போன்ற அமை கலாச்சாரம்" DocType: Payment Entry,Payment Type,கொடுப்பனவு வகை @@ -2549,7 +2554,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ரசீது ஆவணம் சமர்ப்பிக்க வேண்டும் DocType: Purchase Invoice Item,Received Qty,பெற்றார் அளவு DocType: Stock Entry Detail,Serial No / Batch,சீரியல் இல்லை / தொகுப்பு -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,அவர்களுக்கு ஊதியம் இல்லை மற்றும் பெறாதபோது +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,அவர்களுக்கு ஊதியம் இல்லை மற்றும் பெறாதபோது DocType: Product Bundle,Parent Item,பெற்றோர் பொருள் DocType: Account,Account Type,கணக்கு வகை DocType: Delivery Note,DN-RET-,டி.என்-RET- @@ -2580,8 +2585,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,மொத்த ஒதுக்கப்பட்ட தொகை apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,நிரந்தர சரக்கு இயல்புநிலை சரக்கு கணக்கை அமை DocType: Item Reorder,Material Request Type,பொருள் கோரிக்கை வகை -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} இலிருந்து சம்பளம் க்கான Accural ஜர்னல் நுழைவு {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save",LocalStorage நிரம்பி விட்டதால் காப்பாற்ற முடியவில்லை +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},{0} இலிருந்து சம்பளம் க்கான Accural ஜர்னல் நுழைவு {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",LocalStorage நிரம்பி விட்டதால் காப்பாற்ற முடியவில்லை apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ரோ {0}: UOM மாற்றக் காரணி கட்டாயமாகும் apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,குறிப் DocType: Budget,Cost Center,செலவு மையம் @@ -2599,7 +2604,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,வ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","தேர்ந்தெடுக்கப்பட்ட விலை விதி 'விலை' செய்யப்படுகிறது என்றால், அது விலை பட்டியல் மேலெழுதும். விலை விதி விலை இறுதி விலை ஆகிறது, அதனால் எந்த மேலும் தள்ளுபடி பயன்படுத்த வேண்டும். எனவே, போன்றவை விற்பனை ஆணை, கொள்முதல் ஆணை போன்ற நடவடிக்கைகளில், அதை விட 'விலை பட்டியல் விகிதம்' துறையில் விட, 'விலை' துறையில் தந்தது." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ட்ராக் தொழில் வகை செல்கிறது. DocType: Item Supplier,Item Supplier,பொருள் சப்ளையர் -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,எந்த தொகுதி கிடைக்கும் பொருள் கோட் உள்ளிடவும் +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,எந்த தொகுதி கிடைக்கும் பொருள் கோட் உள்ளிடவும் apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},ஒரு மதிப்பை தேர்ந்தெடுக்கவும் {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,அனைத்து முகவரிகள். DocType: Company,Stock Settings,பங்கு அமைப்புகள் @@ -2626,7 +2631,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,பரிவர்த apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},சம்பளம் சீட்டு இல்லை ஆகியவற்றுக்கிடையில் காணப்படுகிறது {0} மற்றும் {1} ,Pending SO Items For Purchase Request,கொள்முதல் கோரிக்கை நிலுவையில் எனவே விடயங்கள் apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,மாணவர் சேர்க்கை -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} முடக்கப்பட்டுள்ளது +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} முடக்கப்பட்டுள்ளது DocType: Supplier,Billing Currency,பில்லிங் நாணய DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,மிகப் பெரியது @@ -2656,7 +2661,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,விண்ணப்பத்தின் நிலை DocType: Fees,Fees,கட்டணம் DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,நாணயமாற்று வீத மற்றொரு வகையில் ஒரு நாணயத்தை மாற்ற குறிப்பிடவும் -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,மேற்கோள் {0} ரத்து +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,மேற்கோள் {0} ரத்து apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,மொத்த நிலுவை தொகை DocType: Sales Partner,Targets,இலக்குகள் DocType: Price List,Price List Master,விலை பட்டியல் மாஸ்டர் @@ -2673,7 +2678,7 @@ DocType: POS Profile,Ignore Pricing Rule,விலை விதி புறக DocType: Employee Education,Graduate,பல்கலை கழக பட்டம் பெற்றவர் DocType: Leave Block List,Block Days,தொகுதி நாட்கள் DocType: Journal Entry,Excise Entry,கலால் நுழைவு -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},எச்சரிக்கை: விற்பனை ஆணை {0} ஏற்கனவே வாடிக்கையாளர் கொள்முதல் ஆணை எதிராக உள்ளது {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},எச்சரிக்கை: விற்பனை ஆணை {0} ஏற்கனவே வாடிக்கையாளர் கொள்முதல் ஆணை எதிராக உள்ளது {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2712,7 +2717,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),அ ,Salary Register,சம்பளம் பதிவு DocType: Warehouse,Parent Warehouse,பெற்றோர் கிடங்கு DocType: C-Form Invoice Detail,Net Total,நிகர மொத்தம் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},இயல்புநிலை BOM பொருள் காணப்படவில்லை இல்லை {0} மற்றும் திட்ட {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},இயல்புநிலை BOM பொருள் காணப்படவில்லை இல்லை {0} மற்றும் திட்ட {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,பல்வேறு கடன் வகைகளில் வரையறுத்து DocType: Bin,FCFS Rate,FCFS விகிதம் DocType: Payment Reconciliation Invoice,Outstanding Amount,சிறந்த தொகை @@ -2749,7 +2754,7 @@ DocType: Salary Detail,Condition and Formula Help,நிபந்தனைகள apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,மண்டலம் மரம் நிர்வகி . DocType: Journal Entry Account,Sales Invoice,விற்பனை விலை விவரம் DocType: Journal Entry Account,Party Balance,கட்சி இருப்பு -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,தள்ளுபடி விண்ணப்பிக்க தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,தள்ளுபடி விண்ணப்பிக்க தேர்ந்தெடுக்கவும் DocType: Company,Default Receivable Account,இயல்புநிலை பெறத்தக்க கணக்கு DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,மேலே தேர்ந்தெடுக்கப்பட்ட தகுதி சம்பளம் மொத்த சம்பளம் வங்கி நுழைவு உருவாக்கவும் DocType: Stock Entry,Material Transfer for Manufacture,உற்பத்தி பொருள் மாற்றம் @@ -2763,7 +2768,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,வாடிக்கையாளர் முகவரி DocType: Employee Loan,Loan Details,கடன் விவரங்கள் DocType: Company,Default Inventory Account,இயல்புநிலை சரக்கு கணக்கு -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ரோ {0}: பூர்த்தி அளவு சுழியை விட பெரியதாக இருக்க வேண்டும். +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,ரோ {0}: பூர்த்தி அளவு சுழியை விட பெரியதாக இருக்க வேண்டும். DocType: Purchase Invoice,Apply Additional Discount On,கூடுதல் தள்ளுபடி விண்ணப்பிக்கவும் DocType: Account,Root Type,ரூட் வகை DocType: Item,FIFO,FIFO @@ -2780,7 +2785,7 @@ DocType: Purchase Invoice Item,Quality Inspection,தரமான ஆய்வ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,மிகச்சிறியது DocType: Company,Standard Template,ஸ்டாண்டர்ட் வார்ப்புரு DocType: Training Event,Theory,தியரி -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,எச்சரிக்கை : அளவு கோரப்பட்ட பொருள் குறைந்தபட்ச ஆணை அளவு குறைவாக உள்ளது +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,எச்சரிக்கை : அளவு கோரப்பட்ட பொருள் குறைந்தபட்ச ஆணை அளவு குறைவாக உள்ளது apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,கணக்கு {0} உறைந்திருக்கும் DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,நிறுவனத்திற்கு சொந்தமான கணக்குகள் ஒரு தனி விளக்கப்படம் சட்ட நிறுவனம் / துணைநிறுவனத்திற்கு. DocType: Payment Request,Mute Email,முடக்கு மின்னஞ்சல் @@ -2804,7 +2809,7 @@ DocType: Training Event,Scheduled,திட்டமிடப்பட்ட apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,விலைப்பட்டியலுக்கான கோரிக்கை. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""இல்லை" மற்றும் "விற்பனை பொருள் இது", "பங்கு உருப்படியை" எங்கே "ஆம்" என்று பொருள் தேர்ந்தெடுக்க மற்றும் வேறு எந்த தயாரிப்பு மூட்டை உள்ளது செய்க" DocType: Student Log,Academic,கல்வி -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),மொத்த முன்கூட்டியே ({0}) ஒழுங்குக்கு எதிரான {1} மொத்தம் விட அதிகமாக இருக்க முடியாது ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),மொத்த முன்கூட்டியே ({0}) ஒழுங்குக்கு எதிரான {1} மொத்தம் விட அதிகமாக இருக்க முடியாது ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ஒரே சீராக பரவி மாதங்கள் முழுவதும் இலக்குகளை விநியோகிக்க மாதாந்திர விநியோகம் தேர்ந்தெடுக்கவும். DocType: Purchase Invoice Item,Valuation Rate,மதிப்பீட்டு விகிதம் DocType: Stock Reconciliation,SR/,எஸ்ஆர் / @@ -2869,6 +2874,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,விவரங்கள் DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,விசாரணை மூலம் பிரச்சாரம் என்று பிரச்சாரம் பெயரை உள்ளிடவும் apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,பத்திரிகை வெளியீட்டாளர்கள் apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,நிதியாண்டு வாய்ப்புகள் +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,விற்பனை வரிசை தேதிக்குப் பிறகு எதிர்பார்க்கப்படும் டெலிவரி தேதி இருக்க வேண்டும் apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,மறுவரிசைப்படுத்துக நிலை DocType: Company,Chart Of Accounts Template,கணக்குகள் டெம்ப்ளேட் வரைவு DocType: Attendance,Attendance Date,வருகை தேதி @@ -2900,7 +2906,7 @@ DocType: Pricing Rule,Discount Percentage,தள்ளுபடி சதவீ DocType: Payment Reconciliation Invoice,Invoice Number,விலைப்பட்டியல் எண் DocType: Shopping Cart Settings,Orders,ஆணைகள் DocType: Employee Leave Approver,Leave Approver,சர்க்கார் தரப்பில் சாட்சி விட்டு -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,ஒரு தொகுதி தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,ஒரு தொகுதி தேர்ந்தெடுக்கவும் DocType: Assessment Group,Assessment Group Name,மதிப்பீட்டு குழு பெயர் DocType: Manufacturing Settings,Material Transferred for Manufacture,பொருள் உற்பத்தி மாற்றப்பட்டது DocType: Expense Claim,"A user with ""Expense Approver"" role","""செலவு ஒப்புதல்"" பாத்திரம் ஒரு பயனர்" @@ -2937,7 +2943,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,அடுத்த மாதத்தின் கடைசி நாளில் DocType: Support Settings,Auto close Issue after 7 days,7 நாட்களுக்குப் பிறகு ஆட்டோ நெருங்கிய வெளியீடு apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","முன் ஒதுக்கீடு செய்யப்படும் {0}, விடுப்பு சமநிலை ஏற்கனவே கேரி-அனுப்பி எதிர்கால விடுப்பு ஒதுக்கீடு பதிவில் இருந்து வருகிறது {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),குறிப்பு: / குறிப்பு தேதி {0} நாள் அனுமதிக்கப்பட்ட வாடிக்கையாளர் கடன் அதிகமாகவும் (கள்) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),குறிப்பு: / குறிப்பு தேதி {0} நாள் அனுமதிக்கப்பட்ட வாடிக்கையாளர் கடன் அதிகமாகவும் (கள்) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,மாணவர் விண்ணப்பதாரர் DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,RECIPIENT ஐச் அசல் DocType: Asset Category Account,Accumulated Depreciation Account,திரண்ட தேய்மானம் கணக்கு @@ -2948,7 +2954,7 @@ DocType: Item,Reorder level based on Warehouse,கிடங்கில் அ DocType: Activity Cost,Billing Rate,பில்லிங் விகிதம் ,Qty to Deliver,அடித்தளத்திருந்து அளவு ,Stock Analytics,பங்கு அனலிட்டிக்ஸ் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ஆபரேஷன்ஸ் வெறுமையாக முடியும் +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,ஆபரேஷன்ஸ் வெறுமையாக முடியும் DocType: Maintenance Visit Purpose,Against Document Detail No,ஆவண விபரம் எண் எதிராக apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,கட்சி வகை அத்தியாவசியமானதாகும் DocType: Quality Inspection,Outgoing,வெளிச்செல்லும் @@ -2991,15 +2997,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,சேமிப்பு கிடங்கு கிடைக்கும் அளவு apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,பில் செய்த தொகை DocType: Asset,Double Declining Balance,இரட்டை குறைவு சமநிலை -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,மூடப்பட்ட ஆர்டர் ரத்து செய்யப்படும். ரத்து Unclose. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,மூடப்பட்ட ஆர்டர் ரத்து செய்யப்படும். ரத்து Unclose. DocType: Student Guardian,Father,அப்பா -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'மேம்படுத்தல் பங்கு' நிலையான சொத்து விற்பனை சோதிக்க முடியவில்லை +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'மேம்படுத்தல் பங்கு' நிலையான சொத்து விற்பனை சோதிக்க முடியவில்லை DocType: Bank Reconciliation,Bank Reconciliation,வங்கி நல்லிணக்க DocType: Attendance,On Leave,விடுப்பு மீது apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,மேம்படுத்தல்கள் கிடைக்கும் apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: கணக்கு {2} நிறுவனத்தின் சொந்தம் இல்லை {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,பொருள் கோரிக்கை {0} ரத்து அல்லது நிறுத்தி -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,ஒரு சில மாதிரி பதிவுகளை சேர்க்கவும் +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,ஒரு சில மாதிரி பதிவுகளை சேர்க்கவும் apps/erpnext/erpnext/config/hr.py +301,Leave Management,மேலாண்மை விடவும் apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,கணக்கு குழு DocType: Sales Order,Fully Delivered,முழுமையாக வழங்கப்படுகிறது @@ -3008,12 +3014,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",இந்த பங்கு நல்லிணக்க ஒரு தொடக்க நுழைவு என்பதால் வேறுபாடு அக்கவுண்ட் சொத்து / பொறுப்பு வகை கணக்கு இருக்க வேண்டும் apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},செலவிட்டு தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது கொள்ளலாம் {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},கொள்முதல் ஆணை எண் பொருள் தேவை {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,உற்பத்தி ஆர்டர் உருவாக்கப்பட்டது இல்லை +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,உற்பத்தி ஆர்டர் உருவாக்கப்பட்டது இல்லை apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',' வரம்பு தேதி ' தேதி ' பிறகு இருக்க வேண்டும் apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},மாணவர் என நிலையை மாற்ற முடியாது {0} மாணவர் பயன்பாடு இணைந்தவர் {1} DocType: Asset,Fully Depreciated,முழுமையாக தணியாக ,Stock Projected Qty,பங்கு அளவு திட்டமிடப்பட்ட -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},வாடிக்கையாளர் {0} திட்டம் அல்ல {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},வாடிக்கையாளர் {0} திட்டம் அல்ல {1} DocType: Employee Attendance Tool,Marked Attendance HTML,"அடையாளமிட்ட வருகை, HTML" apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",மேற்கோள்கள் முன்மொழிவுகள் நீங்கள் உங்கள் வாடிக்கையாளர்களுக்கு அனுப்பியுள்ளோம் ஏலம் உள்ளன DocType: Sales Order,Customer's Purchase Order,வாடிக்கையாளர் கொள்முதல் ஆணை @@ -3023,7 +3029,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations எண்ணிக்கை பதிவுசெய்தீர்கள் அமைக்கவும் apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,மதிப்பு அல்லது அளவு apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,புரொடக்சன்ஸ் ஆணைகள் எழுப்பியது முடியாது: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,நிமிஷம் +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,நிமிஷம் DocType: Purchase Invoice,Purchase Taxes and Charges,கொள்முதல் வரி மற்றும் கட்டணங்கள் ,Qty to Receive,மதுரையில் அளவு DocType: Leave Block List,Leave Block List Allowed,அனுமதிக்கப்பட்ட பிளாக் பட்டியல் விட்டு @@ -3037,7 +3043,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,அனைத்து வழங்குபவர் வகைகள் DocType: Global Defaults,Disable In Words,சொற்கள் முடக்கு apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,பொருள் தானாக எண் ஏனெனில் பொருள் கோட் கட்டாய ஆகிறது -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},மேற்கோள் {0} அல்ல வகை {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},மேற்கோள் {0} அல்ல வகை {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,பராமரிப்பு அட்டவணை பொருள் DocType: Sales Order,% Delivered,அனுப்பப்பட்டது% DocType: Production Order,PRO-,சார்பு @@ -3060,7 +3066,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,விற்பனையாளர் மின்னஞ்சல் DocType: Project,Total Purchase Cost (via Purchase Invoice),மொத்த கொள்முதல் விலை (கொள்முதல் விலைப்பட்டியல் வழியாக) DocType: Training Event,Start Time,தொடக்க நேரம் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,தேர்வு அளவு +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,தேர்வு அளவு DocType: Customs Tariff Number,Customs Tariff Number,சுங்க கட்டணம் எண் apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,பங்கு ஒப்புதல் ஆட்சி பொருந்தும் பாத்திரம் அதே இருக்க முடியாது apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,இந்த மின்னஞ்சல் டைஜஸ்ட் இருந்து விலகுவதற்காக @@ -3084,7 +3090,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR விரிவாக DocType: Sales Order,Fully Billed,முழுமையாக வசூலிக்கப்படும் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,கைப்பணம் -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},டெலிவரி கிடங்கு பங்கு உருப்படியை தேவையான {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},டெலிவரி கிடங்கு பங்கு உருப்படியை தேவையான {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),தொகுப்பின் மொத்த எடை. பொதுவாக நிகர எடை + பேக்கேஜிங் பொருட்கள் எடை. (அச்சுக்கு) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,திட்டம் DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,இந்த பங்களிப்பை செய்த உறைந்த கணக்குகள் எதிராக கணக்கியல் உள்ளீடுகள் மாற்ற / உறைந்த கணக்குகள் அமைக்க உருவாக்க அனுமதி @@ -3094,7 +3100,7 @@ DocType: Student Group,Group Based On,குழு அடிப்படைய DocType: Journal Entry,Bill Date,பில் தேதி apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","சேவை பொருள், வகை, அதிர்வெண் மற்றும் செலவு தொகை தேவைப்படுகிறது" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","அதிகபட்ச முன்னுரிமை கொண்ட பல விலை விதிகள் உள்ளன என்றால், பின் பின்வரும் உள் முன்னுரிமைகள் பயன்படுத்தப்படும்:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},நீங்கள் உண்மையில் {0} இருந்து அனைத்து சம்பளம் ஸ்லிப் சமர்ப்பிக்க விரும்புகிறீர்களா {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},நீங்கள் உண்மையில் {0} இருந்து அனைத்து சம்பளம் ஸ்லிப் சமர்ப்பிக்க விரும்புகிறீர்களா {1} DocType: Cheque Print Template,Cheque Height,காசோலை உயரம் DocType: Supplier,Supplier Details,வழங்குபவர் விவரம் DocType: Expense Claim,Approval Status,ஒப்புதல் நிலைமை @@ -3116,7 +3122,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,மேற்கே apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,மேலும் காண்பிக்க எதுவும் இல்லை. DocType: Lead,From Customer,வாடிக்கையாளர் இருந்து apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,அழைப்புகள் -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,தொகுப்புகளும் +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,தொகுப்புகளும் DocType: Project,Total Costing Amount (via Time Logs),மொத்த செலவு தொகை (நேரத்தில் பதிவுகள் வழியாக) DocType: Purchase Order Item Supplied,Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,கொள்முதல் ஆணை {0} சமர்ப்பிக்க @@ -3148,7 +3154,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,எதிராக க DocType: Item,Warranty Period (in days),உத்தரவாதத்தை காலம் (நாட்கள்) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 அரசுடன் உறவு apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,செயல்பாடுகள் இருந்து நிகர பண -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,எ.கா. வரி +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,எ.கா. வரி apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,பொருள் 4 DocType: Student Admission,Admission End Date,சேர்க்கை முடிவு தேதி apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,துணை ஒப்பந்த @@ -3156,7 +3162,7 @@ DocType: Journal Entry Account,Journal Entry Account,பத்திரிகை apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,மாணவர் குழு DocType: Shopping Cart Settings,Quotation Series,மேற்கோள் தொடர் apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ஒரு பொருளை ( {0} ) , உருப்படி குழு பெயர் மாற்ற அல்லது மறுபெயரிட தயவு செய்து அதே பெயரில்" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,வாடிக்கையாளர் தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,வாடிக்கையாளர் தேர்ந்தெடுக்கவும் DocType: C-Form,I,நான் DocType: Company,Asset Depreciation Cost Center,சொத்து தேய்மானம் செலவு மையம் DocType: Sales Order Item,Sales Order Date,விற்பனை ஆர்டர் தேதி @@ -3167,6 +3173,7 @@ DocType: Stock Settings,Limit Percent,எல்லை சதவீதம் ,Payment Period Based On Invoice Date,விலைப்பட்டியல் தேதியின் அடிப்படையில் கொடுப்பனவு காலம் apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},காணாமல் நாணய மாற்று விகிதங்கள் {0} DocType: Assessment Plan,Examiner,பரிசோதகர் +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,அமைவு> அமைப்புகள்> பெயரிடும் தொடர்கள் வழியாக {0} பெயரிடும் தொடர்களை அமைக்கவும் DocType: Student,Siblings,உடன்பிறப்புகளின் DocType: Journal Entry,Stock Entry,பங்கு நுழைவு DocType: Payment Entry,Payment References,கொடுப்பனவு குறிப்புகள் @@ -3191,7 +3198,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,உற்பத்தி இயக்கங்களை எங்கே கொண்டுவரப்படுகின்றன. DocType: Asset Movement,Source Warehouse,மூல கிடங்கு DocType: Installation Note,Installation Date,நிறுவல் தேதி -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},ரோ # {0}: சொத்து {1} நிறுவனம் சொந்தமானது இல்லை {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},ரோ # {0}: சொத்து {1} நிறுவனம் சொந்தமானது இல்லை {2} DocType: Employee,Confirmation Date,உறுதிப்படுத்தல் தேதி DocType: C-Form,Total Invoiced Amount,மொத்த விலை விவரம் தொகை apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,குறைந்தபட்ச அளவு மேக்ஸ் அளவு அதிகமாக இருக்க முடியாது @@ -3266,7 +3273,7 @@ DocType: Company,Default Letter Head,கடிதத் தலைப்பில DocType: Purchase Order,Get Items from Open Material Requests,திறந்த பொருள் கோரிக்கைகள் இருந்து பொருட்களை பெற DocType: Item,Standard Selling Rate,ஸ்டாண்டர்ட் விற்பனை விகிதம் DocType: Account,Rate at which this tax is applied,இந்த வரி செலுத்தப்படுகிறது விகிதத்தில் -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,மறுவரிசைப்படுத்துக அளவு +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,மறுவரிசைப்படுத்துக அளவு apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,தற்போதைய வேலை வாய்ப்புகள் DocType: Company,Stock Adjustment Account,பங்கு சரிசெய்தல் கணக்கு apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,இனிய எழுதவும் @@ -3280,7 +3287,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,சப்ளையர் வாடிக்கையாளர் வழங்குகிறது apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# படிவம் / பொருள் / {0}) பங்கு வெளியே apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,அடுத்த நாள் பதிவுசெய்ய தேதி விட அதிகமாக இருக்க வேண்டும் -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},காரணமாக / குறிப்பு தேதி பின்னர் இருக்க முடியாது {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},காரணமாக / குறிப்பு தேதி பின்னர் இருக்க முடியாது {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,தரவு இறக்குமதி மற்றும் ஏற்றுமதி apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,மாணவர்கள் காணப்படவில்லை. apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,விலைப்பட்டியல் பதிவுசெய்ய தேதி @@ -3301,12 +3308,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,இந்த மாணவர் வருகை அடிப்படையாக கொண்டது apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,எந்த மாணவர் apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,மேலும் பொருட்களை அல்லது திறந்த முழு வடிவம் சேர்க்க -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',' எதிர்பார்த்த டெலிவரி தேதி ' உள்ளிடவும் -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,டெலிவரி குறிப்புகள் {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,டெலிவரி குறிப்புகள் {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,பணம் அளவு + அளவு தள்ளுபடி கிராண்ட் மொத்த விட முடியாது apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} உருப்படி ஒரு செல்லுபடியாகும் தொகுதி எண் அல்ல {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},குறிப்பு: விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,தவறான GSTIN அல்லது பதியப்படாதது க்கான என்ஏ உள்ளிடவும் +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,தவறான GSTIN அல்லது பதியப்படாதது க்கான என்ஏ உள்ளிடவும் DocType: Training Event,Seminar,கருத்தரங்கு DocType: Program Enrollment Fee,Program Enrollment Fee,திட்டம் சேர்க்கை கட்டணம் DocType: Item,Supplier Items,வழங்குபவர் பொருட்கள் @@ -3324,7 +3330,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,பங்கு மூப்படைதலுக்கான apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},மாணவர் {0} மாணவர் விண்ணப்பதாரர் எதிராக உள்ளன {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,டைம் ஷீட் -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} {1} 'முடக்கப்பட்டுள்ளது +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} {1} 'முடக்கப்பட்டுள்ளது apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,திறந்த அமை DocType: Cheque Print Template,Scanned Cheque,ஸ்கேன் காசோலை DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,சமர்ப்பிக்கும் பரிமாற்றங்கள் மீது தொடர்புகள் தானியங்கி மின்னஞ்சல்களை அனுப்ப. @@ -3371,7 +3377,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,விலை பட்டியல் செலாவணி விகிதம் DocType: Purchase Invoice Item,Rate,விலை apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,நடமாட்டத்தை கட்டுபடுத்து -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,முகவரி பெயர் +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,முகவரி பெயர் DocType: Stock Entry,From BOM,"BOM, இருந்து" DocType: Assessment Code,Assessment Code,மதிப்பீடு குறியீடு apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,அடிப்படையான @@ -3384,20 +3390,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,சம்பளம் அமைப்பு DocType: Account,Bank,வங்கி apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,விமானத்துறை -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,பிரச்சினை பொருள் +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,பிரச்சினை பொருள் DocType: Material Request Item,For Warehouse,கிடங்கு DocType: Employee,Offer Date,சலுகை தேதி apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,மேற்கோள்கள் -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,நீங்கள் ஆஃப்லைனில் உள்ளன. நீங்கள் பிணைய வேண்டும் வரை ஏற்றவும் முடியாது. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,நீங்கள் ஆஃப்லைனில் உள்ளன. நீங்கள் பிணைய வேண்டும் வரை ஏற்றவும் முடியாது. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,மாணவர் குழுக்கள் உருவாக்கப்படவில்லை. DocType: Purchase Invoice Item,Serial No,இல்லை தொடர் apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,மாதாந்திர கட்டுந்தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது முடியும் apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Maintaince விவரம் முதல் உள்ளிடவும் +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,வரிசை # {0}: எதிர்பார்த்த டெலிவரி தேதி கொள்முதல் வரிசை தேதிக்கு முன் இருக்க முடியாது DocType: Purchase Invoice,Print Language,அச்சு மொழி DocType: Salary Slip,Total Working Hours,மொத்த வேலை நேரங்கள் DocType: Stock Entry,Including items for sub assemblies,துணை தொகுதிகளுக்கான உருப்படிகள் உட்பட -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,உள்ளிடவும் மதிப்பு நேர்மறையாக இருக்க வேண்டும் -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,உள்ளிடவும் மதிப்பு நேர்மறையாக இருக்க வேண்டும் apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,அனைத்து பிரதேசங்களையும் DocType: Purchase Invoice,Items,பொருட்கள் apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,மாணவர் ஏற்கனவே பதிவு செய்யப்பட்டது. @@ -3420,7 +3426,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',மாற்று அளவீடு இயல்புநிலை யூனிட் '{0}' டெம்ப்ளேட் அதே இருக்க வேண்டும் '{1}' DocType: Shipping Rule,Calculate Based On,ஆனால் அடிப்படையில் கணக்கிட DocType: Delivery Note Item,From Warehouse,கிடங்கில் இருந்து -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,பொருட்களை பில் கொண்டு உருப்படிகள் இல்லை தயாரிப்பதற்கான +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,பொருட்களை பில் கொண்டு உருப்படிகள் இல்லை தயாரிப்பதற்கான DocType: Assessment Plan,Supervisor Name,மேற்பார்வையாளர் பெயர் DocType: Program Enrollment Course,Program Enrollment Course,திட்டம் பதிவு கோர்ஸ் DocType: Program Enrollment Course,Program Enrollment Course,திட்டம் பதிவு கோர்ஸ் @@ -3436,23 +3442,23 @@ DocType: Training Event Employee,Attended,கலந்து apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,' கடைசி ஆர்டர் நாட்களில் ' அதிகமாக அல்லது பூஜ்ஜியத்திற்கு சமமாக இருக்க வேண்டும் DocType: Process Payroll,Payroll Frequency,சம்பளப்பட்டியல் அதிர்வெண் DocType: Asset,Amended From,முதல் திருத்தப்பட்ட -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,மூலப்பொருட்களின் +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,மூலப்பொருட்களின் DocType: Leave Application,Follow via Email,மின்னஞ்சல் வழியாக பின்பற்றவும் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,செடிகள் மற்றும் இயந்திரங்கள் DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,தள்ளுபடி தொகை பிறகு வரி தொகை DocType: Daily Work Summary Settings,Daily Work Summary Settings,தினசரி வேலை சுருக்கம் அமைப்புகள் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},விலை பட்டியல் {0} நாணய தேர்ந்தெடுக்கப்பட்ட நாணயத்துடன் ஒத்த அல்ல {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},விலை பட்டியல் {0} நாணய தேர்ந்தெடுக்கப்பட்ட நாணயத்துடன் ஒத்த அல்ல {1} DocType: Payment Entry,Internal Transfer,உள்நாட்டு மாற்றம் apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,குழந்தை கணக்கு இந்த கணக்கு உள்ளது . நீங்கள் இந்த கணக்கை நீக்க முடியாது . apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,இலக்கு அளவு அல்லது இலக்கு அளவு கட்டாயமாகும். apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},"இயல்புநிலை BOM, பொருள் உள்ளது {0}" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,முதல் பதிவுசெய்ய தேதி தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,முதல் பதிவுசெய்ய தேதி தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,தேதி திறந்து தேதி மூடுவதற்கு முன் இருக்க வேண்டும் DocType: Leave Control Panel,Carry Forward,முன்னெடுத்து செல் apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,ஏற்கனவே பரிவர்த்தனைகள் செலவு மையம் லெட்ஜரிடம் மாற்ற முடியாது DocType: Department,Days for which Holidays are blocked for this department.,இது விடுமுறை நாட்கள் இந்த துறை தடுக்கப்பட்டது. ,Produced,உற்பத்தி -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,உருவாக்கப்பட்டது சம்பளம் துண்டுகளைக் +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,உருவாக்கப்பட்டது சம்பளம் துண்டுகளைக் DocType: Item,Item Code for Suppliers,சப்ளையர்கள் பொருள் குறியீடு DocType: Issue,Raised By (Email),(மின்னஞ்சல்) மூலம் எழுப்பப்பட்ட DocType: Training Event,Trainer Name,பயிற்சி பெயர் @@ -3460,9 +3466,10 @@ DocType: Mode of Payment,General,பொதுவான apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,கடைசியாக தொடர்பாடல் apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,கடைசியாக தொடர்பாடல் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',வகை ' மதிப்பீட்டு ' அல்லது ' மதிப்பீடு மற்றும் மொத்த ' உள்ளது போது கழித்து முடியாது -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","உங்கள் வரி தலைகள் பட்டியல் (எ.கா. வரி, சுங்க போன்றவை; அவர்கள் தனிப்பட்ட பெயர்கள் இருக்க வேண்டும்) மற்றும் அவர்களது தரத்தை விகிதங்கள். இந்த நீங்கள் திருத்தலாம் மற்றும் மேலும் பின்னர் சேர்க்க நிலைப்படுத்தப்பட்ட டெம்ப்ளேட், உருவாக்கும்." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","உங்கள் வரி தலைகள் பட்டியல் (எ.கா. வரி, சுங்க போன்றவை; அவர்கள் தனிப்பட்ட பெயர்கள் இருக்க வேண்டும்) மற்றும் அவர்களது தரத்தை விகிதங்கள். இந்த நீங்கள் திருத்தலாம் மற்றும் மேலும் பின்னர் சேர்க்க நிலைப்படுத்தப்பட்ட டெம்ப்ளேட், உருவாக்கும்." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},தொடராக பொருள் தொடர் இலக்கங்கள் தேவையான {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,பொருள் கொண்ட போட்டி கொடுப்பனவு +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},வரிசை # {0}: தயவுசெய்து பொருளுக்கு எதிராக டெலிவரி தேதி உள்ளிடவும் {1} DocType: Journal Entry,Bank Entry,வங்கி நுழைவு DocType: Authorization Rule,Applicable To (Designation),பொருந்தும் (பதவி) ,Profitability Analysis,இலாபத்தன்மைப் பகுப்பாய்வு @@ -3478,17 +3485,18 @@ DocType: Quality Inspection,Item Serial No,பொருள் தொடர apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,பணியாளர் ரெக்கார்ட்ஸ் உருவாக்கவும் apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,மொத்த தற்போதைய apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,கணக்கு அறிக்கைகள் -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,மணி +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,மணி apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,புதிய சீரியல் இல்லை கிடங்கு முடியாது . கிடங்கு பங்கு நுழைவு அல்லது கொள்முதல் ரசீது மூலம் அமைக்க வேண்டும் DocType: Lead,Lead Type,முன்னணி வகை apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,நீங்கள் பிளாக் தேதிகள் இலைகள் ஒப்புதல் அங்கீகாரம் இல்லை -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,இந்த பொருட்கள் ஏற்கனவே விலை விவரம் +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,இந்த பொருட்கள் ஏற்கனவே விலை விவரம் +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,மாதாந்திர விற்பனை இலக்கு apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} ஒப்புதல் DocType: Item,Default Material Request Type,இயல்புநிலை பொருள் கோரிக்கை வகை apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,தெரியாத DocType: Shipping Rule,Shipping Rule Conditions,கப்பல் விதி நிபந்தனைகள் DocType: BOM Replace Tool,The new BOM after replacement,மாற்று பின்னர் புதிய BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,விற்பனை செய்யுமிடம் +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,விற்பனை செய்யுமிடம் DocType: Payment Entry,Received Amount,பெறப்பட்ட தொகை DocType: GST Settings,GSTIN Email Sent On,GSTIN மின்னஞ்சல் அனுப்பப்படும் DocType: Program Enrollment,Pick/Drop by Guardian,/ கார்டியன் மூலம் டிராப் எடு @@ -3505,8 +3513,8 @@ DocType: Batch,Source Document Name,மூல ஆவண பெயர் DocType: Batch,Source Document Name,மூல ஆவண பெயர் DocType: Job Opening,Job Title,வேலை தலைப்பு apps/erpnext/erpnext/utilities/activation.py +97,Create Users,பயனர்கள் உருவாக்கவும் -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,கிராம -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,உற்பத்தி செய்ய அளவு 0 அதிகமாக இருக்க வேண்டும். +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,கிராம +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,உற்பத்தி செய்ய அளவு 0 அதிகமாக இருக்க வேண்டும். apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,பராமரிப்பு அழைப்பு அறிக்கையை பார்க்க. DocType: Stock Entry,Update Rate and Availability,மேம்படுத்தல் விகிதம் மற்றும் கிடைக்கும் DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,நீங்கள் அளவு எதிராக இன்னும் பெற அல்லது வழங்க அனுமதிக்கப்படுகிறது சதவீதம் உத்தரவிட்டது. எடுத்துக்காட்டாக: நீங்கள் 100 அலகுகள் உத்தரவிட்டார் என்றால். உங்கள் அலவன்ஸ் 10% நீங்கள் 110 அலகுகள் பெற அனுமதிக்கப்படும். @@ -3519,7 +3527,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,கொள்முதல் விலைப்பட்டியல் {0} ரத்து செய்க முதல் apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","மின்னஞ்சல் முகவரி, தனித்துவமானதாக இருக்க வேண்டும் ஏற்கனவே உள்ளது {0}" DocType: Serial No,AMC Expiry Date,AMC காலாவதியாகும் தேதி -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,ரசீது +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,ரசீது ,Sales Register,விற்பனை பதிவு DocType: Daily Work Summary Settings Company,Send Emails At,மின்னஞ்சல்களை அனுப்பவும் DocType: Quotation,Quotation Lost Reason,மேற்கோள் காரணம் லாஸ்ட் @@ -3532,14 +3540,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,இதுவ apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,பணப்பாய்வு அறிக்கை apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},கடன் தொகை அதிகபட்ச கடன் தொகை தாண்ட முடியாது {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,உரிமம் -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},சி-படிவம் இந்த விலைப்பட்டியல் {0} நீக்கவும் {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},சி-படிவம் இந்த விலைப்பட்டியல் {0} நீக்கவும் {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,நீங்கள் முந்தைய நிதி ஆண்டின் இருப்புநிலை இந்த நிதி ஆண்டு விட்டு சேர்க்க விரும்பினால் முன் எடுத்து கொள்ளவும் DocType: GL Entry,Against Voucher Type,வவுச்சர் வகை எதிராக DocType: Item,Attributes,கற்பிதங்கள் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,கணக்கு எழுத உள்ளிடவும் apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,கடைசி ஆர்டர் தேதி apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},கணக்கு {0} செய்கிறது நிறுவனம் சொந்தமானது {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,வரிசையில் {0} இல் சீரியல் எண்கள் டெலிவரி குறிப்பு உடன் பொருந்தவில்லை +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,வரிசையில் {0} இல் சீரியல் எண்கள் டெலிவரி குறிப்பு உடன் பொருந்தவில்லை DocType: Student,Guardian Details,பாதுகாவலர் விபரங்கள் DocType: C-Form,C-Form,சி படிவம் apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,பல ஊழியர்கள் மார்க் வருகை @@ -3571,17 +3579,18 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,விற்பனை DocType: Stock Entry Detail,Basic Amount,அடிப்படை தொகை DocType: Training Event,Exam,தேர்வு -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},பங்கு பொருள் தேவை கிடங்கு {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},பங்கு பொருள் தேவை கிடங்கு {0} DocType: Leave Allocation,Unused leaves,பயன்படுத்தப்படாத இலைகள் -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,பில்லிங் மாநிலம் apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,பரிமாற்றம் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},"{0} {1} கட்சி கணக்கு {2} உடன் தொடர்புடைய இல்லை" -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),( துணை கூட்டங்கள் உட்பட ) வெடித்தது BOM எடு +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),( துணை கூட்டங்கள் உட்பட ) வெடித்தது BOM எடு DocType: Authorization Rule,Applicable To (Employee),பொருந்தும் (பணியாளர்) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,தேதி அத்தியாவசியமானதாகும் apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,பண்பு உயர்வு {0} 0 இருக்க முடியாது +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> மண்டலம் DocType: Journal Entry,Pay To / Recd From,வரம்பு / Recd செய்ய பணம் DocType: Naming Series,Setup Series,அமைப்பு தொடர் DocType: Payment Reconciliation,To Invoice Date,தேதி விலைப்பட்டியல் @@ -3608,7 +3617,7 @@ DocType: Journal Entry,Write Off Based On,ஆனால் அடிப்பட apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,முன்னணி செய்ய apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,அச்சு மற்றும் ஸ்டேஷனரி DocType: Stock Settings,Show Barcode Field,காட்டு பார்கோடு களம் -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,சப்ளையர் மின்னஞ்சல்கள் அனுப்ப +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,சப்ளையர் மின்னஞ்சல்கள் அனுப்ப apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","சம்பளம் ஏற்கனவே இடையே {0} மற்றும் {1}, விட்டு பயன்பாடு காலத்தில் இந்த தேதி வரம்பில் இடையே இருக்க முடியாது காலத்தில் பதப்படுத்தப்பட்ட." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,ஒரு சீரியல் எண் நிறுவல் பதிவு DocType: Guardian Interest,Guardian Interest,பாதுகாவலர் வட்டி @@ -3622,7 +3631,7 @@ DocType: Offer Letter,Awaiting Response,பதிலை எதிர்பார apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,மேலே apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},தவறான கற்பிதம் {0} {1} DocType: Supplier,Mention if non-standard payable account,குறிப்பிட தரமற்ற செலுத்தப்பட கணக்கு என்றால் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},அதே பொருளைப் பலமுறை நுழைந்தது வருகிறது. {பட்டியலில்} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},அதே பொருளைப் பலமுறை நுழைந்தது வருகிறது. {பட்டியலில்} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',தயவு செய்து 'அனைத்து மதிப்பீடு குழுக்கள்' தவிர வேறு மதிப்பீடு குழு தேர்வு DocType: Salary Slip,Earning & Deduction,சம்பாதிக்கும் & விலக்கு apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,விருப்ப . இந்த அமைப்பு பல்வேறு நடவடிக்கைகளில் வடிகட்ட பயன்படும். @@ -3641,7 +3650,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,முறித்துள்ளது சொத்து செலவு apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: செலவு மையம் பொருள் அத்தியாவசியமானதாகும் {2} DocType: Vehicle,Policy No,கொள்கை இல்லை -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,தயாரிப்பு மூட்டை இருந்து பொருட்களை பெற +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,தயாரிப்பு மூட்டை இருந்து பொருட்களை பெற DocType: Asset,Straight Line,நேர் கோடு DocType: Project User,Project User,திட்ட பயனர் apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,பிரி @@ -3656,6 +3665,7 @@ DocType: Bank Reconciliation,Payment Entries,கொடுப்பனவு DocType: Production Order,Scrap Warehouse,குப்பை கிடங்கு DocType: Production Order,Check if material transfer entry is not required,பொருள் பரிமாற்ற நுழைவு தேவையில்லை என்று சரிபார்க்கவும் DocType: Production Order,Check if material transfer entry is not required,பொருள் பரிமாற்ற நுழைவு தேவையில்லை என்று சரிபார்க்கவும் +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,மனித வளத்தில் பணியாளர் பெயரிடும் அமைப்பை அமைத்தல்> HR அமைப்புகள் DocType: Program Enrollment Tool,Get Students From,இருந்து மாணவர்கள் பெற DocType: Hub Settings,Seller Country,விற்பனையாளர் நாடு apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,இணையத்தளம் வெளியிடு @@ -3674,19 +3684,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,த DocType: Shipping Rule,Specify conditions to calculate shipping amount,கப்பல் அளவு கணக்கிட நிலைமைகளை குறிப்பிடவும் DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,பங்கு உறைந்த கணக்குகள் & திருத்து உறைந்த பதிவுகள் அமைக்க அனுமதி apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,அது குழந்தை முனைகள் என லெட்ஜரிடம் செலவு மையம் மாற்ற முடியாது -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,திறப்பு மதிப்பு +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,திறப்பு மதிப்பு DocType: Salary Detail,Formula,சூத்திரம் apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,தொடர் # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,விற்பனையில் கமிஷன் DocType: Offer Letter Term,Value / Description,மதிப்பு / விளக்கம் -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ரோ # {0}: சொத்து {1} சமர்ப்பிக்க முடியாது, அது ஏற்கனவே {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ரோ # {0}: சொத்து {1} சமர்ப்பிக்க முடியாது, அது ஏற்கனவே {2}" DocType: Tax Rule,Billing Country,பில்லிங் நாடு DocType: Purchase Order Item,Expected Delivery Date,எதிர்பார்க்கப்படுகிறது டெலிவரி தேதி apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,கடன் மற்றும் பற்று {0} # சம அல்ல {1}. வித்தியாசம் இருக்கிறது {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,பொழுதுபோக்கு செலவினங்கள் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,பொருள் வேண்டுகோள் செய்ய apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},திறந்த பொருள் {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,கவிஞருக்கு {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,கவிஞருக்கு {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,வயது DocType: Sales Invoice Timesheet,Billing Amount,பில்லிங் அளவு apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,உருப்படி குறிப்பிடப்பட்டது அளவு {0} . அளவு 0 அதிகமாக இருக்க வேண்டும் . @@ -3709,7 +3719,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,புதிய வாடிக்கையாளர் வருவாய் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,போக்குவரத்து செலவுகள் DocType: Maintenance Visit,Breakdown,முறிவு -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,கணக்கு: {0} நாணயத்துடன்: {1} தேர்வு செய்ய முடியாது +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,கணக்கு: {0} நாணயத்துடன்: {1} தேர்வு செய்ய முடியாது DocType: Bank Reconciliation Detail,Cheque Date,காசோலை தேதி apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},கணக்கு {0}: பெற்றோர் கணக்கு {1} நிறுவனத்திற்கு சொந்தமானது இல்லை: {2} DocType: Program Enrollment Tool,Student Applicants,மாணவர் விண்ணப்பதாரர்கள் @@ -3729,11 +3739,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,தி DocType: Material Request,Issued,வெளியிடப்படுகிறது apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,மாணவர் நடவடிக்கை DocType: Project,Total Billing Amount (via Time Logs),மொத்த பில்லிங் அளவு (நேரத்தில் பதிவுகள் வழியாக) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,நாம் இந்த பொருளை விற்க +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,நாம் இந்த பொருளை விற்க apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,வழங்குபவர் அடையாளம் DocType: Payment Request,Payment Gateway Details,பணம் நுழைவாயில் விபரங்கள் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,அளவு 0 அதிகமாக இருக்க வேண்டும் -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,மாதிரி தரவு +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,அளவு 0 அதிகமாக இருக்க வேண்டும் +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,மாதிரி தரவு DocType: Journal Entry,Cash Entry,பண நுழைவு apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,குழந்தை முனைகளில் மட்டும் 'குரூப்' வகை முனைகளில் கீழ் உருவாக்கப்பட்ட முடியும் DocType: Leave Application,Half Day Date,அரை நாள் தேதி @@ -3742,17 +3752,18 @@ DocType: Sales Partner,Contact Desc,தொடர்பு DESC apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","சாதாரண, உடம்பு போன்ற இலைகள் வகை" DocType: Email Digest,Send regular summary reports via Email.,மின்னஞ்சல் வழியாக வழக்கமான சுருக்கம் அறிக்கைகள் அனுப்பவும். DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},செலவு கூறுகின்றனர் வகை இயல்புநிலை கணக்கு அமைக்கவும் {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},செலவு கூறுகின்றனர் வகை இயல்புநிலை கணக்கு அமைக்கவும் {0} DocType: Assessment Result,Student Name,மாணவன் பெயர் DocType: Brand,Item Manager,பொருள் மேலாளர் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,செலுத்த வேண்டிய சம்பளப்பட்டியல் DocType: Buying Settings,Default Supplier Type,முன்னிருப்பு சப்ளையர் வகை DocType: Production Order,Total Operating Cost,மொத்த இயக்க செலவு -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,குறிப்பு: பொருள் {0} பல முறை உள்ளிட்ட +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,குறிப்பு: பொருள் {0} பல முறை உள்ளிட்ட apps/erpnext/erpnext/config/selling.py +41,All Contacts.,அனைத்து தொடர்புகள். +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,உங்கள் இலக்கு அமைக்கவும் apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,நிறுவனத்தின் சுருக்கமான apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,பயனர் {0} இல்லை -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,மூலப்பொருள் முக்கிய பொருள் அதே இருக்க முடியாது +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,மூலப்பொருள் முக்கிய பொருள் அதே இருக்க முடியாது DocType: Item Attribute Value,Abbreviation,சுருக்கமான apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,கொடுப்பனவு நுழைவு ஏற்கனவே உள்ளது apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} வரம்புகளை அதிகமாக இருந்து அங்கீகாரம் இல்லை @@ -3770,7 +3781,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,உறைந்த ப ,Territory Target Variance Item Group-Wise,மண்டலம் இலக்கு வேறுபாடு பொருள் குழு வாரியாக apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,அனைத்து வாடிக்கையாளர் குழுக்கள் apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,திரட்டப்பட்ட மாதாந்திர -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} கட்டாயமாகும். ஒருவேளை செலாவணி சாதனை {2} செய்ய {1} உருவாக்கப்பட்டது அல்ல. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} கட்டாயமாகும். ஒருவேளை செலாவணி சாதனை {2} செய்ய {1} உருவாக்கப்பட்டது அல்ல. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,வரி டெம்ப்ளேட் கட்டாயமாகும். apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,கணக்கு {0}: பெற்றோர் கணக்கு {1} இல்லை DocType: Purchase Invoice Item,Price List Rate (Company Currency),விலை பட்டியல் விகிதம் (நிறுவனத்தின் கரன்சி) @@ -3781,7 +3792,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,சதவீத apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,காரியதரிசி DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","முடக்கினால், துறையில் 'வார்த்தையில்' எந்த பரிமாற்றத்தில் காண முடியாது" DocType: Serial No,Distinct unit of an Item,"ஒரு பொருள், மாறுபட்ட அலகு" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,நிறுவனத்தின் அமைக்கவும் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,நிறுவனத்தின் அமைக்கவும் DocType: Pricing Rule,Buying,வாங்குதல் DocType: HR Settings,Employee Records to be created by,பணியாளர் ரெக்கார்ட்ஸ் விவரங்களை வேண்டும் DocType: POS Profile,Apply Discount On,தள்ளுபடி விண்ணப்பிக்கவும் @@ -3792,7 +3803,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,பொருள் வாரியாக வரி விவரம் apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,நிறுவனம் சுருக்கமான ,Item-wise Price List Rate,பொருள் வாரியான விலை பட்டியல் விகிதம் -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,வழங்குபவர் விலைப்பட்டியல் +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,வழங்குபவர் விலைப்பட்டியல் DocType: Quotation,In Words will be visible once you save the Quotation.,நீங்கள் மேற்கோள் சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும். apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},அளவு ({0}) வரிசையில் ஒரு பகுதியை இருக்க முடியாது {1} apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,கட்டணம் சேகரிக்க @@ -3816,7 +3827,7 @@ Updated via 'Time Log'","நிமிடங்கள் DocType: Customer,From Lead,முன்னணி இருந்து apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ஆணைகள் உற்பத்தி வெளியிடப்பட்டது. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,நிதியாண்டு தேர்ந்தெடுக்கவும் ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,பிஓஎஸ் செய்தது பிஓஎஸ் நுழைவு செய்ய வேண்டும் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,பிஓஎஸ் செய்தது பிஓஎஸ் நுழைவு செய்ய வேண்டும் DocType: Program Enrollment Tool,Enroll Students,மாணவர்கள் பதிவுசெய்யவும் DocType: Hub Settings,Name Token,பெயர் டோக்கன் apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ஸ்டாண்டர்ட் விற்பனை @@ -3834,7 +3845,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,பங்கு மதிப apps/erpnext/erpnext/config/learn.py +234,Human Resource,மையம் வள DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,கொடுப்பனவு நல்லிணக்க கொடுப்பனவு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,வரி சொத்துகள் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},உற்பத்தி ஆணை வருகிறது {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},உற்பத்தி ஆணை வருகிறது {0} DocType: BOM Item,BOM No,BOM எண் DocType: Instructor,INS/,ஐஎன்எஸ் / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,பத்திரிகை நுழைவு {0} {1} அல்லது ஏற்கனவே மற்ற ரசீது எதிராக பொருந்தியது கணக்கு இல்லை @@ -3848,7 +3859,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,ஒர apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,மிகச்சிறந்த விவரங்கள் DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,தொகுப்பு இந்த விற்பனை நபர் குழு வாரியான பொருள் குறிவைக்கிறது. DocType: Stock Settings,Freeze Stocks Older Than [Days],உறைதல் பங்குகள் பழைய [days] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ரோ # {0}: சொத்துக்கான நிலையான சொத்து வாங்க / விற்க அத்தியாவசியமானதாகும் +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ரோ # {0}: சொத்துக்கான நிலையான சொத்து வாங்க / விற்க அத்தியாவசியமானதாகும் apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","இரண்டு அல்லது அதற்கு மேற்பட்ட விலை விதிகள் மேலே நிபந்தனைகளை அடிப்படையாகக் காணப்படுகின்றன என்றால், முன்னுரிமை பயன்படுத்தப்படுகிறது. இயல்புநிலை மதிப்பு பூஜ்யம் (வெற்று) இருக்கும் போது முன்னுரிமை 20 0 இடையில் ஒரு எண். உயர் எண்ணிக்கை அதே நிலையில் பல விலை விதிகள் உள்ளன என்றால் அதை முன்னுரிமை எடுக்கும்." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,நிதியாண்டு {0} இல்லை உள்ளது DocType: Currency Exchange,To Currency,நாணய செய்ய @@ -3856,7 +3867,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,செலவின உரிமைகோரல் வகைகள். apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},அதன் {1} உருப்படியை விகிதம் விற்பனை {0} விட குறைவாக உள்ளது. விகிதம் விற்பனை இருக்க வேண்டும் குறைந்தது {2} DocType: Item,Taxes,வரி -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,ஊதியம் மற்றும் பெறாதபோது +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,ஊதியம் மற்றும் பெறாதபோது DocType: Project,Default Cost Center,இயல்புநிலை விலை மையம் DocType: Bank Guarantee,End Date,இறுதி நாள் apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,பங்கு பரிவர்த்தனைகள் @@ -3873,7 +3884,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,தினசரி வேலை சுருக்கம் அமைப்புகள் நிறுவனத்தின் apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,அது ஒரு பங்கு உருப்படியை இல்லை என்பதால் பொருள் {0} அலட்சியம் DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,மேலும் செயலாக்க இந்த உற்பத்தி ஆர்டர் . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,மேலும் செயலாக்க இந்த உற்பத்தி ஆர்டர் . apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ஒரு குறிப்பிட்ட பரிமாற்றத்தில் விலை விதி பொருந்தும் இல்லை, அனைத்து பொருந்தும் விலை விதிகள் முடக்கப்பட்டுள்ளது." DocType: Assessment Group,Parent Assessment Group,பெற்றோர் மதிப்பீடு குழு apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,வேலைகள் @@ -3881,10 +3892,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,வேலை DocType: Employee,Held On,அன்று நடைபெற்ற apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,உற்பத்தி பொருள் ,Employee Information,பணியாளர் தகவல் -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),விகிதம் (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),விகிதம் (%) DocType: Stock Entry Detail,Additional Cost,கூடுதல் செலவு apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","வவுச்சர் அடிப்படையில் வடிகட்ட முடியாது இல்லை , ரசீது மூலம் தொகுக்கப்பட்டுள்ளது என்றால்" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,வழங்குபவர் மேற்கோள் செய்ய +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,வழங்குபவர் மேற்கோள் செய்ய DocType: Quality Inspection,Incoming,உள்வரும் DocType: BOM,Materials Required (Exploded),பொருட்கள் தேவை (விரிவான) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","உன்னை தவிர, உங்கள் நிறுவனத்தின் பயனர் சேர்க்க" @@ -3900,7 +3911,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,கணக்கு: {0} மட்டுமே பங்கு பரிவர்த்தனைகள் வழியாக புதுப்பிக்க முடியும் DocType: Student Group Creation Tool,Get Courses,மைதானங்கள் பெற DocType: GL Entry,Party,கட்சி -DocType: Sales Order,Delivery Date,விநியோக தேதி +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,விநியோக தேதி DocType: Opportunity,Opportunity Date,வாய்ப்பு தேதி DocType: Purchase Receipt,Return Against Purchase Receipt,வாங்கும் ரசீது எதிராக திரும்ப DocType: Request for Quotation Item,Request for Quotation Item,மேற்கோள் பொருள் கோரிக்கை @@ -3914,7 +3925,7 @@ DocType: Task,Actual Time (in Hours),(மணிகளில்) உண்மை DocType: Employee,History In Company,நிறுவனத்தின் ஆண்டு வரலாறு apps/erpnext/erpnext/config/learn.py +107,Newsletters,செய்தி மடல் DocType: Stock Ledger Entry,Stock Ledger Entry,பங்கு லெட்ஜர் நுழைவு -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,அதே பொருளைப் பலமுறை நுழைந்தது வருகிறது +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,அதே பொருளைப் பலமுறை நுழைந்தது வருகிறது DocType: Department,Leave Block List,பிளாக் பட்டியல் விட்டு DocType: Sales Invoice,Tax ID,வரி ஐடி apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,பொருள் {0} சீரியல் எண்கள் வரிசை அமைப்பு காலியாக இருக்கவேண்டும் அல்ல @@ -3932,25 +3943,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,கருப்பு DocType: BOM Explosion Item,BOM Explosion Item,BOM வெடிப்பு பொருள் DocType: Account,Auditor,ஆடிட்டர் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} உற்பத்தி பொருட்களை +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} உற்பத்தி பொருட்களை DocType: Cheque Print Template,Distance from top edge,மேல் விளிம்பில் இருந்து தூரம் apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,விலை பட்டியல் {0} முடக்கப்பட்டால் அல்லது இல்லை DocType: Purchase Invoice,Return,திரும்ப DocType: Production Order Operation,Production Order Operation,உத்தரவு ஆபரேஷன் DocType: Pricing Rule,Disable,முடக்கு -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,கட்டணம் செலுத்தும் முறை கட்டணம் செலுத்துவதற்கு தேவைப்படுகிறது +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,கட்டணம் செலுத்தும் முறை கட்டணம் செலுத்துவதற்கு தேவைப்படுகிறது DocType: Project Task,Pending Review,விமர்சனம் நிலுவையில் apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} தொகுதி சேரவில்லை உள்ளது {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",அது ஏற்கனவே உள்ளது என சொத்து {0} குறைத்து முடியாது {1} DocType: Task,Total Expense Claim (via Expense Claim),(செலவு கூறுகின்றனர் வழியாக) மொத்த செலவு கூறுகின்றனர் apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,குறி இல்லாமல் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ரோ {0}: டெலி # கரன்சி {1} தேர்வு நாணய சமமாக இருக்க வேண்டும் {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ரோ {0}: டெலி # கரன்சி {1} தேர்வு நாணய சமமாக இருக்க வேண்டும் {2} DocType: Journal Entry Account,Exchange Rate,அயல்நாட்டு நாணய பரிமாற்ற விகிதம் வீதம் -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,விற்பனை ஆணை {0} சமர்ப்பிக்க +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,விற்பனை ஆணை {0} சமர்ப்பிக்க DocType: Homepage,Tag Line,டேக் லைன் DocType: Fee Component,Fee Component,கட்டண பகுதியிலேயே apps/erpnext/erpnext/config/hr.py +195,Fleet Management,கடற்படை மேலாண்மை -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,இருந்து பொருட்களை சேர்க்கவும் +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,இருந்து பொருட்களை சேர்க்கவும் DocType: Cheque Print Template,Regular,வழக்கமான apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,அனைத்து மதிப்பீடு அடிப்படியின் மொத்த முக்கியத்துவத்தைச் 100% இருக்க வேண்டும் DocType: BOM,Last Purchase Rate,கடந்த கொள்முதல் விலை @@ -3971,12 +3982,12 @@ DocType: Employee,Reports to,அறிக்கைகள் DocType: SMS Settings,Enter url parameter for receiver nos,ரிசீவர் இலக்கங்கள் URL ஐ அளவுரு உள்ளிடவும் DocType: Payment Entry,Paid Amount,பணம் தொகை DocType: Assessment Plan,Supervisor,மேற்பார்வையாளர் -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,ஆன்லைன் +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ஆன்லைன் ,Available Stock for Packing Items,பொருட்கள் பொதி கிடைக்கும் பங்கு DocType: Item Variant,Item Variant,பொருள் மாற்று DocType: Assessment Result Tool,Assessment Result Tool,மதிப்பீடு முடிவு கருவி DocType: BOM Scrap Item,BOM Scrap Item,டெலி ஸ்க்ராப் பொருள் -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,சமர்ப்பிக்கப்பட்ட ஆர்டர்களைப் நீக்க முடியாது +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,சமர்ப்பிக்கப்பட்ட ஆர்டர்களைப் நீக்க முடியாது apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ஏற்கனவே பற்று உள்ள கணக்கு நிலுவை, நீங்கள் 'கடன்' இருப்பு வேண்டும் 'அமைக்க அனுமதி இல்லை" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,தர மேலாண்மை apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,பொருள் {0} முடக்கப்பட்டுள்ளது @@ -4009,7 +4020,7 @@ DocType: Item Group,Default Expense Account,முன்னிருப்பு apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,மாணவர் மின்னஞ்சல் ஐடி DocType: Employee,Notice (days),அறிவிப்பு ( நாட்கள்) DocType: Tax Rule,Sales Tax Template,விற்பனை வரி டெம்ப்ளேட் -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,விலைப்பட்டியல் காப்பாற்ற பொருட்களை தேர்வு +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,விலைப்பட்டியல் காப்பாற்ற பொருட்களை தேர்வு DocType: Employee,Encashment Date,பணமாக்கல் தேதி DocType: Training Event,Internet,இணைய DocType: Account,Stock Adjustment,பங்கு சீரமைப்பு @@ -4058,10 +4069,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,அன apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,அதிகபட்சம் தள்ளுபடி உருப்படியை அனுமதி: {0} {1}% ஆகும் apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,நிகர சொத்து மதிப்பு என DocType: Account,Receivable,பெறத்தக்க -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ரோ # {0}: கொள்முதல் ஆணை ஏற்கனவே உள்ளது என சப்ளையர் மாற்ற அனுமதி +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ரோ # {0}: கொள்முதல் ஆணை ஏற்கனவே உள்ளது என சப்ளையர் மாற்ற அனுமதி DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,அமைக்க கடன் எல்லை மீறிய நடவடிக்கைகளை சமர்ப்பிக்க அனுமதி என்று பாத்திரம். -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,உற்பத்தி உருப்படிகளைத் தேர்ந்தெடுக்கவும் -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","மாஸ்டர் தரவு ஒத்திசைவை, அது சில நேரம் ஆகலாம்" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,உற்பத்தி உருப்படிகளைத் தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","மாஸ்டர் தரவு ஒத்திசைவை, அது சில நேரம் ஆகலாம்" DocType: Item,Material Issue,பொருள் வழங்கல் DocType: Hub Settings,Seller Description,விற்பனையாளர் விளக்கம் DocType: Employee Education,Qualification,தகுதி @@ -4082,11 +4093,10 @@ DocType: BOM,Rate Of Materials Based On,ஆனால் அடிப்படை apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,ஆதரவு Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,அனைத்தையும் தேர்வுநீக்கு DocType: POS Profile,Terms and Conditions,நிபந்தனைகள் -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,மனித வளத்தில் பணியாளர் பெயரிடும் அமைப்பை அமைத்தல்> HR அமைப்புகள் apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},தேதி நிதி ஆண்டின் க்குள் இருக்க வேண்டும். தேதி நிலையினை = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","இங்கே நீங்கள் உயரம், எடை, ஒவ்வாமை, மருத்துவ கவலைகள் பராமரிக்க முடியும்" DocType: Leave Block List,Applies to Company,நிறுவனத்தின் பொருந்தும் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"சமர்ப்பிக்கப்பட்ட பங்கு நுழைவு {0} ஏனெனில், ரத்து செய்ய முடியாது" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"சமர்ப்பிக்கப்பட்ட பங்கு நுழைவு {0} ஏனெனில், ரத்து செய்ய முடியாது" DocType: Employee Loan,Disbursement Date,இரு வாரங்கள் முடிவதற்குள் தேதி DocType: Vehicle,Vehicle,வாகன DocType: Purchase Invoice,In Words,சொற்கள் @@ -4125,7 +4135,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,உலகளாவி DocType: Assessment Result Detail,Assessment Result Detail,மதிப்பீடு முடிவு விவரம் DocType: Employee Education,Employee Education,பணியாளர் கல்வி apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,உருப்படியை குழு அட்டவணையில் பிரதி உருப்படியை குழு -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,அது பொருள் விவரம் எடுக்க தேவை. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,அது பொருள் விவரம் எடுக்க தேவை. DocType: Salary Slip,Net Pay,நிகர சம்பளம் DocType: Account,Account,கணக்கு apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,தொடர் இல {0} ஏற்கனவே பெற்றுள்ளது @@ -4133,7 +4143,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,வாகன பதிவு DocType: Purchase Invoice,Recurring Id,மீண்டும் அடையாளம் DocType: Customer,Sales Team Details,விற்பனை குழு விவரம் -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,நிரந்தரமாக நீக்கு? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,நிரந்தரமாக நீக்கு? DocType: Expense Claim,Total Claimed Amount,மொத்த கோரப்பட்ட தொகை apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,விற்பனை திறன் வாய்ப்புகள். apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},தவறான {0} @@ -4145,7 +4155,7 @@ DocType: Warehouse,PIN,PIN ஐ apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext உங்கள் பள்ளி அமைப்பு DocType: Sales Invoice,Base Change Amount (Company Currency),மாற்றம் அடிப்படை தொகை (நிறுவனத்தின் நாணய) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,பின்வரும் கிடங்குகள் இல்லை கணக்கியல் உள்ளீடுகள் -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,முதல் ஆவணம் சேமிக்கவும். +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,முதல் ஆவணம் சேமிக்கவும். DocType: Account,Chargeable,குற்றம் சாட்டப்பட தக்க DocType: Company,Change Abbreviation,மாற்றம் சுருக்கமான DocType: Expense Claim Detail,Expense Date,செலவு தேதி @@ -4159,7 +4169,6 @@ DocType: BOM,Manufacturing User,உற்பத்தி பயனர் DocType: Purchase Invoice,Raw Materials Supplied,மூலப்பொருட்கள் வழங்கியது DocType: Purchase Invoice,Recurring Print Format,பெரும்பாலும் உடன் அச்சு வடிவம் DocType: C-Form,Series,தொடர் -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,எதிர்பார்க்கப்படுகிறது டெலிவரி தேதி கொள்முதல் ஆணை தேதி முன் இருக்க முடியாது DocType: Appraisal,Appraisal Template,மதிப்பீட்டு வார்ப்புரு DocType: Item Group,Item Classification,பொருள் பிரிவுகள் apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,வணிக மேம்பாட்டு மேலாளர் @@ -4198,12 +4207,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,தேர apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,பயிற்சி நிகழ்வுகள் / முடிவுகள் apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,என தேய்மானம் திரட்டப்பட்ட DocType: Sales Invoice,C-Form Applicable,பொருந்தாது சி படிவம் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},ஆபரேஷன் நேரம் ஆபரேஷன் 0 விட இருக்க வேண்டும் {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},ஆபரேஷன் நேரம் ஆபரேஷன் 0 விட இருக்க வேண்டும் {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,கிடங்கு கட்டாயமாகும் DocType: Supplier,Address and Contacts,முகவரி மற்றும் தொடர்புகள் DocType: UOM Conversion Detail,UOM Conversion Detail,மொறட்டுவ பல்கலைகழகம் மாற்றம் விரிவாக DocType: Program,Program Abbreviation,திட்டம் சுருக்கமான -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,உத்தரவு ஒரு பொருள் டெம்ப்ளேட் எதிராக எழுப்பப்பட்ட +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,உத்தரவு ஒரு பொருள் டெம்ப்ளேட் எதிராக எழுப்பப்பட்ட apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,கட்டணங்கள் ஒவ்வொரு உருப்படியை எதிரான வாங்கும் ரசீது இல் புதுப்பிக்கப்பட்டது DocType: Warranty Claim,Resolved By,மூலம் தீர்க்கப்பட DocType: Bank Guarantee,Start Date,தொடக்க தேதி @@ -4238,6 +4247,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,பயிற்சி மதிப்பீட்டு apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,உத்தரவு {0} சமர்ப்பிக்க வேண்டும் apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},தொடக்க தேதி மற்றும் பொருள் முடிவு தேதி தேர்வு செய்க {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,நீங்கள் அடைய விரும்பும் விற்பனை இலக்கு அமைக்கவும். apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},பாடநெறி வரிசையில் கட்டாய {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,தேதி தேதி முதல் முன் இருக்க முடியாது DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc டாக்டைப்பின் @@ -4256,7 +4266,7 @@ DocType: Account,Income,வருமானம் DocType: Industry Type,Industry Type,தொழில் வகை apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,ஏதோ தவறு நடந்து! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,எச்சரிக்கை: விடுப்பு பயன்பாடு பின்வரும் தொகுதி தேதிகள் உள்ளன -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,கவிஞருக்கு {0} ஏற்கனவே சமர்ப்பித்த +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,கவிஞருக்கு {0} ஏற்கனவே சமர்ப்பித்த DocType: Assessment Result Detail,Score,மதிப்பெண் apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,நிதியாண்டு {0} இல்லை apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,நிறைவு நாள் @@ -4286,7 +4296,7 @@ DocType: Naming Series,Help HTML,HTML உதவி DocType: Student Group Creation Tool,Student Group Creation Tool,மாணவர் குழு உருவாக்கம் கருவி DocType: Item,Variant Based On,மாற்று சார்ந்த அன்று apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},ஒதுக்கப்படும் மொத்த தாக்கத்தில் 100 % இருக்க வேண்டும். இது {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,உங்கள் சப்ளையர்கள் +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,உங்கள் சப்ளையர்கள் apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,விற்பனை ஆணை உள்ளது என இழந்தது அமைக்க முடியாது. DocType: Request for Quotation Item,Supplier Part No,சப்ளையர் பகுதி இல்லை apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',வகை 'மதிப்பீட்டு' அல்லது 'Vaulation மற்றும் மொத்த' க்கான போது கழித்து முடியாது @@ -4296,14 +4306,14 @@ DocType: Item,Has Serial No,வரிசை எண் உள்ளது DocType: Employee,Date of Issue,இந்த தேதி apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: இருந்து {0} க்கான {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","வாங்குதல் அமைப்புகள் படி கொள்முதல் Reciept தேவையான == 'ஆம்', பின்னர் கொள்முதல் விலைப்பட்டியல் உருவாக்கும், பயனர் உருப்படியை முதல் கொள்முதல் ரசீது உருவாக்க வேண்டும் என்றால் {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},ரோ # {0}: உருப்படியை அமைக்க சப்ளையர் {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ரோ {0}: மணி மதிப்பு பூஜ்யம் விட அதிகமாக இருக்க வேண்டும். +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},ரோ # {0}: உருப்படியை அமைக்க சப்ளையர் {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,ரோ {0}: மணி மதிப்பு பூஜ்யம் விட அதிகமாக இருக்க வேண்டும். apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,பொருள் {1} இணைக்கப்பட்ட வலைத்தளம் பட {0} காணலாம் DocType: Issue,Content Type,உள்ளடக்க வகை apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,கணினி DocType: Item,List this Item in multiple groups on the website.,வலைத்தளத்தில் பல குழுக்கள் இந்த உருப்படி பட்டியல். apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,மற்ற நாணய கணக்குகளை அனுமதிக்க பல நாணய விருப்பத்தை சரிபார்க்கவும் -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,பொருள்: {0} அமைப்பு இல்லை +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,பொருள்: {0} அமைப்பு இல்லை apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,நீங்கள் உறைந்த மதிப்பை அமைக்க அதிகாரம் இல்லை DocType: Payment Reconciliation,Get Unreconciled Entries,ஒப்புரவாகவேயில்லை பதிவுகள் பெற DocType: Payment Reconciliation,From Invoice Date,விலைப்பட்டியல் வரம்பு தேதி @@ -4329,7 +4339,7 @@ DocType: Stock Entry,Default Source Warehouse,முன்னிருப்ப DocType: Item,Customer Code,வாடிக்கையாளர் கோட் apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},பிறந்த நாள் நினைவூட்டல் {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,கடந்த சில நாட்களாக கடைசி ஆர்டர் -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,கணக்கில் பற்று ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,கணக்கில் பற்று ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும் DocType: Buying Settings,Naming Series,தொடர் பெயரிடும் DocType: Leave Block List,Leave Block List Name,பிளாக் பட்டியல் பெயர் விட்டு apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,காப்புறுதி தொடக்க தேதி காப்புறுதி முடிவு தேதி விட குறைவாக இருக்க வேண்டும் @@ -4346,7 +4356,7 @@ DocType: Vehicle Log,Odometer,ஓடோமீட்டர் DocType: Sales Order Item,Ordered Qty,அளவு உத்தரவிட்டார் apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,பொருள் {0} முடக்கப்பட்டுள்ளது DocType: Stock Settings,Stock Frozen Upto,பங்கு வரை உறை -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,டெலி எந்த பங்கு உருப்படியை கொண்டிருக்கும் இல்லை +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,டெலி எந்த பங்கு உருப்படியை கொண்டிருக்கும் இல்லை apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},வரம்பு மற்றும் காலம் மீண்டும் மீண்டும் கட்டாய தேதிகள் காலம் {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,திட்ட செயல்பாடு / பணி. DocType: Vehicle Log,Refuelling Details,Refuelling விபரங்கள் @@ -4356,7 +4366,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,கடைசியாக கொள்முதல் விகிதம் இல்லை DocType: Purchase Invoice,Write Off Amount (Company Currency),தொகை ஆஃப் எழுத (நிறுவனத்தின் நாணய) DocType: Sales Invoice Timesheet,Billing Hours,பில்லிங் மணி -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,"{0} இல்லை இயல்புநிலை BOM," +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,"{0} இல்லை இயல்புநிலை BOM," apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,ரோ # {0}: மீள் கட்டளை அளவு அமைக்க கொள்ளவும் apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,அவர்களை இங்கே சேர்க்கலாம் உருப்படிகளை தட்டவும் DocType: Fees,Program Enrollment,திட்டம் பதிவு @@ -4390,6 +4400,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,வயதான ரேஞ்ச் 2 DocType: SG Creation Tool Course,Max Strength,அதிகபட்சம் வலிமை apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM மாற்றவும் +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,டெலிவரி தேதி அடிப்படையில் தேர்ந்தெடுக்கப்பட்ட விடயங்கள் ,Sales Analytics,விற்பனை அனலிட்டிக்ஸ் apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},கிடைக்கும் {0} ,Prospects Engaged But Not Converted,வாய்ப்புக்கள் நிச்சயமானவர் ஆனால் மாற்றப்படவில்லை @@ -4438,7 +4449,7 @@ DocType: Authorization Rule,Customerwise Discount,வாடிக்கையா apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,பணிகளை டைம் ஷீட். DocType: Purchase Invoice,Against Expense Account,செலவு கணக்கு எதிராக DocType: Production Order,Production Order,உற்பத்தி ஆணை -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,நிறுவல் குறிப்பு {0} ஏற்கனவே சமர்ப்பித்த +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,நிறுவல் குறிப்பு {0} ஏற்கனவே சமர்ப்பித்த DocType: Bank Reconciliation,Get Payment Entries,கொடுப்பனவு பதிவுகள் பெற DocType: Quotation Item,Against Docname,ஆவணம் பெயர் எதிராக DocType: SMS Center,All Employee (Active),அனைத்து பணியாளர் (செயலில்) @@ -4447,7 +4458,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,மூலப்பொருட்களின் செலவு DocType: Item Reorder,Re-Order Level,மீண்டும் ஒழுங்கு நிலை DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,நீங்கள் உற்பத்தி ஆர்டர்கள் உயர்த்த அல்லது ஆய்வில் மூலப்பொருட்கள் பதிவிறக்க வேண்டிய உருப்படிகளை மற்றும் திட்டமிட்ட அளவு உள்ளிடவும். -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,காண்ட் விளக்கப்படம் +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,காண்ட் விளக்கப்படம் apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,பகுதி நேர DocType: Employee,Applicable Holiday List,பொருந்தும் விடுமுறை பட்டியல் DocType: Employee,Cheque,காசோலை @@ -4505,11 +4516,11 @@ DocType: Bin,Reserved Qty for Production,உற்பத்திக்கான DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,நீங்கள் நிச்சயமாக அடிப்படையிலான குழுக்களைக் செய்யும் போது தொகுதி கருத்தில் கொள்ள விரும்பவில்லை என்றால் தேர்வுசெய்யாமல் விடவும். DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,நீங்கள் நிச்சயமாக அடிப்படையிலான குழுக்களைக் செய்யும் போது தொகுதி கருத்தில் கொள்ள விரும்பவில்லை என்றால் தேர்வுசெய்யாமல் விடவும். DocType: Asset,Frequency of Depreciation (Months),தேய்மானம் அதிர்வெண் (மாதங்கள்) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,கடன் கணக்கு +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,கடன் கணக்கு DocType: Landed Cost Item,Landed Cost Item,இறங்கினார் செலவு பொருள் apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,பூஜ்ய மதிப்புகள் காட்டு DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,உருப்படி அளவு மூலப்பொருட்களை கொடுக்கப்பட்ட அளவு இருந்து உற்பத்தி / repacking பின்னர் பெறப்படும் -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,அமைப்பு என் அமைப்பு ஒரு எளிய வலைத்தளம் +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,அமைப்பு என் அமைப்பு ஒரு எளிய வலைத்தளம் DocType: Payment Reconciliation,Receivable / Payable Account,பெறத்தக்க / செலுத்த வேண்டிய கணக்கு DocType: Delivery Note Item,Against Sales Order Item,விற்பனை ஆணை பொருள் எதிராக apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},பண்பு மதிப்பு பண்பு குறிப்பிடவும் {0} @@ -4573,22 +4584,22 @@ DocType: Student,Nationality,தேசியம் ,Items To Be Requested,கோரப்பட்ட பொருட்களை DocType: Purchase Order,Get Last Purchase Rate,கடைசியாக கொள்முதல் விலை கிடைக்கும் DocType: Company,Company Info,நிறுவன தகவல் -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,தேர்ந்தெடுக்கவும் அல்லது புதிய வாடிக்கையாளர் சேர்க்க -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,செலவு மையம் ஒரு செலவினமாக கூற்றை பதிவு செய்ய தேவைப்படுகிறது +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,தேர்ந்தெடுக்கவும் அல்லது புதிய வாடிக்கையாளர் சேர்க்க +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,செலவு மையம் ஒரு செலவினமாக கூற்றை பதிவு செய்ய தேவைப்படுகிறது apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),நிதி பயன்பாடு ( சொத்துக்கள் ) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,இந்த பணியாளர் வருகை அடிப்படையாக கொண்டது -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,பற்று கணக்கு +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,பற்று கணக்கு DocType: Fiscal Year,Year Start Date,ஆண்டு தொடக்க தேதி DocType: Attendance,Employee Name,பணியாளர் பெயர் DocType: Sales Invoice,Rounded Total (Company Currency),வட்டமான மொத்த (நிறுவனத்தின் கரன்சி) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"கணக்கு வகை தேர்வு, ஏனெனில் குழு இரகசிய முடியாது." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} மாற்றப்பட்டுள்ளது . புதுப்பிக்கவும். +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} மாற்றப்பட்டுள்ளது . புதுப்பிக்கவும். DocType: Leave Block List,Stop users from making Leave Applications on following days.,பின்வரும் நாட்களில் விடுப்பு விண்ணப்பங்கள் செய்து பயனர்களை நிறுத்த. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,கொள்முதல் அளவு apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,சப்ளையர் மேற்கோள் {0} உருவாக்கப்பட்ட apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,இறுதி ஆண்டு தொடக்க ஆண்டு முன் இருக்க முடியாது apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,பணியாளர் நன்மைகள் -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},{0} வரிசையில் {1} நிரம்பிய அளவு உருப்படி அளவு சமமாக வேண்டும் +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},{0} வரிசையில் {1} நிரம்பிய அளவு உருப்படி அளவு சமமாக வேண்டும் DocType: Production Order,Manufactured Qty,உற்பத்தி அளவு DocType: Purchase Receipt Item,Accepted Quantity,அளவு ஏற்கப்பட்டது apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},ஒரு இயல்பான விடுமுறை பட்டியல் பணியாளர் அமைக்க தயவு செய்து {0} அல்லது நிறுவனத்தின் {1} @@ -4599,11 +4610,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ரோ இல்லை {0}: தொகை செலவு கூறுகின்றனர் {1} எதிராக தொகை நிலுவையில் விட அதிகமாக இருக்க முடியாது. நிலுவையில் அளவு {2} DocType: Maintenance Schedule,Schedule,அனுபந்தம் DocType: Account,Parent Account,பெற்றோர் கணக்கு -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,கிடைக்கக்கூடிய +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,கிடைக்கக்கூடிய DocType: Quality Inspection Reading,Reading 3,3 படித்தல் ,Hub,மையம் DocType: GL Entry,Voucher Type,ரசீது வகை -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,விலை பட்டியல் காணப்படும் அல்லது ஊனமுற்ற +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,விலை பட்டியல் காணப்படும் அல்லது ஊனமுற்ற DocType: Employee Loan Application,Approved,ஏற்பளிக்கப்பட்ட DocType: Pricing Rule,Price,விலை apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} ம் நிம்மதியாக பணியாளர் 'இடது' அமைக்க வேண்டும் @@ -4673,7 +4684,7 @@ DocType: SMS Settings,Static Parameters,நிலையான அளவுரு DocType: Assessment Plan,Room,அறை DocType: Purchase Order,Advance Paid,முன்பணம் DocType: Item,Item Tax,பொருள் வரி -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,சப்ளையர் பொருள் +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,சப்ளையர் பொருள் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,கலால் விலைப்பட்டியல் apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,உயர் அளவு {0}% முறை மேல் காட்சிக்கு DocType: Expense Claim,Employees Email Id,ஊழியர்கள் மின்னஞ்சல் விலாசம் @@ -4713,7 +4724,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,மாதிரி DocType: Production Order,Actual Operating Cost,உண்மையான இயக்க செலவு DocType: Payment Entry,Cheque/Reference No,காசோலை / குறிப்பு இல்லை -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ரூட் திருத்த முடியாது . DocType: Item,Units of Measure,அளவின் அலகுகள் DocType: Manufacturing Settings,Allow Production on Holidays,விடுமுறை உற்பத்தி அனுமதி @@ -4746,12 +4756,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,கடன் நாட்கள் apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,மாணவர் தொகுதி செய்ய DocType: Leave Type,Is Carry Forward,முன்னோக்கி எடுத்துச்செல் -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM இருந்து பொருட்களை பெற +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM இருந்து பொருட்களை பெற apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,நேரம் நாட்கள் வழிவகுக்கும் -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ரோ # {0}: தேதி பதிவுசெய்ய கொள்முதல் தேதி அதே இருக்க வேண்டும் {1} சொத்தின் {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ரோ # {0}: தேதி பதிவுசெய்ய கொள்முதல் தேதி அதே இருக்க வேண்டும் {1} சொத்தின் {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,மாணவர் நிறுவனத்தின் விடுதி வசிக்கிறார் இந்த பாருங்கள். apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,தயவு செய்து மேலே உள்ள அட்டவணையில் விற்பனை ஆணைகள் நுழைய -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,சமர்ப்பிக்கப்பட்டது சம்பளம் துண்டுகளைக் இல்லை +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,சமர்ப்பிக்கப்பட்டது சம்பளம் துண்டுகளைக் இல்லை ,Stock Summary,பங்கு சுருக்கம் apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,ஒருவரையொருவர் நோக்கி கிடங்கில் இருந்து ஒரு சொத்து பரிமாற்றம் DocType: Vehicle,Petrol,பெட்ரோல் diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv index b5a0b9facb1..fa249c7c77f 100644 --- a/erpnext/translations/te.csv +++ b/erpnext/translations/te.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,డీలర్ DocType: Employee,Rented,అద్దెకు DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,వాడుకరి వర్తించే -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ఆగిపోయింది ఉత్పత్తి ఆర్డర్ రద్దు చేయలేము రద్దు మొదటి అది Unstop +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ఆగిపోయింది ఉత్పత్తి ఆర్డర్ రద్దు చేయలేము రద్దు మొదటి అది Unstop DocType: Vehicle Service,Mileage,మైలేజ్ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,మీరు నిజంగా ఈ ఆస్తి ను అనుకుంటున్నారు? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,డిఫాల్ట్ సరఫరాదారు ఎంచుకోండి @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% కస్టమర్లకు apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),ఎక్స్చేంజ్ రేట్ అదే ఉండాలి {0} {1} ({2}) DocType: Sales Invoice,Customer Name,వినియోగదారుని పేరు DocType: Vehicle,Natural Gas,సహజవాయువు -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},బ్యాంక్ ఖాతా పేరుతో సాధ్యం కాదు {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},బ్యాంక్ ఖాతా పేరుతో సాధ్యం కాదు {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,తలలు (లేదా సమూహాలు) ఇది వ్యతిరేకంగా అకౌంటింగ్ ఎంట్రీలు తయారు చేస్తారు మరియు నిల్వలను నిర్వహించబడుతున్నాయి. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),అత్యుత్తమ {0} ఉండకూడదు కంటే తక్కువ సున్నా ({1}) DocType: Manufacturing Settings,Default 10 mins,10 నిమిషాలు డిఫాల్ట్ @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,టైప్ వదిలి పేరు apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,ఓపెన్ చూపించు apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,సిరీస్ విజయవంతంగా నవీకరించబడింది apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,హోటల్ నుంచి బయటకు వెళ్లడం -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural జర్నల్ ఎంట్రీ సమర్పించిన +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural జర్నల్ ఎంట్రీ సమర్పించిన DocType: Pricing Rule,Apply On,న వర్తించు DocType: Item Price,Multiple Item prices.,బహుళ అంశం ధరలు. ,Purchase Order Items To Be Received,కొనుగోలు ఆర్డర్ అంశాలు అందుకోవాలి @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,చెల్లిం apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,షో రకరకాలు DocType: Academic Term,Academic Term,అకడమిక్ టర్మ్ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,మెటీరియల్ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,పరిమాణం +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,పరిమాణం apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,అకౌంట్స్ పట్టిక ఖాళీగా ఉండరాదు. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),రుణాలు (లయబిలిటీస్) DocType: Employee Education,Year of Passing,తరలింపు ఇయర్ @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ఆరోగ్య సంరక్షణ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),చెల్లింపు లో ఆలస్యం (రోజులు) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,సర్వీస్ ఖర్చుల -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},క్రమ సంఖ్య: {0} ఇప్పటికే సేల్స్ వాయిస్ లో రిఫరెన్సుగా ఉంటుంది: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,వాయిస్ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},క్రమ సంఖ్య: {0} ఇప్పటికే సేల్స్ వాయిస్ లో రిఫరెన్సుగా ఉంటుంది: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,వాయిస్ DocType: Maintenance Schedule Item,Periodicity,ఆవర్తకత apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ఫిస్కల్ ఇయర్ {0} అవసరం -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,ఊహించినది డెలివరీ తేదీ ముందు అమ్మకాల ఉత్తర్వు తేదీ ఉంది apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,రక్షణ DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),స్కోరు (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,రో # {0}: DocType: Timesheet,Total Costing Amount,మొత్తం వ్యయంతో మొత్తం DocType: Delivery Note,Vehicle No,వాహనం లేవు -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,ధర జాబితా దయచేసి ఎంచుకోండి +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,ధర జాబితా దయచేసి ఎంచుకోండి apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,రో # {0}: చెల్లింపు పత్రం trasaction పూర్తి అవసరం DocType: Production Order Operation,Work In Progress,పని జరుగుచున్నది apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,దయచేసి తేదీని ఎంచుకోండి @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ఏ క్రియాశీల ఫిస్కల్ ఇయర్ లో. DocType: Packed Item,Parent Detail docname,మాతృ వివరాలు docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","సూచన: {0}, Item కోడ్: {1} మరియు కస్టమర్: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,కిలొగ్రామ్ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,కిలొగ్రామ్ DocType: Student Log,Log,లోనికి ప్రవేశించండి apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ఒక Job కొరకు తెరవడం. DocType: Item Attribute,Increment,పెంపు @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,వివాహితులు apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},కోసం అనుమతి లేదు {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,నుండి అంశాలను పొందండి -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},స్టాక్ డెలివరీ గమనిక వ్యతిరేకంగా నవీకరించబడింది సాధ్యం కాదు {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},స్టాక్ డెలివరీ గమనిక వ్యతిరేకంగా నవీకరించబడింది సాధ్యం కాదు {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ఉత్పత్తి {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,జాబితా అంశాలను తోబుట్టువుల DocType: Payment Reconciliation,Reconcile,పునరుద్దరించటానికి @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,ప apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,తదుపరి అరుగుదల తేదీ కొనుగోలు తేదీ ముందు ఉండకూడదు DocType: SMS Center,All Sales Person,అన్ని సేల్స్ పర్సన్ DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** మంత్లీ పంపిణీ ** మీరు నెలల అంతటా బడ్జెట్ / టార్గెట్ పంపిణీ మీరు మీ వ్యాపారంలో seasonality కలిగి ఉంటే సహాయపడుతుంది. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,వస్తువులను కనుగొన్నారు +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,వస్తువులను కనుగొన్నారు apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,జీతం నిర్మాణం మిస్సింగ్ DocType: Lead,Person Name,వ్యక్తి పేరు DocType: Sales Invoice Item,Sales Invoice Item,సేల్స్ వాయిస్ అంశం @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""స్థిర ఆస్తిగా", అనియంత్రిత ఉండకూడదు అసెట్ రికార్డు అంశం వ్యతిరేకంగా కాలమే" DocType: Vehicle Service,Brake Oil,బ్రేక్ ఆయిల్ DocType: Tax Rule,Tax Type,పన్ను టైప్ -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,పన్ను పరిధిలోకి వచ్చే మొత్తం +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,పన్ను పరిధిలోకి వచ్చే మొత్తం apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},మీరు ముందు ఎంట్రీలు జోడించడానికి లేదా నవీకరణ అధికారం లేదు {0} DocType: BOM,Item Image (if not slideshow),అంశం చిత్రం (స్లైడ్ లేకపోతే) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ఒక కస్టమర్ అదే పేరుతో DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(గంట రేట్ / 60) * అసలు ఆపరేషన్ సమయం -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,బిఒఎం ఎంచుకోండి +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,బిఒఎం ఎంచుకోండి DocType: SMS Log,SMS Log,SMS లోనికి apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,పంపిణీ వస్తువుల ధర apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} లో సెలవు తేదీ నుండి నేటివరకు మధ్య జరిగేది కాదు @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,పాఠశాలలు DocType: School Settings,Validate Batch for Students in Student Group,స్టూడెంట్ గ్రూప్ లో స్టూడెంట్స్ కోసం బ్యాచ్ ప్రమాణీకరించు apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},తోబుట్టువుల సెలవు రికార్డు ఉద్యోగికి దొరకలేదు {0} కోసం {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,మొదటి కంపెనీ నమోదు చేయండి -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,మొదటి కంపెనీ దయచేసి ఎంచుకోండి +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,మొదటి కంపెనీ దయచేసి ఎంచుకోండి DocType: Employee Education,Under Graduate,గ్రాడ్యుయేట్ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ఆన్ టార్గెట్ DocType: BOM,Total Cost,మొత్తం వ్యయం DocType: Journal Entry Account,Employee Loan,ఉద్యోగి లోన్ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,కార్యాచరణ లోనికి ప్రవేశించండి -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} అంశం వ్యవస్థ ఉనికిలో లేదు లేదా గడువు ముగిసింది +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,కార్యాచరణ లోనికి ప్రవేశించండి +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,{0} అంశం వ్యవస్థ ఉనికిలో లేదు లేదా గడువు ముగిసింది apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,హౌసింగ్ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,ఖాతా ప్రకటన apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ఫార్మాస్యూటికల్స్ @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,క్లెయిమ్ సొమ్ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer సమూహం పట్టిక కనిపించే నకిలీ కస్టమర్ సమూహం apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,సరఫరాదారు పద్ధతి / సరఫరాదారు DocType: Naming Series,Prefix,ఆదిపదం -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,దయచేసి సెటప్> సెట్టింగులు> నామకరణ సిరీస్ ద్వారా {0} నామకరణ సిరీస్ను సెట్ చేయండి -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,వినిమయ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,వినిమయ DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,దిగుమతుల చిట్టా DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,పైన ప్రమాణం ఆధారిత రకం తయారీ విషయ అభ్యర్థన పుల్ DocType: Training Result Employee,Grade,గ్రేడ్ DocType: Sales Invoice Item,Delivered By Supplier,సరఫరాదారు ద్వారా పంపిణీ DocType: SMS Center,All Contact,అన్ని సంప్రదించండి -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,ఉత్పత్తి ఆర్డర్ ఇప్పటికే BOM అన్ని అంశాలను రూపొందించినవారు +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,ఉత్పత్తి ఆర్డర్ ఇప్పటికే BOM అన్ని అంశాలను రూపొందించినవారు apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,వార్షిక జీతం DocType: Daily Work Summary,Daily Work Summary,డైలీ వర్క్ సారాంశం DocType: Period Closing Voucher,Closing Fiscal Year,ఫిస్కల్ ఇయర్ మూసివేయడం -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} ఘనీభవించిన +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} ఘనీభవించిన apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,దయచేసి ఖాతాల చార్ట్ సృష్టించడానికి ఉన్న కంపెనీ ఎంచుకోండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,స్టాక్ ఖర్చులు apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,టార్గెట్ వేర్హౌస్ ఎంచుకోండి @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ప్యాక్ చేసిన అంశాల తిరస్కరించబడిన అంగీకరించిన + అంశం అందుకున్నారు పరిమాణం సమానంగా ఉండాలి {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,సప్లై రా మెటీరియల్స్ కొనుగోలు కోసం -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,చెల్లింపు మోడ్ అయినా POS వాయిస్ అవసరం. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,చెల్లింపు మోడ్ అయినా POS వాయిస్ అవసరం. DocType: Products Settings,Show Products as a List,షో ఉత్పత్తులు జాబితా DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",", మూస తగిన డేటా నింపి ఆ మారిన ఫైలులో అటాచ్. ఎంపిక కాలంలో అన్ని తేదీలు మరియు ఉద్యోగి కలయిక ఉన్న హాజరు రికార్డుల తో, టెంప్లేట్ వస్తాయి" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} ఐటెమ్ చురుకుగా కాదు లేదా జీవితాంతం చేరుకుంది చెయ్యబడింది -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,ఉదాహరణ: బేసిక్ గణితం -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","అంశం రేటు వరుసగా {0} లో పన్ను చేర్చడానికి, వరుసలలో పన్నులు {1} కూడా చేర్చారు తప్పక" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,ఉదాహరణ: బేసిక్ గణితం +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","అంశం రేటు వరుసగా {0} లో పన్ను చేర్చడానికి, వరుసలలో పన్నులు {1} కూడా చేర్చారు తప్పక" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,ఆర్ మాడ్యూల్ కోసం సెట్టింగులు DocType: SMS Center,SMS Center,SMS సెంటర్ DocType: Sales Invoice,Change Amount,మొత్తం మారుతుంది @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},సంస్థాపన తేదీ అంశం కోసం డెలివరీ తేదీ ముందు ఉండరాదు {0} DocType: Pricing Rule,Discount on Price List Rate (%),ధర జాబితా రేటు తగ్గింపు (%) DocType: Offer Letter,Select Terms and Conditions,Select నియమాలు మరియు నిబంధనలు -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,అవుట్ విలువ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,అవుట్ విలువ DocType: Production Planning Tool,Sales Orders,సేల్స్ ఆర్డర్స్ DocType: Purchase Taxes and Charges,Valuation,వాల్యువేషన్ ,Purchase Order Trends,ఆర్డర్ ట్రెండ్లులో కొనుగోలు @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,ఎంట్రీ ప్రారంభ ఉంది DocType: Customer Group,Mention if non-standard receivable account applicable,మెన్షన్ ప్రామాణికం కాని స్వీకరించదగిన ఖాతా వర్తిస్తే DocType: Course Schedule,Instructor Name,బోధకుడు పేరు -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,వేర్హౌస్ కోసం సమర్పించు ముందు అవసరం +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,వేర్హౌస్ కోసం సమర్పించు ముందు అవసరం apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,అందుకున్న DocType: Sales Partner,Reseller,పునఃవిక్రేత DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","తనిఖీ చేస్తే, మెటీరియల్ రిక్వెస్ట్ కాని స్టాక్ అంశాలను కలిగి ఉంటుంది." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,సేల్స్ వాయిస్ అంశం వ్యతిరేకంగా ,Production Orders in Progress,ప్రోగ్రెస్ లో ఉత్పత్తి ఆర్డర్స్ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,ఫైనాన్సింగ్ నుండి నికర నగదు -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage పూర్తి, సేవ్ లేదు" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage పూర్తి, సేవ్ లేదు" DocType: Lead,Address & Contact,చిరునామా & సంప్రదింపు DocType: Leave Allocation,Add unused leaves from previous allocations,మునుపటి కేటాయింపులు నుండి ఉపయోగించని ఆకులు జోడించండి apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},తదుపరి పునరావృత {0} లో రూపొందే {1} DocType: Sales Partner,Partner website,భాగస్వామి వెబ్సైట్ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,చేర్చు -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,సంప్రదింపు పేరు +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,సంప్రదింపు పేరు DocType: Course Assessment Criteria,Course Assessment Criteria,కోర్సు అంచనా ప్రమాణం DocType: Process Payroll,Creates salary slip for above mentioned criteria.,పైన పేర్కొన్న ప్రమాణాలను కోసం జీతం స్లిప్ సృష్టిస్తుంది. DocType: POS Customer Group,POS Customer Group,POS కస్టమర్ గ్రూప్ @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,రో {0}: తనిఖీ చేయండి ఖాతా వ్యతిరేకంగా 'అడ్వాన్స్ ఈజ్' {1} ఈ అడ్వాన్సుగా ఎంట్రీ ఉంటే. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},{0} వేర్హౌస్ కంపెనీకి చెందినది కాదు {1} DocType: Email Digest,Profit & Loss,లాభం & నష్టం -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,లీటరు +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,లీటరు DocType: Task,Total Costing Amount (via Time Sheet),మొత్తం ఖర్చు మొత్తం (సమయం షీట్ ద్వారా) DocType: Item Website Specification,Item Website Specification,అంశం వెబ్సైట్ స్పెసిఫికేషన్ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Leave నిరోధిత @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,సేల్స్ వాయిస్ ల DocType: Material Request Item,Min Order Qty,Min ఆర్డర్ ప్యాక్ చేసిన అంశాల DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,స్టూడెంట్ గ్రూప్ సృష్టి సాధనం కోర్సు DocType: Lead,Do Not Contact,సంప్రదించండి చేయవద్దు -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,మీ సంస్థ వద్ద బోధిస్తారు వ్యక్తుల +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,మీ సంస్థ వద్ద బోధిస్తారు వ్యక్తుల DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,అన్ని పునరావృత ఇన్వాయిస్లు ట్రాకింగ్ కోసం ఏకైక ID. ఇది submit న రవాణా జరుగుతుంది. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,సాఫ్ట్వేర్ డెవలపర్ DocType: Item,Minimum Order Qty,కనీస ఆర్డర్ ప్యాక్ చేసిన అంశాల @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,హబ్ లో ప్రచురించండ DocType: Student Admission,Student Admission,విద్యార్థి అడ్మిషన్ ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} అంశం రద్దు -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,మెటీరియల్ అభ్యర్థన +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,మెటీరియల్ అభ్యర్థన DocType: Bank Reconciliation,Update Clearance Date,నవీకరణ క్లియరెన్స్ తేదీ DocType: Item,Purchase Details,కొనుగోలు వివరాలు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},కొనుగోలు ఆర్డర్ లో 'రా మెటీరియల్స్ పంపినవి' పట్టికలో దొరకలేదు అంశం {0} {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,విమానాల మేనేజర్ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},రో # {0}: {1} అంశం కోసం ప్రతికూల ఉండకూడదు {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,సరియినది కాని రహస్య పదము DocType: Item,Variant Of,వేరియంట్ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',కంటే 'ప్యాక్ చేసిన అంశాల తయారీకి' పూర్తి ప్యాక్ చేసిన అంశాల ఎక్కువ ఉండకూడదు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',కంటే 'ప్యాక్ చేసిన అంశాల తయారీకి' పూర్తి ప్యాక్ చేసిన అంశాల ఎక్కువ ఉండకూడదు DocType: Period Closing Voucher,Closing Account Head,ఖాతా తల ముగింపు DocType: Employee,External Work History,బాహ్య వర్క్ చరిత్ర apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,సర్క్యులర్ సూచన లోపం @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,ఎడమ అంచు apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] యొక్క యూనిట్లలో (# ఫారం / అంశం / {1}) [{2}] కనిపించే (# ఫారం / వేర్హౌస్ / {2}) DocType: Lead,Industry,ఇండస్ట్రీ DocType: Employee,Job Profile,ఉద్యోగ ప్రొఫైల్ +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,ఇది ఈ కంపెనీకి వ్యతిరేకంగా లావాదేవీల ఆధారంగా ఉంది. వివరాలు కోసం కాలక్రమం క్రింద చూడండి DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ఆటోమేటిక్ మెటీరియల్ అభ్యర్థన సృష్టి పై ఇమెయిల్ ద్వారా తెలియజేయి DocType: Journal Entry,Multi Currency,మల్టీ కరెన్సీ DocType: Payment Reconciliation Invoice,Invoice Type,వాయిస్ పద్ధతి -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,డెలివరీ గమనిక +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,డెలివరీ గమనిక apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,పన్నులు ఏర్పాటు apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,సోల్డ్ ఆస్తి యొక్క ధర apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,మీరు వైదొలగిన తర్వాత చెల్లింపు ఎంట్రీ మారిస్తే. మళ్ళీ తీసి దయచేసి. @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,నమోదు రంగంలో విలువ 'డే ఆఫ్ ది మంత్ రిపీట్' దయచేసి DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,కస్టమర్ కరెన్సీ కస్టమర్ బేస్ కరెన్సీ మార్చబడుతుంది రేటుపై DocType: Course Scheduling Tool,Course Scheduling Tool,కోర్సు షెడ్యూల్ టూల్ -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},రో # {0}: కొనుగోలు వాయిస్ ఇప్పటికే ఉన్న ఆస్తి వ్యతిరేకంగా చేయలేము {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},రో # {0}: కొనుగోలు వాయిస్ ఇప్పటికే ఉన్న ఆస్తి వ్యతిరేకంగా చేయలేము {1} DocType: Item Tax,Tax Rate,పన్ను శాతమ్ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ఇప్పటికే ఉద్యోగి కోసం కేటాయించిన {1} కాలానికి {2} కోసం {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,అంశాన్ని ఎంచుకోండి +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,అంశాన్ని ఎంచుకోండి apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,వాయిస్ {0} ఇప్పటికే సమర్పించిన కొనుగోలు apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},రో # {0}: బ్యాచ్ లేవు అదే ఉండాలి {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,కాని గ్రూప్ మార్చు @@ -447,7 +446,7 @@ DocType: Employee,Widowed,వైధవ్యం DocType: Request for Quotation,Request for Quotation,కొటేషన్ కోసం అభ్యర్థన DocType: Salary Slip Timesheet,Working Hours,పని గంటలు DocType: Naming Series,Change the starting / current sequence number of an existing series.,అప్పటికే ఉన్న సిరీస్ ప్రారంభం / ప్రస్తుత క్రమ సంఖ్య మార్చండి. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ఒక కొత్త కస్టమర్ సృష్టించు +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,ఒక కొత్త కస్టమర్ సృష్టించు apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","బహుళ ధర రూల్స్ వ్యాప్తి చెందడం కొనసాగుతుంది, వినియోగదారులు పరిష్కరించవచ్చు మానవీయంగా ప్రాధాన్యత సెట్ కోరతారు." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,కొనుగోలు ఉత్తర్వులు సృష్టించు ,Purchase Register,కొనుగోలు నమోదు @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,ఎగ్జామినర్ పేరు DocType: Purchase Invoice Item,Quantity and Rate,పరిమాణ మరియు రేటు DocType: Delivery Note,% Installed,% వ్యవస్థాపించిన -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,తరగతి / లాబొరేటరీస్ తదితర ఉపన్యాసాలు షెడ్యూల్ చేసుకోవచ్చు. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,తరగతి / లాబొరేటరీస్ తదితర ఉపన్యాసాలు షెడ్యూల్ చేసుకోవచ్చు. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,మొదటి కంపెనీ పేరును నమోదు చేయండి DocType: Purchase Invoice,Supplier Name,సరఫరా చేయువాని పేరు apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext మాన్యువల్ చదువు @@ -490,7 +489,7 @@ DocType: Account,Old Parent,పాత మాతృ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,తప్పనిసరి రంగంలో - అకాడెమిక్ ఇయర్ apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,తప్పనిసరి రంగంలో - అకాడెమిక్ ఇయర్ DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ఆ ఈమెయిల్ భాగంగా వెళ్ళే పరిచయ టెక్స్ట్ అనుకూలీకరించండి. ప్రతి లావాదేవీ ఒక ప్రత్యేక పరిచయ టెక్స్ట్ ఉంది. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},కంపెనీ కోసం డిఫాల్ట్ చెల్లించవలసిన ఖాతా సెట్ దయచేసి {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},కంపెనీ కోసం డిఫాల్ట్ చెల్లించవలసిన ఖాతా సెట్ దయచేసి {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,అన్ని తయారీ ప్రక్రియలకు గ్లోబల్ సెట్టింగులు. DocType: Accounts Settings,Accounts Frozen Upto,ఘనీభవించిన వరకు అకౌంట్స్ DocType: SMS Log,Sent On,న పంపిన @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,చెల్లించవలసిన apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,ఎంపిక BOMs అదే అంశం కోసం కాదు DocType: Pricing Rule,Valid Upto,చెల్లుబాటు అయ్యే వరకు DocType: Training Event,Workshop,వర్క్షాప్ -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,మీ వినియోగదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,మీ వినియోగదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,తగినంత భాగాలు బిల్డ్ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,ప్రత్యక్ష ఆదాయం apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","ఖాతా ద్వారా సమూహం ఉంటే, ఖాతా ఆధారంగా వేరు చేయలేని" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,దయచేసి కోర్సు ఎంచుకోండి apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,దయచేసి కోర్సు ఎంచుకోండి DocType: Timesheet Detail,Hrs,గంటలు -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,కంపెనీ దయచేసి ఎంచుకోండి +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,కంపెనీ దయచేసి ఎంచుకోండి DocType: Stock Entry Detail,Difference Account,తేడా ఖాతా DocType: Purchase Invoice,Supplier GSTIN,సరఫరాదారు GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,దాని ఆధారపడి పని {0} సంవృతం కాదు దగ్గరగా పని కాదు. @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,దయచేసి త్రెష్ 0% గ్రేడ్ నిర్వచించే DocType: Sales Order,To Deliver,రక్షిం DocType: Purchase Invoice Item,Item,అంశం -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,సీరియల్ ఏ అంశం ఒక భిన్నం ఉండకూడదు +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,సీరియల్ ఏ అంశం ఒక భిన్నం ఉండకూడదు DocType: Journal Entry,Difference (Dr - Cr),తేడా (డాక్టర్ - CR) DocType: Account,Profit and Loss,లాభం మరియు నష్టం apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,మేనేజింగ్ ఉప @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),వారంటీ కాలం (ర DocType: Installation Note Item,Installation Note Item,సంస్థాపన సూచన అంశం DocType: Production Plan Item,Pending Qty,పెండింగ్ ప్యాక్ చేసిన అంశాల DocType: Budget,Ignore,విస్మరించు -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} సక్రియ కాదు +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} సక్రియ కాదు apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS క్రింది సంఖ్యలను పంపిన: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ముద్రణా సెటప్ చెక్ కొలతలు DocType: Salary Slip,Salary Slip Timesheet,జీతం స్లిప్ TIMESHEET @@ -687,8 +686,8 @@ DocType: Installation Note,IN-,ఇన్ DocType: Production Order Operation,In minutes,నిమిషాల్లో DocType: Issue,Resolution Date,రిజల్యూషన్ తేదీ DocType: Student Batch Name,Batch Name,బ్యాచ్ పేరు -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet రూపొందించినవారు: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},చెల్లింపు విధానం లో డిఫాల్ట్ నగదు లేదా బ్యాంక్ ఖాతా సెట్ దయచేసి {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet రూపొందించినవారు: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},చెల్లింపు విధానం లో డిఫాల్ట్ నగదు లేదా బ్యాంక్ ఖాతా సెట్ దయచేసి {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,నమోదు DocType: GST Settings,GST Settings,జిఎస్టి సెట్టింగులు DocType: Selling Settings,Customer Naming By,ద్వారా కస్టమర్ నేమింగ్ @@ -708,7 +707,7 @@ DocType: Activity Cost,Projects User,ప్రాజెక్ట్స్ వా apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,సేవించాలి apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} వాయిస్ వివరాలు పట్టికలో దొరకలేదు DocType: Company,Round Off Cost Center,ఖర్చు సెంటర్ ఆఫ్ రౌండ్ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,నిర్వహణ సందర్శించండి {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,నిర్వహణ సందర్శించండి {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి DocType: Item,Material Transfer,మెటీరియల్ ట్రాన్స్ఫర్ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ఓపెనింగ్ (డాక్టర్) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},పోస్టింగ్ స్టాంప్ తర్వాత ఉండాలి {0} @@ -717,7 +716,7 @@ DocType: Employee Loan,Total Interest Payable,చెల్లించవలస DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,అడుగుపెట్టాయి ఖర్చు పన్నులు మరియు ఆరోపణలు DocType: Production Order Operation,Actual Start Time,వాస్తవ ప్రారంభ సమయం DocType: BOM Operation,Operation Time,ఆపరేషన్ సమయం -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,ముగించు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,ముగించు apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,బేస్ DocType: Timesheet,Total Billed Hours,మొత్తం కస్టమర్లకు గంటలు DocType: Journal Entry,Write Off Amount,మొత్తం ఆఫ్ వ్రాయండి @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),ఓడోమీటార్ విలు apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,మార్కెటింగ్ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,చెల్లింపు ఎంట్రీ ఇప్పటికే రూపొందించినవారు ఉంటుంది DocType: Purchase Receipt Item Supplied,Current Stock,ప్రస్తుత స్టాక్ -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},రో # {0}: ఆస్తి {1} అంశం ముడిపడి లేదు {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},రో # {0}: ఆస్తి {1} అంశం ముడిపడి లేదు {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,ప్రివ్యూ వేతనం స్లిప్ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,ఖాతా {0} అనేకసార్లు నమోదు చేసిన DocType: Account,Expenses Included In Valuation,ఖర్చులు విలువలో @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ఏరో DocType: Journal Entry,Credit Card Entry,క్రెడిట్ కార్డ్ ఎంట్రీ apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,కంపెనీ మరియు అకౌంట్స్ apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,గూడ్స్ పంపిణీదారుల నుండి పొందింది. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,విలువ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,విలువ DocType: Lead,Campaign Name,ప్రచారం పేరు DocType: Selling Settings,Close Opportunity After Days,అవకాశ డేస్ తర్వాత దగ్గరి ,Reserved,రిసర్వ్డ్ @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,శక్తి DocType: Opportunity,Opportunity From,నుండి అవకాశం apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,మంత్లీ జీతం ప్రకటన. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,వరుస {0}: {1} అంశం కోసం {2} క్రమ సంఖ్య అవసరం. మీరు {3} ను అందించారు. DocType: BOM,Website Specifications,వెబ్సైట్ లక్షణాలు apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: నుండి {0} రకం {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,రో {0}: మార్పిడి ఫాక్టర్ తప్పనిసరి DocType: Employee,A+,ఒక + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","అదే ప్రమాణాల బహుళ ధర రూల్స్ ఉనికిలో ఉంది, ప్రాధాన్యత కేటాయించి వివాద పరిష్కారం దయచేసి. ధర నియమాలు: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,సోమరిగాచేయు లేదా ఇతర BOMs తో అనుసంధానం BOM రద్దు కాదు +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,సోమరిగాచేయు లేదా ఇతర BOMs తో అనుసంధానం BOM రద్దు కాదు DocType: Opportunity,Maintenance,నిర్వహణ DocType: Item Attribute Value,Item Attribute Value,అంశం విలువను ఆపాదించే apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,సేల్స్ ప్రచారాలు. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,tIMESHEET చేయండి +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,tIMESHEET చేయండి DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -838,7 +838,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ఇమెయిల్ ఖాతా ఏర్పాటు apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,మొదటి అంశం నమోదు చేయండి DocType: Account,Liability,బాధ్యత -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,మంజూరు మొత్తం రో లో క్లెయిమ్ సొమ్ము కంటే ఎక్కువ ఉండకూడదు {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,మంజూరు మొత్తం రో లో క్లెయిమ్ సొమ్ము కంటే ఎక్కువ ఉండకూడదు {0}. DocType: Company,Default Cost of Goods Sold Account,గూడ్స్ సోల్డ్ ఖాతా యొక్క డిఫాల్ట్ ఖర్చు apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,ధర జాబితా ఎంచుకోలేదు DocType: Employee,Family Background,కుటుంబ నేపథ్యం @@ -849,10 +849,10 @@ DocType: Company,Default Bank Account,డిఫాల్ట్ బ్యాం apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",పార్టీ ఆధారంగా ఫిల్టర్ ఎన్నుకోండి పార్టీ మొదటి రకం apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},అంశాలను ద్వారా పంపిణీ లేదు ఎందుకంటే 'సరిచేయబడిన స్టాక్' తనిఖీ చెయ్యబడదు {0} DocType: Vehicle,Acquisition Date,సంపాదన తేది -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,అధిక వెయిటేజీ ఉన్న అంశాలు అధికంగా చూపబడుతుంది DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,బ్యాంక్ సయోధ్య వివరాలు -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,రో # {0}: ఆస్తి {1} సమర్పించాలి +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,రో # {0}: ఆస్తి {1} సమర్పించాలి apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ఏ ఉద్యోగి దొరకలేదు DocType: Supplier Quotation,Stopped,ఆగిపోయింది DocType: Item,If subcontracted to a vendor,"ఒక వ్యాపారికి బహుకరించింది, మరలా ఉంటే" @@ -869,7 +869,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,కనీస ఇన్వ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: వ్యయ కేంద్రం {2} కంపెనీ చెందదు {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: ఖాతా {2} ఒక గ్రూప్ ఉండకూడదు apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,అంశం రో {IDX}: {doctype} {DOCNAME} లేదు పైన ఉనికిలో లేదు '{doctype}' పట్టిక -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} ఇప్పటికే పూర్తి లేదా రద్దు +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} ఇప్పటికే పూర్తి లేదా రద్దు apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,విధులు లేవు DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ఆటో ఇన్వాయిస్ 05, 28 etc ఉదా ఉత్పత్తి అవుతుంది ఇది నెల రోజు" DocType: Asset,Opening Accumulated Depreciation,పోగుచేసిన తరుగుదల తెరవడం @@ -928,7 +928,7 @@ DocType: SMS Log,Requested Numbers,అభ్యర్థించిన సం DocType: Production Planning Tool,Only Obtain Raw Materials,కేవలం రా మెటీరియల్స్ పొందుము apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,చేసిన పనికి పొగడ్తలు. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","సమర్ధించే షాపింగ్ కార్ట్ ప్రారంభించబడింది వంటి, 'షాపింగ్ కార్ట్ ఉపయోగించండి' మరియు షాపింగ్ కార్ట్ కోసం కనీసం ఒక పన్ను రూల్ ఉండాలి" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","చెల్లింపు ఎంట్రీ {0} ఆర్డర్ {1}, ఈ వాయిస్ లో అడ్వాన్సుగా తీసుకున్నాడు తప్పకుండా తనిఖీ వ్యతిరేకంగా ముడిపడి ఉంది." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","చెల్లింపు ఎంట్రీ {0} ఆర్డర్ {1}, ఈ వాయిస్ లో అడ్వాన్సుగా తీసుకున్నాడు తప్పకుండా తనిఖీ వ్యతిరేకంగా ముడిపడి ఉంది." DocType: Sales Invoice Item,Stock Details,స్టాక్ వివరాలు apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,ప్రాజెక్టు విలువ apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,పాయింట్ ఆఫ్ అమ్మకానికి @@ -951,15 +951,15 @@ DocType: Naming Series,Update Series,నవీకరణ సిరీస్ DocType: Supplier Quotation,Is Subcontracted,"బహుకరించింది, మరలా ఉంది" DocType: Item Attribute,Item Attribute Values,అంశం లక్షణం విలువలు DocType: Examination Result,Examination Result,పరీక్ష ఫలితం -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,కొనుగోలు రసీదులు +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,కొనుగోలు రసీదులు ,Received Items To Be Billed,స్వీకరించిన అంశాలు బిల్ టు -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Submitted జీతం స్లిప్స్ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Submitted జీతం స్లిప్స్ apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,కరెన్సీ మార్పిడి రేటు మాస్టర్. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},రిఫరెన్స్ doctype యొక్క ఒక ఉండాలి {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ఆపరేషన్ కోసం తదుపరి {0} రోజుల్లో టైమ్ స్లాట్ దొరక్కపోతే {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ఆపరేషన్ కోసం తదుపరి {0} రోజుల్లో టైమ్ స్లాట్ దొరక్కపోతే {1} DocType: Production Order,Plan material for sub-assemblies,ఉప శాసనసభలకు ప్రణాళిక పదార్థం apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,సేల్స్ భాగస్వాములు అండ్ టెరిటరీ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,బిఒఎం {0} సక్రియ ఉండాలి +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,బిఒఎం {0} సక్రియ ఉండాలి DocType: Journal Entry,Depreciation Entry,అరుగుదల ఎంట్రీ apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,మొదటి డాక్యుమెంట్ రకాన్ని ఎంచుకోండి apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ఈ నిర్వహణ సందర్శించండి రద్దు ముందు రద్దు మెటీరియల్ సందర్శనల {0} @@ -969,7 +969,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,మొత్తం డబ్బు apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ఇంటర్నెట్ పబ్లిషింగ్ DocType: Production Planning Tool,Production Orders,ఉత్పత్తి ఆర్డర్స్ -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,సంతులనం విలువ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,సంతులనం విలువ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,సేల్స్ ధర జాబితా apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,అంశాలను సమకాలీకరించడానికి ప్రచురించు DocType: Bank Reconciliation,Account Currency,ఖాతా కరెన్సీ @@ -994,12 +994,12 @@ DocType: Employee,Exit Interview Details,ఇంటర్వ్యూ నిష DocType: Item,Is Purchase Item,కొనుగోలు అంశం DocType: Asset,Purchase Invoice,కొనుగోలు వాయిస్ DocType: Stock Ledger Entry,Voucher Detail No,ఓచర్ వివరాలు లేవు -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,న్యూ సేల్స్ వాయిస్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,న్యూ సేల్స్ వాయిస్ DocType: Stock Entry,Total Outgoing Value,మొత్తం అవుట్గోయింగ్ విలువ apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,తేదీ మరియు ముగింపు తేదీ తెరవడం అదే ఫిస్కల్ ఇయర్ లోపల ఉండాలి DocType: Lead,Request for Information,సమాచారం కోసం అభ్యర్థన ,LeaderBoard,లీడర్బోర్డ్ -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,సమకాలీకరణ ఆఫ్లైన్ రసీదులు +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,సమకాలీకరణ ఆఫ్లైన్ రసీదులు DocType: Payment Request,Paid,చెల్లింపు DocType: Program Fee,Program Fee,ప్రోగ్రామ్ రుసుము DocType: Salary Slip,Total in words,పదాలు లో మొత్తం @@ -1007,7 +1007,7 @@ DocType: Material Request Item,Lead Time Date,లీడ్ సమయం తే DocType: Guardian,Guardian Name,గార్డియన్ పేరు DocType: Cheque Print Template,Has Print Format,ప్రింట్ ఫార్మాట్ ఉంది DocType: Employee Loan,Sanctioned,మంజూరు -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు కోసం సృష్టించబడలేదు +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు కోసం సృష్టించబడలేదు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},రో # {0}: అంశం కోసం ఏ సీరియల్ రాయండి {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ఉత్పత్తి కట్ట అంశాలు, గిడ్డంగి, సీరియల్ లేవు మరియు బ్యాచ్ కోసం కాదు' ప్యాకింగ్ జాబితా 'పట్టిక నుండి పరిగణించబడుతుంది. వేర్హౌస్ మరియు బ్యాచ్ ఏ 'ఉత్పత్తి కట్ట' అంశం కోసం అన్ని ప్యాకింగ్ అంశాలను ఒకటే ఉంటే, ఆ విలువలు ప్రధాన అంశం పట్టిక ఎంటర్ చెయ్యబడతాయి, విలువలు పట్టిక 'జాబితా ప్యాకింగ్' కాపీ అవుతుంది." DocType: Job Opening,Publish on website,వెబ్ సైట్ ప్రచురించు @@ -1020,7 +1020,7 @@ DocType: Cheque Print Template,Date Settings,తేదీ సెట్టిం apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,అంతర్భేధం ,Company Name,కంపెనీ పేరు DocType: SMS Center,Total Message(s),మొత్తం సందేశం (లు) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,బదిలీ కోసం అంశాన్ని ఎంచుకోండి +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,బదిలీ కోసం అంశాన్ని ఎంచుకోండి DocType: Purchase Invoice,Additional Discount Percentage,అదనపు డిస్కౌంట్ శాతం apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,అన్ని సహాయ వీడియోలను జాబితాను వీక్షించండి DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,చెక్ జమ జరిగినది ఎక్కడ బ్యాంకు ఖాతాను ఎంచుకోండి తల. @@ -1035,7 +1035,7 @@ DocType: BOM,Raw Material Cost(Company Currency),రా మెటీరియల apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,అన్ని అంశాలను ఇప్పటికే ఈ ఉత్పత్తి ఆర్డర్ కోసం బదిలీ చేశారు. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},రో # {0}: రేటు ఉపయోగిస్తారు రేటు కంటే ఎక్కువ ఉండకూడదు {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},రో # {0}: రేటు ఉపయోగిస్తారు రేటు కంటే ఎక్కువ ఉండకూడదు {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,మీటర్ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,మీటర్ DocType: Workstation,Electricity Cost,విద్యుత్ ఖర్చు DocType: HR Settings,Don't send Employee Birthday Reminders,Employee జన్మదిన రిమైండర్లు పంపవద్దు DocType: Item,Inspection Criteria,ఇన్స్పెక్షన్ ప్రమాణం @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,అడ్వాన్సెస్ పొందుతారు DocType: Item,Automatically Create New Batch,ఆటోమేటిక్గా కొత్త బ్యాచ్ సృష్టించు DocType: Item,Automatically Create New Batch,ఆటోమేటిక్గా కొత్త బ్యాచ్ సృష్టించు -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,చేయండి +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,చేయండి DocType: Student Admission,Admission Start Date,అడ్మిషన్ ప్రారంభ తేదీ DocType: Journal Entry,Total Amount in Words,పదాలు లో మొత్తం పరిమాణం apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,ఒక లోపం ఉంది. వన్ మూడింటిని కారణం మీరు రూపం సేవ్ చేయలేదు అని కావచ్చు. సమస్య కొనసాగితే support@erpnext.com సంప్రదించండి. @@ -1058,7 +1058,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,నా కార్ట apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ఆర్డర్ రకం ఒకటి ఉండాలి {0} DocType: Lead,Next Contact Date,తదుపరి సంప్రదించండి తేదీ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ప్యాక్ చేసిన అంశాల తెరవడం -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,మొత్తం చేంజ్ ఖాతాను నమోదు చేయండి +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,మొత్తం చేంజ్ ఖాతాను నమోదు చేయండి DocType: Student Batch Name,Student Batch Name,స్టూడెంట్ బ్యాచ్ పేరు DocType: Holiday List,Holiday List Name,హాలిడే జాబితా పేరు DocType: Repayment Schedule,Balance Loan Amount,సంతులనం రుణ మొత్తం @@ -1066,7 +1066,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,స్టాక్ ఆప్షన్స్ DocType: Journal Entry Account,Expense Claim,ఖర్చు చెప్పడం apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,మీరు నిజంగా ఈ చిత్తు ఆస్తి పునరుద్ధరించేందుకు పెట్టమంటారా? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},కోసం చేసిన అంశాల {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},కోసం చేసిన అంశాల {0} DocType: Leave Application,Leave Application,లీవ్ అప్లికేషన్ apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,కేటాయింపు టూల్ వదిలి DocType: Leave Block List,Leave Block List Dates,బ్లాక్ జాబితా తేదీలు వదిలి @@ -1117,7 +1117,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,ఎగైనెస్ట్ DocType: Item,Default Selling Cost Center,డిఫాల్ట్ సెల్లింగ్ ఖర్చు సెంటర్ DocType: Sales Partner,Implementation Partner,అమలు భాగస్వామి -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,జిప్ కోడ్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,జిప్ కోడ్ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},అమ్మకాల ఆర్డర్ {0} ఉంది {1} DocType: Opportunity,Contact Info,సంప్రదింపు సమాచారం apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,స్టాక్ ఎంట్రీలు మేకింగ్ @@ -1136,14 +1136,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,హాజరు ఫ్రీజ్ తేదీ DocType: School Settings,Attendance Freeze Date,హాజరు ఫ్రీజ్ తేదీ DocType: Opportunity,Your sales person who will contact the customer in future,భవిష్యత్తులో కస్టమర్ కలుసుకుని మీ అమ్మకాలు వ్యక్తి -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,మీ సరఫరాదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,మీ సరఫరాదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,అన్ని ఉత్పత్తులను చూడండి apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),కనీస లీడ్ వయసు (డేస్) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),కనీస లీడ్ వయసు (డేస్) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,అన్ని BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,అన్ని BOMs DocType: Company,Default Currency,డిఫాల్ట్ కరెన్సీ DocType: Expense Claim,From Employee,Employee నుండి -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,హెచ్చరిక: సిస్టమ్ అంశం కోసం మొత్తం నుండి overbilling తనిఖీ చెయ్యదు {0} లో {1} సున్నా +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,హెచ్చరిక: సిస్టమ్ అంశం కోసం మొత్తం నుండి overbilling తనిఖీ చెయ్యదు {0} లో {1} సున్నా DocType: Journal Entry,Make Difference Entry,తేడా ఎంట్రీ చేయండి DocType: Upload Attendance,Attendance From Date,తేదీ నుండి హాజరు DocType: Appraisal Template Goal,Key Performance Area,కీ పనితీరు ఏరియా @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,మీ సూచన కోసం కంపెనీ నమోదు సంఖ్యలు. పన్ను సంఖ్యలు మొదలైనవి DocType: Sales Partner,Distributor,పంపిణీదారు DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,షాపింగ్ కార్ట్ షిప్పింగ్ రూల్ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,ఉత్పత్తి ఆర్డర్ {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,ఉత్పత్తి ఆర్డర్ {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',సెట్ 'న అదనపు డిస్కౌంట్ వర్తించు' దయచేసి ,Ordered Items To Be Billed,క్రమ అంశాలు బిల్ టు apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,రేంజ్ తక్కువ ఉండాలి కంటే పరిధి @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,తగ్గింపులకు DocType: Leave Allocation,LAL/,లాల్ / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ప్రారంభ సంవత్సరం -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},మొదటి 2 GSTIN అంకెలు రాష్ట్ర సంఖ్య తో మ్యాచ్ ఉండాలి {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},మొదటి 2 GSTIN అంకెలు రాష్ట్ర సంఖ్య తో మ్యాచ్ ఉండాలి {0} DocType: Purchase Invoice,Start date of current invoice's period,ప్రస్తుత వాయిస్ యొక్క కాలం తేదీ ప్రారంభించండి DocType: Salary Slip,Leave Without Pay,పే లేకుండా వదిలి -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,పరిమాణ ప్రణాళికా లోపం +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,పరిమాణ ప్రణాళికా లోపం ,Trial Balance for Party,పార్టీ కోసం ట్రయల్ బ్యాలెన్స్ DocType: Lead,Consultant,కన్సల్టెంట్ DocType: Salary Slip,Earnings,సంపాదన @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,చెల్లింపుదా DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ఈ శ్రేణి Item కోడ్ చేర్చవలసి ఉంటుంది. మీ సంక్షిప్త "SM" మరియు ఉదాహరణకు, అంశం కోడ్ "T- షర్టు", "T- షర్టు-SM" ఉంటుంది వేరియంట్ అంశం కోడ్" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,మీరు వేతనం స్లిప్ సేవ్ ఒకసారి (మాటలలో) నికర పే కనిపిస్తుంది. DocType: Purchase Invoice,Is Return,రాబడి -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,రిటర్న్ / డెబిట్ గమనిక +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,రిటర్న్ / డెబిట్ గమనిక DocType: Price List Country,Price List Country,ధర జాబితా దేశం DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} అంశం చెల్లుబాటు సీరియల్ nos {1} @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,పాక్షికంగా పం apps/erpnext/erpnext/config/buying.py +38,Supplier database.,సరఫరాదారు డేటాబేస్. DocType: Account,Balance Sheet,బ్యాలెన్స్ షీట్ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ','అంశం కోడ్ అంశం సెంటర్ ఖర్చు -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",చెల్లింపు రకం కన్ఫిగర్ చేయబడలేదు. ఖాతా చెల్లింపులు మోడ్ మీద లేదా POS ప్రొఫైల్ సెట్ చేయబడ్డాయి వచ్చారో లేదో తనిఖీ చేయండి. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",చెల్లింపు రకం కన్ఫిగర్ చేయబడలేదు. ఖాతా చెల్లింపులు మోడ్ మీద లేదా POS ప్రొఫైల్ సెట్ చేయబడ్డాయి వచ్చారో లేదో తనిఖీ చేయండి. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,మీ అమ్మకాలు వ్యక్తి కస్టమర్ సంప్రదించండి తేదీన ఒక రిమైండర్ పొందుతారు apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,అదే అంశం అనేకసార్లు ఎంటర్ చేయలేరు. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","మరింత ఖాతాల గుంపులు కింద తయారు చేయవచ్చు, కానీ ఎంట్రీలు కాని గుంపులు వ్యతిరేకంగా తయారు చేయవచ్చు" @@ -1230,7 +1230,7 @@ DocType: Employee Loan Application,Repayment Info,తిరిగి చెల apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'ఎంట్రీలు' ఖాళీగా ఉండకూడదు apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},తో నకిలీ వరుసగా {0} అదే {1} ,Trial Balance,ట్రయల్ బ్యాలెన్స్ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,ఫిస్కల్ ఇయర్ {0} దొరకలేదు +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,ఫిస్కల్ ఇయర్ {0} దొరకలేదు apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,ఉద్యోగులు ఏర్పాటు DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,మొదటి ఉపసర్గ దయచేసి ఎంచుకోండి @@ -1245,11 +1245,11 @@ DocType: Grading Scale,Intervals,విరామాలు apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,తొట్టతొలి apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","ఒక అంశం గ్రూప్ అదే పేరుతో, అంశం పేరు మార్చడానికి లేదా అంశం సమూహం పేరు దయచేసి" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,స్టూడెంట్ మొబైల్ నెంబరు -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ప్రపంచంలోని మిగిలిన +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,ప్రపంచంలోని మిగిలిన apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,అంశం {0} బ్యాచ్ ఉండకూడదు ,Budget Variance Report,బడ్జెట్ విస్తృతి నివేదిక DocType: Salary Slip,Gross Pay,స్థూల పే -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,రో {0}: కార్యాచరణ టైప్ తప్పనిసరి. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,రో {0}: కార్యాచరణ టైప్ తప్పనిసరి. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,డివిడెండ్ చెల్లించిన apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,అకౌంటింగ్ లెడ్జర్ DocType: Stock Reconciliation,Difference Amount,తేడా సొమ్ము @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,ఉద్యోగి సెలవు సంతులనం apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},ఖాతా సంతులనం {0} ఎల్లప్పుడూ ఉండాలి {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},వరుసగా అంశం అవసరం వాల్యువేషన్ రేటు {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ఉదాహరణ: కంప్యూటర్ సైన్స్ మాస్టర్స్ +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,ఉదాహరణ: కంప్యూటర్ సైన్స్ మాస్టర్స్ DocType: Purchase Invoice,Rejected Warehouse,తిరస్కరించబడిన వేర్హౌస్ DocType: GL Entry,Against Voucher,ఓచర్ వ్యతిరేకంగా DocType: Item,Default Buying Cost Center,డిఫాల్ట్ కొనుగోలు ఖర్చు సెంటర్ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext యొక్క ఉత్తమ పొందడానికి, మేము మీరు కొంత సమయం తీసుకొని ఈ సహాయ వీడియోలను చూడటానికి సిఫార్సు చేస్తున్నాము." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,కు +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,కు DocType: Supplier Quotation Item,Lead Time in days,రోజుల్లో ప్రధాన సమయం apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,చెల్లించవలసిన ఖాతాలు సారాంశం -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},{0} నుండి జీతం చెల్లింపు {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},{0} నుండి జీతం చెల్లింపు {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},ఘనీభవించిన ఖాతా సవరించడానికి మీకు అధికారం లేదు {0} DocType: Journal Entry,Get Outstanding Invoices,అసాధారణ ఇన్వాయిస్లు పొందండి -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,అమ్మకాల ఆర్డర్ {0} చెల్లదు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,అమ్మకాల ఆర్డర్ {0} చెల్లదు apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,కొనుగోలు ఆర్డర్లు మీరు ప్లాన్ సహాయం మరియు మీ కొనుగోళ్లపై అనుసరించాల్సి apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","క్షమించండి, కంపెనీలు విలీనం సాధ్యం కాదు" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,పరోక్ష ఖర్చులు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,రో {0}: Qty తప్పనిసరి apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,వ్యవసాయం -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,సమకాలీకరణ మాస్టర్ డేటా -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,మీ ఉత్పత్తులు లేదా సేవల +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,సమకాలీకరణ మాస్టర్ డేటా +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,మీ ఉత్పత్తులు లేదా సేవల DocType: Mode of Payment,Mode of Payment,చెల్లింపు విధానం apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,వెబ్సైట్ చిత్రం పబ్లిక్ ఫైలు లేదా వెబ్సైట్ URL అయి ఉండాలి DocType: Student Applicant,AP,ఏపీ @@ -1325,18 +1325,18 @@ DocType: Student Group Student,Group Roll Number,గ్రూప్ రోల్ DocType: Student Group Student,Group Roll Number,గ్రూప్ రోల్ సంఖ్య apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, కేవలం క్రెడిట్ ఖాతాల మరొక డెబిట్ ప్రవేశం వ్యతిరేకంగా లింక్ చేయవచ్చు కోసం" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,అన్ని పని బరువులు మొత్తం 1 ఉండాలి తదనుగుణంగా ప్రణాళిక పనులు బరువులు సర్దుబాటు చేయండి -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,డెలివరీ గమనిక {0} సమర్పించిన లేదు +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,డెలివరీ గమనిక {0} సమర్పించిన లేదు apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,అంశం {0} ఒక ఉప-ఒప్పంద అంశం ఉండాలి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,రాజధాని పరికరాలు apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","ధర రూల్ మొదటి ఆధారంగా ఎంపిక ఉంటుంది అంశం, అంశం గ్రూప్ లేదా బ్రాండ్ కావచ్చు, ఫీల్డ్ 'న వర్తించు'." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,దయచేసి మొదటి అంశం కోడ్ను సెట్ చేయండి +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,దయచేసి మొదటి అంశం కోడ్ను సెట్ చేయండి DocType: Hub Settings,Seller Website,అమ్మకాల వెబ్సైట్ DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,అమ్మకాలు జట్టు మొత్తం కేటాయించింది శాతం 100 ఉండాలి DocType: Appraisal Goal,Goal,గోల్ DocType: Sales Invoice Item,Edit Description,ఎడిట్ వివరణ ,Team Updates,టీమ్ నవీకరణలు -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,సరఫరాదారు కోసం +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,సరఫరాదారు కోసం DocType: Account,Setting Account Type helps in selecting this Account in transactions.,ఖాతా రకం చేస్తోంది లావాదేవీలు ఈ ఖాతా ఎంచుకోవడం లో సహాయపడుతుంది. DocType: Purchase Invoice,Grand Total (Company Currency),గ్రాండ్ మొత్తం (కంపెనీ కరెన్సీ) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,ప్రింట్ ఫార్మాట్ సృష్టించు @@ -1350,12 +1350,12 @@ DocType: Item,Website Item Groups,వెబ్సైట్ అంశం గ DocType: Purchase Invoice,Total (Company Currency),మొత్తం (కంపెనీ కరెన్సీ) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,{0} క్రమ సంఖ్య ఒకసారి కంటే ఎక్కువ ప్రవేశించింది DocType: Depreciation Schedule,Journal Entry,జర్నల్ ఎంట్రీ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} పురోగతి అంశాలను +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} పురోగతి అంశాలను DocType: Workstation,Workstation Name,కార్యక్షేత్ర పేరు DocType: Grading Scale Interval,Grade Code,గ్రేడ్ కోడ్ DocType: POS Item Group,POS Item Group,POS అంశం గ్రూప్ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,సారాంశ ఇమెయిల్: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},బిఒఎం {0} అంశం చెందినది కాదు {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},బిఒఎం {0} అంశం చెందినది కాదు {1} DocType: Sales Partner,Target Distribution,టార్గెట్ పంపిణీ DocType: Salary Slip,Bank Account No.,బ్యాంక్ ఖాతా నంబర్ DocType: Naming Series,This is the number of the last created transaction with this prefix,ఈ ఉపసర్గ గత రూపొందించినవారు లావాదేవీ సంఖ్య @@ -1413,7 +1413,7 @@ DocType: Quotation,Shopping Cart,కొనుగోలు బుట్ట apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,కనీస డైలీ అవుట్గోయింగ్ DocType: POS Profile,Campaign,ప్రచారం DocType: Supplier,Name and Type,పేరు మరియు టైప్ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',ఆమోద స్థితి 'అప్రూవ్డ్ లేదా' తిరస్కరించింది 'తప్పక +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',ఆమోద స్థితి 'అప్రూవ్డ్ లేదా' తిరస్కరించింది 'తప్పక DocType: Purchase Invoice,Contact Person,పర్సన్ సంప్రదించండి apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','ఊహించిన ప్రారంభం తేది' కంటే ఎక్కువ 'ఊహించినది ముగింపు తేదీ' ఉండకూడదు DocType: Course Scheduling Tool,Course End Date,కోర్సు ముగింపు తేదీ @@ -1425,8 +1425,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,prefered ఇమెయిల్ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,స్థిర ఆస్తి నికర మార్పును DocType: Leave Control Panel,Leave blank if considered for all designations,అన్ని వివరణలకు భావిస్తారు ఉంటే ఖాళీ వదిలి -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,రకం 'యదార్థ' వరుసగా బాధ్యతలు {0} అంశాన్ని రేటు చేర్చారు సాధ్యం కాదు -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},మాక్స్: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,రకం 'యదార్థ' వరుసగా బాధ్యతలు {0} అంశాన్ని రేటు చేర్చారు సాధ్యం కాదు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},మాక్స్: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,తేదీసమయం నుండి DocType: Email Digest,For Company,కంపెనీ apps/erpnext/erpnext/config/support.py +17,Communication log.,కమ్యూనికేషన్ లాగ్. @@ -1467,7 +1467,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","జాబ్ DocType: Journal Entry Account,Account Balance,ఖాతా నిలువ apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,లావాదేవీలకు పన్ను రూల్. DocType: Rename Tool,Type of document to rename.,పత్రం రకం రీనేమ్. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,మేము ఈ అంశం కొనుగోలు +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,మేము ఈ అంశం కొనుగోలు apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: కస్టమర్ స్వీకరించదగిన ఖాతాఫై అవసరం {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),మొత్తం పన్నులు మరియు ఆరోపణలు (కంపెనీ కరెన్సీ) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,మూసివేయబడని ఆర్థిక సంవత్సరం పి & L నిల్వలను చూపించు @@ -1478,7 +1478,7 @@ DocType: Quality Inspection,Readings,రీడింగ్స్ DocType: Stock Entry,Total Additional Costs,మొత్తం అదనపు వ్యయాలు DocType: Course Schedule,SH,ఎస్హెచ్ DocType: BOM,Scrap Material Cost(Company Currency),స్క్రాప్ మెటీరియల్ ఖర్చు (కంపెనీ కరెన్సీ) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,సబ్ అసెంబ్లీలకు +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,సబ్ అసెంబ్లీలకు DocType: Asset,Asset Name,ఆస్తి పేరు DocType: Project,Task Weight,టాస్క్ బరువు DocType: Shipping Rule Condition,To Value,విలువ @@ -1507,7 +1507,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,అంశం రకర DocType: Company,Services,సర్వీసులు DocType: HR Settings,Email Salary Slip to Employee,ఉద్యోగి ఇమెయిల్ వేతనం స్లిప్ DocType: Cost Center,Parent Cost Center,మాతృ ఖర్చు సెంటర్ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,సాధ్యమైన సరఫరాదారు ఎంచుకోండి +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,సాధ్యమైన సరఫరాదారు ఎంచుకోండి DocType: Sales Invoice,Source,మూల apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,మూసి షో DocType: Leave Type,Is Leave Without Pay,పే లేకుండా వదిలి ఉంటుంది @@ -1519,7 +1519,7 @@ DocType: POS Profile,Apply Discount,డిస్కౌంట్ వర్తి DocType: GST HSN Code,GST HSN Code,జిఎస్టి HSN కోడ్ DocType: Employee External Work History,Total Experience,మొత్తం ఎక్స్పీరియన్స్ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ఓపెన్ ప్రాజెక్ట్స్ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,రద్దు ప్యాకింగ్ స్లిప్ (లు) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,రద్దు ప్యాకింగ్ స్లిప్ (లు) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ఇన్వెస్టింగ్ నుండి నగదు ప్రవాహ DocType: Program Course,Program Course,ప్రోగ్రామ్ కోర్సు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ఫ్రైట్ మరియు ఫార్వార్డింగ్ ఛార్జీలు @@ -1560,9 +1560,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,ప్రోగ్రామ్ నమోదు DocType: Sales Invoice Item,Brand Name,బ్రాండ్ పేరు DocType: Purchase Receipt,Transporter Details,ట్రాన్స్పోర్టర్ వివరాలు -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,డిఫాల్ట్ గిడ్డంగిలో ఎంచుకున్న అంశం కోసం అవసరం -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,బాక్స్ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,సాధ్యమైన సరఫరాదారు +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,డిఫాల్ట్ గిడ్డంగిలో ఎంచుకున్న అంశం కోసం అవసరం +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,బాక్స్ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,సాధ్యమైన సరఫరాదారు DocType: Budget,Monthly Distribution,మంత్లీ పంపిణీ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,స్వీకర్త జాబితా ఖాళీగా ఉంది. స్వీకర్త జాబితా సృష్టించడానికి దయచేసి DocType: Production Plan Sales Order,Production Plan Sales Order,ఉత్పత్తి ప్రణాళిక అమ్మకాల ఆర్డర్ @@ -1595,7 +1595,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,కంపె apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","స్టూడెంట్స్ వ్యవస్థ యొక్క గుండె వద్ద ఉంటాయి, అన్ని మీ విద్యార్థులు జోడించండి" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},రో # {0}: క్లియరెన్స్ తేదీ {1} ప్రిపే తేదీ ముందు ఉండకూడదు {2} DocType: Company,Default Holiday List,హాలిడే జాబితా డిఫాల్ట్ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},రో {0}: నుండి సమయం మరియు సమయం {1} తో కలిసిపోయే ఉంది {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},రో {0}: నుండి సమయం మరియు సమయం {1} తో కలిసిపోయే ఉంది {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,స్టాక్ బాధ్యతలు DocType: Purchase Invoice,Supplier Warehouse,సరఫరాదారు వేర్హౌస్ DocType: Opportunity,Contact Mobile No,సంప్రదించండి మొబైల్ లేవు @@ -1611,18 +1611,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},రకం లీవ్ {0} కంటే ఎక్కువ ఉండరాదు {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,ముందుగానే X రోజులు కార్యకలాపాలు ప్రణాళిక ప్రయత్నించండి. DocType: HR Settings,Stop Birthday Reminders,ఆపు జన్మదిన రిమైండర్లు -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},కంపెనీ డిఫాల్ట్ పేరోల్ చెల్లించవలసిన ఖాతా సెట్ దయచేసి {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},కంపెనీ డిఫాల్ట్ పేరోల్ చెల్లించవలసిన ఖాతా సెట్ దయచేసి {0} DocType: SMS Center,Receiver List,స్వీకర్త జాబితా -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,శోధన అంశం +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,శోధన అంశం apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,వినియోగించిన మొత్తం apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,నగదు నికర మార్పు DocType: Assessment Plan,Grading Scale,గ్రేడింగ్ స్కేల్ apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,మెజర్ {0} యొక్క యూనిట్ మార్పిడి ఫాక్టర్ టేబుల్ లో ఒకసారి కంటే ఎక్కువ నమోదు చేయబడింది -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,ఇప్పటికే పూర్తి +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,ఇప్పటికే పూర్తి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,చేతిలో స్టాక్ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},చెల్లింపు అభ్యర్థన ఇప్పటికే ఉంది {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,జారీచేయబడింది వస్తువుల ధర -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},పరిమాణం కంటే ఎక్కువ ఉండకూడదు {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},పరిమాణం కంటే ఎక్కువ ఉండకూడదు {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,మునుపటి ఆర్థిక సంవత్సరం మూసివేయబడింది లేదు apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),వయసు (రోజులు) DocType: Quotation Item,Quotation Item,కొటేషన్ అంశం @@ -1636,6 +1636,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,రిఫరెన్స్ డాక్యుమెంట్ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} రద్దు లేదా ఆగిపోయిన DocType: Accounts Settings,Credit Controller,క్రెడిట్ కంట్రోలర్ +DocType: Sales Order,Final Delivery Date,ఫైనల్ డెలివరీ డేట్ DocType: Delivery Note,Vehicle Dispatch Date,వాహనం డిస్పాచ్ తేదీ DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,కొనుగోలు రసీదులు {0} సమర్పించిన లేదు @@ -1727,9 +1728,9 @@ DocType: Employee,Date Of Retirement,రిటైర్మెంట్ డే DocType: Upload Attendance,Get Template,మూస పొందండి DocType: Material Request,Transferred,బదిలీ DocType: Vehicle,Doors,ది డోర్స్ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext సెటప్ పూర్తి! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext సెటప్ పూర్తి! DocType: Course Assessment Criteria,Weightage,వెయిటేజీ -DocType: Sales Invoice,Tax Breakup,పన్ను వేర్పాటు +DocType: Purchase Invoice,Tax Breakup,పన్ను వేర్పాటు DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: వ్యయ కేంద్రం 'లాభం మరియు నష్టం' ఖాతా కోసం అవసరం {2}. కంపెనీ కోసం ఒక డిఫాల్ట్ వ్యయ కేంద్రం ఏర్పాటు చేయండి. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ఒక కస్టమర్ గ్రూప్ అదే పేరుతో కస్టమర్ పేరును లేదా కస్టమర్ గ్రూప్ పేరు దయచేసి @@ -1742,14 +1743,14 @@ DocType: Announcement,Instructor,బోధకుడు DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ఈ అంశాన్ని రకాల్లో, అప్పుడు అది అమ్మకాలు ఆదేశాలు మొదలైనవి ఎంపిక సాధ్యం కాదు" DocType: Lead,Next Contact By,నెక్స్ట్ సంప్రదించండి -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},వరుసగా అంశం {0} కోసం అవసరం పరిమాణం {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},వరుసగా అంశం {0} కోసం అవసరం పరిమాణం {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},పరిమాణం అంశం కోసం ఉనికిలో వేర్హౌస్ {0} తొలగించబడవు {1} DocType: Quotation,Order Type,ఆర్డర్ రకం DocType: Purchase Invoice,Notification Email Address,ప్రకటన ఇమెయిల్ అడ్రస్ ,Item-wise Sales Register,అంశం వారీగా సేల్స్ నమోదు DocType: Asset,Gross Purchase Amount,స్థూల కొనుగోలు మొత్తాన్ని DocType: Asset,Depreciation Method,అరుగుదల విధానం -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ఆఫ్లైన్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ఆఫ్లైన్ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ప్రాథమిక రేటు లో కూడా ఈ పన్ను? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,మొత్తం టార్గెట్ DocType: Job Applicant,Applicant for a Job,ఒక Job కొరకు అభ్యర్ధించే @@ -1771,7 +1772,7 @@ DocType: Employee,Leave Encashed?,Encashed వదిలి? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ఫీల్డ్ నుండి అవకాశం తప్పనిసరి DocType: Email Digest,Annual Expenses,వార్షిక ఖర్చులు DocType: Item,Variants,రకరకాలు -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,కొనుగోలు ఆర్డర్ చేయండి +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,కొనుగోలు ఆర్డర్ చేయండి DocType: SMS Center,Send To,పంపే apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},లీవ్ పద్ధతి కోసం తగినంత సెలవు సంతులనం లేదు {0} DocType: Payment Reconciliation Payment,Allocated amount,కేటాయించింది మొత్తం @@ -1779,7 +1780,7 @@ DocType: Sales Team,Contribution to Net Total,నికర మొత్తం DocType: Sales Invoice Item,Customer's Item Code,కస్టమర్ యొక్క Item కోడ్ DocType: Stock Reconciliation,Stock Reconciliation,స్టాక్ సయోధ్య DocType: Territory,Territory Name,భూభాగం పేరు -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,పని లో ప్రోగ్రెస్ వేర్హౌస్ సమర్పించండి ముందు అవసరం +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,పని లో ప్రోగ్రెస్ వేర్హౌస్ సమర్పించండి ముందు అవసరం apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,ఒక Job కొరకు అభ్యర్ధించే. DocType: Purchase Order Item,Warehouse and Reference,వేర్హౌస్ మరియు సూచన DocType: Supplier,Statutory info and other general information about your Supplier,మీ సరఫరాదారు గురించి స్టాట్యుటరీ సమాచారం మరియు ఇతర సాధారణ సమాచారం @@ -1792,16 +1793,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,అంచనాలు apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},సీరియల్ అంశం ఏదీ ప్రవేశించింది నకిలీ {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,ఒక షిప్పింగ్ రూల్ ఒక పరిస్థితి apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,దయచేసి నమోదు చెయ్యండి -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","అంశం {0} కోసం overbill కాదు వరుసగా {1} కంటే ఎక్కువ {2}. ఓవర్ బిల్లింగ్ అనుమతించేందుకు, సెట్టింగులు కొనుగోలు లో సెట్ చెయ్యండి" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,అంశం లేదా వేర్హౌస్ ఆధారంగా వడపోత సెట్ చెయ్యండి +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","అంశం {0} కోసం overbill కాదు వరుసగా {1} కంటే ఎక్కువ {2}. ఓవర్ బిల్లింగ్ అనుమతించేందుకు, సెట్టింగులు కొనుగోలు లో సెట్ చెయ్యండి" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,అంశం లేదా వేర్హౌస్ ఆధారంగా వడపోత సెట్ చెయ్యండి DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ఈ ప్యాకేజీ యొక్క నికర బరువు. (అంశాలను నికర బరువు మొత్తంగా స్వయంచాలకంగా లెక్కించిన) DocType: Sales Order,To Deliver and Bill,బట్వాడా మరియు బిల్ DocType: Student Group,Instructors,బోధకులు DocType: GL Entry,Credit Amount in Account Currency,ఖాతా కరెన్సీ లో క్రెడిట్ మొత్తం -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,బిఒఎం {0} సమర్పించాలి +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,బిఒఎం {0} సమర్పించాలి DocType: Authorization Control,Authorization Control,అధికార కంట్రోల్ apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},రో # {0}: వేర్హౌస్ తిరస్కరించబడిన తిరస్కరించిన వస్తువు వ్యతిరేకంగా తప్పనిసరి {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,చెల్లింపు +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,చెల్లింపు apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",వేర్హౌస్ {0} ఏదైనా ఖాతాకు లింక్ లేదు కంపెనీలో లేదా గిడ్డంగి రికార్డు ఖాతా సిద్ధ జాబితా ఖాతా తెలియజేస్తూ {1}. apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,మీ ఆర్డర్లను నిర్వహించండి DocType: Production Order Operation,Actual Time and Cost,అసలు సమయం మరియు ఖర్చు @@ -1817,12 +1818,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,అమ DocType: Quotation Item,Actual Qty,వాస్తవ ప్యాక్ చేసిన అంశాల DocType: Sales Invoice Item,References,సూచనలు DocType: Quality Inspection Reading,Reading 10,10 పఠనం -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","మీరు కొనుగోలు లేదా విక్రయించడం మీ ఉత్పత్తులు లేదా సేవల జాబితా. మీరు మొదలుపెడితే మెజర్ మరియు ఇతర లక్షణాలు అంశం గ్రూప్, యూనిట్ తనిఖీ నిర్ధారించుకోండి." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","మీరు కొనుగోలు లేదా విక్రయించడం మీ ఉత్పత్తులు లేదా సేవల జాబితా. మీరు మొదలుపెడితే మెజర్ మరియు ఇతర లక్షణాలు అంశం గ్రూప్, యూనిట్ తనిఖీ నిర్ధారించుకోండి." DocType: Hub Settings,Hub Node,హబ్ నోడ్ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,మీరు నకిలీ అంశాలను నమోదు చేసారు. సరిదిద్ది మళ్లీ ప్రయత్నించండి. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,అసోసియేట్ +DocType: Company,Sales Target,సేల్స్ టార్గెట్ DocType: Asset Movement,Asset Movement,ఆస్తి ఉద్యమం -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,న్యూ కార్ట్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,న్యూ కార్ట్ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} అంశం సీరియల్ అంశం కాదు DocType: SMS Center,Create Receiver List,స్వీకర్త జాబితా సృష్టించు DocType: Vehicle,Wheels,వీల్స్ @@ -1864,13 +1866,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,ప్రాజె DocType: Supplier,Supplier of Goods or Services.,"వస్తు, సేవల సరఫరాదారు." DocType: Budget,Fiscal Year,ఆర్థిక సంవత్సరం DocType: Vehicle Log,Fuel Price,ఇంధన ధర +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబర్ నంబర్ సెటప్ చేయండి DocType: Budget,Budget,బడ్జెట్ apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,స్థిర ఆస్తి అంశం కాని స్టాక్ అంశం ఉండాలి. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",అది ఒక ఆదాయం వ్యయం ఖాతా కాదు బడ్జెట్ వ్యతిరేకంగా {0} కేటాయించిన సాధ్యం కాదు apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ఆర్జిత DocType: Student Admission,Application Form Route,అప్లికేషన్ ఫారం రూట్ apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,భూభాగం / కస్టమర్ -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,ఉదా 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,ఉదా 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,టైప్ {0} పే లేకుండా వదిలి ఉంటుంది నుండి కేటాయించబడతాయి కాదు వదిలి apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},రో {0}: కేటాయించిన మొత్తాన్ని {1} కంటే తక్కువ ఉండాలి లేదా అసాధారణ మొత్తాన్ని ఇన్వాయిస్ సమానం తప్పనిసరిగా {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,మీరు సేల్స్ వాయిస్ సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది. @@ -1879,11 +1882,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} అంశం సీరియల్ నాస్ కొరకు సెటప్ కాదు. అంశం మాస్టర్ తనిఖీ DocType: Maintenance Visit,Maintenance Time,నిర్వహణ సమయం ,Amount to Deliver,మొత్తం అందించేందుకు -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,ఒక ఉత్పత్తి లేదా సేవ +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,ఒక ఉత్పత్తి లేదా సేవ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,టర్మ్ ప్రారంభ తేదీ పదం సంబంధమున్న విద్యా సంవత్సరం ఇయర్ ప్రారంభ తేదీ కంటే ముందు ఉండకూడదు (అకాడమిక్ ఇయర్ {}). దయచేసి తేదీలు సరిచేసి మళ్ళీ ప్రయత్నించండి. DocType: Guardian,Guardian Interests,గార్డియన్ అభిరుచులు DocType: Naming Series,Current Value,కరెంట్ వేల్యూ -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,బహుళ ఆర్థిక సంవత్సరాలలో తేదీ {0} ఉన్నాయి. ఫిస్కల్ ఇయర్ లో కంపెనీని స్థాపించారు దయచేసి +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,బహుళ ఆర్థిక సంవత్సరాలలో తేదీ {0} ఉన్నాయి. ఫిస్కల్ ఇయర్ లో కంపెనీని స్థాపించారు దయచేసి apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} రూపొందించినవారు DocType: Delivery Note Item,Against Sales Order,అమ్మకాల ఆర్డర్ వ్యతిరేకంగా ,Serial No Status,సీరియల్ ఏ స్థితి @@ -1896,7 +1899,7 @@ DocType: Pricing Rule,Selling,సెల్లింగ్ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},మొత్తం {0} {1} వ్యతిరేకంగా తీసివేయబడుతుంది {2} DocType: Employee,Salary Information,జీతం ఇన్ఫర్మేషన్ DocType: Sales Person,Name and Employee ID,పేరు మరియు Employee ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,గడువు తేదీ తేదీ చేసినది ముందు ఉండరాదు +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,గడువు తేదీ తేదీ చేసినది ముందు ఉండరాదు DocType: Website Item Group,Website Item Group,వెబ్సైట్ అంశం గ్రూప్ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,సుంకాలు మరియు పన్నుల apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,సూచన తేదీని ఎంటర్ చేయండి @@ -1953,9 +1956,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},ఉద్యోగికి తీసుకొన్న తేదీ సెట్ దయచేసి {0} DocType: Task,Total Billing Amount (via Time Sheet),మొత్తం బిల్లింగ్ మొత్తం (సమయం షీట్ ద్వారా) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,తిరిగి కస్టమర్ రెవెన్యూ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) పాత్ర 'ఖర్చుల అప్రూవర్గా' కలిగి ఉండాలి -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,పెయిర్ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,ఉత్పత్తి కోసం BOM మరియు ప్యాక్ చేసిన అంశాల ఎంచుకోండి +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) పాత్ర 'ఖర్చుల అప్రూవర్గా' కలిగి ఉండాలి +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,పెయిర్ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,ఉత్పత్తి కోసం BOM మరియు ప్యాక్ చేసిన అంశాల ఎంచుకోండి DocType: Asset,Depreciation Schedule,అరుగుదల షెడ్యూల్ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,అమ్మకపు భాగస్వామిగా చిరునామాల్లో కాంటాక్ట్స్ DocType: Bank Reconciliation Detail,Against Account,ఖాతా వ్యతిరేకంగా @@ -1965,7 +1968,7 @@ DocType: Item,Has Batch No,బ్యాచ్ లేవు ఉంది apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},వార్షిక బిల్లింగ్: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),గూడ్స్ అండ్ సర్వీసెస్ టాక్స్ (జిఎస్టి భారతదేశం) DocType: Delivery Note,Excise Page Number,ఎక్సైజ్ పేజీ సంఖ్య -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","కంపెనీ, తేదీ నుండి మరియు తేదీ తప్పనిసరి" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","కంపెనీ, తేదీ నుండి మరియు తేదీ తప్పనిసరి" DocType: Asset,Purchase Date,కొనిన తేదీ DocType: Employee,Personal Details,వ్యక్తిగత వివరాలు apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},'ఆస్తి అరుగుదల వ్యయ కేంద్రం' కంపెనీవారి సెట్ దయచేసి {0} @@ -1974,9 +1977,9 @@ DocType: Task,Actual End Date (via Time Sheet),ముగింపు తేద apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},మొత్తం {0} {1} వ్యతిరేకంగా {2} {3} ,Quotation Trends,కొటేషన్ ట్రెండ్లులో apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},అంశం గ్రూప్ అంశం కోసం అంశాన్ని మాస్టర్ ప్రస్తావించలేదు {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,ఖాతాకు డెబిట్ ఒక స్వీకరించదగిన ఖాతా ఉండాలి +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,ఖాతాకు డెబిట్ ఒక స్వీకరించదగిన ఖాతా ఉండాలి DocType: Shipping Rule Condition,Shipping Amount,షిప్పింగ్ మొత్తం -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,వినియోగదారుడు జోడించండి +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,వినియోగదారుడు జోడించండి apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,పెండింగ్ మొత్తం DocType: Purchase Invoice Item,Conversion Factor,మార్పిడి ఫాక్టర్ DocType: Purchase Order,Delivered,పంపిణీ @@ -1999,7 +2002,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,అనుకూలీక DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",మాతృ కోర్సు (ఖాళీ వదిలి ఈ మాతృ కోర్సు భాగం కాదు ఉంటే) DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",మాతృ కోర్సు (ఖాళీ వదిలి ఈ మాతృ కోర్సు భాగం కాదు ఉంటే) DocType: Leave Control Panel,Leave blank if considered for all employee types,అన్ని ఉద్యోగి రకాల భావిస్తారు ఉంటే ఖాళీ వదిలి -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం DocType: Landed Cost Voucher,Distribute Charges Based On,పంపిణీ ఆరోపణలపై బేస్డ్ apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets DocType: HR Settings,HR Settings,ఆర్ సెట్టింగ్స్ @@ -2007,7 +2009,7 @@ DocType: Salary Slip,net pay info,నికర పే సమాచారం apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,ఖర్చు చెప్పడం ఆమోదం లభించవలసి ఉంది. మాత్రమే ఖర్చుల అప్రూవర్గా డేట్ చేయవచ్చు. DocType: Email Digest,New Expenses,న్యూ ఖర్చులు DocType: Purchase Invoice,Additional Discount Amount,అదనపు డిస్కౌంట్ మొత్తం -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","రో # {0}: ప్యాక్ చేసిన అంశాల 1, అంశం ఒక స్థిర ఆస్తి ఉంది ఉండాలి. దయచేసి బహుళ అంశాల కోసం ప్రత్యేక వరుస ఉపయోగించడానికి." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","రో # {0}: ప్యాక్ చేసిన అంశాల 1, అంశం ఒక స్థిర ఆస్తి ఉంది ఉండాలి. దయచేసి బహుళ అంశాల కోసం ప్రత్యేక వరుస ఉపయోగించడానికి." DocType: Leave Block List Allow,Leave Block List Allow,బ్లాక్ జాబితా అనుమతించు వదిలి apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ఖాళీ లేదా ఖాళీ ఉండరాదు apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,కాని గ్రూప్ గ్రూప్ @@ -2015,7 +2017,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,క్రీ DocType: Loan Type,Loan Name,లోన్ పేరు apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,యదార్థమైన మొత్తం DocType: Student Siblings,Student Siblings,స్టూడెంట్ తోబుట్టువుల -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,యూనిట్ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,యూనిట్ apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,కంపెనీ రాయండి ,Customer Acquisition and Loyalty,కస్టమర్ అక్విజిషన్ అండ్ లాయల్టీ DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,మీరు తిరస్కరించారు అంశాల స్టాక్ కలిగివున్నాయి గిడ్డంగిలో @@ -2033,12 +2035,12 @@ DocType: Workstation,Wages per hour,గంటకు వేతనాలు apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},బ్యాచ్ లో స్టాక్ సంతులనం {0} అవుతుంది ప్రతికూల {1} Warehouse వద్ద అంశం {2} కోసం {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,మెటీరియల్ అభ్యర్థనలను తరువాత అంశం యొక్క క్రమాన్ని స్థాయి ఆధారంగా స్వయంచాలకంగా బడ్డాయి DocType: Email Digest,Pending Sales Orders,సేల్స్ ఆర్డర్స్ పెండింగ్లో -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},ఖాతా {0} చెల్లదు. ఖాతా కరెన్సీ ఉండాలి {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},ఖాతా {0} చెల్లదు. ఖాతా కరెన్సీ ఉండాలి {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UoM మార్పిడి అంశం వరుసగా అవసరం {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ అమ్మకాల ఉత్తర్వు ఒకటి, సేల్స్ వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి" DocType: Salary Component,Deduction,తీసివేత -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,రో {0}: టైమ్ నుండి మరియు సమయం తప్పనిసరి. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,రో {0}: టైమ్ నుండి మరియు సమయం తప్పనిసరి. DocType: Stock Reconciliation Item,Amount Difference,మొత్తం తక్షణ apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},అంశం ధర కోసం జోడించిన {0} ధర జాబితా లో {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ఈ విక్రయాల వ్యక్తి యొక్క ఉద్యోగి ID నమోదు చేయండి @@ -2048,11 +2050,11 @@ DocType: Project,Gross Margin,స్థూల సరిహద్దు apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,మొదటి ఉత్పత్తి అంశం నమోదు చేయండి apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,గణించిన బ్యాంక్ స్టేట్మెంట్ సంతులనం apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,వికలాంగ యూజర్ -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,కొటేషన్ +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,కొటేషన్ DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,మొత్తం తీసివేత ,Production Analytics,ఉత్పత్తి Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ధర నవీకరించబడింది +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,ధర నవీకరించబడింది DocType: Employee,Date of Birth,పుట్టిన తేది apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,అంశం {0} ఇప్పటికే తిరిగి చెయ్యబడింది DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ఫిస్కల్ ఇయర్ ** ఆర్థిక సంవత్సరం సూచిస్తుంది. అన్ని అకౌంటింగ్ ఎంట్రీలు మరియు ఇతర ప్రధాన లావాదేవీల ** ** ఫిస్కల్ ఇయర్ వ్యతిరేకంగా చూడబడతాయి. @@ -2098,18 +2100,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,కంపెనీ ఎంచుకోండి ... DocType: Leave Control Panel,Leave blank if considered for all departments,అన్ని శాఖల కోసం భావిస్తారు ఉంటే ఖాళీ వదిలి apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","ఉపాధి రకాలు (శాశ్వత, కాంట్రాక్టు ఇంటర్న్ మొదలైనవి)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} అంశం తప్పనిసరి {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} అంశం తప్పనిసరి {1} DocType: Process Payroll,Fortnightly,పక్ష DocType: Currency Exchange,From Currency,కరెన్సీ నుండి apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","కనీసం ఒక వరుసలో కేటాయించిన మొత్తం, వాయిస్ పద్ధతి మరియు వాయిస్ సంఖ్య దయచేసి ఎంచుకోండి" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,న్యూ కొనుగోలులో ఖర్చు -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},అంశం అవసరం అమ్మకాల ఉత్తర్వు {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},అంశం అవసరం అమ్మకాల ఉత్తర్వు {0} DocType: Purchase Invoice Item,Rate (Company Currency),రేటు (కంపెనీ కరెన్సీ) DocType: Student Guardian,Others,ఇతరత్రా DocType: Payment Entry,Unallocated Amount,unallocated మొత్తం apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,ఒక సరిపోలే అంశం దొరకదు. కోసం {0} కొన్ని ఇతర విలువ దయచేసి ఎంచుకోండి. DocType: POS Profile,Taxes and Charges,పన్నులు మరియు ఆరోపణలు DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ఒక ఉత్పత్తి లేదా కొనుగోలు అమ్మిన లేదా స్టాక్ ఉంచే ఒక సేవ. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,అంశం కోడ్> అంశం సమూహం> బ్రాండ్ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,మరింత నవీకరణలు apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,మొదటి వరుసలో కోసం 'మునుపటి రో మొత్తం న' 'మునుపటి రో మొత్తం మీద' బాధ్యతలు రకం ఎంచుకోండి లేదా కాదు apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,చైల్డ్ అంశం ఉత్పత్తి కట్ట ఉండకూడదు. దయచేసి అంశాన్ని తీసివేసి `{0}` మరియు సేవ్ @@ -2137,7 +2140,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,మొత్తం బిల్లింగ్ మొత్తం apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ఒక డిఫాల్ట్ ఇన్కమింగ్ ఇమెయిల్ ఖాతాకు ఈ పని కోసం ప్రారంభించిన ఉండాలి. దయచేసి సెటప్ డిఫాల్ట్ ఇన్కమింగ్ ఇమెయిల్ ఖాతా (POP / IMAP కాదు) మరియు మళ్లీ ప్రయత్నించండి. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,స్వీకరించదగిన ఖాతా -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},రో # {0}: ఆస్తి {1} ఇప్పటికే ఉంది {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},రో # {0}: ఆస్తి {1} ఇప్పటికే ఉంది {2} DocType: Quotation Item,Stock Balance,స్టాక్ సంతులనం apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,చెల్లింపు కు అమ్మకాల ఆర్డర్ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,సియిఒ @@ -2162,10 +2165,11 @@ DocType: C-Form,Received Date,స్వీకరించిన తేదీ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","మీరు సేల్స్ పన్నులు మరియు ఆరోపణలు మూస లో ఒక ప్రామాణిక టెంప్లేట్ సృష్టించి ఉంటే, ఒకదాన్ని ఎంచుకోండి మరియు క్రింది బటన్ పై క్లిక్." DocType: BOM Scrap Item,Basic Amount (Company Currency),ప్రాథమిక మొత్తం (కంపెనీ కరెన్సీ) DocType: Student,Guardians,గార్దియన్స్ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ధర జాబితా సెట్ చెయ్యకపోతే ధరలు చూపబడవు apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ఈ షిప్పింగ్ రూల్ ఒక దేశం పేర్కొనండి లేదా ప్రపంచవ్యాప్తం షిప్పింగ్ తనిఖీ చేయండి DocType: Stock Entry,Total Incoming Value,మొత్తం ఇన్కమింగ్ విలువ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,డెబిట్ అవసరం ఉంది +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,డెబిట్ అవసరం ఉంది apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets మీ జట్టు చేసిన కృత్యాలు కోసం సమయం, ఖర్చు మరియు బిల్లింగ్ ట్రాక్ సహాయం" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,కొనుగోలు ధర జాబితా DocType: Offer Letter Term,Offer Term,ఆఫర్ టర్మ్ @@ -2184,11 +2188,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ఉ DocType: Timesheet Detail,To Time,సమయం DocType: Authorization Rule,Approving Role (above authorized value),(అధికారం విలువ పై) Role ఆమోదిస్తోంది apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,ఖాతాకు క్రెడిట్ ఒక చెల్లించవలసిన ఖాతా ఉండాలి -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},బిఒఎం సూత్రం: {0} యొక్క పేరెంట్ లేదా బాల ఉండకూడదు {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},బిఒఎం సూత్రం: {0} యొక్క పేరెంట్ లేదా బాల ఉండకూడదు {2} DocType: Production Order Operation,Completed Qty,పూర్తైన ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, మాత్రమే డెబిట్ ఖాతాల మరో క్రెడిట్ ప్రవేశానికి వ్యతిరేకంగా లింక్ చేయవచ్చు కోసం" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,ధర జాబితా {0} నిలిపివేయబడింది -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},రో {0}: పూర్తి ప్యాక్ చేసిన అంశాల కంటే ఎక్కువగా ఉండకూడదు {1} ఆపరేషన్ కోసం {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},రో {0}: పూర్తి ప్యాక్ చేసిన అంశాల కంటే ఎక్కువగా ఉండకూడదు {1} ఆపరేషన్ కోసం {2} DocType: Manufacturing Settings,Allow Overtime,అదనపు అనుమతించు apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","సీరియల్ అంశం {0} స్టాక్ సయోధ్య ఉపయోగించి, దయచేసి ఉపయోగించడానికి స్టాక్ ఎంట్రీ నవీకరించడం సాధ్యపడదు" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","సీరియల్ అంశం {0} స్టాక్ సయోధ్య ఉపయోగించి, దయచేసి ఉపయోగించడానికి స్టాక్ ఎంట్రీ నవీకరించడం సాధ్యపడదు" @@ -2207,10 +2211,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,బాహ్య apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,వినియోగదారులు మరియు అనుమతులు DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},ఉత్పత్తి ఆర్డర్స్ రూపొందించబడింది: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},ఉత్పత్తి ఆర్డర్స్ రూపొందించబడింది: {0} DocType: Branch,Branch,బ్రాంచ్ DocType: Guardian,Mobile Number,మొబైల్ నంబర్ apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ముద్రణ మరియు బ్రాండింగ్ +DocType: Company,Total Monthly Sales,మొత్తం మంత్లీ సేల్స్ DocType: Bin,Actual Quantity,వాస్తవ పరిమాణం DocType: Shipping Rule,example: Next Day Shipping,ఉదాహరణకు: తదుపరి డే షిప్పింగ్ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,దొరకలేదు సీరియల్ లేవు {0} @@ -2240,7 +2245,7 @@ DocType: Payment Request,Make Sales Invoice,సేల్స్ వాయిస apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,సాఫ్ట్వేర్పై apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,తదుపరి సంప్రదించండి తేదీ గతంలో ఉండకూడదు DocType: Company,For Reference Only.,సూచన ఓన్లి. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,బ్యాచ్ ఎంచుకోండి లేవు +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,బ్యాచ్ ఎంచుకోండి లేవు apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},చెల్లని {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,అడ్వాన్స్ మొత్తం @@ -2253,7 +2258,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},బార్కోడ్ ఐటెమ్ను {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,కేస్ నం 0 ఉండకూడదు DocType: Item,Show a slideshow at the top of the page,పేజీ ఎగువన ఒక స్లైడ్ చూపించు -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,దుకాణాలు DocType: Serial No,Delivery Time,డెలివరీ సమయం apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,ఆధారంగా ఏజింగ్ @@ -2267,16 +2272,16 @@ DocType: Rename Tool,Rename Tool,టూల్ పేరుమార్చు apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,నవీకరణ ఖర్చు DocType: Item Reorder,Item Reorder,అంశం క్రమాన్ని మార్చు apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,జీతం షో స్లిప్ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,ట్రాన్స్ఫర్ మెటీరియల్ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,ట్రాన్స్ఫర్ మెటీరియల్ DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","కార్యకలాపాలు, నిర్వహణ ఖర్చు పేర్కొనండి మరియు మీ కార్యకలాపాలను ఎలాంటి ఒక ఏకైక ఆపరేషన్ ఇస్తాయి." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ఈ పత్రం పరిమితి {0} {1} అంశం {4}. మీరు తయారు మరొక {3} అదే వ్యతిరేకంగా {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,గండం పునరావృత సెట్ చెయ్యండి -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,మార్పు ఎంచుకోండి మొత్తం ఖాతా +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,గండం పునరావృత సెట్ చెయ్యండి +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,మార్పు ఎంచుకోండి మొత్తం ఖాతా DocType: Purchase Invoice,Price List Currency,ధర జాబితా కరెన్సీ DocType: Naming Series,User must always select,వినియోగదారు ఎల్లప్పుడూ ఎంచుకోవాలి DocType: Stock Settings,Allow Negative Stock,ప్రతికూల స్టాక్ అనుమతించు DocType: Installation Note,Installation Note,సంస్థాపన సూచన -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,పన్నులు జోడించండి +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,పన్నులు జోడించండి DocType: Topic,Topic,టాపిక్ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,ఫైనాన్సింగ్ నుండి నగదు ప్రవాహ DocType: Budget Account,Budget Account,బడ్జెట్ ఖాతా @@ -2290,7 +2295,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,క apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ఫండ్స్ యొక్క మూలం (లయబిలిటీస్) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},వరుసగా పరిమాణం {0} ({1}) మాత్రమే తయారు పరిమాణం సమానంగా ఉండాలి {2} DocType: Appraisal,Employee,Employee -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,బ్యాచ్ ఎంచుకోండి +DocType: Company,Sales Monthly History,సేల్స్ మంత్లీ హిస్టరీ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,బ్యాచ్ ఎంచుకోండి apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} పూర్తిగా బిల్ DocType: Training Event,End Time,ముగింపు సమయం apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Active జీతం నిర్మాణం {0} ఇచ్చిన తేదీలు ఉద్యోగుల {1} కనుగొనబడలేదు @@ -2298,15 +2304,14 @@ DocType: Payment Entry,Payment Deductions or Loss,చెల్లింపు apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,సేల్స్ లేదా కొనుగోలు ప్రామాణిక ఒప్పందం నిబంధనలు. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,ఓచర్ ద్వారా గ్రూప్ apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,సేల్స్ పైప్లైన్ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},జీతం కాంపొనెంట్లో డిఫాల్ట్ ఖాతా సెట్ దయచేసి {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},జీతం కాంపొనెంట్లో డిఫాల్ట్ ఖాతా సెట్ దయచేసి {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Required న DocType: Rename Tool,File to Rename,పేరుమార్చు దాఖలు apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},దయచేసి రో అంశం బిఒఎం ఎంచుకోండి {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ఖాతా {0} {1} లో ఖాతా మోడ్ కంపెనీతో సరిపోలడం లేదు: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},అంశం కోసం లేదు పేర్కొన్న BOM {0} {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,నిర్వహణ షెడ్యూల్ {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,నిర్వహణ షెడ్యూల్ {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి DocType: Notification Control,Expense Claim Approved,ఖర్చు చెప్పడం ఆమోదించబడింది -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబర్ నంబర్ సెటప్ చేయండి apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే ఈ కాలానికి రూపొందించినవారు apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ఫార్మాస్యూటికల్ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,కొనుగోలు వస్తువుల ధర @@ -2323,7 +2328,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ఒక ఫిని DocType: Upload Attendance,Attendance To Date,తేదీ హాజరు DocType: Warranty Claim,Raised By,లేవనెత్తారు DocType: Payment Gateway Account,Payment Account,చెల్లింపు ఖాతా -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,కొనసాగాలని కంపెనీ రాయండి +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,కొనసాగాలని కంపెనీ రాయండి apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,స్వీకరించదగిన ఖాతాలు నికర మార్పును apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,పరిహార ఆఫ్ DocType: Offer Letter,Accepted,Accepted @@ -2333,12 +2338,12 @@ DocType: SG Creation Tool Course,Student Group Name,స్టూడెంట్ apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,మీరు నిజంగా ఈ సంస్థ కోసం అన్ని లావాదేవీలు తొలగించాలనుకుంటున్నారా నిర్ధారించుకోండి. ఇది వంటి మీ మాస్టర్ డేటా అలాగే ఉంటుంది. ఈ చర్య రద్దు సాధ్యం కాదు. DocType: Room,Room Number,గది సంఖ్య apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},చెల్లని సూచన {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ప్రణాళిక quanitity కంటే ఎక్కువ ఉండకూడదు ({2}) ఉత్పత్తి ఆర్డర్ {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ప్రణాళిక quanitity కంటే ఎక్కువ ఉండకూడదు ({2}) ఉత్పత్తి ఆర్డర్ {3} DocType: Shipping Rule,Shipping Rule Label,షిప్పింగ్ రూల్ లేబుల్ apps/erpnext/erpnext/public/js/conf.js +28,User Forum,వాడుకరి ఫోరం -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,రా మెటీరియల్స్ ఖాళీ ఉండకూడదు. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","స్టాక్ అప్డేట్ కాలేదు, ఇన్వాయిస్ డ్రాప్ షిప్పింగ్ అంశం కలిగి." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,త్వరిత జర్నల్ ఎంట్రీ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,రా మెటీరియల్స్ ఖాళీ ఉండకూడదు. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","స్టాక్ అప్డేట్ కాలేదు, ఇన్వాయిస్ డ్రాప్ షిప్పింగ్ అంశం కలిగి." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,త్వరిత జర్నల్ ఎంట్రీ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,బిఒఎం ఏ అంశం agianst పేర్కొన్నారు ఉంటే మీరు రేటు మార్చలేరు DocType: Employee,Previous Work Experience,మునుపటి పని అనుభవం DocType: Stock Entry,For Quantity,పరిమాణం @@ -2395,7 +2400,7 @@ DocType: SMS Log,No of Requested SMS,అభ్యర్థించిన SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,పే లేకుండా వదిలి లేదు ఆమోదం అప్లికేషన్ లీవ్ రికార్డులు సరిపోలడం లేదు DocType: Campaign,Campaign-.####,ప్రచారం -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,తదుపరి దశలు -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,ఉత్తమమైన రేట్లు వద్ద పేర్కొన్న అంశాలను అందించండి +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,ఉత్తమమైన రేట్లు వద్ద పేర్కొన్న అంశాలను అందించండి DocType: Selling Settings,Auto close Opportunity after 15 days,15 రోజుల తర్వాత ఆటో దగ్గరగా అవకాశం apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,ముగింపు సంవత్సరం apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,QUOT / లీడ్% @@ -2432,7 +2437,7 @@ DocType: Homepage,Homepage,హోమ్పేజీ DocType: Purchase Receipt Item,Recd Quantity,Recd పరిమాణం apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},ఫీజు రికార్డ్స్ రూపొందించబడింది - {0} DocType: Asset Category Account,Asset Category Account,ఆస్తి వర్గం ఖాతా -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},అమ్మకాల ఆర్డర్ పరిమాణం కంటే ఎక్కువ అంశం {0} ఉత్పత్తి కాదు {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},అమ్మకాల ఆర్డర్ పరిమాణం కంటే ఎక్కువ అంశం {0} ఉత్పత్తి కాదు {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,స్టాక్ ఎంట్రీ {0} సమర్పించిన లేదు DocType: Payment Reconciliation,Bank / Cash Account,బ్యాంకు / క్యాష్ ఖాతా apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,తదుపరి సంప్రదించండి ద్వారా లీడ్ ఇమెయిల్ అడ్రస్ అదే ఉండకూడదు @@ -2465,7 +2470,7 @@ DocType: Salary Structure,Total Earning,మొత్తం ఎర్నింగ DocType: Purchase Receipt,Time at which materials were received,పదార్థాలు అందుకున్న సమయంలో DocType: Stock Ledger Entry,Outgoing Rate,అవుట్గోయింగ్ రేటు apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ఆర్గనైజేషన్ శాఖ మాస్టర్. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,లేదా +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,లేదా DocType: Sales Order,Billing Status,బిల్లింగ్ స్థితి apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ఒక సమస్యను నివేదించండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,యుటిలిటీ ఖర్చులు @@ -2473,7 +2478,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,రో # {0}: జర్నల్ ఎంట్రీ {1} లేదు ఖాతా లేదు {2} లేదా ఇప్పటికే మరొక రసీదును జతచేసేందుకు DocType: Buying Settings,Default Buying Price List,డిఫాల్ట్ కొనుగోలు ధర జాబితా DocType: Process Payroll,Salary Slip Based on Timesheet,జీతం స్లిప్ TIMESHEET ఆధారంగా -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,పైన ఎంచుకున్న విధానం లేదా జీతం స్లిప్ కోసం ఏ ఉద్యోగి ఇప్పటికే రూపొందించినవారు +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,పైన ఎంచుకున్న విధానం లేదా జీతం స్లిప్ కోసం ఏ ఉద్యోగి ఇప్పటికే రూపొందించినవారు DocType: Notification Control,Sales Order Message,అమ్మకాల ఆర్డర్ సందేశం apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","మొదలైనవి కంపెనీ, కరెన్సీ, ప్రస్తుత ఆర్థిక సంవత్సరంలో వంటి సెట్ డిఫాల్ట్ విలువలు" DocType: Payment Entry,Payment Type,చెల్లింపు పద్ధతి @@ -2498,7 +2503,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,స్వీకరణపై పత్రం సమర్పించాలి DocType: Purchase Invoice Item,Received Qty,స్వీకరించిన ప్యాక్ చేసిన అంశాల DocType: Stock Entry Detail,Serial No / Batch,సీరియల్ లేవు / బ్యాచ్ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,చెల్లించిన మరియు పంపిణీ లేదు +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,చెల్లించిన మరియు పంపిణీ లేదు DocType: Product Bundle,Parent Item,మాతృ అంశం DocType: Account,Account Type,ఖాతా రకం DocType: Delivery Note,DN-RET-,డిఎన్-RET- @@ -2528,8 +2533,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,మొత్తం కేటాయించిన సొమ్ము apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,శాశ్వత జాబితా కోసం డిఫాల్ట్ జాబితా ఖాతా సెట్ DocType: Item Reorder,Material Request Type,మెటీరియల్ అభ్యర్థన పద్ధతి -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},నుండి {0} కు వేతనాల కోసం Accural జర్నల్ ఎంట్రీ {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage పూర్తి, సేవ్ లేదు" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},నుండి {0} కు వేతనాల కోసం Accural జర్నల్ ఎంట్రీ {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage పూర్తి, సేవ్ లేదు" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,రో {0}: UoM మార్పిడి ఫాక్టర్ తప్పనిసరి apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,వ్యయ కేంద్రం @@ -2547,7 +2552,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ఆ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ఎంపిక ధర రూల్ 'ధర' కోసం చేసిన ఉంటే, అది ధర జాబితా తిరిగి రాస్తుంది. ధర రూల్ ధర తుది ధర ఇది, కాబట్టి ఎటువంటి తగ్గింపు పూయాలి. అందుకే, etc అమ్మకాల ఉత్తర్వు, పర్చేజ్ ఆర్డర్ వంటి లావాదేవీలు, అది కాకుండా 'ధర జాబితా రేటు' రంగంగా కాకుండా, 'రేటు' ఫీల్డ్లో సందేశం పొందబడుతుంది." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ట్రాక్ పరిశ్రమ రకం ద్వారా నడిపించును. DocType: Item Supplier,Item Supplier,అంశం సరఫరాదారు -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,బ్యాచ్ ఏ పొందడానికి అంశం కోడ్ను నమోదు చేయండి +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,బ్యాచ్ ఏ పొందడానికి అంశం కోడ్ను నమోదు చేయండి apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},{0} quotation_to కోసం ఒక విలువను ఎంచుకోండి దయచేసి {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,అన్ని చిరునామాలు. DocType: Company,Stock Settings,స్టాక్ సెట్టింగ్స్ @@ -2574,7 +2579,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,లావాదేవ apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},తోబుట్టువుల జీతం స్లిప్ మధ్య దొరకలేదు {0} మరియు {1} ,Pending SO Items For Purchase Request,కొనుగోలు అభ్యర్థన SO పెండింగ్లో ఉన్న అంశాలు apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,స్టూడెంట్ అడ్మిషన్స్ -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} నిలిపివేయబడింది +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} నిలిపివేయబడింది DocType: Supplier,Billing Currency,బిల్లింగ్ కరెన్సీ DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,ఎక్స్ ట్రా లార్జ్ @@ -2604,7 +2609,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,ధరఖాస్తు DocType: Fees,Fees,ఫీజు DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ఎక్స్చేంజ్ రేట్ మరొక లోకి ఒక కరెన్సీ మార్చేందుకు పేర్కొనండి -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,కొటేషన్ {0} రద్దు +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,కొటేషన్ {0} రద్దు apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,మొత్తం అసాధారణ మొత్తాన్ని DocType: Sales Partner,Targets,టార్గెట్స్ DocType: Price List,Price List Master,ధర జాబితా మాస్టర్ @@ -2621,7 +2626,7 @@ DocType: POS Profile,Ignore Pricing Rule,ధర రూల్ విస్మర DocType: Employee Education,Graduate,ఉన్నత విద్యావంతుడు DocType: Leave Block List,Block Days,బ్లాక్ డేస్ DocType: Journal Entry,Excise Entry,ఎక్సైజ్ ఎంట్రీ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},హెచ్చరిక: అమ్మకాల ఉత్తర్వు {0} ఇప్పటికే కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ వ్యతిరేకంగా ఉంది {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},హెచ్చరిక: అమ్మకాల ఉత్తర్వు {0} ఇప్పటికే కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ వ్యతిరేకంగా ఉంది {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2647,7 +2652,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),ఉ ,Salary Register,జీతం నమోదు DocType: Warehouse,Parent Warehouse,మాతృ వేర్హౌస్ DocType: C-Form Invoice Detail,Net Total,నికర మొత్తం -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},డిఫాల్ట్ BOM అంశం దొరకలేదు {0} మరియు ప్రాజెక్ట్ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},డిఫాల్ట్ BOM అంశం దొరకలేదు {0} మరియు ప్రాజెక్ట్ {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,వివిధ రకాల రుణాలపై నిర్వచించండి DocType: Bin,FCFS Rate,FCFS రేటు DocType: Payment Reconciliation Invoice,Outstanding Amount,అసాధారణ పరిమాణం @@ -2684,7 +2689,7 @@ DocType: Salary Detail,Condition and Formula Help,కండిషన్ మర apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,భూభాగం ట్రీ నిర్వహించండి. DocType: Journal Entry Account,Sales Invoice,సేల్స్ వాయిస్ DocType: Journal Entry Account,Party Balance,పార్టీ సంతులనం -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,డిస్కౌంట్ న వర్తించు దయచేసి ఎంచుకోండి +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,డిస్కౌంట్ న వర్తించు దయచేసి ఎంచుకోండి DocType: Company,Default Receivable Account,డిఫాల్ట్ స్వీకరించదగిన ఖాతా DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,పైన ఎంచుకున్న ప్రమాణం కోసం చెల్లించే మొత్తం జీతం కోసం బ్యాంక్ ఎంట్రీ సృష్టించు DocType: Stock Entry,Material Transfer for Manufacture,తయారీ కోసం మెటీరియల్ ట్రాన్స్ఫర్ @@ -2698,7 +2703,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,కస్టమర్ చిరునామా DocType: Employee Loan,Loan Details,లోన్ వివరాలు DocType: Company,Default Inventory Account,డిఫాల్ట్ ఇన్వెంటరీ ఖాతా -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,రో {0}: పూర్తి ప్యాక్ చేసిన అంశాల సున్నా కంటే ఎక్కువ ఉండాలి. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,రో {0}: పూర్తి ప్యాక్ చేసిన అంశాల సున్నా కంటే ఎక్కువ ఉండాలి. DocType: Purchase Invoice,Apply Additional Discount On,అదనపు డిస్కౌంట్ న వర్తించు DocType: Account,Root Type,రూట్ రకం DocType: Item,FIFO,ఎఫ్ఐఎఫ్ఓ @@ -2715,7 +2720,7 @@ DocType: Purchase Invoice Item,Quality Inspection,నాణ్యత తని apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,అదనపు చిన్న DocType: Company,Standard Template,ప్రామాణిక మూస DocType: Training Event,Theory,థియరీ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,హెచ్చరిక: Qty అభ్యర్థించిన మెటీరియల్ కనీస ఆర్డర్ ప్యాక్ చేసిన అంశాల కంటే తక్కువ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,హెచ్చరిక: Qty అభ్యర్థించిన మెటీరియల్ కనీస ఆర్డర్ ప్యాక్ చేసిన అంశాల కంటే తక్కువ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,ఖాతా {0} ఘనీభవించిన DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,సంస్థ చెందిన ఖాతాల ప్రత్యేక చార్ట్ తో లీగల్ సంస్థ / అనుబంధ. DocType: Payment Request,Mute Email,మ్యూట్ ఇమెయిల్ @@ -2739,7 +2744,7 @@ DocType: Training Event,Scheduled,షెడ్యూల్డ్ apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,కొటేషన్ కోసం అభ్యర్థన. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""నో" మరియు "సేల్స్ అంశం" "స్టాక్ అంశం ఏమిటంటే" పేరు "అవును" ఉంది అంశాన్ని ఎంచుకుని, ఏ ఇతర ఉత్పత్తి కట్ట ఉంది దయచేసి" DocType: Student Log,Academic,అకడమిక్ -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),మొత్తం ముందుగానే ({0}) ఉత్తర్వు మీద {1} గ్రాండ్ మొత్తం కన్నా ఎక్కువ ఉండకూడదు ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),మొత్తం ముందుగానే ({0}) ఉత్తర్వు మీద {1} గ్రాండ్ మొత్తం కన్నా ఎక్కువ ఉండకూడదు ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,అసమానంగా నెలల అంతటా లక్ష్యాలను పంపిణీ మంత్లీ పంపిణీ ఎంచుకోండి. DocType: Purchase Invoice Item,Valuation Rate,వాల్యువేషన్ రేటు DocType: Stock Reconciliation,SR/,SR / @@ -2803,6 +2808,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,ఆంట్ DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,విచారణ సోర్స్ ప్రచారం ఉంటే ప్రచారం పేరు ఎంటర్ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,వార్తాపత్రిక ప్రచురణ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,ఫిస్కల్ ఇయర్ ఎంచుకోండి +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,అమ్మకాలు ఆర్డర్ తేదీ తర్వాత ఊహించిన డెలివరీ తేదీ ఉండాలి apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,క్రమాన్ని మార్చు స్థాయి DocType: Company,Chart Of Accounts Template,అకౌంట్స్ మూస చార్ట్ DocType: Attendance,Attendance Date,హాజరు తేదీ @@ -2834,7 +2840,7 @@ DocType: Pricing Rule,Discount Percentage,డిస్కౌంట్ శాత DocType: Payment Reconciliation Invoice,Invoice Number,ఇన్వాయిస్ సంఖ్యా DocType: Shopping Cart Settings,Orders,ఆర్డర్స్ DocType: Employee Leave Approver,Leave Approver,అప్రూవర్గా వదిలి -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,దయచేసి బ్యాచ్ ఎంచుకోండి +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,దయచేసి బ్యాచ్ ఎంచుకోండి DocType: Assessment Group,Assessment Group Name,అసెస్మెంట్ గ్రూప్ పేరు DocType: Manufacturing Settings,Material Transferred for Manufacture,మెటీరియల్ తయారీకి బదిలీ DocType: Expense Claim,"A user with ""Expense Approver"" role","ఖర్చుల అప్రూవర్గా" పాత్ర తో ఒక వినియోగదారు @@ -2870,7 +2876,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,వచ్చే నెల చివరి డే DocType: Support Settings,Auto close Issue after 7 days,7 రోజుల తరువాత ఆటో దగ్గరగా ఇష్యూ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ముందు కేటాయించబడతాయి కాదు వదిలేయండి {0}, సెలవు సంతులనం ఇప్పటికే క్యారీ-ఫార్వార్డ్ భవిష్యత్తులో సెలవు కేటాయింపు రికార్డు ఉన్నాడు, {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),గమనిక: కారణంగా / సూచన తేదీ {0} రోజు ద్వారా అనుమతి కస్టమర్ క్రెడిట్ రోజుల మించి (లు) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),గమనిక: కారణంగా / సూచన తేదీ {0} రోజు ద్వారా అనుమతి కస్టమర్ క్రెడిట్ రోజుల మించి (లు) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,స్టూడెంట్ దరఖాస్తుదారు DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,స్వీకర్త కోసం ORIGINAL DocType: Asset Category Account,Accumulated Depreciation Account,పోగుచేసిన తరుగుదల ఖాతా @@ -2881,7 +2887,7 @@ DocType: Item,Reorder level based on Warehouse,వేర్హౌస్ ఆధ DocType: Activity Cost,Billing Rate,బిల్లింగ్ రేటు ,Qty to Deliver,పంపిణీ చేయడానికి అంశాల ,Stock Analytics,స్టాక్ Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ఆపరేషన్స్ ఖాళీగా కాదు +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,ఆపరేషన్స్ ఖాళీగా కాదు DocType: Maintenance Visit Purpose,Against Document Detail No,డాక్యుమెంట్ వివరాలు వ్యతిరేకంగా ఏ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,పార్టీ టైప్ తప్పనిసరి DocType: Quality Inspection,Outgoing,అవుట్గోయింగ్ @@ -2922,15 +2928,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Warehouse వద్ద అందుబాటులో ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,బిల్ మొత్తం DocType: Asset,Double Declining Balance,డబుల్ తగ్గుతున్న సంతులనం -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,క్లోజ్డ్ క్రమంలో రద్దు చేయబడదు. రద్దు Unclose. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,క్లోజ్డ్ క్రమంలో రద్దు చేయబడదు. రద్దు Unclose. DocType: Student Guardian,Father,తండ్రి -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'సరిచేయబడిన స్టాక్' స్థిర ఆస్తి అమ్మకం కోసం తనిఖీ చెయ్యబడదు +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'సరిచేయబడిన స్టాక్' స్థిర ఆస్తి అమ్మకం కోసం తనిఖీ చెయ్యబడదు DocType: Bank Reconciliation,Bank Reconciliation,బ్యాంక్ సయోధ్య DocType: Attendance,On Leave,సెలవులో ఉన్నాను apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,నవీకరణలు పొందండి apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ఖాతా {2} కంపెనీ చెందదు {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,మెటీరియల్ అభ్యర్థన {0} రద్దు లేదా ఆగిపోయిన -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,కొన్ని నమూనా రికార్డులు జోడించండి +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,కొన్ని నమూనా రికార్డులు జోడించండి apps/erpnext/erpnext/config/hr.py +301,Leave Management,మేనేజ్మెంట్ వదిలి apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,ఖాతా గ్రూప్ DocType: Sales Order,Fully Delivered,పూర్తిగా పంపిణీ @@ -2939,12 +2945,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ఈ స్టాక్ సయోధ్య ఒక ప్రారంభ ఎంట్రీ నుండి తేడా ఖాతా, ఒక ఆస్తి / బాధ్యత రకం ఖాతా ఉండాలి" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},పంపించబడతాయి మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},అంశం అవసరం ఆర్డర్ సంఖ్య కొనుగోలు {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,ఉత్పత్తి ఆర్డర్ సృష్టించలేదు +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,ఉత్పత్తి ఆర్డర్ సృష్టించలేదు apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','తేదీ నుండి' తర్వాత 'తేదీ' ఉండాలి apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},విద్యార్థిగా స్థితిని మార్చలేరు {0} విద్యార్ధి అప్లికేషన్ ముడిపడి ఉంటుంది {1} DocType: Asset,Fully Depreciated,పూర్తిగా విలువ తగ్గుతున్న ,Stock Projected Qty,స్టాక్ ప్యాక్ చేసిన అంశాల ప్రొజెక్టెడ్ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},చెందదు {0} కస్టమర్ ప్రొజెక్ట్ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},చెందదు {0} కస్టమర్ ప్రొజెక్ట్ {1} DocType: Employee Attendance Tool,Marked Attendance HTML,గుర్తించ హాజరు HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","సుభాషితాలు, ప్రతిపాదనలు ఉన్నాయి మీరు మీ వినియోగదారులకు పంపారు వేలం" DocType: Sales Order,Customer's Purchase Order,కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ @@ -2954,7 +2960,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,దయచేసి Depreciations సంఖ్య బుక్ సెట్ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,విలువ లేదా ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,ప్రొడక్షన్స్ ఆర్డర్స్ పెంచుతాడు సాధ్యం కాదు: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,నిమిషం +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,నిమిషం DocType: Purchase Invoice,Purchase Taxes and Charges,పన్నులు మరియు ఆరోపణలు కొనుగోలు ,Qty to Receive,స్వీకరించడానికి అంశాల DocType: Leave Block List,Leave Block List Allowed,బ్లాక్ జాబితా అనుమతించబడినవి వదిలి @@ -2967,7 +2973,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,అన్ని సరఫరాదారు రకాలు DocType: Global Defaults,Disable In Words,వర్డ్స్ ఆపివేయి apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,వస్తువు దానంతటదే లెక్కించబడ్డాయి లేదు ఎందుకంటే Item కోడ్ తప్పనిసరి -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},కొటేషన్ {0} కాదు రకం {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},కొటేషన్ {0} కాదు రకం {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,నిర్వహణ షెడ్యూల్ అంశం DocType: Sales Order,% Delivered,% పంపిణీ DocType: Production Order,PRO-,ప్రో- @@ -2990,7 +2996,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,అమ్మకాల ఇమెయిల్ DocType: Project,Total Purchase Cost (via Purchase Invoice),మొత్తం కొనుగోలు ఖర్చు (కొనుగోలు వాయిస్ ద్వారా) DocType: Training Event,Start Time,ప్రారంభ సమయం -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Select పరిమాణం +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Select పరిమాణం DocType: Customs Tariff Number,Customs Tariff Number,కస్టమ్స్ సుంకాల సంఖ్య apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,రోల్ ఆమోదిస్తోంది పాలన వర్తిస్తుంది పాత్ర అదే ఉండకూడదు apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ఈ ఇమెయిల్ డైజెస్ట్ నుండి సభ్యత్వాన్ని రద్దు @@ -3014,7 +3020,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,పిఆర్ వివరాలు DocType: Sales Order,Fully Billed,పూర్తిగా కస్టమర్లకు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,చేతిలో నగదు -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},డెలివరీ గిడ్డంగి స్టాక్ అంశం అవసరం {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},డెలివరీ గిడ్డంగి స్టాక్ అంశం అవసరం {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ప్యాకేజీ యొక్క స్థూల బరువు. సాధారణంగా నికర బరువు + ప్యాకేజింగ్ పదార్థం బరువు. (ముద్రణ కోసం) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,ప్రోగ్రామ్ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ఈ పాత్ర తో వినియోగదారులు ఘనీభవించిన ఖాతాల వ్యతిరేకంగా అకౌంటింగ్ ఎంట్రీలు ఘనీభవించిన ఖాతాల సెట్ మరియు సృష్టించడానికి / సవరించడానికి అనుమతించింది ఉంటాయి @@ -3023,7 +3029,7 @@ DocType: Student Group,Group Based On,గ్రూప్ బేస్డ్ న DocType: Journal Entry,Bill Date,బిల్ తేదీ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","సర్వీస్ అంశం, పద్ధతి, ఫ్రీక్వెన్సీ మరియు ఖర్చు మొత్తాన్ని అవసరం" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","అధిక ప్రాధాన్యతతో బహుళ ధర రూల్స్ ఉన్నాయి ఒకవేళ, అప్పుడు క్రింది అంతర్గత ప్రాధాన్యతలను అమలవుతాయి:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},మీరు నిజంగా నుండి {0} అన్ని వేతనం స్లిప్ సమర్పించండి అనుకుంటున్నారా {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},మీరు నిజంగా నుండి {0} అన్ని వేతనం స్లిప్ సమర్పించండి అనుకుంటున్నారా {1} DocType: Cheque Print Template,Cheque Height,ప్రిపే ఎత్తు DocType: Supplier,Supplier Details,సరఫరాదారు వివరాలు DocType: Expense Claim,Approval Status,ఆమోద స్థితి @@ -3045,7 +3051,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,కొటేషన apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ఇంకేమీ చూపించడానికి. DocType: Lead,From Customer,కస్టమర్ నుండి apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,కాల్స్ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,వంతులవారీగా +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,వంతులవారీగా DocType: Project,Total Costing Amount (via Time Logs),మొత్తం వ్యయంతో మొత్తం (టైమ్ దినచర్య ద్వారా) DocType: Purchase Order Item Supplied,Stock UOM,స్టాక్ UoM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ఆర్డర్ {0} సమర్పించిన లేదు కొనుగోలు @@ -3076,7 +3082,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,ఎగైనెస DocType: Item,Warranty Period (in days),(రోజుల్లో) వారంటీ వ్యవధి apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 తో రిలేషన్ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ఆపరేషన్స్ నుండి నికర నగదు -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,ఉదా వేట్ +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,ఉదా వేట్ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,అంశం 4 DocType: Student Admission,Admission End Date,అడ్మిషన్ ముగింపు తేదీ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,సబ్ కాంట్రాక్టు @@ -3084,7 +3090,7 @@ DocType: Journal Entry Account,Journal Entry Account,జర్నల్ ఎం apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,స్టూడెంట్ గ్రూప్ DocType: Shopping Cart Settings,Quotation Series,కొటేషన్ సిరీస్ apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ఒక అంశం అదే పేరుతో ({0}), అంశం గుంపు పేరు మార్చడానికి లేదా అంశం పేరు దయచేసి" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,దయచేసి కస్టమర్ ఎంచుకోండి +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,దయచేసి కస్టమర్ ఎంచుకోండి DocType: C-Form,I,నేను DocType: Company,Asset Depreciation Cost Center,ఆస్తి అరుగుదల వ్యయ కేంద్రం DocType: Sales Order Item,Sales Order Date,సేల్స్ ఆర్డర్ తేదీ @@ -3095,6 +3101,7 @@ DocType: Stock Settings,Limit Percent,పరిమితి శాతం ,Payment Period Based On Invoice Date,వాయిస్ తేదీ ఆధారంగా చెల్లింపు కాలం apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},తప్పిపోయిన కరెన్సీ మారక {0} DocType: Assessment Plan,Examiner,ఎగ్జామినర్ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,దయచేసి సెటప్> సెట్టింగులు> నామకరణ సిరీస్ ద్వారా {0} నామకరణ సిరీస్ను సెట్ చేయండి DocType: Student,Siblings,తోబుట్టువుల DocType: Journal Entry,Stock Entry,స్టాక్ ఎంట్రీ DocType: Payment Entry,Payment References,చెల్లింపు సూచనలు @@ -3119,7 +3126,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ఉత్పాదక కార్యకలాపాల ఎక్కడ నిర్వహిస్తున్నారు. DocType: Asset Movement,Source Warehouse,మూల వేర్హౌస్ DocType: Installation Note,Installation Date,సంస్థాపన తేదీ -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},రో # {0}: ఆస్తి {1} లేదు కంపెనీకి చెందిన లేదు {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},రో # {0}: ఆస్తి {1} లేదు కంపెనీకి చెందిన లేదు {2} DocType: Employee,Confirmation Date,నిర్ధారణ తేదీ DocType: C-Form,Total Invoiced Amount,మొత్తం ఇన్వాయిస్ మొత్తం apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min ప్యాక్ చేసిన అంశాల మాక్స్ ప్యాక్ చేసిన అంశాల కంటే ఎక్కువ ఉండకూడదు @@ -3192,7 +3199,7 @@ DocType: Company,Default Letter Head,లెటర్ హెడ్ Default DocType: Purchase Order,Get Items from Open Material Requests,ఓపెన్ మెటీరియల్ అభ్యర్థనలు నుండి అంశాలు పొందండి DocType: Item,Standard Selling Rate,ప్రామాణిక సెల్లింగ్ రేటు DocType: Account,Rate at which this tax is applied,ఈ పన్ను వర్తించబడుతుంది రేటుపై -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,క్రమాన్ని మార్చు ప్యాక్ చేసిన అంశాల +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,క్రమాన్ని మార్చు ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,ప్రస్తుత Job ఖాళీలు DocType: Company,Stock Adjustment Account,స్టాక్ అడ్జస్ట్మెంట్ ఖాతా apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,ఆఫ్ వ్రాయండి @@ -3206,7 +3213,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,సరఫరాదారు కస్టమర్ కు అందిస్తాడు apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ఫారం / అంశం / {0}) స్టాక్ ముగిసింది apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,తదుపరి తేదీ వ్యాఖ్యలు తేదీ కంటే ఎక్కువ ఉండాలి -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},కారణంగా / సూచన తేదీ తర్వాత ఉండకూడదు {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},కారణంగా / సూచన తేదీ తర్వాత ఉండకూడదు {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,డేటా దిగుమతి మరియు ఎగుమతి apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,తోబుట్టువుల విద్యార్థులు దొరకలేదు apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,వాయిస్ పోస్టింగ్ తేదీ @@ -3226,12 +3233,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ఈ ఈ విద్యార్థి హాజరు ఆధారంగా apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,స్టూడెంట్స్ లో లేవు apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,మరింత అంశాలు లేదా ఓపెన్ పూర్తి రూపం జోడించండి -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','ఊహించినది డెలివరీ తేదీ' నమోదు చేయండి -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,డెలివరీ గమనికలు {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,డెలివరీ గమనికలు {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,చెల్లించిన మొత్తం పరిమాణం గ్రాండ్ మొత్తం కంటే ఎక్కువ ఉండకూడదు ఆఫ్ వ్రాయండి + apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} అంశం కోసం ఒక చెల్లుబాటులో బ్యాచ్ సంఖ్య కాదు {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},గమనిక: లీవ్ పద్ధతి కోసం తగినంత సెలవు సంతులనం లేదు {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,చెల్లని GSTIN లేదా నమోదుకాని కోసం NA ఎంటర్ +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,చెల్లని GSTIN లేదా నమోదుకాని కోసం NA ఎంటర్ DocType: Training Event,Seminar,సెమినార్ DocType: Program Enrollment Fee,Program Enrollment Fee,ప్రోగ్రామ్ నమోదు రుసుము DocType: Item,Supplier Items,సరఫరాదారు అంశాలు @@ -3249,7 +3255,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,స్టాక్ ఏజింగ్ apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},స్టూడెంట్ {0} విద్యార్ధి దరఖాస్తుదారు వ్యతిరేకంగా ఉనికిలో {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,సమయ పట్టిక -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' నిలిపివేయబడింది +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' నిలిపివేయబడింది apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ఓపెన్ గా సెట్ DocType: Cheque Print Template,Scanned Cheque,స్కాన్ చేసిన ప్రిపే DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,సమర్పిస్తోంది లావాదేవీలపై కాంటాక్ట్స్ ఆటోమేటిక్ ఇమెయిల్స్ పంపడం. @@ -3296,7 +3302,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,ధర జాబితా ఎక్స్చేంజ్ రేట్ DocType: Purchase Invoice Item,Rate,రేటు apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,ఇంటర్న్ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,చిరునామా పేరు +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,చిరునామా పేరు DocType: Stock Entry,From BOM,బిఒఎం నుండి DocType: Assessment Code,Assessment Code,అసెస్మెంట్ కోడ్ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ప్రాథమిక @@ -3309,20 +3315,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,జీతం నిర్మాణం DocType: Account,Bank,బ్యాంక్ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,వైనానిక -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,ఇష్యూ మెటీరియల్ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,ఇష్యూ మెటీరియల్ DocType: Material Request Item,For Warehouse,వేర్హౌస్ కోసం DocType: Employee,Offer Date,ఆఫర్ తేదీ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,కొటేషన్స్ -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,మీరు ఆఫ్లైన్ మోడ్లో ఉన్నాయి. మీరు నెట్వర్కు వరకు రీలోడ్ చేయలేరు. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,మీరు ఆఫ్లైన్ మోడ్లో ఉన్నాయి. మీరు నెట్వర్కు వరకు రీలోడ్ చేయలేరు. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,తోబుట్టువుల స్టూడెంట్ గ్రూప్స్ రూపొందించినవారు. DocType: Purchase Invoice Item,Serial No,సీరియల్ లేవు apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,మంత్లీ నంతవరకు మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,మొదటి Maintaince వివరాలు నమోదు చేయండి +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,రో # {0}: ఊహించిన డెలివరీ తేదీని కొనుగోలు ఆర్డర్ తేదీకి ముందు ఉండకూడదు DocType: Purchase Invoice,Print Language,ప్రింట్ భాషా DocType: Salary Slip,Total Working Hours,మొత్తం వర్కింగ్ అవర్స్ DocType: Stock Entry,Including items for sub assemblies,ఉప శాసనసభలకు అంశాలు సహా -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,ఎంటర్ విలువ సానుకూల ఉండాలి -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,అంశం కోడ్> అంశం సమూహం> బ్రాండ్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,ఎంటర్ విలువ సానుకూల ఉండాలి apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,అన్ని ప్రాంతాలు DocType: Purchase Invoice,Items,అంశాలు apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,విద్యార్థిని అప్పటికే చేరతాడు. @@ -3345,7 +3351,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',వేరియంట్ కోసం మెజర్ అప్రమేయ యూనిట్ '{0}' మూస లో అదే ఉండాలి '{1}' DocType: Shipping Rule,Calculate Based On,బేస్డ్ న లెక్కించు DocType: Delivery Note Item,From Warehouse,గిడ్డంగి నుండి -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,మెటీరియల్స్ బిల్ తో ఏ ఐటంలు తయారీకి +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,మెటీరియల్స్ బిల్ తో ఏ ఐటంలు తయారీకి DocType: Assessment Plan,Supervisor Name,సూపర్వైజర్ పేరు DocType: Program Enrollment Course,Program Enrollment Course,ప్రోగ్రామ్ ఎన్రోల్మెంట్ కోర్సు DocType: Program Enrollment Course,Program Enrollment Course,ప్రోగ్రామ్ ఎన్రోల్మెంట్ కోర్సు @@ -3361,23 +3367,23 @@ DocType: Training Event Employee,Attended,హాజరయ్యారు apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'లాస్ట్ ఆర్డర్ నుండి డేస్' సున్నా కంటే ఎక్కువ లేదా సమానంగా ఉండాలి DocType: Process Payroll,Payroll Frequency,పేరోల్ ఫ్రీక్వెన్సీ DocType: Asset,Amended From,సవరించిన -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,ముడి సరుకు +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,ముడి సరుకు DocType: Leave Application,Follow via Email,ఇమెయిల్ ద్వారా అనుసరించండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,మొక్కలు మరియు Machineries DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,డిస్కౌంట్ మొత్తాన్ని తర్వాత పన్ను సొమ్ము DocType: Daily Work Summary Settings,Daily Work Summary Settings,డైలీ వర్క్ సారాంశం సెట్టింగులు -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},ధర జాబితా {0} యొక్క ద్రవ్యం ఎంచుకున్న కరెన్సీతో పోలి కాదు {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},ధర జాబితా {0} యొక్క ద్రవ్యం ఎంచుకున్న కరెన్సీతో పోలి కాదు {1} DocType: Payment Entry,Internal Transfer,అంతర్గత బదిలీ apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,చైల్డ్ ఖాతా ఈ ఖాతా అవసరమయ్యారు. మీరు ఈ ఖాతా తొలగించలేరు. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,గాని లక్ష్యాన్ని అంశాల లేదా లక్ష్యం మొత్తం తప్పనిసరి apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},డిఫాల్ట్ BOM అంశం కోసం ఉంది {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,మొదటి పోస్టింగ్ తేదీ దయచేసి ఎంచుకోండి +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,మొదటి పోస్టింగ్ తేదీ దయచేసి ఎంచుకోండి apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,తేదీ తెరవడం తేదీ మూసివేయడం ముందు ఉండాలి DocType: Leave Control Panel,Carry Forward,కుంటున్న apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,ఉన్న లావాదేవీలతో ఖర్చు సెంటర్ లెడ్జర్ మార్చబడతాయి కాదు DocType: Department,Days for which Holidays are blocked for this department.,రోజులు సెలవులు ఈ విభాగం కోసం బ్లాక్ చేయబడతాయి. ,Produced,ఉత్పత్తి -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,రూపొందించబడింది జీతం స్లిప్స్ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,రూపొందించబడింది జీతం స్లిప్స్ DocType: Item,Item Code for Suppliers,సప్లయర్స్ కోసం Item కోడ్ DocType: Issue,Raised By (Email),లేవనెత్తారు (ఇమెయిల్) DocType: Training Event,Trainer Name,శిక్షణ పేరు @@ -3385,9 +3391,10 @@ DocType: Mode of Payment,General,జనరల్ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,చివరి కమ్యూనికేషన్ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,చివరి కమ్యూనికేషన్ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',వర్గం 'వాల్యువేషన్' లేదా 'వాల్యుయేషన్ మరియు సంపూర్ణమైనది' కోసం ఉన్నప్పుడు తీసివేయు కాదు -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","మీ పన్ను తలలు జాబితా (ఉదా వ్యాట్ కస్టమ్స్ etc; వారు ఏకైక పేర్లు ఉండాలి) మరియు వారి ప్రామాణిక రేట్లు. ఈ మీరు సవరించవచ్చు మరియు తరువాత జోడించవచ్చు ఇది ఒక ప్రామాణిక టెంప్లేట్, సృష్టిస్తుంది." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","మీ పన్ను తలలు జాబితా (ఉదా వ్యాట్ కస్టమ్స్ etc; వారు ఏకైక పేర్లు ఉండాలి) మరియు వారి ప్రామాణిక రేట్లు. ఈ మీరు సవరించవచ్చు మరియు తరువాత జోడించవచ్చు ఇది ఒక ప్రామాణిక టెంప్లేట్, సృష్టిస్తుంది." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},సీరియల్ అంశం కోసం సీరియల్ మేము అవసరం {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,రసీదులు చెల్లింపుల మ్యాచ్ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},రో # {0}: దయచేసి అంశం {1} వ్యతిరేకంగా డెలివరీ తేదీని నమోదు చేయండి DocType: Journal Entry,Bank Entry,బ్యాంక్ ఎంట్రీ DocType: Authorization Rule,Applicable To (Designation),వర్తించదగిన (హోదా) ,Profitability Analysis,లాభాల విశ్లేషణ @@ -3403,17 +3410,18 @@ DocType: Quality Inspection,Item Serial No,అంశం సీరియల్ apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ఉద్యోగి రికార్డ్స్ సృష్టించండి apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,మొత్తం ప్రెజెంట్ apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,అకౌంటింగ్ ప్రకటనలు -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,అవర్ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,అవర్ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,కొత్త సీరియల్ లేవు వేర్హౌస్ కలిగి చేయవచ్చు. వేర్హౌస్ స్టాక్ ఎంట్రీ లేదా కొనుగోలు రసీదులు ద్వారా ఏర్పాటు చేయాలి DocType: Lead,Lead Type,లీడ్ టైప్ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,మీరు బ్లాక్ తేదీలు ఆకులు ఆమోదించడానికి అధికారం లేదు -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,ఈ అన్ని అంశాలపై ఇప్పటికే ఇన్వాయిస్ చేశారు +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,ఈ అన్ని అంశాలపై ఇప్పటికే ఇన్వాయిస్ చేశారు +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,మంత్లీ సేల్స్ టార్గెట్ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},ద్వారా ఆమోదం {0} DocType: Item,Default Material Request Type,డిఫాల్ట్ మెటీరియల్ అభ్యర్థన రకం apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,తెలియని DocType: Shipping Rule,Shipping Rule Conditions,షిప్పింగ్ రూల్ పరిస్థితులు DocType: BOM Replace Tool,The new BOM after replacement,భర్తీ తర్వాత కొత్త BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,అమ్మకానికి పాయింట్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,అమ్మకానికి పాయింట్ DocType: Payment Entry,Received Amount,అందుకున్న మొత్తం DocType: GST Settings,GSTIN Email Sent On,GSTIN ఇమెయిల్ పంపించే DocType: Program Enrollment,Pick/Drop by Guardian,/ గార్డియన్ ద్వారా డ్రాప్ ఎంచుకోండి @@ -3430,8 +3438,8 @@ DocType: Batch,Source Document Name,మూల డాక్యుమెంట్ DocType: Batch,Source Document Name,మూల డాక్యుమెంట్ పేరు DocType: Job Opening,Job Title,ఉద్యోగ శీర్షిక apps/erpnext/erpnext/utilities/activation.py +97,Create Users,యూజర్లను సృష్టించండి -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,గ్రామ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,తయారీకి పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,గ్రామ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,తయారీకి పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,నిర్వహణ కాల్ కోసం నివేదిక సందర్శించండి. DocType: Stock Entry,Update Rate and Availability,నవీకరణ రేటు మరియు అందుబాటు DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,శాతం మీరు అందుకుంటారు లేదా ఆదేశించింది పరిమాణం వ్యతిరేకంగా మరింత బట్వాడా అనుమతించబడతాయి. ఉదాహరణకు: మీరు 100 యూనిట్ల పురమాయించారు ఉంటే. మరియు మీ భత్యం అప్పుడు మీరు 110 యూనిట్ల అందుకోవడానికి అనుమతించబడతాయి 10% ఉంది. @@ -3444,7 +3452,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,మొదటి కొనుగోలు వాయిస్ {0} రద్దు చేయండి apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","ఇమెయిల్ అడ్రస్ కోసం ఇప్పటికే ఉనికిలో ఉంది, ప్రత్యేకంగా ఉండాలి {0}" DocType: Serial No,AMC Expiry Date,ఎఎంసి గడువు తేదీ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,స్వీకరణపై +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,స్వీకరణపై ,Sales Register,సేల్స్ నమోదు DocType: Daily Work Summary Settings Company,Send Emails At,వద్ద ఇమెయిల్స్ పంపడం DocType: Quotation,Quotation Lost Reason,కొటేషన్ లాస్ట్ కారణము @@ -3457,14 +3465,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,ఇంకా apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,లావాదేవి నివేదిక apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},రుణ మొత్తం గరిష్ట రుణ మొత్తం మించకూడదు {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,లైసెన్సు -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},సి ఫారం నుండి ఈ వాయిస్ {0} తొలగించడానికి దయచేసి {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},సి ఫారం నుండి ఈ వాయిస్ {0} తొలగించడానికి దయచేసి {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,మీరు కూడా గత ఆర్థిక సంవత్సరం సంతులనం ఈ ఆర్థిక సంవత్సరం ఆకులు ఉన్నాయి అనుకుంటే కుంటున్న దయచేసి ఎంచుకోండి DocType: GL Entry,Against Voucher Type,ఓచర్ పద్ధతి వ్యతిరేకంగా DocType: Item,Attributes,గుణాలు apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,ఖాతా ఆఫ్ వ్రాయండి నమోదు చేయండి apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,చివరి ఆర్డర్ తేదీ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},ఖాతా {0} చేస్తుంది కంపెనీ చెందినవి కాదు {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,వరుసగా {0} లో సీరియల్ సంఖ్యలు డెలివరీ గమనిక సరిపోలడం లేదు +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,వరుసగా {0} లో సీరియల్ సంఖ్యలు డెలివరీ గమనిక సరిపోలడం లేదు DocType: Student,Guardian Details,గార్డియన్ వివరాలు DocType: C-Form,C-Form,సి ఫారం apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,బహుళ ఉద్యోగులకు మార్క్ హాజరు @@ -3496,16 +3504,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,సేల్స్ DocType: Stock Entry Detail,Basic Amount,ప్రాథమిక సొమ్ము DocType: Training Event,Exam,పరీక్షా -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},వేర్హౌస్ స్టాక్ అంశం అవసరం {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},వేర్హౌస్ స్టాక్ అంశం అవసరం {0} DocType: Leave Allocation,Unused leaves,ఉపయోగించని ఆకులు -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,బిల్లింగ్ రాష్ట్రం apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ట్రాన్స్ఫర్ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} పార్టీ ఖాతాతో అనుబంధితమైన లేదు {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(ఉప అసెంబ్లీలను సహా) పేలింది BOM పొందు +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(ఉప అసెంబ్లీలను సహా) పేలింది BOM పొందు DocType: Authorization Rule,Applicable To (Employee),వర్తించదగిన (ఉద్యోగి) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,గడువు తేదీ తప్పనిసరి apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,గుణానికి పెంపు {0} 0 ఉండకూడదు +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం DocType: Journal Entry,Pay To / Recd From,నుండి / Recd పే DocType: Naming Series,Setup Series,సెటప్ సిరీస్ DocType: Payment Reconciliation,To Invoice Date,తేదీ వాయిస్ @@ -3532,7 +3541,7 @@ DocType: Journal Entry,Write Off Based On,బేస్డ్ న ఆఫ్ వ apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,లీడ్ చేయండి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,ముద్రణ మరియు స్టేషనరీ DocType: Stock Settings,Show Barcode Field,షో బార్కోడ్ ఫీల్డ్ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,సరఫరాదారు ఇమెయిల్స్ పంపడం +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,సరఫరాదారు ఇమెయిల్స్ పంపడం apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","జీతం ఇప్పటికే మధ్య {0} మరియు {1}, అప్లికేషన్ కాలం వదిలి ఈ తేదీ పరిధి మధ్య ఉండకూడదు కాలానికి ప్రాసెస్." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,ఒక సీరియల్ నం సంస్థాపన రికార్డు DocType: Guardian Interest,Guardian Interest,గార్డియన్ వడ్డీ @@ -3546,7 +3555,7 @@ DocType: Offer Letter,Awaiting Response,రెస్పాన్స్ వేచ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,పైన apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},చెల్లని లక్షణం {0} {1} DocType: Supplier,Mention if non-standard payable account,చెప్పలేదు ప్రామాణికం కాని చెల్లించవలసిన ఖాతా ఉంటే -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},అదే అంశం అనేకసార్లు ఎంటర్ చెయ్యబడింది. {జాబితా} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},అదే అంశం అనేకసార్లు ఎంటర్ చెయ్యబడింది. {జాబితా} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',దయచేసి 'అన్ని అసెస్మెంట్ గుంపులు' కంటే ఇతర అంచనా సమూహం ఎంచుకోండి DocType: Salary Slip,Earning & Deduction,ఎర్నింగ్ & తీసివేత apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ఐచ్ఛికము. ఈ సెట్టింగ్ వివిధ లావాదేవీలలో ఫిల్టర్ ఉపయోగించబడుతుంది. @@ -3565,7 +3574,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,చిత్తు ఆస్తి యొక్క ధర apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: కాస్ట్ సెంటర్ అంశం తప్పనిసరి {2} DocType: Vehicle,Policy No,విధానం లేవు -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,ఉత్పత్తి కట్ట నుండి అంశాలు పొందండి +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,ఉత్పత్తి కట్ట నుండి అంశాలు పొందండి DocType: Asset,Straight Line,సరళ రేఖ DocType: Project User,Project User,ప్రాజెక్ట్ యూజర్ apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,స్ప్లిట్ @@ -3580,6 +3589,7 @@ DocType: Bank Reconciliation,Payment Entries,చెల్లింపు ఎం DocType: Production Order,Scrap Warehouse,స్క్రాప్ వేర్హౌస్ DocType: Production Order,Check if material transfer entry is not required,పదార్థం బదిలీ ఎంట్రీ అవసరం లేదు ఉంటే తనిఖీ DocType: Production Order,Check if material transfer entry is not required,పదార్థం బదిలీ ఎంట్రీ అవసరం లేదు ఉంటే తనిఖీ +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులో HR మేనేజ్మెంట్ సిస్టమ్ను సెటప్ చేయండి> హెచ్ ఆర్ సెట్టింగులు DocType: Program Enrollment Tool,Get Students From,నుండి స్టూడెంట్స్ పొందండి DocType: Hub Settings,Seller Country,అమ్మకాల దేశం apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,వెబ్ సైట్ లో అంశాలను ప్రచురించు @@ -3598,19 +3608,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,ఉ DocType: Shipping Rule,Specify conditions to calculate shipping amount,షిప్పింగ్ మొత్తం లెక్కించేందుకు పరిస్థితులు పేర్కొనండి DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,పాత్ర ఘనీభవించిన అకౌంట్స్ & సవరించు ఘనీభవించిన ఎంట్రీలు సెట్ చేయడానికి అనుమతించాలో apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,ఇది పిల్లల నోడ్స్ కలిగి లెడ్జర్ కాస్ట్ సెంటర్ మార్చేందుకు కాదు -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ఓపెనింగ్ విలువ +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,ఓపెనింగ్ విలువ DocType: Salary Detail,Formula,ఫార్ములా apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,సీరియల్ # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,సేల్స్ కమిషన్ DocType: Offer Letter Term,Value / Description,విలువ / వివరణ -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","రో # {0}: ఆస్తి {1} సమర్పించిన కాదు, అది ఇప్పటికే ఉంది {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","రో # {0}: ఆస్తి {1} సమర్పించిన కాదు, అది ఇప్పటికే ఉంది {2}" DocType: Tax Rule,Billing Country,బిల్లింగ్ దేశం DocType: Purchase Order Item,Expected Delivery Date,ఊహించినది డెలివరీ తేదీ apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,డెబిట్ మరియు క్రెడిట్ {0} # సమాన కాదు {1}. తేడా ఉంది {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,వినోదం ఖర్చులు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,మెటీరియల్ అభ్యర్థన చేయడానికి apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ఓపెన్ అంశం {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ఈ అమ్మకాల ఆర్డర్ రద్దు ముందు వాయిస్ {0} రద్దు చేయాలి సేల్స్ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ఈ అమ్మకాల ఆర్డర్ రద్దు ముందు వాయిస్ {0} రద్దు చేయాలి సేల్స్ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,వయసు DocType: Sales Invoice Timesheet,Billing Amount,బిల్లింగ్ మొత్తం apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,అంశం కోసం పేర్కొన్న చెల్లని పరిమాణం {0}. పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి. @@ -3633,7 +3643,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,కొత్త కస్టమర్ రెవెన్యూ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ప్రయాణ ఖర్చులు DocType: Maintenance Visit,Breakdown,విభజన -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ఖాతా: {0} కరెన్సీతో: {1} ఎంపిక సాధ్యం కాదు +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,ఖాతా: {0} కరెన్సీతో: {1} ఎంపిక సాధ్యం కాదు DocType: Bank Reconciliation Detail,Cheque Date,ప్రిపే తేదీ apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},ఖాతా {0}: మాతృ ఖాతా {1} సంస్థ చెందదు: {2} DocType: Program Enrollment Tool,Student Applicants,స్టూడెంట్ దరఖాస్తుదారులు @@ -3653,11 +3663,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ప్ DocType: Material Request,Issued,జారి చేయబడిన apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,స్టూడెంట్ ఆక్టివిటీ DocType: Project,Total Billing Amount (via Time Logs),మొత్తం బిల్లింగ్ మొత్తం (టైమ్ దినచర్య ద్వారా) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,మేము ఈ అంశం అమ్మే +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,మేము ఈ అంశం అమ్మే apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,సరఫరాదారు Id DocType: Payment Request,Payment Gateway Details,చెల్లింపు గేట్వే వివరాలు -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,నమూనా డేటా +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,నమూనా డేటా DocType: Journal Entry,Cash Entry,క్యాష్ ఎంట్రీ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,చైల్డ్ నోడ్స్ మాత్రమే 'గ్రూప్' రకం నోడ్స్ క్రింద రూపొందించినవారు చేయవచ్చు DocType: Leave Application,Half Day Date,హాఫ్ డే తేదీ @@ -3666,17 +3676,18 @@ DocType: Sales Partner,Contact Desc,సంప్రదించండి desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","సాధారణం వంటి ఆకులు రకం, జబ్బుపడిన మొదలైనవి" DocType: Email Digest,Send regular summary reports via Email.,ఇమెయిల్ ద్వారా సాధారణ సారాంశం నివేదికలు పంపండి. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},ఖర్చుల దావా రకం లో డిఫాల్ట్ ఖాతా సెట్ దయచేసి {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},ఖర్చుల దావా రకం లో డిఫాల్ట్ ఖాతా సెట్ దయచేసి {0} DocType: Assessment Result,Student Name,విద్యార్థి పేరు DocType: Brand,Item Manager,అంశం మేనేజర్ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,పేరోల్ చెల్లించవలసిన DocType: Buying Settings,Default Supplier Type,డిఫాల్ట్ సరఫరాదారు టైప్ DocType: Production Order,Total Operating Cost,మొత్తం నిర్వహణ వ్యయంలో -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,గమనిక: అంశం {0} అనేకసార్లు ఎంటర్ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,గమనిక: అంశం {0} అనేకసార్లు ఎంటర్ apps/erpnext/erpnext/config/selling.py +41,All Contacts.,అన్ని కాంటాక్ట్స్. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,మీ టార్గెట్ సెట్ చెయ్యండి apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,కంపెనీ సంక్షిప్తీకరణ apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,వాడుకరి {0} ఉనికిలో లేదు -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,ముడిపదార్ధాల ప్రధాన అంశం అదే ఉండకూడదు +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,ముడిపదార్ధాల ప్రధాన అంశం అదే ఉండకూడదు DocType: Item Attribute Value,Abbreviation,సంక్షిప్త apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,చెల్లింపు ఎంట్రీ ఇప్పటికే ఉంది apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} పరిమితులు మించిపోయింది నుండి authroized లేదు @@ -3694,7 +3705,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,పాత్ర ఘన ,Territory Target Variance Item Group-Wise,భూభాగం టార్గెట్ విస్తృతి అంశం గ్రూప్-వైజ్ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,అన్ని కస్టమర్ సమూహాలు apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,పోగుచేసిన మంత్లీ -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు {1} {2} కోసం సృష్టించబడలేదు. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు {1} {2} కోసం సృష్టించబడలేదు. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,పన్ను మూస తప్పనిసరి. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,ఖాతా {0}: మాతృ ఖాతా {1} ఉనికిలో లేదు DocType: Purchase Invoice Item,Price List Rate (Company Currency),ధర జాబితా రేటు (కంపెనీ కరెన్సీ) @@ -3705,7 +3716,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,శాతం క apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,కార్యదర్శి DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","డిసేబుల్ ఉన్నా, ఫీల్డ్ 'వర్డ్స్' ఏ లావాదేవీ లో కనిపించవు" DocType: Serial No,Distinct unit of an Item,ఒక అంశం యొక్క విలక్షణ యూనిట్ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,కంపెనీ సెట్ దయచేసి +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,కంపెనీ సెట్ దయచేసి DocType: Pricing Rule,Buying,కొనుగోలు DocType: HR Settings,Employee Records to be created by,Employee రికార్డ్స్ ద్వారా సృష్టించబడుతుంది DocType: POS Profile,Apply Discount On,డిస్కౌంట్ న వర్తించు @@ -3716,7 +3727,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,అంశం వైజ్ పన్ను వివరాలు apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ఇన్స్టిట్యూట్ సంక్షిప్తీకరణ ,Item-wise Price List Rate,అంశం వారీగా ధర జాబితా రేటు -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,సరఫరాదారు కొటేషన్ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,సరఫరాదారు కొటేషన్ DocType: Quotation,In Words will be visible once you save the Quotation.,మీరు కొటేషన్ సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},మొత్తము ({0}) వరుసలో ఒక భిన్నం ఉండకూడదు {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},మొత్తము ({0}) వరుసలో ఒక భిన్నం ఉండకూడదు {1} @@ -3740,7 +3751,7 @@ Updated via 'Time Log'",మినిట్స్ లో 'టైం లో DocType: Customer,From Lead,లీడ్ నుండి apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ఆర్డర్స్ ఉత్పత్తి కోసం విడుదల చేసింది. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ఫిస్కల్ ఇయర్ ఎంచుకోండి ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS ప్రొఫైల్ POS ఎంట్రీ చేయడానికి అవసరం +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS ప్రొఫైల్ POS ఎంట్రీ చేయడానికి అవసరం DocType: Program Enrollment Tool,Enroll Students,విద్యార్ధులను నమోదు DocType: Hub Settings,Name Token,పేరు టోకెన్ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ప్రామాణిక సెల్లింగ్ @@ -3758,7 +3769,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,స్టాక్ విల apps/erpnext/erpnext/config/learn.py +234,Human Resource,మానవ వనరుల DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,చెల్లింపు సయోధ్య చెల్లింపు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,పన్ను ఆస్తులను -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},ఉత్పత్తి ఆర్డర్ ఉంది {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},ఉత్పత్తి ఆర్డర్ ఉంది {0} DocType: BOM Item,BOM No,బిఒఎం లేవు DocType: Instructor,INS/,ఐఎన్ఎస్ / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,జర్నల్ ఎంట్రీ {0} {1} లేదా ఇప్పటికే ఇతర రసీదును జతచేసేందుకు ఖాతా లేదు @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,ఒక apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,అత్యుత్తమ ఆంట్ DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,సెట్ లక్ష్యాలను అంశం గ్రూప్ వారీగా ఈ సేల్స్ పర్సన్ కోసం. DocType: Stock Settings,Freeze Stocks Older Than [Days],ఫ్రీజ్ స్టాక్స్ కంటే పాత [డేస్] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,రో # {0}: ఆస్తి స్థిర ఆస్తి కొనుగోలు / అమ్మకాలు తప్పనిసరి +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,రో # {0}: ఆస్తి స్థిర ఆస్తి కొనుగోలు / అమ్మకాలు తప్పనిసరి apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","రెండు లేదా అంతకంటే ఎక్కువ ధర రూల్స్ పై నిబంధనలకు ఆధారంగా కనబడక పోతే, ప్రాధాన్య వర్తించబడుతుంది. డిఫాల్ట్ విలువ సున్నా (ఖాళీ) కు చేరుకుంది ప్రాధాన్యత 20 కు మధ్య 0 ఒక సంఖ్య. హయ్యర్ సంఖ్య అదే పరిస్థితులు బహుళ ధర రూల్స్ ఉన్నాయి ఉంటే అది ప్రాధాన్యత పడుతుంది అంటే." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ఫిస్కల్ ఇయర్: {0} చేస్తుంది ఉందో DocType: Currency Exchange,To Currency,కరెన్సీ @@ -3781,7 +3792,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,ఖర్చు apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},దాని {1} సెల్లింగ్ అంశం కోసం రేటు {0} కంటే తక్కువగా ఉంటుంది. సెల్లింగ్ రేటు ఉండాలి కనీసం {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},దాని {1} సెల్లింగ్ అంశం కోసం రేటు {0} కంటే తక్కువగా ఉంటుంది. సెల్లింగ్ రేటు ఉండాలి కనీసం {2} DocType: Item,Taxes,పన్నులు -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,చెల్లింపు మరియు పంపిణీ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,చెల్లింపు మరియు పంపిణీ DocType: Project,Default Cost Center,డిఫాల్ట్ ఖర్చు సెంటర్ DocType: Bank Guarantee,End Date,ముగింపు తేదీ apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,స్టాక్ లావాదేవీలు @@ -3798,7 +3809,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,డైలీ వర్క్ సారాంశం సెట్టింగులు కంపెనీ apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,అది నుంచి నిర్లక్ష్యం అంశం {0} స్టాక్ అంశాన్ని కాదు DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,తదుపరి ప్రాసెసింగ్ కోసం ఈ ఉత్పత్తి ఆర్డర్ సమర్పించండి. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,తదుపరి ప్రాసెసింగ్ కోసం ఈ ఉత్పత్తి ఆర్డర్ సమర్పించండి. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","ఒక నిర్దిష్ట లావాదేవీ ధర రూల్ వర్తించదు, అన్ని వర్తించే ధర రూల్స్ డిసేబుల్ చేయాలి." DocType: Assessment Group,Parent Assessment Group,మాతృ అసెస్మెంట్ గ్రూప్ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ఉద్యోగాలు @@ -3806,10 +3817,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,ఉద్య DocType: Employee,Held On,హెల్డ్ న apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ఉత్పత్తి అంశం ,Employee Information,Employee ఇన్ఫర్మేషన్ -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),రేటు (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),రేటు (%) DocType: Stock Entry Detail,Additional Cost,అదనపు ఖర్చు apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ఓచర్ లేవు ఆధారంగా వడపోత కాదు, ఓచర్ ద్వారా సమూహం ఉంటే" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,సరఫరాదారు కొటేషన్ చేయండి +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,సరఫరాదారు కొటేషన్ చేయండి DocType: Quality Inspection,Incoming,ఇన్కమింగ్ DocType: BOM,Materials Required (Exploded),మెటీరియల్స్ (పేలుతున్న) అవసరం apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","మీరే కంటే ఇతర, మీ సంస్థకు వినియోగదారులను జోడించు" @@ -3825,7 +3836,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ఖాతా: {0} మాత్రమే స్టాక్ లావాదేవీలు ద్వారా నవీకరించబడింది చేయవచ్చు DocType: Student Group Creation Tool,Get Courses,కోర్సులు పొందండి DocType: GL Entry,Party,పార్టీ -DocType: Sales Order,Delivery Date,డెలివరీ తేదీ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,డెలివరీ తేదీ DocType: Opportunity,Opportunity Date,అవకాశం తేదీ DocType: Purchase Receipt,Return Against Purchase Receipt,కొనుగోలు రసీదులు వ్యతిరేకంగా తిరిగి DocType: Request for Quotation Item,Request for Quotation Item,కొటేషన్ అంశం కోసం అభ్యర్థన @@ -3839,7 +3850,7 @@ DocType: Task,Actual Time (in Hours),(గంటల్లో) వాస్తవ DocType: Employee,History In Company,కంపెనీ చరిత్ర apps/erpnext/erpnext/config/learn.py +107,Newsletters,వార్తాలేఖలు DocType: Stock Ledger Entry,Stock Ledger Entry,స్టాక్ లెడ్జర్ ఎంట్రీ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,అదే అంశం అనేకసార్లు నమోదయ్యేలా +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,అదే అంశం అనేకసార్లు నమోదయ్యేలా DocType: Department,Leave Block List,బ్లాక్ జాబితా వదిలి DocType: Sales Invoice,Tax ID,పన్ను ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} అంశం సీరియల్ నాస్ కొరకు సెటప్ కాదు. కాలమ్ ఖాళీగా ఉండాలి @@ -3857,25 +3868,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,బ్లాక్ DocType: BOM Explosion Item,BOM Explosion Item,బిఒఎం ప్రేలుడు అంశం DocType: Account,Auditor,ఆడిటర్ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} అంశాలు ఉత్పత్తి +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} అంశాలు ఉత్పత్తి DocType: Cheque Print Template,Distance from top edge,టాప్ అంచు నుండి దూరం apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,ధర జాబితా {0} నిలిపివేస్తే లేదా ఉనికిలో లేదు DocType: Purchase Invoice,Return,రిటర్న్ DocType: Production Order Operation,Production Order Operation,ఉత్పత్తి ఆర్డర్ ఆపరేషన్ DocType: Pricing Rule,Disable,ఆపివేయి -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,చెల్లింపు విధానం ఒక చెల్లింపు చేయడానికి అవసరం +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,చెల్లింపు విధానం ఒక చెల్లింపు చేయడానికి అవసరం DocType: Project Task,Pending Review,సమీక్ష పెండింగ్లో apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} బ్యాచ్ చేరాడు లేదు {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",అది ఇప్పటికే ఉంది ఆస్తుల {0} బహిష్కరించాలని కాదు {1} DocType: Task,Total Expense Claim (via Expense Claim),(ఖర్చు చెప్పడం ద్వారా) మొత్తం ఖర్చు చెప్పడం apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,మార్క్ కరువవడంతో -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},రో {0}: పాఠశాల బిఒఎం # కరెన్సీ {1} ఎంపిక కరెన్సీ సమానంగా ఉండాలి {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},రో {0}: పాఠశాల బిఒఎం # కరెన్సీ {1} ఎంపిక కరెన్సీ సమానంగా ఉండాలి {2} DocType: Journal Entry Account,Exchange Rate,ఎక్స్చేంజ్ రేట్ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,అమ్మకాల ఆర్డర్ {0} సమర్పించిన లేదు +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,అమ్మకాల ఆర్డర్ {0} సమర్పించిన లేదు DocType: Homepage,Tag Line,ట్యాగ్ లైన్ DocType: Fee Component,Fee Component,ఫీజు భాగం apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ఫ్లీట్ మేనేజ్మెంట్ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,నుండి అంశాలను జోడించండి +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,నుండి అంశాలను జోడించండి DocType: Cheque Print Template,Regular,రెగ్యులర్ apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,అన్ని అసెస్మెంట్ ప్రమాణ మొత్తం వెయిటేజీ 100% ఉండాలి DocType: BOM,Last Purchase Rate,చివరి కొనుగోలు రేటు @@ -3896,12 +3907,12 @@ DocType: Employee,Reports to,కు నివేదికలు DocType: SMS Settings,Enter url parameter for receiver nos,రిసీవర్ nos కోసం URL పరామితి ఎంటర్ DocType: Payment Entry,Paid Amount,మొత్తం చెల్లించారు DocType: Assessment Plan,Supervisor,సూపర్వైజర్ -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,ఆన్లైన్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ఆన్లైన్ ,Available Stock for Packing Items,ప్యాకింగ్ అంశాలను అందుబాటులో స్టాక్ DocType: Item Variant,Item Variant,అంశం వేరియంట్ DocType: Assessment Result Tool,Assessment Result Tool,అసెస్మెంట్ ఫలితం టూల్ DocType: BOM Scrap Item,BOM Scrap Item,బిఒఎం స్క్రాప్ అంశం -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,సమర్పించిన ఆర్డర్లను తొలగించలేరని +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,సమర్పించిన ఆర్డర్లను తొలగించలేరని apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ఇప్పటికే డెబిట్ ఖాతా సంతులనం, మీరు 'క్రెడిట్' గా 'సంతులనం ఉండాలి' సెట్ అనుమతి లేదు" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,క్వాలిటీ మేనేజ్మెంట్ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,అంశం {0} ఆపివేయబడింది @@ -3933,7 +3944,7 @@ DocType: Item Group,Default Expense Account,డిఫాల్ట్ వ్య apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,స్టూడెంట్ అడ్రెస్ DocType: Employee,Notice (days),నోటీసు (రోజులు) DocType: Tax Rule,Sales Tax Template,సేల్స్ టాక్స్ మూస -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ఇన్వాయిస్ సేవ్ చెయ్యడానికి ఐటమ్లను ఎంచుకోండి +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,ఇన్వాయిస్ సేవ్ చెయ్యడానికి ఐటమ్లను ఎంచుకోండి DocType: Employee,Encashment Date,ఎన్క్యాష్మెంట్ తేదీ DocType: Training Event,Internet,ఇంటర్నెట్ DocType: Account,Stock Adjustment,స్టాక్ అడ్జస్ట్మెంట్ @@ -3982,10 +3993,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,డి apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,అంశం కోసం మాక్స్ డిస్కౌంట్: {0} {1}% ఉంది apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,నికర ఆస్తుల విలువ గా DocType: Account,Receivable,స్వీకరించదగిన -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,రో # {0}: కొనుగోలు ఆర్డర్ ఇప్పటికే ఉనికిలో సరఫరాదారు మార్చడానికి అనుమతి లేదు +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,రో # {0}: కొనుగోలు ఆర్డర్ ఇప్పటికే ఉనికిలో సరఫరాదారు మార్చడానికి అనుమతి లేదు DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,సెట్ క్రెడిట్ పరిధులకు మించిన లావాదేవీలు submit అనుమతి పాత్ర. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,తయారీ ఐటెమ్లను ఎంచుకోండి -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","మాస్టర్ డేటా సమకాలీకరించడాన్ని, కొంత సమయం పడుతుంది" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,తయారీ ఐటెమ్లను ఎంచుకోండి +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","మాస్టర్ డేటా సమకాలీకరించడాన్ని, కొంత సమయం పడుతుంది" DocType: Item,Material Issue,మెటీరియల్ ఇష్యూ DocType: Hub Settings,Seller Description,అమ్మకాల వివరణ DocType: Employee Education,Qualification,అర్హతలు @@ -4006,11 +4017,10 @@ DocType: BOM,Rate Of Materials Based On,రేటు పదార్థాల apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,మద్దతు Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,అన్నింటినీ DocType: POS Profile,Terms and Conditions,నిబంధనలు మరియు షరతులు -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులో HR మేనేజ్మెంట్ సిస్టమ్ను సెటప్ చేయండి> హెచ్ఆర్ సెట్టింగులు apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},తేదీ ఫిస్కల్ ఇయర్ లోపల ఉండాలి. = తేదీ ఊహిస్తే {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ఇక్కడ మీరు etc ఎత్తు, బరువు, అలెర్జీలు, వైద్య ఆందోళనలు అందుకోగలదు" DocType: Leave Block List,Applies to Company,కంపెనీకి వర్తిస్తుంది -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,సమర్పించిన స్టాక్ ఎంట్రీ {0} ఉంది ఎందుకంటే రద్దు కాదు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,సమర్పించిన స్టాక్ ఎంట్రీ {0} ఉంది ఎందుకంటే రద్దు కాదు DocType: Employee Loan,Disbursement Date,చెల్లించుట తేదీ DocType: Vehicle,Vehicle,వాహనం DocType: Purchase Invoice,In Words,వర్డ్స్ @@ -4049,7 +4059,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,గ్లోబల్ DocType: Assessment Result Detail,Assessment Result Detail,అసెస్మెంట్ ఫలితం వివరాలు DocType: Employee Education,Employee Education,Employee ఎడ్యుకేషన్ apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,అంశం సమూహం పట్టిక కనిపించే నకిలీ అంశం సమూహం -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,ఇది అంశం వివరాలు పొందడం అవసరమవుతుంది. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,ఇది అంశం వివరాలు పొందడం అవసరమవుతుంది. DocType: Salary Slip,Net Pay,నికర పే DocType: Account,Account,ఖాతా apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,సీరియల్ లేవు {0} ఇప్పటికే అందింది @@ -4057,7 +4067,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,వాహనం లోనికి ప్రవేశించండి DocType: Purchase Invoice,Recurring Id,పునరావృత Id DocType: Customer,Sales Team Details,సేల్స్ టీం వివరాలు -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,శాశ్వతంగా తొలగించాలా? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,శాశ్వతంగా తొలగించాలా? DocType: Expense Claim,Total Claimed Amount,మొత్తం క్లెయిమ్ చేసిన మొత్తం apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,అమ్మకం కోసం సమర్థవంతమైన అవకాశాలు. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},చెల్లని {0} @@ -4069,7 +4079,7 @@ DocType: Warehouse,PIN,పిన్ apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,లో ERPNext మీ స్కూల్ సెటప్ DocType: Sales Invoice,Base Change Amount (Company Currency),బేస్ మార్చు మొత్తం (కంపెనీ కరెన్సీ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,క్రింది గిడ్డంగులు కోసం అకౌంటింగ్ ఎంట్రీలు -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,మొదటి డాక్యుమెంట్ సేవ్. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,మొదటి డాక్యుమెంట్ సేవ్. DocType: Account,Chargeable,విధింపదగిన DocType: Company,Change Abbreviation,మార్పు సంక్షిప్తీకరణ DocType: Expense Claim Detail,Expense Date,ఖర్చుల తేదీ @@ -4083,7 +4093,6 @@ DocType: BOM,Manufacturing User,తయారీ వాడుకరి DocType: Purchase Invoice,Raw Materials Supplied,రా మెటీరియల్స్ పంపినవి DocType: Purchase Invoice,Recurring Print Format,పునరావృత ప్రింట్ ఫార్మాట్ DocType: C-Form,Series,సిరీస్ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,ఊహించినది డెలివరీ తేదీ కొనుగోలు ఆర్డర్ తేదీ ముందు ఉండరాదు DocType: Appraisal,Appraisal Template,అప్రైసల్ మూస DocType: Item Group,Item Classification,అంశం వర్గీకరణ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,వ్యాపారం అభివృద్ధి మేనేజర్ @@ -4122,12 +4131,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Select బ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,శిక్షణ ఈవెంట్స్ / ఫలితాలు apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,గా అరుగుదల పోగుచేసిన DocType: Sales Invoice,C-Form Applicable,సి ఫారం వర్తించే -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},ఆపరేషన్ సమయం ఆపరేషన్ కోసం 0 కంటే ఎక్కువ ఉండాలి {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},ఆపరేషన్ సమయం ఆపరేషన్ కోసం 0 కంటే ఎక్కువ ఉండాలి {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,వేర్హౌస్ తప్పనిసరి DocType: Supplier,Address and Contacts,చిరునామా మరియు కాంటాక్ట్స్ DocType: UOM Conversion Detail,UOM Conversion Detail,UoM మార్పిడి వివరాలు DocType: Program,Program Abbreviation,ప్రోగ్రామ్ సంక్షిప్తీకరణ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,ఉత్పత్తి ఆర్డర్ ఒక అంశం మూస వ్యతిరేకంగా లేవనెత్తిన సాధ్యం కాదు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,ఉత్పత్తి ఆర్డర్ ఒక అంశం మూస వ్యతిరేకంగా లేవనెత్తిన సాధ్యం కాదు apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ఆరోపణలు ప్రతి అంశం వ్యతిరేకంగా కొనుగోలు రసీదులు లో నవీకరించబడింది ఉంటాయి DocType: Warranty Claim,Resolved By,ద్వారా పరిష్కరించిన DocType: Bank Guarantee,Start Date,ప్రారంబపు తేది @@ -4162,6 +4171,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,శిక్షణ అభిప్రాయం apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ఆర్డర్ {0} సమర్పించాలి ఉత్పత్తి apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},అంశం కోసం ప్రారంభ తేదీ మరియు ముగింపు తేదీ దయచేసి ఎంచుకోండి {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,మీరు సాధించాలనుకుంటున్న విక్రయ లక్ష్యాన్ని సెట్ చేయండి. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},కోర్సు వరుసగా తప్పనిసరి {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,తేదీ తేదీ నుండి ముందు ఉండరాదు DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4180,7 +4190,7 @@ DocType: Account,Income,ఆదాయపు DocType: Industry Type,Industry Type,పరిశ్రమ రకం apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,ఎక్కడో తేడ జరిగింది! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,హెచ్చరిక: వదిలి అప్లికేషన్ క్రింది బ్లాక్ తేదీలను -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,వాయిస్ {0} ఇప్పటికే సమర్పించబడింది సేల్స్ +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,వాయిస్ {0} ఇప్పటికే సమర్పించబడింది సేల్స్ DocType: Assessment Result Detail,Score,స్కోరు apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,ఫిస్కల్ ఇయర్ {0} ఉనికిలో లేని apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,పూర్తిచేసే తేదీ @@ -4210,7 +4220,7 @@ DocType: Naming Series,Help HTML,సహాయం HTML DocType: Student Group Creation Tool,Student Group Creation Tool,స్టూడెంట్ గ్రూప్ సృష్టి సాధనం DocType: Item,Variant Based On,వేరియంట్ బేస్డ్ న apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},100% ఉండాలి కేటాయించిన మొత్తం వెయిటేజీ. ఇది {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,మీ సరఫరాదారులు +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,మీ సరఫరాదారులు apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,అమ్మకాల ఆర్డర్ చేసిన ఓడిపోయింది సెట్ చెయ్యబడదు. DocType: Request for Quotation Item,Supplier Part No,సరఫరాదారు పార్ట్ లేవు apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',వర్గం 'మదింపు' లేదా 'Vaulation మరియు మొత్తం' కోసం ఉన్నప్పుడు తీసివేయు కాదు @@ -4220,14 +4230,14 @@ DocType: Item,Has Serial No,సీరియల్ లేవు ఉంది DocType: Employee,Date of Issue,జారీ చేసిన తేది apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: నుండి {0} కోసం {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","కొనుగోలు సెట్టింగులు ప్రకారం కొనుగోలు Reciept అవసరం == 'అవును', అప్పుడు కొనుగోలు వాయిస్ సృష్టించడానికి, యూజర్ అంశం కోసం మొదటి కొనుగోలు స్వీకరణపై సృష్టించాలి ఉంటే {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},రో # {0}: అంశాన్ని సెట్ సరఫరాదారు {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,రో {0}: గంటలు విలువ సున్నా కంటే ఎక్కువ ఉండాలి. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},రో # {0}: అంశాన్ని సెట్ సరఫరాదారు {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,రో {0}: గంటలు విలువ సున్నా కంటే ఎక్కువ ఉండాలి. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,అంశం {1} జత వెబ్సైట్ చిత్రం {0} కనుగొనబడలేదు DocType: Issue,Content Type,కంటెంట్ రకం apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,కంప్యూటర్ DocType: Item,List this Item in multiple groups on the website.,వెబ్ సైట్ బహుళ సమూహాలు ఈ అంశం జాబితా. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,ఇతర కరెన్సీ ఖాతాల అనుమతించటానికి మల్టీ కరెన్సీ ఎంపికను తనిఖీ చేయండి -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,అంశం: {0} వ్యవస్థ ఉనికిలో లేదు +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,అంశం: {0} వ్యవస్థ ఉనికిలో లేదు apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,మీరు స్తంభింపచేసిన విలువ సెట్ అధికారం లేదు DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled ఎంట్రీలు పొందండి DocType: Payment Reconciliation,From Invoice Date,వాయిస్ తేదీ నుండి @@ -4253,7 +4263,7 @@ DocType: Stock Entry,Default Source Warehouse,డిఫాల్ట్ మూల DocType: Item,Customer Code,కస్టమర్ కోడ్ apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},పుట్టినరోజు రిమైండర్ {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,చివరి ఆర్డర్ నుండి రోజుల్లో -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,ఖాతాకు డెబిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,ఖాతాకు డెబిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి DocType: Buying Settings,Naming Series,నామకరణ సిరీస్ DocType: Leave Block List,Leave Block List Name,బ్లాక్ జాబితా వదిలి పేరు apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,భీమా తేదీ ప్రారంభించండి భీమా ముగింపు తేదీ కంటే తక్కువ ఉండాలి @@ -4270,7 +4280,7 @@ DocType: Vehicle Log,Odometer,ఓడోమీటార్ DocType: Sales Order Item,Ordered Qty,క్రమ ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,అంశం {0} నిలిపివేయబడింది DocType: Stock Settings,Stock Frozen Upto,స్టాక్ ఘనీభవించిన వరకు -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,బిఒఎం ఏ స్టాక్ అంశం కలిగి లేదు +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,బిఒఎం ఏ స్టాక్ అంశం కలిగి లేదు apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},నుండి మరియు కాలం పునరావృత తప్పనిసరి తేదీలు కాలం {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,ప్రాజెక్టు చర్య / పని. DocType: Vehicle Log,Refuelling Details,Refuelling వివరాలు @@ -4280,7 +4290,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,గత కొనుగోలు రేటు దొరకలేదు DocType: Purchase Invoice,Write Off Amount (Company Currency),మొత్తం ఆఫ్ వ్రాయండి (కంపెనీ కరెన్సీ) DocType: Sales Invoice Timesheet,Billing Hours,బిల్లింగ్ గంటలు -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,కోసం {0} దొరకలేదు డిఫాల్ట్ బిఒఎం +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,కోసం {0} దొరకలేదు డిఫాల్ట్ బిఒఎం apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,రో # {0}: క్రమాన్ని పరిమాణం సెట్ చెయ్యండి apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,వాటిని ఇక్కడ జోడించడానికి అంశాలను నొక్కండి DocType: Fees,Program Enrollment,ప్రోగ్రామ్ నమోదు @@ -4314,6 +4324,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,ఏజింగ్ రేంజ్ 2 DocType: SG Creation Tool Course,Max Strength,మాక్స్ శక్తి apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,బిఒఎం భర్తీ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,డెలివరీ తేదీ ఆధారంగా అంశాలను ఎంచుకోండి ,Sales Analytics,సేల్స్ Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},అందుబాటులో {0} ,Prospects Engaged But Not Converted,ప్రాస్పెక్టస్ ఎంగేజ్డ్ కానీ మారలేదు @@ -4362,7 +4373,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise డిస్క apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,పనులు కోసం timesheet. DocType: Purchase Invoice,Against Expense Account,ఖర్చుల ఖాతా వ్యతిరేకంగా DocType: Production Order,Production Order,ఉత్పత్తి ఆర్డర్ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,సంస్థాపన సూచన {0} ఇప్పటికే సమర్పించబడింది +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,సంస్థాపన సూచన {0} ఇప్పటికే సమర్పించబడింది DocType: Bank Reconciliation,Get Payment Entries,చెల్లింపు ఎంట్రీలు పొందండి DocType: Quotation Item,Against Docname,Docname వ్యతిరేకంగా DocType: SMS Center,All Employee (Active),అన్ని ఉద్యోగి (యాక్టివ్) @@ -4371,7 +4382,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,రా మెటీరియల్ ఖర్చు DocType: Item Reorder,Re-Order Level,రీ-ఆర్డర్ స్థాయి DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,మీరు ఉత్పత్తి ఆర్డర్లు పెంచడానికి లేదా విశ్లేషణకు ముడి పదార్థాలు డౌన్లోడ్ కోరుకుంటున్న అంశాలు మరియు ప్రణాళిక చేసిన అంశాల ఎంటర్. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,గాంట్ చార్ట్ +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,గాంట్ చార్ట్ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,పార్ట్ టైమ్ DocType: Employee,Applicable Holiday List,వర్తించే హాలిడే జాబితా DocType: Employee,Cheque,ప్రిపే @@ -4429,11 +4440,11 @@ DocType: Bin,Reserved Qty for Production,ప్రొడక్షన్ ప్ DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,మీరు కోర్సు ఆధారంగా సమూహాలు చేస్తున్నప్పుటికీ బ్యాచ్ పరిగణలోకి అనుకుంటే ఎంచుకోవద్దు. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,మీరు కోర్సు ఆధారంగా సమూహాలు చేస్తున్నప్పుటికీ బ్యాచ్ పరిగణలోకి అనుకుంటే ఎంచుకోవద్దు. DocType: Asset,Frequency of Depreciation (Months),అరుగుదల పౌనఃపున్యం (నెలలు) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,క్రెడిట్ ఖాతా +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,క్రెడిట్ ఖాతా DocType: Landed Cost Item,Landed Cost Item,అడుగుపెట్టాయి ఖర్చు అంశం apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,సున్నా విలువలు చూపించు DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,అంశం యొక్క మొత్తము ముడి పదార్థాల ఇచ్చిన పరిమాణంలో నుండి repacking / తయారీ తర్వాత పొందిన -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,సెటప్ నా సంస్థ కోసం ఒక సాధారణ వెబ్సైట్ +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,సెటప్ నా సంస్థ కోసం ఒక సాధారణ వెబ్సైట్ DocType: Payment Reconciliation,Receivable / Payable Account,స్వీకరించదగిన / చెల్లించవలసిన ఖాతా DocType: Delivery Note Item,Against Sales Order Item,అమ్మకాల ఆర్డర్ అంశం వ్యతిరేకంగా apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},గుణానికి విలువ లక్షణం రాయండి {0} @@ -4497,22 +4508,22 @@ DocType: Student,Nationality,జాతీయత ,Items To Be Requested,అంశాలు అభ్యర్థించిన టు DocType: Purchase Order,Get Last Purchase Rate,గత కొనుగోలు రేటు పొందండి DocType: Company,Company Info,కంపెనీ సమాచారం -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,ఎంచుకోండి లేదా కొత్త కస్టమర్ జోడించడానికి -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,వ్యయ కేంద్రం ఒక వ్యయం దావా బుక్ అవసరం +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,ఎంచుకోండి లేదా కొత్త కస్టమర్ జోడించడానికి +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,వ్యయ కేంద్రం ఒక వ్యయం దావా బుక్ అవసరం apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ఫండ్స్ (ఆస్తులు) యొక్క అప్లికేషన్ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ఈ ఈ ఉద్యోగి హాజరు ఆధారంగా -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,డెబిట్ ఖాతా +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,డెబిట్ ఖాతా DocType: Fiscal Year,Year Start Date,సంవత్సరం ప్రారంభం తేదీ DocType: Attendance,Employee Name,ఉద్యోగి పేరు DocType: Sales Invoice,Rounded Total (Company Currency),నున్నటి మొత్తం (కంపెనీ కరెన్సీ) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ఖాతా రకం ఎంపిక ఎందుకంటే గ్రూప్ ప్రచ్ఛన్న కాదు. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} మారిస్తే. రిఫ్రెష్ చెయ్యండి. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} మారిస్తే. రిఫ్రెష్ చెయ్యండి. DocType: Leave Block List,Stop users from making Leave Applications on following days.,కింది రోజులలో లీవ్ అప్లికేషన్స్ తయారీ నుండి వినియోగదారులు ఆపు. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,కొనుగోలు మొత్తాన్ని apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,సరఫరాదారు కొటేషన్ {0} రూపొందించారు apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,ముగింపు సంవత్సరం ప్రారంభ సంవత్సరం కంటే ముందు ఉండకూడదు apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ఉద్యోగుల లాభాల -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},ప్యాక్ పరిమాణం వరుసగా అంశం {0} పరిమాణం సమానంగా ఉండాలి {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},ప్యాక్ పరిమాణం వరుసగా అంశం {0} పరిమాణం సమానంగా ఉండాలి {1} DocType: Production Order,Manufactured Qty,తయారు ప్యాక్ చేసిన అంశాల DocType: Purchase Receipt Item,Accepted Quantity,అంగీకరించిన పరిమాణం apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},ఒక డిఫాల్ట్ ఉద్యోగి కోసం హాలిడే జాబితా సెట్ దయచేసి {0} లేదా కంపెనీ {1} @@ -4523,11 +4534,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},రో లేవు {0}: మొత్తం ఖర్చు చెప్పడం {1} వ్యతిరేకంగా మొత్తం పెండింగ్ కంటే ఎక్కువ ఉండకూడదు. పెండింగ్ మొత్తంలో {2} DocType: Maintenance Schedule,Schedule,షెడ్యూల్ DocType: Account,Parent Account,మాతృ ఖాతా -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,అందుబాటులో +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,అందుబాటులో DocType: Quality Inspection Reading,Reading 3,3 పఠనం ,Hub,హబ్ DocType: GL Entry,Voucher Type,ఓచర్ టైప్ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,ధర జాబితా దొరకలేదు లేదా డిసేబుల్ లేదు +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,ధర జాబితా దొరకలేదు లేదా డిసేబుల్ లేదు DocType: Employee Loan Application,Approved,ఆమోదించబడింది DocType: Pricing Rule,Price,ధర apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} ఏర్పాటు చేయాలి మీద ఉపశమనం ఉద్యోగి 'Left' గా @@ -4597,7 +4608,7 @@ DocType: SMS Settings,Static Parameters,స్టాటిక్ పారామ DocType: Assessment Plan,Room,గది DocType: Purchase Order,Advance Paid,అడ్వాన్స్ చెల్లింపు DocType: Item,Item Tax,అంశం పన్ను -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,సరఫరాదారు మెటీరియల్ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,సరఫరాదారు మెటీరియల్ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,ఎక్సైజ్ వాయిస్ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ప్రభావసీమ {0}% ఒకసారి కంటే ఎక్కువ కనిపిస్తుంది DocType: Expense Claim,Employees Email Id,ఉద్యోగులు ఇమెయిల్ ఐడి @@ -4637,7 +4648,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,మోడల్ DocType: Production Order,Actual Operating Cost,వాస్తవ ఆపరేటింగ్ వ్యయం DocType: Payment Entry,Cheque/Reference No,ప్రిపే / సూచన నో -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,రూట్ సంపాదకీయం సాధ్యం కాదు. DocType: Item,Units of Measure,యూనిట్స్ ఆఫ్ మెజర్ DocType: Manufacturing Settings,Allow Production on Holidays,సెలవులు నిర్మాణం అనుమతించు @@ -4670,12 +4680,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,క్రెడిట్ డేస్ apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,స్టూడెంట్ బ్యాచ్ చేయండి DocType: Leave Type,Is Carry Forward,ఫార్వర్డ్ కారి ఉంటుంది -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,బిఒఎం నుండి అంశాలు పొందండి +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,బిఒఎం నుండి అంశాలు పొందండి apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,సమయం రోజులు లీడ్ -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},రో # {0}: తేదీ పోస్టింగ్ కొనుగోలు తేదీని అదే ఉండాలి {1} ఆస్తి యొక్క {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},రో # {0}: తేదీ పోస్టింగ్ కొనుగోలు తేదీని అదే ఉండాలి {1} ఆస్తి యొక్క {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,విద్యార్థుల సంస్థ హాస్టల్ వద్ద నివసిస్తున్నారు ఉంది అయితే దీన్ని ఎంచుకోండి. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,పైన ఇచ్చిన పట్టికలో సేల్స్ ఆర్డర్స్ నమోదు చేయండి -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,సమర్పించలేదు జీతం స్లిప్స్ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,సమర్పించలేదు జీతం స్లిప్స్ ,Stock Summary,స్టాక్ సారాంశం apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,మరొక గిడ్డంగి నుండి ఒక ఆస్తి బదిలీ DocType: Vehicle,Petrol,పెట్రోల్ diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 3a3cec519c8..0ca8cbaabc1 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,เจ้ามือ DocType: Employee,Rented,เช่า DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,ใช้งานได้สำหรับผู้ใช้ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",หยุดใบสั่งผลิตไม่สามารถยกเลิกจุกมันเป็นครั้งแรกที่จะยกเลิก +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",หยุดใบสั่งผลิตไม่สามารถยกเลิกจุกมันเป็นครั้งแรกที่จะยกเลิก DocType: Vehicle Service,Mileage,ระยะทาง apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,คุณไม่อยากที่จะทิ้งสินทรัพย์นี้? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,เลือกผู้ผลิตเริ่มต้น @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% เรียกเก็บแล้ว apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),อัตราแลกเปลี่ยนจะต้องเป็นเช่นเดียวกับ {0} {1} ({2}) DocType: Sales Invoice,Customer Name,ชื่อลูกค้า DocType: Vehicle,Natural Gas,ก๊าซธรรมชาติ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},บัญชีธนาคารไม่สามารถตั้งชื่อเป็น {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},บัญชีธนาคารไม่สามารถตั้งชื่อเป็น {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,หัว (หรือกลุ่ม) กับบัญชีรายการที่จะทำและจะรักษายอด apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ที่โดดเด่นสำหรับ {0} ไม่ สามารถน้อยกว่า ศูนย์ ( {1}) DocType: Manufacturing Settings,Default 10 mins,เริ่มต้น 10 นาที @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,ฝากชื่อประเภท apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,แสดงเปิด apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,ชุด ล่าสุด ที่ประสบความสำเร็จ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,เช็คเอาท์ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural วารสารรายการ Submitted +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural วารสารรายการ Submitted DocType: Pricing Rule,Apply On,สมัคร เมื่อวันที่ DocType: Item Price,Multiple Item prices.,ราคา หลายรายการ ,Purchase Order Items To Be Received,รายการสั่งซื้อที่จะได้รับ @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,โหมดของ apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,แสดงหลากหลายรูปแบบ DocType: Academic Term,Academic Term,ระยะทางวิชาการ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,วัสดุ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,จำนวน +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,จำนวน apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,ตารางบัญชีต้องไม่ว่างเปล่า apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),เงินให้กู้ยืม ( หนี้สิน ) DocType: Employee Education,Year of Passing,ปีที่ผ่าน @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,การดูแลสุขภาพ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ความล่าช้าในการชำระเงิน (วัน) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ค่าใช้จ่ายในการให้บริการ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},หมายเลขซีเรียล: {0} มีการอ้างถึงในใบแจ้งหนี้การขายแล้ว: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,ใบกำกับสินค้า +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},หมายเลขซีเรียล: {0} มีการอ้างถึงในใบแจ้งหนี้การขายแล้ว: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,ใบกำกับสินค้า DocType: Maintenance Schedule Item,Periodicity,การเป็นช่วง ๆ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ปีงบประมาณ {0} จะต้อง -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,คาดว่าวันที่จัดส่งสินค้าก่อนสั่งซื้อการขายวันที่ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,ฝ่ายจำเลย DocType: Salary Component,Abbr,ตัวอักษรย่อ DocType: Appraisal Goal,Score (0-5),คะแนน (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,แถว # {0}: DocType: Timesheet,Total Costing Amount,จํานวนต้นทุนรวม DocType: Delivery Note,Vehicle No,รถไม่มี -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,เลือกรายชื่อราคา +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,เลือกรายชื่อราคา apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,แถว # {0}: เอกสารการชำระเงินจะต้องดำเนินการธุรกรรม DocType: Production Order Operation,Work In Progress,ทำงานในความคืบหน้า apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,กรุณาเลือกวันที่ @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ไม่ได้อยู่ในปีงบประมาณใดๆ DocType: Packed Item,Parent Detail docname,docname รายละเอียดผู้ปกครอง apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",ข้อมูลอ้างอิง: {0} รหัสรายการ: {1} และลูกค้า: {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,กิโลกรัม +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,กิโลกรัม DocType: Student Log,Log,เข้าสู่ระบบ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,เปิดงาน DocType: Item Attribute,Increment,การเพิ่มขึ้น @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,แต่งงาน apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},ไม่อนุญาตสำหรับ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,รับรายการจาก -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},หุ้น ไม่สามารถปรับปรุง กับ การจัดส่งสินค้า หมายเหตุ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},หุ้น ไม่สามารถปรับปรุง กับ การจัดส่งสินค้า หมายเหตุ {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},สินค้า {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ไม่มีรายการที่ระบุไว้ DocType: Payment Reconciliation,Reconcile,คืนดี @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,ก apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,ถัดไปวันที่ค่าเสื่อมราคาที่ไม่สามารถจะซื้อก่อนวันที่ DocType: SMS Center,All Sales Person,คนขายทั้งหมด DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** การกระจายรายเดือน ** จะช่วยให้คุณแจกจ่ายงบประมาณ / เป้าหมายข้ามเดือนถ้าคุณมีฤดูกาลในธุรกิจของคุณ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,ไม่พบรายการ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,ไม่พบรายการ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,โครงสร้างเงินเดือนที่ขาดหายไป DocType: Lead,Person Name,คนที่ชื่อ DocType: Sales Invoice Item,Sales Invoice Item,รายการใบแจ้งหนี้การขาย @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ไม่สามารถเพิกถอน ""คือสินทรัพย์ถาวร"" ได้เพราะมีบันทึกสินทรัพย์ที่อยู่กับรายการ" DocType: Vehicle Service,Brake Oil,น้ำมันเบรค DocType: Tax Rule,Tax Type,ประเภทภาษี -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,จำนวนเงินที่ต้องเสียภาษี +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,จำนวนเงินที่ต้องเสียภาษี apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},คุณยังไม่ได้ รับอนุญาตให้ เพิ่มหรือปรับปรุง รายการ ก่อนที่ {0} DocType: BOM,Item Image (if not slideshow),รูปภาพสินค้า (ถ้าไม่สไลด์โชว์) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(อัตราค่าแรง / 60) * เวลาที่ดำเนินงานจริง -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,เลือก BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,เลือก BOM DocType: SMS Log,SMS Log,เข้าสู่ระบบ SMS apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ค่าใช้จ่ายในการจัดส่งสินค้า apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,วันหยุดในวันที่ {0} ไม่ได้ระหว่างนับจากวันและวันที่ @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,โรงเรียน DocType: School Settings,Validate Batch for Students in Student Group,ตรวจสอบรุ่นสำหรับนักเรียนในกลุ่มนักเรียน apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ไม่มีประวัติการลาพบพนักงาน {0} สำหรับ {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,กรุณากรอก บริษัท แรก -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,กรุณาเลือก บริษัท แรก +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,กรุณาเลือก บริษัท แรก DocType: Employee Education,Under Graduate,ภายใต้บัณฑิต apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,เป้าหมาย ที่ DocType: BOM,Total Cost,ค่าใช้จ่ายรวม DocType: Journal Entry Account,Employee Loan,เงินกู้พนักงาน -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,บันทึกกิจกรรม: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,รายการที่ {0} ไม่อยู่ใน ระบบหรือ หมดอายุแล้ว +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,บันทึกกิจกรรม: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,รายการที่ {0} ไม่อยู่ใน ระบบหรือ หมดอายุแล้ว apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,อสังหาริมทรัพย์ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,งบบัญชี apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ยา @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,จำนวนการเรีย apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,กลุ่มลูกค้าซ้ำที่พบในตารางกลุ่มปัก apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,ประเภท ผู้ผลิต / ผู้จัดจำหน่าย DocType: Naming Series,Prefix,อุปสรรค -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้งค่าชุดการตั้งชื่อสำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> การตั้งชื่อซีรี่ส์ -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,วัสดุสิ้นเปลือง +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,วัสดุสิ้นเปลือง DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,นำเข้าสู่ระบบ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ดึงขอวัสดุประเภทผลิตตามเกณฑ์ดังกล่าวข้างต้น DocType: Training Result Employee,Grade,เกรด DocType: Sales Invoice Item,Delivered By Supplier,จัดส่งโดยผู้ผลิต DocType: SMS Center,All Contact,ติดต่อทั้งหมด -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,ใบสั่งผลิตสร้างไว้แล้วสำหรับรายการทั้งหมดที่มี BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,ใบสั่งผลิตสร้างไว้แล้วสำหรับรายการทั้งหมดที่มี BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,เงินเดือนประจำปี DocType: Daily Work Summary,Daily Work Summary,สรุปการทำงานประจำวัน DocType: Period Closing Voucher,Closing Fiscal Year,ปิดปีงบประมาณ -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} ถูกระงับการใช้งานชั่วคราว +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} ถูกระงับการใช้งานชั่วคราว apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,กรุณาเลือก บริษัท ที่มีอยู่สำหรับการสร้างผังบัญชี apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,ค่าใช้จ่ายใน สต็อก apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,เลือกคลังข้อมูลเป้าหมาย @@ -213,14 +211,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},จำนวนสินค้าที่ผ่านการตรวจรับ + จำนวนสินค้าที่ไม่ผ่านการตรวจรับ จะต้องมีปริมาณเท่ากับ จำนวน สืนค้าที่ได้รับ สำหรับ รายการ {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,วัตถุดิบสำหรับการซื้อวัสดุสิ้นเปลือง -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,อย่างน้อยหนึ่งโหมดการชำระเงินเป็นสิ่งจำเป็นสำหรับใบแจ้งหนี้ จุดขาย +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,อย่างน้อยหนึ่งโหมดการชำระเงินเป็นสิ่งจำเป็นสำหรับใบแจ้งหนี้ จุดขาย DocType: Products Settings,Show Products as a List,แสดงผลิตภัณฑ์ที่เป็นรายการ DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","ดาวน์โหลดแม่แบบกรอกข้อมูลที่เหมาะสมและแนบไฟล์ที่ถูกแก้ไข ทุกวันและการรวมกันของพนักงานในระยะเวลาที่เลือกจะมาในแม่แบบที่มีการบันทึกการเข้าร่วมที่มีอยู่" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,รายการที่ {0} ไม่ได้ใช้งาน หรือจุดสิ้นสุดของ ชีวิต ได้ถึง -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,ตัวอย่าง: วิชาคณิตศาสตร์พื้นฐาน -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",จะรวมถึง ภาษี ในแถว {0} ใน อัตรา รายการ ภาษี ใน แถว {1} จะต้องรวม +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,ตัวอย่าง: วิชาคณิตศาสตร์พื้นฐาน +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",จะรวมถึง ภาษี ในแถว {0} ใน อัตรา รายการ ภาษี ใน แถว {1} จะต้องรวม apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,การตั้งค่าสำหรับ โมดูล ทรัพยากรบุคคล DocType: SMS Center,SMS Center,ศูนย์ SMS DocType: Sales Invoice,Change Amount,เปลี่ยนจำนวน @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},วันที่ การติดตั้ง ไม่สามารถ ก่อนวันที่ จัดส่ง สินค้า {0} DocType: Pricing Rule,Discount on Price List Rate (%),ส่วนลดราคา Rate (%) DocType: Offer Letter,Select Terms and Conditions,เลือกข้อตกลงและเงื่อนไข -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,ราคาออกมา +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,ราคาออกมา DocType: Production Planning Tool,Sales Orders,ใบสั่งขาย DocType: Purchase Taxes and Charges,Valuation,การประเมินค่า ,Purchase Order Trends,แนวโน้มการสั่งซื้อ @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,จะเปิดรายการ DocType: Customer Group,Mention if non-standard receivable account applicable,ถ้าพูดถึงไม่ได้มาตรฐานลูกหนี้บังคับ DocType: Course Schedule,Instructor Name,ชื่ออาจารย์ผู้สอน -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,สำหรับ คลังสินค้า จะต้อง ก่อนที่จะ ส่ง +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,สำหรับ คลังสินค้า จะต้อง ก่อนที่จะ ส่ง apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,ที่ได้รับใน DocType: Sales Partner,Reseller,ผู้ค้าปลีก DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.",หากการตรวจสอบจะรวมถึงรายการที่ไม่ใช่หุ้นในคำขอวัสดุ @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,กับใบแจ้งหนี้การขายสินค้า ,Production Orders in Progress,สั่งซื้อ การผลิตใน ความคืบหน้า apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,เงินสดสุทธิจากการจัดหาเงินทุน -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save",LocalStorage เต็มไม่ได้บันทึก +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save",LocalStorage เต็มไม่ได้บันทึก DocType: Lead,Address & Contact,ที่อยู่และการติดต่อ DocType: Leave Allocation,Add unused leaves from previous allocations,เพิ่มใบไม่ได้ใช้จากการจัดสรรก่อนหน้า apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},ที่เกิดขึ้นต่อไป {0} จะถูกสร้างขึ้นบน {1} DocType: Sales Partner,Partner website,เว็บไซต์พันธมิตร apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,เพิ่มรายการ -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,ชื่อผู้ติดต่อ +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,ชื่อผู้ติดต่อ DocType: Course Assessment Criteria,Course Assessment Criteria,เกณฑ์การประเมินหลักสูตร DocType: Process Payroll,Creates salary slip for above mentioned criteria.,สร้างสลิปเงินเดือนสำหรับเกณฑ์ดังกล่าวข้างต้น DocType: POS Customer Group,POS Customer Group,กลุ่มลูกค้า จุดขายหน้าร้าน @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,แถว {0}: โปรดตรวจสอบ 'เป็นล่วงหน้า' กับบัญชี {1} ถ้านี้เป็นรายการล่วงหน้า apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},คลังสินค้า {0} ไม่ได้เป็นของ บริษัท {1} DocType: Email Digest,Profit & Loss,กำไรขาดทุน -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,ลิตร +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,ลิตร DocType: Task,Total Costing Amount (via Time Sheet),รวมคำนวณต้นทุนจำนวนเงิน (ผ่านใบบันทึกเวลา) DocType: Item Website Specification,Item Website Specification,สเปกเว็บไซต์รายการ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ฝากที่ถูกบล็อก @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,ขายใบแจ้งหนี้ไ DocType: Material Request Item,Min Order Qty,จำนวนสั่งซื้อขั้นต่ำ DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,คอร์สกลุ่มนักศึกษาสร้างเครื่องมือ DocType: Lead,Do Not Contact,ไม่ ติดต่อ -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,คนที่สอนในองค์กรของคุณ +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,คนที่สอนในองค์กรของคุณ DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,ID ไม่ซ้ำกันสำหรับการติดตามใบแจ้งหนี้ที่เกิดขึ้นทั้งหมด มันถูกสร้างขึ้นเมื่อส่ง apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,นักพัฒนาซอฟต์แวร์ DocType: Item,Minimum Order Qty,จำนวนสั่งซื้อขั้นต่ำ @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,เผยแพร่ใน Hub DocType: Student Admission,Student Admission,การรับสมัครนักศึกษา ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,รายการ {0} จะถูกยกเลิก -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,ขอวัสดุ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,ขอวัสดุ DocType: Bank Reconciliation,Update Clearance Date,อัพเดทวันที่ Clearance DocType: Item,Purchase Details,รายละเอียดการซื้อ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},รายการ {0} ไม่พบใน 'วัตถุดิบมา' ตารางในการสั่งซื้อ {1} @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,ผู้จัดการกอง apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},แถว # {0}: {1} ไม่สามารถลบสำหรับรายการ {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,รหัสผ่านไม่ถูกต้อง DocType: Item,Variant Of,แตกต่างจาก -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',เสร็จสมบูรณ์จำนวนไม่สามารถจะสูงกว่า 'จำนวนการผลิต' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',เสร็จสมบูรณ์จำนวนไม่สามารถจะสูงกว่า 'จำนวนการผลิต' DocType: Period Closing Voucher,Closing Account Head,ปิดหัวบัญชี DocType: Employee,External Work History,ประวัติการทำงานภายนอก apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,ข้อผิดพลาดในการอ้างอิงแบบวงกลม @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,ระยะห่าง apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} หน่วย [{1}] (แบบ # รายการ / / {1}) ที่พบใน [{2}] (แบบ # / คลังสินค้า / {2}) DocType: Lead,Industry,อุตสาหกรรม DocType: Employee,Job Profile,รายละเอียด งาน +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,นี้ขึ้นอยู่กับการทำธุรกรรมกับ บริษัท นี้ ดูรายละเอียดเพิ่มเติมเกี่ยวกับเส้นเวลาด้านล่าง DocType: Stock Settings,Notify by Email on creation of automatic Material Request,แจ้งทางอีเมล์เมื่อการสร้างการร้องขอวัสดุโดยอัตโนมัติ DocType: Journal Entry,Multi Currency,หลายสกุลเงิน DocType: Payment Reconciliation Invoice,Invoice Type,ประเภทใบแจ้งหนี้ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,หมายเหตุจัดส่งสินค้า +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,หมายเหตุจัดส่งสินค้า apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,การตั้งค่าภาษี apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,ต้นทุนของทรัพย์สินที่ขาย apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,เข้าชำระเงินได้รับการแก้ไขหลังจากที่คุณดึงมัน กรุณาดึงมันอีกครั้ง @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,กรุณากรอก ' ทำซ้ำ ในวัน เดือน ' ค่าของฟิลด์ DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,อัตราที่สกุลเงินลูกค้าจะแปลงเป็นสกุลเงินหลักของลูกค้า DocType: Course Scheduling Tool,Course Scheduling Tool,หลักสูตรเครื่องมือการตั้งเวลา -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},แถว # {0}: ซื้อใบแจ้งหนี้ไม่สามารถทำกับเนื้อหาที่มีอยู่ {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},แถว # {0}: ซื้อใบแจ้งหนี้ไม่สามารถทำกับเนื้อหาที่มีอยู่ {1} DocType: Item Tax,Tax Rate,อัตราภาษี apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} จัดสรรสำหรับพนักงาน {1} แล้วสำหรับรอบระยะเวลา {2} ถึง {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,เลือกรายการ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,เลือกรายการ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ซื้อ ใบแจ้งหนี้ {0} มีการส่ง แล้ว apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},แถว # {0}: รุ่นที่ไม่มีจะต้องเป็นเช่นเดียวกับ {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,แปลงที่ไม่ใช่กลุ่ม @@ -448,7 +447,7 @@ DocType: Employee,Widowed,เป็นม่าย DocType: Request for Quotation,Request for Quotation,ขอใบเสนอราคา DocType: Salary Slip Timesheet,Working Hours,เวลาทำการ DocType: Naming Series,Change the starting / current sequence number of an existing series.,เปลี่ยนหมายเลขลำดับเริ่มต้น / ปัจจุบันของชุดที่มีอยู่ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,สร้างลูกค้าใหม่ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,สร้างลูกค้าใหม่ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",ถ้ากฎการกำหนดราคาหลายยังคงเหนือกว่าผู้ใช้จะขอให้ตั้งลำดับความสำคัญด้วยตนเองเพื่อแก้ไขความขัดแย้ง apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,สร้างใบสั่งซื้อ ,Purchase Register,สั่งซื้อสมัครสมาชิก @@ -474,7 +473,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,ชื่อผู้ตรวจสอบ DocType: Purchase Invoice Item,Quantity and Rate,จำนวนและอัตรา DocType: Delivery Note,% Installed,% ที่ติดตั้งแล้ว -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,ห้องเรียน / ห้องปฏิบัติการอื่น ๆ ที่บรรยายสามารถกำหนด +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,ห้องเรียน / ห้องปฏิบัติการอื่น ๆ ที่บรรยายสามารถกำหนด apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,กรุณาใส่ ชื่อของ บริษัท เป็นครั้งแรก DocType: Purchase Invoice,Supplier Name,ชื่อผู้จัดจำหน่าย apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,อ่านคู่มือ ERPNext @@ -491,7 +490,7 @@ DocType: Account,Old Parent,ผู้ปกครองเก่า apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,ฟิลด์บังคับ - Academic Year apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,ฟิลด์บังคับ - ปีการศึกษา DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,ปรับแต่งข้อความเกริ่นนำที่จะไปเป็นส่วนหนึ่งของอีเมลที่ แต่ละรายการมีข้อความเกริ่นนำแยก -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},โปรดตั้งค่าบัญชีค่าตั้งต้นสำหรับ บริษัท {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},โปรดตั้งค่าบัญชีค่าตั้งต้นสำหรับ บริษัท {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,การตั้งค่าโดยรวม สำหรับกระบวนการผลิตทั้งหมด DocType: Accounts Settings,Accounts Frozen Upto,บัญชีถูกแช่แข็งจนถึง DocType: SMS Log,Sent On,ส่ง @@ -531,7 +530,7 @@ DocType: Journal Entry,Accounts Payable,บัญชีเจ้าหนี้ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,BOMs ที่เลือกไม่ได้สำหรับรายการเดียวกัน DocType: Pricing Rule,Valid Upto,ที่ถูกต้องไม่เกิน DocType: Training Event,Workshop,โรงงาน -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,รายการ บางส่วนของ ลูกค้าของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,รายการ บางส่วนของ ลูกค้าของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,อะไหล่พอที่จะสร้าง apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,รายได้ โดยตรง apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",ไม่สามารถกรอง ตาม บัญชี ถ้า จัดกลุ่มตาม บัญชี @@ -539,7 +538,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,กรุณาเลือกหลักสูตร apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,กรุณาเลือกหลักสูตร DocType: Timesheet Detail,Hrs,ชั่วโมง -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,กรุณาเลือก บริษัท +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,กรุณาเลือก บริษัท DocType: Stock Entry Detail,Difference Account,บัญชี ที่แตกต่างกัน DocType: Purchase Invoice,Supplier GSTIN,ผู้จัดจำหน่าย GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,ไม่สามารถปิดงานเป็นงานขึ้นอยู่กับ {0} ไม่ได้ปิด @@ -556,7 +555,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,โปรดกำหนดระดับสำหรับเกณฑ์ 0% DocType: Sales Order,To Deliver,ที่จะส่งมอบ DocType: Purchase Invoice Item,Item,สินค้า -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,อนุกรมไม่มีรายการไม่สามารถเป็นเศษส่วน +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,อนุกรมไม่มีรายการไม่สามารถเป็นเศษส่วน DocType: Journal Entry,Difference (Dr - Cr),แตกต่าง ( ดร. - Cr ) DocType: Account,Profit and Loss,กำไรและ ขาดทุน apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,รับเหมาช่วงการจัดการ @@ -582,7 +581,7 @@ DocType: Serial No,Warranty Period (Days),ระยะเวลารับป DocType: Installation Note Item,Installation Note Item,รายการหมายเหตุการติดตั้ง DocType: Production Plan Item,Pending Qty,รอดำเนินการจำนวน DocType: Budget,Ignore,ไม่สนใจ -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} ไม่ได้ใช้งาน +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} ไม่ได้ใช้งาน apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS ที่ส่งไปยังหมายเลขดังต่อไปนี้: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ขนาดการตั้งค่าการตรวจสอบสำหรับการพิมพ์ DocType: Salary Slip,Salary Slip Timesheet,Timesheet สลิปเงินเดือน @@ -688,8 +687,8 @@ DocType: Installation Note,IN-,ใน- DocType: Production Order Operation,In minutes,ในไม่กี่นาที DocType: Issue,Resolution Date,วันที่ความละเอียด DocType: Student Batch Name,Batch Name,ชื่อแบทช์ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet สร้าง: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},กรุณาตั้ง ค่าเริ่มต้น เงินสด หรือ บัญชีเงินฝากธนาคาร ใน โหมด ของ การชำระเงิน {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet สร้าง: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},กรุณาตั้ง ค่าเริ่มต้น เงินสด หรือ บัญชีเงินฝากธนาคาร ใน โหมด ของ การชำระเงิน {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ลงทะเบียน DocType: GST Settings,GST Settings,การตั้งค่า GST DocType: Selling Settings,Customer Naming By,การตั้งชื่อตามลูกค้า @@ -709,7 +708,7 @@ DocType: Activity Cost,Projects User,ผู้ใช้โครงการ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,ถูกใช้ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} ไม่พบในตารางรายละเอียดใบแจ้งหนี้ DocType: Company,Round Off Cost Center,ออกรอบศูนย์ต้นทุน -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,การบำรุงรักษา ไปที่ {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,การบำรุงรักษา ไปที่ {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ DocType: Item,Material Transfer,โอนวัสดุ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),เปิด ( Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},การโพสต์ จะต้องมี การประทับเวลา หลังจาก {0} @@ -718,7 +717,7 @@ DocType: Employee Loan,Total Interest Payable,ดอกเบี้ยรวม DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ที่ดินภาษีต้นทุนและค่าใช้จ่าย DocType: Production Order Operation,Actual Start Time,เวลาเริ่มต้นที่เกิดขึ้นจริง DocType: BOM Operation,Operation Time,เปิดบริการเวลา -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,เสร็จสิ้น +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,เสร็จสิ้น apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,ฐาน DocType: Timesheet,Total Billed Hours,รวมชั่วโมงการเรียกเก็บเงิน DocType: Journal Entry,Write Off Amount,เขียนทันทีจำนวน @@ -745,7 +744,7 @@ DocType: Vehicle,Odometer Value (Last),ราคาเครื่องวั apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,การตลาด apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,รายการชำระเงินที่สร้างไว้แล้ว DocType: Purchase Receipt Item Supplied,Current Stock,สต็อกปัจจุบัน -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},แถว # {0}: สินทรัพย์ {1} ไม่เชื่อมโยงกับรายการ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},แถว # {0}: สินทรัพย์ {1} ไม่เชื่อมโยงกับรายการ {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,ดูตัวอย่างสลิปเงินเดือน apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,บัญชี {0} ได้รับการป้อนหลายครั้ง DocType: Account,Expenses Included In Valuation,ค่าใช้จ่ายรวมอยู่ในการประเมินมูลค่า @@ -770,7 +769,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,การ DocType: Journal Entry,Credit Card Entry,เข้าบัตรเครดิต apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,บริษัท ฯ และบัญชี apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,สินค้าที่ได้รับจากผู้จำหน่าย -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,ในราคา +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,ในราคา DocType: Lead,Campaign Name,ชื่อแคมเปญ DocType: Selling Settings,Close Opportunity After Days,ปิดโอกาสหลังจากวัน ,Reserved,ที่สงวนไว้ @@ -795,17 +794,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,พลังงาน DocType: Opportunity,Opportunity From,โอกาสจาก apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,งบเงินเดือน +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,แถว {0}: {1} ต้องระบุหมายเลขผลิตภัณฑ์สำหรับรายการ {2} คุณได้ให้ {3} แล้ว DocType: BOM,Website Specifications,ข้อมูลจำเพาะเว็บไซต์ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: จาก {0} ประเภท {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,แถว {0}: ปัจจัยการแปลงมีผลบังคับใช้ DocType: Employee,A+,A+ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",กฎราคาหลายอยู่กับเกณฑ์เดียวกันโปรดแก้ปัญหาความขัดแย้งโดยการกำหนดลำดับความสำคัญ กฎราคา: {0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,ไม่สามารถยกเลิกการใช้งานหรือยกเลิก BOM ตามที่มีการเชื่อมโยงกับ BOMs อื่น ๆ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,ไม่สามารถยกเลิกการใช้งานหรือยกเลิก BOM ตามที่มีการเชื่อมโยงกับ BOMs อื่น ๆ DocType: Opportunity,Maintenance,การบำรุงรักษา DocType: Item Attribute Value,Item Attribute Value,รายการค่าแอตทริบิวต์ apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,แคมเปญการขาย -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,สร้างเวลาการทำงาน +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,สร้างเวลาการทำงาน DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -858,7 +858,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,การตั้งค่าบัญชีอีเมล apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,กรุณากรอก รายการ แรก DocType: Account,Liability,ความรับผิดชอบ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ตามทำนองคลองธรรมจำนวนเงินไม่สามารถจะสูงกว่าจำนวนเงินที่เรียกร้องในแถว {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ตามทำนองคลองธรรมจำนวนเงินไม่สามารถจะสูงกว่าจำนวนเงินที่เรียกร้องในแถว {0} DocType: Company,Default Cost of Goods Sold Account,เริ่มต้นค่าใช้จ่ายของบัญชีที่ขายสินค้า apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,ราคา ไม่ได้เลือก DocType: Employee,Family Background,ภูมิหลังของครอบครัว @@ -869,10 +869,10 @@ DocType: Company,Default Bank Account,บัญชีธนาคารเริ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",ในการกรองขึ้นอยู่กับพรรคเลือกพรรคพิมพ์ครั้งแรก apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'การปรับสต็อก' ไม่สามารถตรวจสอบได้เพราะรายการไม่ได้จัดส่งผ่านทาง {0} DocType: Vehicle,Acquisition Date,การได้มาซึ่งวัน -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,รายการที่มี weightage ที่สูงขึ้นจะแสดงที่สูงขึ้น DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,รายละเอียดการกระทบยอดธนาคาร -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,แถว # {0}: สินทรัพย์ {1} จะต้องส่ง +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,แถว # {0}: สินทรัพย์ {1} จะต้องส่ง apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,พบว่า พนักงานที่ ไม่มี DocType: Supplier Quotation,Stopped,หยุด DocType: Item,If subcontracted to a vendor,ถ้าเหมาไปยังผู้ขาย @@ -889,7 +889,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,จำนวนใบแ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ศูนย์ต้นทุน {2} ไม่ได้เป็นของ บริษัท {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: บัญชี {2} ไม่สามารถเป็นกลุ่ม apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,รายการแถว {IDX}: {DOCTYPE} {} DOCNAME ไม่อยู่ในข้างต้น '{} DOCTYPE' ตาราง -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} เสร็จสมบูรณ์แล้วหรือยกเลิก +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} เสร็จสมบูรณ์แล้วหรือยกเลิก apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ไม่มีงาน DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","วันของเดือนที่ใบแจ้งหนี้อัตโนมัติจะถูกสร้างขึ้นเช่น 05, 28 ฯลฯ" DocType: Asset,Opening Accumulated Depreciation,เปิดค่าเสื่อมราคาสะสม @@ -948,7 +948,7 @@ DocType: SMS Log,Requested Numbers,ตัวเลขการขอ DocType: Production Planning Tool,Only Obtain Raw Materials,ขอรับเฉพาะวัตถุดิบ apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,ประเมินผลการปฏิบัติ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",การเปิดใช้งาน 'ใช้สำหรับรถเข็น' เป็นรถเข็นถูกเปิดใช้งานและควรจะมีกฎภาษีอย่างน้อยหนึ่งสำหรับรถเข็น -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",รายการชำระเงิน {0} มีการเชื่อมโยงกับการสั่งซื้อ {1} ตรวจสอบว่ามันควรจะดึงล่วงหน้าในใบแจ้งหนี้นี้ +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",รายการชำระเงิน {0} มีการเชื่อมโยงกับการสั่งซื้อ {1} ตรวจสอบว่ามันควรจะดึงล่วงหน้าในใบแจ้งหนี้นี้ DocType: Sales Invoice Item,Stock Details,หุ้นรายละเอียด apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,มูลค่าโครงการ apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,จุดขาย @@ -971,15 +971,15 @@ DocType: Naming Series,Update Series,Series ปรับปรุง DocType: Supplier Quotation,Is Subcontracted,เหมา DocType: Item Attribute,Item Attribute Values,รายการค่าแอตทริบิวต์ DocType: Examination Result,Examination Result,ผลการตรวจสอบ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,ใบเสร็จรับเงินการสั่งซื้อ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,ใบเสร็จรับเงินการสั่งซื้อ ,Received Items To Be Billed,รายการที่ได้รับจะถูกเรียกเก็บเงิน -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ส่งสลิปเงินเดือน +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,ส่งสลิปเงินเดือน apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,นาย อัตรา แลกเปลี่ยนเงินตราต่างประเทศ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},อ้างอิง Doctype ต้องเป็นหนึ่งใน {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},ไม่สามารถหาช่วงเวลาใน {0} วันถัดไปสำหรับการปฏิบัติงาน {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},ไม่สามารถหาช่วงเวลาใน {0} วันถัดไปสำหรับการปฏิบัติงาน {1} DocType: Production Order,Plan material for sub-assemblies,วัสดุแผนประกอบย่อย apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,พันธมิตรการขายและดินแดน -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} จะต้องใช้งาน +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} จะต้องใช้งาน DocType: Journal Entry,Depreciation Entry,รายการค่าเสื่อมราคา apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,เลือกประเภทของเอกสารที่แรก apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ยกเลิก การเข้าชม วัสดุ {0} ก่อนที่จะ ยกเลิก การบำรุงรักษา นี้ เยี่ยมชม @@ -989,7 +989,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,รวมเป็นเงิน apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,สำนักพิมพ์ ทางอินเทอร์เน็ต DocType: Production Planning Tool,Production Orders,คำสั่งซื้อการผลิต -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,ความสมดุลของ ความคุ้มค่า +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,ความสมดุลของ ความคุ้มค่า apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,ขายราคาตามรายการ apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,เผยแพร่เพื่อซิงค์รายการ DocType: Bank Reconciliation,Account Currency,สกุลเงินของบัญชี @@ -1014,12 +1014,12 @@ DocType: Employee,Exit Interview Details,ออกจากรายละเอ DocType: Item,Is Purchase Item,รายการซื้อเป็น DocType: Asset,Purchase Invoice,ซื้อใบแจ้งหนี้ DocType: Stock Ledger Entry,Voucher Detail No,รายละเอียดบัตรกำนัลไม่มี -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,ใบแจ้งหนี้การขายใหม่ +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,ใบแจ้งหนี้การขายใหม่ DocType: Stock Entry,Total Outgoing Value,มูลค่าที่ส่งออกทั้งหมด apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,เปิดวันที่และวันปิดควรจะอยู่ในปีงบประมาณเดียวกัน DocType: Lead,Request for Information,การร้องขอข้อมูล ,LeaderBoard,ลีดเดอร์ -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,ซิงค์ออฟไลน์ใบแจ้งหนี้ +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,ซิงค์ออฟไลน์ใบแจ้งหนี้ DocType: Payment Request,Paid,ชำระ DocType: Program Fee,Program Fee,ค่าธรรมเนียมโครงการ DocType: Salary Slip,Total in words,รวมอยู่ในคำพูด @@ -1027,7 +1027,7 @@ DocType: Material Request Item,Lead Time Date,นำวันเวลา DocType: Guardian,Guardian Name,ชื่อผู้ปกครอง DocType: Cheque Print Template,Has Print Format,มีรูปแบบการพิมพ์ DocType: Employee Loan,Sanctioned,ตามทำนองคลองธรรม -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,จำเป็นต้องใช้ ลองตรวจสอบบันทึกแลกเปลี่ยนเงินตราต่างประเทศที่อาจจะยังไม่ได้ถูกสร้างขึ้น +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,จำเป็นต้องใช้ ลองตรวจสอบบันทึกแลกเปลี่ยนเงินตราต่างประเทศที่อาจจะยังไม่ได้ถูกสร้างขึ้น apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},แถว # {0}: โปรดระบุหมายเลขเครื่องกับรายการ {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","สำหรับรายการ 'Bundle สินค้า, คลังสินค้า, ไม่มี Serial และรุ่นที่จะไม่ได้รับการพิจารณาจาก' บรรจุรายชื่อ 'ตาราง ถ้าคลังสินค้าและรุ่นที่ไม่มีเหมือนกันสำหรับรายการที่บรรจุทั้งหมดรายการใด ๆ 'Bundle สินค้า' ค่าเหล่านั้นสามารถป้อนในตารางรายการหลักค่าจะถูกคัดลอกไปบรรจุรายชื่อ 'ตาราง" DocType: Job Opening,Publish on website,เผยแพร่บนเว็บไซต์ @@ -1040,7 +1040,7 @@ DocType: Cheque Print Template,Date Settings,การตั้งค่าข apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ความแปรปรวน ,Company Name,ชื่อ บริษัท DocType: SMS Center,Total Message(s),ข้อความ รวม (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,เลือกรายการสำหรับการโอนเงิน +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,เลือกรายการสำหรับการโอนเงิน DocType: Purchase Invoice,Additional Discount Percentage,เพิ่มเติมร้อยละส่วนลด apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,ดูรายการทั้งหมดวิดีโอความช่วยเหลือที่ DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,เลือกหัวที่บัญชีของธนาคารที่ตรวจสอบถูกวาง @@ -1055,7 +1055,7 @@ DocType: BOM,Raw Material Cost(Company Currency),ต้นทุนวัตถ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,รายการทั้งหมดที่ได้รับการโอนใบสั่งผลิตนี้ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},แถว # {0}: อัตราไม่สามารถสูงกว่าอัตราที่ใช้ใน {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},แถว # {0}: อัตราไม่สามารถสูงกว่าอัตราที่ใช้ใน {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,เมตร +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,เมตร DocType: Workstation,Electricity Cost,ค่าใช้จ่าย ไฟฟ้า DocType: HR Settings,Don't send Employee Birthday Reminders,อย่าส่ง พนักงาน เตือนวันเกิด DocType: Item,Inspection Criteria,เกณฑ์การตรวจสอบ @@ -1069,7 +1069,7 @@ DocType: SMS Center,All Lead (Open),ช่องทางทั้งหมด ( apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),แถว {0}: จำนวนไม่สามารถใช้ได้สำหรับ {4} ในคลังสินค้า {1} ที่โพสต์เวลาของรายการ ({2} {3}) DocType: Purchase Invoice,Get Advances Paid,รับเงินทดรองจ่าย DocType: Item,Automatically Create New Batch,สร้างชุดงานใหม่โดยอัตโนมัติ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,สร้าง +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,สร้าง DocType: Student Admission,Admission Start Date,การรับสมัครวันที่เริ่มต้น DocType: Journal Entry,Total Amount in Words,จำนวนเงินทั้งหมดในคำ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,เกิดข้อผิดพลาด น่าจะเป็น เหตุผลหนึ่งที่ อาจ เป็นไปได้ว่า คุณ ยังไม่ได้บันทึก ในรูปแบบ โปรดติดต่อ support@erpnext.com ถ้า ปัญหายังคงอยู่ @@ -1077,7 +1077,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,รถเข็นข apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ประเภทการสั่งซื้อต้องเป็นหนึ่งใน {0} DocType: Lead,Next Contact Date,วันที่ถัดไปติดต่อ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,เปิด จำนวน -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,กรุณากรอกบัญชีเพื่อการเปลี่ยนแปลงจำนวน +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,กรุณากรอกบัญชีเพื่อการเปลี่ยนแปลงจำนวน DocType: Student Batch Name,Student Batch Name,นักศึกษาชื่อชุด DocType: Holiday List,Holiday List Name,ชื่อรายการวันหยุด DocType: Repayment Schedule,Balance Loan Amount,ยอดคงเหลือวงเงินกู้ @@ -1085,7 +1085,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ตัวเลือกหุ้น DocType: Journal Entry Account,Expense Claim,เรียกร้องค่าใช้จ่าย apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,จริงๆคุณต้องการเรียกคืนสินทรัพย์ไนต์นี้หรือไม่? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},จำนวนสำหรับ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},จำนวนสำหรับ {0} DocType: Leave Application,Leave Application,ออกจากแอพลิเคชัน apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,ฝากเครื่องมือการจัดสรร DocType: Leave Block List,Leave Block List Dates,ไม่ระบุวันที่รายการบล็อก @@ -1136,7 +1136,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,กับ DocType: Item,Default Selling Cost Center,ขาย เริ่มต้นที่ ศูนย์ต้นทุน DocType: Sales Partner,Implementation Partner,พันธมิตรการดำเนินงาน -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,รหัสไปรษณีย์ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,รหัสไปรษณีย์ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},ใบสั่งขาย {0} เป็น {1} DocType: Opportunity,Contact Info,ข้อมูลการติดต่อ apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,ทำรายการสต็อก @@ -1155,14 +1155,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,วันที่เข้าร่วมตรึง DocType: School Settings,Attendance Freeze Date,วันที่เข้าร่วมตรึง DocType: Opportunity,Your sales person who will contact the customer in future,คนขายของคุณที่จะติดต่อกับลูกค้าในอนาคต -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,รายการ บางส่วนของ ซัพพลายเออร์ ของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,รายการ บางส่วนของ ซัพพลายเออร์ ของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,ดูผลิตภัณฑ์ทั้งหมด apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),อายุนำขั้นต่ำ (วัน) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),อายุนำขั้นต่ำ (วัน) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,BOMs ทั้งหมด +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,BOMs ทั้งหมด DocType: Company,Default Currency,สกุลเงินเริ่มต้น DocType: Expense Claim,From Employee,จากพนักงาน -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,คำเตือน: ระบบ จะไม่ตรวจสอบ overbilling ตั้งแต่ จำนวนเงิน รายการ {0} ใน {1} เป็นศูนย์ +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,คำเตือน: ระบบ จะไม่ตรวจสอบ overbilling ตั้งแต่ จำนวนเงิน รายการ {0} ใน {1} เป็นศูนย์ DocType: Journal Entry,Make Difference Entry,บันทึกผลต่าง DocType: Upload Attendance,Attendance From Date,ผู้เข้าร่วมจากวันที่ DocType: Appraisal Template Goal,Key Performance Area,พื้นที่การดำเนินงานหลัก @@ -1179,7 +1179,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,เลขทะเบียน บริษัท สำหรับการอ้างอิงของคุณ ตัวเลขภาษี ฯลฯ DocType: Sales Partner,Distributor,ผู้จัดจำหน่าย DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,รถเข็นกฎการจัดส่งสินค้า -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,สั่งผลิต {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,สั่งผลิต {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',โปรดตั้ง 'ใช้ส่วนลดเพิ่มเติมใน' ,Ordered Items To Be Billed,รายการที่สั่งซื้อจะเรียกเก็บเงิน apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,จากช่วงจะต้องมีน้อยกว่าในช่วง @@ -1188,10 +1188,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,การหักเงิน DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ปีวันเริ่มต้น -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},ตัวเลข 2 หลักแรกของ GSTIN ควรตรงกับหมายเลข State {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},ตัวเลข 2 หลักแรกของ GSTIN ควรตรงกับหมายเลข State {0} DocType: Purchase Invoice,Start date of current invoice's period,วันที่เริ่มต้นของระยะเวลาการออกใบแจ้งหนี้ปัจจุบัน DocType: Salary Slip,Leave Without Pay,ฝากโดยไม่ต้องจ่าย -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ข้อผิดพลาดการวางแผนกำลังการผลิต +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,ข้อผิดพลาดการวางแผนกำลังการผลิต ,Trial Balance for Party,งบทดลองสำหรับพรรค DocType: Lead,Consultant,ผู้ให้คำปรึกษา DocType: Salary Slip,Earnings,ผลกำไร @@ -1207,7 +1207,7 @@ DocType: Cheque Print Template,Payer Settings,การตั้งค่าก DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","นี้จะถูกผนวกเข้ากับรหัสสินค้าของตัวแปร ตัวอย่างเช่นถ้าย่อของคุณคือ ""เอสเอ็ม"" และรหัสรายการคือ ""เสื้อยืด"" รหัสรายการของตัวแปรจะเป็น ""เสื้อ-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,จ่ายสุทธิ (คำ) จะสามารถมองเห็นได้เมื่อคุณบันทึกสลิปเงินเดือน DocType: Purchase Invoice,Is Return,คือการกลับมา -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,ย้อนกลับ / เดบิตหมายเหตุ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,ย้อนกลับ / เดบิตหมายเหตุ DocType: Price List Country,Price List Country,ราคาประเทศ DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} หมายเลขประจำเครื่องที่ถูกต้องสำหรับรายการ {1} @@ -1220,7 +1220,7 @@ DocType: Employee Loan,Partially Disbursed,การเบิกจ่ายบ apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ฐานข้อมูลผู้ผลิต DocType: Account,Balance Sheet,รายงานงบดุล apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',ศูนย์ต้นทุนสำหรับสินค้าที่มีรหัสสินค้า ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",วิธีการชำระเงินไม่ได้กำหนดค่า กรุณาตรวจสอบไม่ว่าจะเป็นบัญชีที่ได้รับการตั้งค่าในโหมดของการชำระเงินหรือบนโปรไฟล์ POS +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",วิธีการชำระเงินไม่ได้กำหนดค่า กรุณาตรวจสอบไม่ว่าจะเป็นบัญชีที่ได้รับการตั้งค่าในโหมดของการชำระเงินหรือบนโปรไฟล์ POS DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,คนขายของคุณจะรับการแจ้งเตือนในวันนี้ที่จะติดต่อลูกค้า apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,รายการเดียวกันไม่สามารถเข้ามาหลายครั้ง apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",บัญชีเพิ่มเติมสามารถทำภายใต้กลุ่ม แต่รายการที่สามารถทำกับกลุ่มที่ไม่ @@ -1250,7 +1250,7 @@ DocType: Employee Loan Application,Repayment Info,ข้อมูลการช apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,' รายการ ' ต้องไม่ว่างเปล่า apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},แถว ที่ซ้ำกัน {0} ด้วย เหมือนกัน {1} ,Trial Balance,งบทดลอง -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,ปีงบประมาณ {0} ไม่พบ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,ปีงบประมาณ {0} ไม่พบ apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,การตั้งค่าพนักงาน DocType: Sales Order,SO-,ดังนั้น- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,กรุณาเลือก คำนำหน้า เป็นครั้งแรก @@ -1265,11 +1265,11 @@ DocType: Grading Scale,Intervals,ช่วงเวลา apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ที่เก่าแก่ที่สุด apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",รายการกลุ่ม ที่มีอยู่ ที่มีชื่อเดียวกัน กรุณาเปลี่ยน ชื่อรายการหรือเปลี่ยนชื่อ กลุ่ม รายการ apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,หมายเลขโทรศัพท์มือถือของนักเรียน -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ส่วนที่เหลือ ของโลก +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,ส่วนที่เหลือ ของโลก apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,รายการ {0} ไม่สามารถมีแบทช์ ,Budget Variance Report,รายงานความแปรปรวนของงบประมาณ DocType: Salary Slip,Gross Pay,จ่ายขั้นต้น -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,แถว {0}: ประเภทกิจกรรมมีผลบังคับใช้ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,แถว {0}: ประเภทกิจกรรมมีผลบังคับใช้ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,การจ่ายเงินปันผล apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,บัญชีแยกประเภท DocType: Stock Reconciliation,Difference Amount,ความแตกต่างจำนวน @@ -1292,18 +1292,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,ยอดคงเหลือพนักงานออก apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},ยอดคงเหลือ บัญชี {0} จะต้อง {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},อัตราการประเมินที่จำเป็นสำหรับรายการในแถว {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ตัวอย่าง: ปริญญาโทในสาขาวิทยาศาสตร์คอมพิวเตอร์ +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,ตัวอย่าง: ปริญญาโทในสาขาวิทยาศาสตร์คอมพิวเตอร์ DocType: Purchase Invoice,Rejected Warehouse,คลังสินค้าปฏิเสธ DocType: GL Entry,Against Voucher,กับบัตรกำนัล DocType: Item,Default Buying Cost Center,ศูนย์รายจ่ายการซื้อเริ่มต้น apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",เพื่อให้ได้สิ่งที่ดีที่สุดของ ERPNext เราขอแนะนำให้คุณใช้เวลาในการดูวิดีโอเหล่านี้ช่วย -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,ไปยัง +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,ไปยัง DocType: Supplier Quotation Item,Lead Time in days,ระยะเวลาในวันที่ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,สรุปบัญชีเจ้าหนี้ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},การชำระเงินของเงินเดือนจาก {0} เป็น {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},การชำระเงินของเงินเดือนจาก {0} เป็น {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},ได้รับอนุญาตให้ แก้ไข บัญชี แช่แข็ง {0} DocType: Journal Entry,Get Outstanding Invoices,รับใบแจ้งหนี้ค้าง -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,การขายสินค้า {0} ไม่ถูกต้อง +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,การขายสินค้า {0} ไม่ถูกต้อง apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,คำสั่งซื้อที่ช่วยให้คุณวางแผนและติดตามในการซื้อสินค้าของคุณ apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",ขออภัย บริษัท ไม่สามารถ รวม apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1325,8 +1325,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,ค่าใช้จ่าย ทางอ้อม apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,แถว {0}: จำนวนมีผลบังคับใช้ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,การเกษตร -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,ซิงค์ข้อมูลหลัก -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,สินค้า หรือ บริการของคุณ +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,ซิงค์ข้อมูลหลัก +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,สินค้า หรือ บริการของคุณ DocType: Mode of Payment,Mode of Payment,โหมดของการชำระเงิน apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,ภาพ Website ควรจะเป็นไฟล์สาธารณะหรือ URL ของเว็บไซต์ DocType: Student Applicant,AP,AP @@ -1346,18 +1346,18 @@ DocType: Student Group Student,Group Roll Number,หมายเลขกลุ DocType: Student Group Student,Group Roll Number,หมายเลขกลุ่ม apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",มีบัญชีประเภทเครดิตเท่านั้น ที่สามารถเชื่อมโยงกับรายการประเภทเดบิต สำหรับ {0} apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,รวมทุกน้ำหนักงานควรจะ 1. โปรดปรับน้ำหนักของงานโครงการทั้งหมดตาม -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,หมายเหตุ การจัดส่ง {0} ไม่ได้ ส่ง +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,หมายเหตุ การจัดส่ง {0} ไม่ได้ ส่ง apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,รายการ {0} จะต้องเป็น รายการ ย่อย หด apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,อุปกรณ์ ทุน apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",กฎข้อแรกคือการกำหนดราคาเลือกตาม 'สมัครในสนามซึ่งจะมีรายการกลุ่มสินค้าหรือยี่ห้อ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,โปรดตั้งค่ารหัสรายการก่อน +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,โปรดตั้งค่ารหัสรายการก่อน DocType: Hub Settings,Seller Website,เว็บไซต์ขาย DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,ร้อยละ จัดสรร รวม สำหรับทีม ขายควร เป็น 100 DocType: Appraisal Goal,Goal,เป้าหมาย DocType: Sales Invoice Item,Edit Description,แก้ไขรายละเอียด ,Team Updates,การปรับปรุงทีม -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,สำหรับ ผู้ผลิต +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,สำหรับ ผู้ผลิต DocType: Account,Setting Account Type helps in selecting this Account in transactions.,ประเภทบัญชีการตั้งค่าช่วยในการเลือกบัญชีนี้ในการทำธุรกรรม DocType: Purchase Invoice,Grand Total (Company Currency),รวมทั้งสิ้น (สกุลเงิน บริษัท) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,สร้างรูปแบบการพิมพ์ @@ -1371,12 +1371,12 @@ DocType: Item,Website Item Groups,กลุ่มรายการเว็บ DocType: Purchase Invoice,Total (Company Currency),รวม (บริษัท สกุลเงิน) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,หมายเลข {0} เข้ามา มากกว่าหนึ่งครั้ง DocType: Depreciation Schedule,Journal Entry,รายการบันทึก -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} รายการ อยู่ระหว่างดำเนินการ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} รายการ อยู่ระหว่างดำเนินการ DocType: Workstation,Workstation Name,ชื่อเวิร์กสเตชัน DocType: Grading Scale Interval,Grade Code,รหัสเกรด DocType: POS Item Group,POS Item Group,กลุ่มสินค้า จุดขาย apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ส่งอีเมล์หัวข้อสำคัญ: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} ไม่ได้อยู่ในรายการ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} ไม่ได้อยู่ในรายการ {1} DocType: Sales Partner,Target Distribution,การกระจายเป้าหมาย DocType: Salary Slip,Bank Account No.,เลขที่บัญชีธนาคาร DocType: Naming Series,This is the number of the last created transaction with this prefix,นี่คือหมายเลขของรายการที่สร้างขึ้นล่าสุดกับคำนำหน้านี้ @@ -1434,7 +1434,7 @@ DocType: Quotation,Shopping Cart,รถเข็นช้อปปิ้ง apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,เฉลี่ยวันขาออก DocType: POS Profile,Campaign,รณรงค์ DocType: Supplier,Name and Type,ชื่อและประเภท -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',สถานะการอนุมัติ ต้อง 'อนุมัติ ' หรือ ' ปฏิเสธ ' +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',สถานะการอนุมัติ ต้อง 'อนุมัติ ' หรือ ' ปฏิเสธ ' DocType: Purchase Invoice,Contact Person,Contact Person apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','วันที่คาดว่าจะเริ่มต้น' ไม่สามารถ จะมากกว่า 'วันที่คาดว่าจะจบ' DocType: Course Scheduling Tool,Course End Date,แน่นอนวันที่สิ้นสุด @@ -1446,8 +1446,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,ที่ต้องการอีเมล์ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,เปลี่ยนสุทธิในสินทรัพย์ถาวร DocType: Leave Control Panel,Leave blank if considered for all designations,เว้นไว้หากพิจารณากำหนดทั้งหมด -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ค่าใช้จ่าย ประเภท ' จริง ' ในแถว {0} ไม่สามารถ รวมอยู่ใน อัตรา รายการ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},สูงสุด: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ค่าใช้จ่าย ประเภท ' จริง ' ในแถว {0} ไม่สามารถ รวมอยู่ใน อัตรา รายการ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},สูงสุด: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,จาก Datetime DocType: Email Digest,For Company,สำหรับ บริษัท apps/erpnext/erpnext/config/support.py +17,Communication log.,บันทึกการสื่อสาร @@ -1489,7 +1489,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.",รายละ DocType: Journal Entry Account,Account Balance,ยอดเงินในบัญชี apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,กฎภาษีสำหรับการทำธุรกรรม DocType: Rename Tool,Type of document to rename.,ประเภทของเอกสารที่จะเปลี่ยนชื่อ -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,เราซื้อ รายการ นี้ +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,เราซื้อ รายการ นี้ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ลูกค้าเป็นสิ่งจำเป็นในบัญชีลูกหนี้ {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),รวมภาษีและค่าบริการ (สกุลเงิน บริษัท ) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,แสดงยอดคงเหลือ P & L ปีงบประมาณ unclosed ของ @@ -1500,7 +1500,7 @@ DocType: Quality Inspection,Readings,อ่าน DocType: Stock Entry,Total Additional Costs,รวมค่าใช้จ่ายเพิ่มเติม DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),ต้นทุนเศษวัสดุ ( บริษัท สกุล) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,ประกอบ ย่อย +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,ประกอบ ย่อย DocType: Asset,Asset Name,ชื่อสินทรัพย์ DocType: Project,Task Weight,งานน้ำหนัก DocType: Shipping Rule Condition,To Value,เพื่อให้มีค่า @@ -1529,7 +1529,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,รายการที DocType: Company,Services,การบริการ DocType: HR Settings,Email Salary Slip to Employee,อีเมล์สลิปเงินเดือนให้กับพนักงาน DocType: Cost Center,Parent Cost Center,ศูนย์ต้นทุนผู้ปกครอง -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,เลือกผู้ผลิตที่เป็นไปได้ +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,เลือกผู้ผลิตที่เป็นไปได้ DocType: Sales Invoice,Source,แหล่ง apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,แสดงปิด DocType: Leave Type,Is Leave Without Pay,ถูกทิ้งไว้โดยไม่ต้องจ่ายเงิน @@ -1541,7 +1541,7 @@ DocType: POS Profile,Apply Discount,ใช้ส่วนลด DocType: GST HSN Code,GST HSN Code,รหัส HSST ของ GST DocType: Employee External Work History,Total Experience,ประสบการณ์รวม apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,เปิดโครงการ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,บรรจุ สลิป (s) ยกเลิก +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,บรรจุ สลิป (s) ยกเลิก apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,กระแสเงินสดจากการลงทุน DocType: Program Course,Program Course,หลักสูตรโปรแกรม apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,การขนส่งสินค้าและ การส่งต่อ ค่าใช้จ่าย @@ -1582,9 +1582,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,การลงทะเบียนโปรแกรม DocType: Sales Invoice Item,Brand Name,ชื่อยี่ห้อ DocType: Purchase Receipt,Transporter Details,รายละเอียด Transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,คลังสินค้าเริ่มต้นเป็นสิ่งจำเป็นสำหรับรายการที่เลือก -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,กล่อง -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,ผู้ผลิตที่เป็นไปได้ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,คลังสินค้าเริ่มต้นเป็นสิ่งจำเป็นสำหรับรายการที่เลือก +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,กล่อง +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,ผู้ผลิตที่เป็นไปได้ DocType: Budget,Monthly Distribution,การกระจายรายเดือน apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,รายชื่อ ผู้รับ ว่างเปล่า กรุณาสร้าง รายชื่อ รับ DocType: Production Plan Sales Order,Production Plan Sales Order,แผนสั่งซื้อขาย @@ -1617,7 +1617,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,การเ apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students",นักเรียนจะได้หัวใจของระบบเพิ่มนักเรียนของคุณทั้งหมด apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},แถว # {0}: วัน Clearance {1} ไม่สามารถจะก่อนวันที่เช็ค {2} DocType: Company,Default Holiday List,เริ่มต้นรายการที่ฮอลิเดย์ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},แถว {0}: จากเวลาและเวลาของ {1} มีการทับซ้อนกันด้วย {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},แถว {0}: จากเวลาและเวลาของ {1} มีการทับซ้อนกันด้วย {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,หนี้สิน หุ้น DocType: Purchase Invoice,Supplier Warehouse,คลังสินค้าผู้จัดจำหน่าย DocType: Opportunity,Contact Mobile No,เบอร์มือถือไม่มี @@ -1633,18 +1633,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},การลา ประเภท {0} ไม่สามารถ จะยาวกว่า {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,ลองวางแผน X วันล่วงหน้า DocType: HR Settings,Stop Birthday Reminders,หยุด วันเกิด การแจ้งเตือน -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},กรุณาตั้งค่าเริ่มต้นเงินเดือนบัญชีเจ้าหนี้ บริษัท {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},กรุณาตั้งค่าเริ่มต้นเงินเดือนบัญชีเจ้าหนี้ บริษัท {0} DocType: SMS Center,Receiver List,รายชื่อผู้รับ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,ค้นหาค้นหาสินค้า +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,ค้นหาค้นหาสินค้า apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,บริโภคจํานวนเงิน apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,เปลี่ยนเป็นเงินสดสุทธิ DocType: Assessment Plan,Grading Scale,ระดับคะแนน apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,หน่วย ของการวัด {0} ได้รับการป้อน มากกว่าหนึ่งครั้งใน การแปลง ปัจจัย ตาราง -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,เสร็จสิ้นแล้ว +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,เสร็จสิ้นแล้ว apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,หุ้นอยู่ในมือ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},รวมเข้ากับการชำระเงินที่มีอยู่แล้ว {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,ค่าใช้จ่ายของรายการที่ออก -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},จำนวนต้องไม่เกิน {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},จำนวนต้องไม่เกิน {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,ปีก่อนหน้านี้ทางการเงินไม่ได้ปิด apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),อายุ (วัน) DocType: Quotation Item,Quotation Item,รายการใบเสนอราคา @@ -1658,6 +1658,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,เอกสารอ้างอิง apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ถูกยกเลิกหรือหยุดแล้ว DocType: Accounts Settings,Credit Controller,ควบคุมเครดิต +DocType: Sales Order,Final Delivery Date,วันที่ส่งมอบครั้งสุดท้าย DocType: Delivery Note,Vehicle Dispatch Date,วันที่ส่งรถ DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,รับซื้อ {0} ไม่ได้ ส่ง @@ -1750,9 +1751,9 @@ DocType: Employee,Date Of Retirement,วันที่ของการเก DocType: Upload Attendance,Get Template,รับแม่แบบ DocType: Material Request,Transferred,โอน DocType: Vehicle,Doors,ประตู -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,การติดตั้ง ERPNext เสร็จสิ้น +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,การติดตั้ง ERPNext เสร็จสิ้น DocType: Course Assessment Criteria,Weightage,weightage -DocType: Sales Invoice,Tax Breakup,การแบ่งภาษี +DocType: Purchase Invoice,Tax Breakup,การแบ่งภาษี DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'ศูนย์ต้นทุน' เป็นสิ่งจำเป็นสำหรับบัญชี 'กำไรขาดทุน ' {2} โปรดตั้งค่าเริ่มต้นสำหรับศูนย์ต้นทุนของบริษัท apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,กลุ่ม ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน โปรด เปลี่ยนชื่อ ลูกค้าหรือเปลี่ยนชื่อ กลุ่ม ลูกค้า @@ -1765,14 +1766,14 @@ DocType: Announcement,Instructor,อาจารย์ผู้สอน DocType: Employee,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",หากรายการนี้มีสายพันธุ์แล้วมันไม่สามารถเลือกในการสั่งซื้อการขายอื่น ๆ DocType: Lead,Next Contact By,ติดต่อถัดไป -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},จำนวน รายการ ที่จำเป็นสำหรับ {0} ในแถว {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},จำนวน รายการ ที่จำเป็นสำหรับ {0} ในแถว {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},คลังสินค้า {0} ไม่สามารถลบได้ เนื่องจากมีรายการ {1} DocType: Quotation,Order Type,ประเภทสั่งซื้อ DocType: Purchase Invoice,Notification Email Address,ที่อยู่อีเมลการแจ้งเตือน ,Item-wise Sales Register,การขายสินค้าที่ชาญฉลาดสมัครสมาชิก DocType: Asset,Gross Purchase Amount,จำนวนการสั่งซื้อขั้นต้น DocType: Asset,Depreciation Method,วิธีการคิดค่าเสื่อมราคา -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ออฟไลน์ +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ออฟไลน์ DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,คือภาษีนี้รวมอยู่ในอัตราขั้นพื้นฐาน? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,เป้าหมายรวม DocType: Job Applicant,Applicant for a Job,สำหรับผู้สมัครงาน @@ -1794,7 +1795,7 @@ DocType: Employee,Leave Encashed?,ฝาก Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,โอกาสจากข้อมูลมีผลบังคับใช้ DocType: Email Digest,Annual Expenses,ค่าใช้จ่ายประจำปี DocType: Item,Variants,สายพันธุ์ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,สร้างใบสั่งซื้อ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,สร้างใบสั่งซื้อ DocType: SMS Center,Send To,ส่งให้ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ที่มีอยู่ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0} DocType: Payment Reconciliation Payment,Allocated amount,จำนวนเงินที่จัดสรร @@ -1802,7 +1803,7 @@ DocType: Sales Team,Contribution to Net Total,สมทบสุทธิ DocType: Sales Invoice Item,Customer's Item Code,รหัสสินค้าของลูกค้า DocType: Stock Reconciliation,Stock Reconciliation,สมานฉันท์สต็อก DocType: Territory,Territory Name,ชื่อดินแดน -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,ทำงาน ความคืบหน้าใน คลังสินค้า จะต้อง ก่อนที่จะ ส่ง +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,ทำงาน ความคืบหน้าใน คลังสินค้า จะต้อง ก่อนที่จะ ส่ง apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,ผู้สมัครงาน DocType: Purchase Order Item,Warehouse and Reference,คลังสินค้าและการอ้างอิง DocType: Supplier,Statutory info and other general information about your Supplier,ข้อมูลตามกฎหมายและข้อมูลทั่วไปอื่น ๆ เกี่ยวกับผู้จำหน่ายของคุณ @@ -1815,16 +1816,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,การประเมิน apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},ซ้ำ หมายเลขเครื่อง ป้อนสำหรับ รายการ {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,เงื่อนไขสำหรับกฎการจัดส่งสินค้า apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,กรุณากรอก -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",ไม่สามารถ overbill สำหรับรายการ {0} ในแถว {1} มากกว่า {2} ในการอนุญาตให้มากกว่าการเรียกเก็บเงินโปรดตั้งค่าในการซื้อการตั้งค่า -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,กรุณาตั้งค่าตัวกรองขึ้นอยู่กับสินค้าหรือคลังสินค้า +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",ไม่สามารถ overbill สำหรับรายการ {0} ในแถว {1} มากกว่า {2} ในการอนุญาตให้มากกว่าการเรียกเก็บเงินโปรดตั้งค่าในการซื้อการตั้งค่า +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,กรุณาตั้งค่าตัวกรองขึ้นอยู่กับสินค้าหรือคลังสินค้า DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),น้ำหนักสุทธิของแพคเกจนี้ (คำนวณโดยอัตโนมัติเป็นที่รวมของน้ำหนักสุทธิของรายการ) DocType: Sales Order,To Deliver and Bill,การส่งและบิล DocType: Student Group,Instructors,อาจารย์ผู้สอน DocType: GL Entry,Credit Amount in Account Currency,จำนวนเงินเครดิตสกุลเงินในบัญชี -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} จะต้องส่ง +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} จะต้องส่ง DocType: Authorization Control,Authorization Control,ควบคุมการอนุมัติ apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},แถว # {0}: ปฏิเสธคลังสินค้ามีผลบังคับใช้กับปฏิเสธรายการ {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,วิธีการชำระเงิน +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,วิธีการชำระเงิน apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",คลังสินค้า {0} ไม่ได้เชื่อมโยงกับบัญชีใด ๆ โปรดระบุบัญชีในบันทึกคลังสินค้าหรือตั้งค่าบัญชีพื้นที่เก็บข้อมูลเริ่มต้นใน บริษัท {1} apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,จัดการคำสั่งซื้อของคุณ DocType: Production Order Operation,Actual Time and Cost,เวลาที่เกิดขึ้นจริงและค่าใช้จ่าย @@ -1840,12 +1841,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,กำ DocType: Quotation Item,Actual Qty,จำนวนจริง DocType: Sales Invoice Item,References,อ้างอิง DocType: Quality Inspection Reading,Reading 10,อ่าน 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",รายการสินค้า หรือบริการที่คุณ ซื้อหรือขาย ของคุณ +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",รายการสินค้า หรือบริการที่คุณ ซื้อหรือขาย ของคุณ DocType: Hub Settings,Hub Node,Hub โหนด apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,คุณได้ป้อนรายการซ้ำกัน กรุณาแก้ไขและลองอีกครั้ง apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ภาคี +DocType: Company,Sales Target,เป้าหมายการขาย DocType: Asset Movement,Asset Movement,การเคลื่อนไหวของสินทรัพย์ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,รถเข็นใหม่ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,รถเข็นใหม่ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,รายการที่ {0} ไม่ได้เป็นรายการ ต่อเนื่อง DocType: SMS Center,Create Receiver List,สร้างรายการรับ DocType: Vehicle,Wheels,ล้อ @@ -1887,13 +1889,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,จัดการ DocType: Supplier,Supplier of Goods or Services.,ผู้ผลิตสินค้าหรือบริการ DocType: Budget,Fiscal Year,ปีงบประมาณ DocType: Vehicle Log,Fuel Price,ราคาน้ำมัน +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,กรุณาตั้งหมายเลขชุดสำหรับการเข้าร่วมประชุมผ่านทาง Setup> Numbering Series DocType: Budget,Budget,งบประมาณ apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,รายการสินทรัพย์ถาวรจะต้องเป็นรายการที่ไม่สต็อก apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",งบประมาณไม่สามารถกำหนดกับ {0} เป็นมันไม่ได้เป็นบัญชีรายได้หรือค่าใช้จ่าย apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ที่ประสบความสำเร็จ DocType: Student Admission,Application Form Route,แบบฟอร์มใบสมัครเส้นทาง apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,มณฑล / ลูกค้า -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,เช่น 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,เช่น 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,การออกจากชนิด {0} ไม่สามารถได้รับการจัดสรรตั้งแต่มันถูกทิ้งไว้โดยไม่ต้องจ่าย apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},แถว {0}: จำนวนจัดสรร {1} ต้องน้อยกว่าหรือเท่ากับใบแจ้งหนี้ยอดคงค้าง {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบแจ้งหนี้การขาย @@ -1902,11 +1905,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,รายการที่ {0} ไม่ได้ ติดตั้ง สำหรับต้นแบบ อนุกรม Nos ได้ ตรวจสอบ รายการ DocType: Maintenance Visit,Maintenance Time,ระยะเวลาการบำรุงรักษา ,Amount to Deliver,ปริมาณการส่ง -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,สินค้าหรือบริการ +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,สินค้าหรือบริการ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,วันที่เริ่มวาระจะต้องไม่เร็วกว่าปีวันเริ่มต้นของปีการศึกษาที่คำว่ามีการเชื่อมโยง (ปีการศึกษา {}) โปรดแก้ไขวันและลองอีกครั้ง DocType: Guardian,Guardian Interests,สนใจการ์เดียน DocType: Naming Series,Current Value,ค่าปัจจุบัน -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,รอบระยะเวลาบัญชีที่มีอยู่หลายสำหรับวันที่ {0} โปรดตั้ง บริษัท ในปีงบประมาณ +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,รอบระยะเวลาบัญชีที่มีอยู่หลายสำหรับวันที่ {0} โปรดตั้ง บริษัท ในปีงบประมาณ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} สร้าง DocType: Delivery Note Item,Against Sales Order,กับ การขายสินค้า ,Serial No Status,สถานะหมายเลขเครื่อง @@ -1920,7 +1923,7 @@ DocType: Pricing Rule,Selling,การขาย apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},จำนวน {0} {1} หักกับ {2} DocType: Employee,Salary Information,ข้อมูลเงินเดือน DocType: Sales Person,Name and Employee ID,ชื่อและลูกจ้าง ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,วันที่ครบกำหนด ไม่สามารถ ก่อน วันที่ประกาศ +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,วันที่ครบกำหนด ไม่สามารถ ก่อน วันที่ประกาศ DocType: Website Item Group,Website Item Group,กลุ่มสินค้าเว็บไซต์ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,หน้าที่ และภาษี apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,กรุณากรอก วันที่ อ้างอิง @@ -1977,9 +1980,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},โปรดกำหนดวันที่เข้าร่วมสำหรับพนักงาน {0} DocType: Task,Total Billing Amount (via Time Sheet),จำนวนเงินที่เรียกเก็บเงินรวม (ผ่านใบบันทึกเวลา) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ซ้ำรายได้ของลูกค้า -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ต้องมีสิทธิ์เป็น 'ผู้อนุมัติค่าใช้จ่าย' -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,คู่ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,เลือก BOM และจำนวนการผลิต +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ต้องมีสิทธิ์เป็น 'ผู้อนุมัติค่าใช้จ่าย' +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,คู่ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,เลือก BOM และจำนวนการผลิต DocType: Asset,Depreciation Schedule,กำหนดการค่าเสื่อมราคา apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ที่อยู่และที่อยู่ติดต่อของฝ่ายขาย DocType: Bank Reconciliation Detail,Against Account,กับบัญชี @@ -1989,7 +1992,7 @@ DocType: Item,Has Batch No,ชุดมีไม่มี apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},การเรียกเก็บเงินประจำปี: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ภาษีสินค้าและบริการ (GST India) DocType: Delivery Note,Excise Page Number,หมายเลขหน้าสรรพสามิต -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",บริษัท นับจากวันที่และวันที่มีผลบังคับใช้ +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",บริษัท นับจากวันที่และวันที่มีผลบังคับใช้ DocType: Asset,Purchase Date,วันที่ซื้อ DocType: Employee,Personal Details,รายละเอียดส่วนบุคคล apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},โปรดตั้ง 'ศูนย์สินทรัพย์ค่าเสื่อมราคาค่าใช้จ่ายใน บริษัท {0} @@ -1998,9 +2001,9 @@ DocType: Task,Actual End Date (via Time Sheet),ที่เกิดขึ้น apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},จำนวน {0} {1} กับ {2} {3} ,Quotation Trends,ใบเสนอราคา แนวโน้ม apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},กลุ่มสินค้าไม่ได้กล่าวถึงในหลักรายการสำหรับรายการที่ {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,เดบิตในการบัญชีจะต้องเป็นบัญชีลูกหนี้ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,เดบิตในการบัญชีจะต้องเป็นบัญชีลูกหนี้ DocType: Shipping Rule Condition,Shipping Amount,จำนวนการจัดส่งสินค้า -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,เพิ่มลูกค้า +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,เพิ่มลูกค้า apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,จำนวนเงินที่ รอดำเนินการ DocType: Purchase Invoice Item,Conversion Factor,ปัจจัยการเปลี่ยนแปลง DocType: Purchase Order,Delivered,ส่ง @@ -2022,7 +2025,6 @@ DocType: Production Order,Use Multi-Level BOM,ใช้ BOM หลายระ DocType: Bank Reconciliation,Include Reconciled Entries,รวมถึง คอมเมนต์ Reconciled DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",หลักสูตรสำหรับผู้ปกครอง (เว้นแต่เป็นส่วนหนึ่งของหลักสูตรสำหรับผู้ปกครอง) DocType: Leave Control Panel,Leave blank if considered for all employee types,เว้นไว้หากพิจารณาให้พนักงานทุกประเภท -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> เขตแดน DocType: Landed Cost Voucher,Distribute Charges Based On,กระจายค่าใช้จ่ายขึ้นอยู่กับ apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Timesheets DocType: HR Settings,HR Settings,การตั้งค่าทรัพยากรบุคคล @@ -2030,7 +2032,7 @@ DocType: Salary Slip,net pay info,ข้อมูลค่าใช้จ่า apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,ค่าใช้จ่ายที่ เรียกร้อง คือการ รอการอนุมัติ เพียง แต่ผู้อนุมัติ ค่าใช้จ่าย สามารถอัปเดต สถานะ DocType: Email Digest,New Expenses,ค่าใช้จ่ายใหม่ DocType: Purchase Invoice,Additional Discount Amount,จำนวนส่วนลดเพิ่มเติม -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",แถว # {0}: จำนวนต้องเป็น 1 เป็นรายการที่เป็นสินทรัพย์ถาวร โปรดใช้แถวแยกต่างหากสำหรับจำนวนหลาย +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",แถว # {0}: จำนวนต้องเป็น 1 เป็นรายการที่เป็นสินทรัพย์ถาวร โปรดใช้แถวแยกต่างหากสำหรับจำนวนหลาย DocType: Leave Block List Allow,Leave Block List Allow,ฝากรายการบล็อกอนุญาตให้ apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,เงื่อนไขที่ไม่สามารถเป็นที่ว่างเปล่าหรือพื้นที่ apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,กลุ่มที่ไม่ใช่กลุ่ม @@ -2038,7 +2040,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,กีฬา DocType: Loan Type,Loan Name,ชื่อเงินกู้ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,ทั้งหมดที่เกิดขึ้นจริง DocType: Student Siblings,Student Siblings,พี่น้องนักศึกษา -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,หน่วย +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,หน่วย apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,โปรดระบุ บริษัท ,Customer Acquisition and Loyalty,การซื้อ ของลูกค้าและ ความจงรักภักดี DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,คลังสินค้าที่คุณจะรักษาสต็อกของรายการปฏิเสธ @@ -2057,12 +2059,12 @@ DocType: Workstation,Wages per hour,ค่าจ้างต่อชั่ว apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},สมดุลหุ้นใน Batch {0} จะกลายเป็นเชิงลบ {1} สำหรับรายการ {2} ที่โกดัง {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ต่อไปนี้ขอวัสดุได้รับการยกโดยอัตโนมัติตามระดับสั่งซื้อใหม่ของรายการ DocType: Email Digest,Pending Sales Orders,รอดำเนินการคำสั่งขาย -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},บัญชี {0} ไม่ถูกต้อง สกุลเงินในบัญชีจะต้องเป็น {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},บัญชี {0} ไม่ถูกต้อง สกุลเงินในบัญชีจะต้องเป็น {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},ปัจจัย UOM แปลง จะต้อง อยู่ในแถว {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อสินค้าขาย, การขายใบแจ้งหนี้หรือวารสารรายการ" DocType: Salary Component,Deduction,การหัก -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,แถว {0}: จากเวลาและต้องการเวลามีผลบังคับใช้ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,แถว {0}: จากเวลาและต้องการเวลามีผลบังคับใช้ DocType: Stock Reconciliation Item,Amount Difference,จำนวนเงินที่แตกต่าง apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},รายการสินค้าเพิ่มสำหรับ {0} ในราคา {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,กรุณากรอกพนักงาน Id นี้คนขาย @@ -2072,11 +2074,11 @@ DocType: Project,Gross Margin,กำไรขั้นต้น apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,กรุณากรอก ผลิต รายการ แรก apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,ธนาคารคำนวณยอดเงินงบ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,ผู้ใช้ที่ถูกปิดการใช้งาน -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,ใบเสนอราคา +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,ใบเสนอราคา DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,หักรวม ,Production Analytics,Analytics ผลิต -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ค่าใช้จ่ายในการปรับปรุง +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,ค่าใช้จ่ายในการปรับปรุง DocType: Employee,Date of Birth,วันเกิด apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,รายการ {0} ได้รับ กลับมา แล้ว DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ปีงบประมาณ ** หมายถึงปีทางการเงิน ทุกรายการบัญชีและการทำธุรกรรมอื่น ๆ ที่สำคัญมีการติดตามต่อปี ** ** การคลัง @@ -2122,18 +2124,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,เลือก บริษัท ... DocType: Leave Control Panel,Leave blank if considered for all departments,เว้นไว้หากพิจารณาให้หน่วยงานทั้งหมด apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",ประเภท ของการจ้างงาน ( ถาวร สัญญา ฝึกงาน ฯลฯ ) -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} ต้องระบุสำหรับ รายการ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} ต้องระบุสำหรับ รายการ {1} DocType: Process Payroll,Fortnightly,รายปักษ์ DocType: Currency Exchange,From Currency,จากสกุลเงิน apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",กรุณาเลือกจำนวนเงินที่จัดสรรประเภทใบแจ้งหนี้และจำนวนใบแจ้งหนี้ในอย่างน้อยหนึ่งแถว apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,ต้นทุนในการซื้อใหม่ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},การสั่งซื้อสินค้า ที่จำเป็นสำหรับการ ขาย สินค้า {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},การสั่งซื้อสินค้า ที่จำเป็นสำหรับการ ขาย สินค้า {0} DocType: Purchase Invoice Item,Rate (Company Currency),อัตรา (สกุลเงิน บริษัท ) DocType: Student Guardian,Others,คนอื่น ๆ DocType: Payment Entry,Unallocated Amount,จํานวนเงินที่ไม่ได้ปันส่วน apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,ไม่พบรายการที่ตรงกัน กรุณาเลือกบางค่าอื่น ๆ สำหรับ {0} DocType: POS Profile,Taxes and Charges,ภาษีและค่าบริการ DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",สินค้าหรือบริการที่มีการซื้อขายหรือเก็บไว้ในสต็อก +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มสินค้า> แบรนด์ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,ไม่มีการปรับปรุงเพิ่มเติม apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,ไม่สามารถเลือก ประเภท ค่าใช้จ่าย เป็น ' ใน แถว หน้า จำนวน ' หรือ ' ใน แถว หน้า รวม สำหรับ แถวแรก apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,เด็กรายการไม่ควรจะเป็น Bundle สินค้า โปรดลบรายการ `{0}` และบันทึก @@ -2161,7 +2164,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,การเรียกเก็บเงินจำนวนเงินรวม apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ต้องมีบัญชีเริ่มต้นเข้าอีเมล์เปิดการใช้งานสำหรับการทำงาน กรุณาตั้งค่าเริ่มต้นของบัญชีอีเมลขาเข้า (POP / IMAP) และลองอีกครั้ง apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,ลูกหนี้การค้า -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},แถว # {0}: สินทรัพย์ {1} อยู่แล้ว {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},แถว # {0}: สินทรัพย์ {1} อยู่แล้ว {2} DocType: Quotation Item,Stock Balance,ยอดคงเหลือสต็อก apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ใบสั่งขายถึงการชำระเงิน apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,ผู้บริหารสูงสุด @@ -2186,10 +2189,11 @@ DocType: C-Form,Received Date,วันที่ได้รับ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",ถ้าคุณได้สร้างแม่แบบมาตรฐานในการภาษีขายและค่าใช้จ่ายแม่แบบให้เลือกและคลิกที่ปุ่มด้านล่าง DocType: BOM Scrap Item,Basic Amount (Company Currency),จำนวนเงินขั้นพื้นฐาน ( บริษัท สกุล) DocType: Student,Guardians,ผู้ปกครอง +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ผู้จัดจำหน่าย> ประเภทผู้จัดจำหน่าย DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ราคาจะไม่แสดงถ้าราคาไม่ได้ตั้งค่า apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,โปรดระบุประเทศสำหรับกฎการจัดส่งสินค้านี้หรือตรวจสอบการจัดส่งสินค้าทั่วโลก DocType: Stock Entry,Total Incoming Value,ค่าเข้ามาทั้งหมด -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,เดบิตในการที่จะต้อง +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,เดบิตในการที่จะต้อง apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",Timesheets ช่วยให้การติดตามของเวลาค่าใช้จ่ายและการเรียกเก็บเงินสำหรับกิจกรรมที่ทำโดยทีมงานของคุณ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ซื้อราคา DocType: Offer Letter Term,Offer Term,ระยะเวลาเสนอ @@ -2208,11 +2212,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ค DocType: Timesheet Detail,To Time,ถึงเวลา DocType: Authorization Rule,Approving Role (above authorized value),อนุมัติบทบาท (สูงกว่าค่าที่ได้รับอนุญาต) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,เครดิตการบัญชีจะต้องเป็นบัญชีเจ้าหนี้ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM เรียกซ้ำ : {0} ไม่สามารถ เป็นผู้ปกครอง หรือเด็ก ของ {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM เรียกซ้ำ : {0} ไม่สามารถ เป็นผู้ปกครอง หรือเด็ก ของ {2} DocType: Production Order Operation,Completed Qty,จำนวนเสร็จ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",มีบัญชีประเภทเดบิตเท่านั้น ที่สามารถเชื่อมโยงกับรายการประเภทเครดิต สำหรับ {0} apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,ราคา {0} ถูกปิดใช้งาน -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},แถว {0}: เสร็จสมบูรณ์จำนวนไม่ได้มากกว่า {1} สำหรับการดำเนินงาน {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},แถว {0}: เสร็จสมบูรณ์จำนวนไม่ได้มากกว่า {1} สำหรับการดำเนินงาน {2} DocType: Manufacturing Settings,Allow Overtime,อนุญาตให้ทำงานล่วงเวลา apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",ไม่สามารถอัปเดตรายการแบบต่อเนื่อง {0} โดยใช้การสมานฉวนหุ้นโปรดใช้รายการสต็อก apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",ไม่สามารถอัปเดตรายการแบบต่อเนื่อง {0} โดยใช้การตรวจสอบความสอดคล้องกันได้โปรดใช้รายการสต็อก @@ -2231,10 +2235,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,ภายนอก apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ผู้ใช้และสิทธิ์ DocType: Vehicle Log,VLOG.,VLOG -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},ใบสั่งผลิตที่สร้างไว้: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},ใบสั่งผลิตที่สร้างไว้: {0} DocType: Branch,Branch,สาขา DocType: Guardian,Mobile Number,เบอร์มือถือ apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,การพิมพ์และ การสร้างแบรนด์ +DocType: Company,Total Monthly Sales,ยอดขายรวมรายเดือน DocType: Bin,Actual Quantity,จำนวนที่เกิดขึ้นจริง DocType: Shipping Rule,example: Next Day Shipping,ตัวอย่างเช่นการจัดส่งสินค้าวันถัดไป apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,ไม่มี Serial {0} ไม่พบ @@ -2265,7 +2270,7 @@ DocType: Payment Request,Make Sales Invoice,สร้างใบแจ้งห apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,โปรแกรม apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ถัดไปติดต่อวันที่ไม่สามารถอยู่ในอดีตที่ผ่านมา DocType: Company,For Reference Only.,สำหรับการอ้างอิงเท่านั้น -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,เลือกแบทช์ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,เลือกแบทช์ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},ไม่ถูกต้อง {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,จำนวนล่วงหน้า @@ -2278,7 +2283,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},ไม่มีรายการ ที่มี บาร์โค้ด {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,คดีหมายเลข ไม่สามารถ เป็น 0 DocType: Item,Show a slideshow at the top of the page,สไลด์โชว์ที่ด้านบนของหน้า -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ร้านค้า DocType: Serial No,Delivery Time,เวลาจัดส่งสินค้า apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,เอจจิ้ง อยู่ ที่ @@ -2292,16 +2297,16 @@ DocType: Rename Tool,Rename Tool,เปลี่ยนชื่อเครื apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,ปรับปรุง ค่าใช้จ่าย DocType: Item Reorder,Item Reorder,รายการ Reorder apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,สลิปเงินเดือนที่ต้องการแสดง -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,โอน วัสดุ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,โอน วัสดุ DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",ระบุการดำเนินการ ค่าใช้จ่าย ในการดำเนินงาน และให้การดำเนินการ ที่ไม่ซ้ำกัน ในการ ดำเนินงานของคุณ apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,เอกสารนี้เป็นเกินขีด จำกัด โดย {0} {1} สำหรับรายการ {4} คุณกำลังทำอีก {3} กับเดียวกัน {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,กรุณาตั้งค่าที่เกิดขึ้นหลังจากการบันทึก -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,บัญชีจำนวนเงินที่เลือกเปลี่ยน +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,กรุณาตั้งค่าที่เกิดขึ้นหลังจากการบันทึก +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,บัญชีจำนวนเงินที่เลือกเปลี่ยน DocType: Purchase Invoice,Price List Currency,สกุลเงินรายการราคา DocType: Naming Series,User must always select,ผู้ใช้จะต้องเลือก DocType: Stock Settings,Allow Negative Stock,อนุญาตให้สต็อกเชิงลบ DocType: Installation Note,Installation Note,หมายเหตุการติดตั้ง -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,เพิ่ม ภาษี +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,เพิ่ม ภาษี DocType: Topic,Topic,กระทู้ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,กระแสเงินสดจากการจัดหาเงินทุน DocType: Budget Account,Budget Account,งบประมาณของบัญชี @@ -2315,7 +2320,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ต apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),แหล่งที่มาของ เงินทุน ( หนี้สิน ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},จำนวน ในแถว {0} ({1} ) จะต้อง เป็นเช่นเดียวกับ ปริมาณ การผลิต {2} DocType: Appraisal,Employee,ลูกจ้าง -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,เลือกแบทช์ +DocType: Company,Sales Monthly History,ประวัติการขายรายเดือน +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,เลือกแบทช์ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} ได้ถูกเรียกเก็บเงินเต็มจำนวน DocType: Training Event,End Time,เวลาสิ้นสุด apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,โครงสร้างเงินเดือนที่ต้องการใช้งาน {0} พบพนักงาน {1} สำหรับวันที่กำหนด @@ -2323,15 +2329,14 @@ DocType: Payment Entry,Payment Deductions or Loss,การหักเงิน apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,ข้อสัญญา มาตรฐานสำหรับ การขายหรือการ ซื้อ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,จัดกลุ่มตาม Voucher apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,ท่อขาย -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},กรุณาตั้งค่าบัญชีเริ่มต้นเงินเดือนตัวแทน {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},กรุณาตั้งค่าบัญชีเริ่มต้นเงินเดือนตัวแทน {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ต้องใช้ใน DocType: Rename Tool,File to Rename,การเปลี่ยนชื่อไฟล์ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},กรุณาเลือก BOM สำหรับสินค้าในแถว {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},บัญชี {0} ไม่ตรงกับ บริษัท {1} ในโหมดบัญชี: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},ระบุ BOM {0} ไม่อยู่สำหรับรายการ {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ตาราง การบำรุงรักษา {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ตาราง การบำรุงรักษา {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ DocType: Notification Control,Expense Claim Approved,เรียกร้องค่าใช้จ่ายที่ได้รับอนุมัติ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,กรุณาตั้งหมายเลขชุดสำหรับการเข้าร่วมประชุมผ่านทาง Setup> Numbering Series apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,สลิปเงินเดือนของพนักงาน {0} สร้างไว้แล้วสำหรับช่วงเวลานี้ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,เภสัชกรรม apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ค่าใช้จ่ายของรายการที่ซื้อ @@ -2348,7 +2353,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,หมายเล DocType: Upload Attendance,Attendance To Date,วันที่เข้าร่วมประชุมเพื่อ DocType: Warranty Claim,Raised By,โดยยก DocType: Payment Gateway Account,Payment Account,บัญชีการชำระเงิน -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,โปรดระบุ บริษัท ที่จะดำเนินการ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,โปรดระบุ บริษัท ที่จะดำเนินการ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,เปลี่ยนสุทธิในบัญชีลูกหนี้ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ชดเชย ปิด DocType: Offer Letter,Accepted,ได้รับการยอมรับแล้ว @@ -2358,12 +2363,12 @@ DocType: SG Creation Tool Course,Student Group Name,ชื่อกลุ่ม apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,โปรดตรวจสอบว่าคุณต้องการที่จะลบการทำธุรกรรมทั้งหมดของ บริษัท นี้ ข้อมูลหลักของคุณจะยังคงอยู่อย่างที่มันเป็น การดำเนินการนี้ไม่สามารถยกเลิกได้ DocType: Room,Room Number,หมายเลขห้อง apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},การอ้างอิงที่ไม่ถูกต้อง {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ไม่สามารถกำหนดให้สูงกว่าปริมาณที่วางแผนไว้ ({2}) ในการสั่งผลิต {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ไม่สามารถกำหนดให้สูงกว่าปริมาณที่วางแผนไว้ ({2}) ในการสั่งผลิต {3} DocType: Shipping Rule,Shipping Rule Label,ป้ายกฎการจัดส่งสินค้า apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ผู้ใช้งานฟอรั่ม -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,วัตถุดิบไม่สามารถมีช่องว่าง -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","ไม่สามารถอัปเดสต็อก, ใบแจ้งหนี้ที่มีรายการการขนส่งลดลง" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,วารสารรายการด่วน +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,วัตถุดิบไม่สามารถมีช่องว่าง +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","ไม่สามารถอัปเดสต็อก, ใบแจ้งหนี้ที่มีรายการการขนส่งลดลง" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,วารสารรายการด่วน apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,คุณไม่สามารถเปลี่ยน อัตรา ถ้า BOM กล่าว agianst รายการใด ๆ DocType: Employee,Previous Work Experience,ประสบการณ์การทำงานก่อนหน้า DocType: Stock Entry,For Quantity,สำหรับจำนวน @@ -2420,7 +2425,7 @@ DocType: SMS Log,No of Requested SMS,ไม่มีของ SMS ขอ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,ทิ้งไว้โดยไม่ต้องจ่ายไม่ตรงกับที่ได้รับอนุมัติบันทึกออกจากแอพลิเคชัน DocType: Campaign,Campaign-.####,แคมเปญ . # # # # apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,ขั้นตอนถัดไป -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,กรุณาจัดหารายการที่ระบุในอัตราที่ดีที่สุด +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,กรุณาจัดหารายการที่ระบุในอัตราที่ดีที่สุด DocType: Selling Settings,Auto close Opportunity after 15 days,รถยนต์ใกล้โอกาสหลังจาก 15 วัน apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,ปีที่จบ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2478,7 +2483,7 @@ DocType: Homepage,Homepage,โฮมเพจ DocType: Purchase Receipt Item,Recd Quantity,จำนวน Recd apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},ค่าธรรมเนียมระเบียนที่สร้าง - {0} DocType: Asset Category Account,Asset Category Account,บัญชีสินทรัพย์ประเภท -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},ไม่สามารถผลิต สินค้า ได้มากขึ้น {0} กว่าปริมาณ การขายสินค้า {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},ไม่สามารถผลิต สินค้า ได้มากขึ้น {0} กว่าปริมาณ การขายสินค้า {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,หุ้นรายการ {0} ไม่ได้ส่ง DocType: Payment Reconciliation,Bank / Cash Account,บัญชีเงินสด / ธนาคาร apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,ถัดไปติดต่อโดยไม่สามารถเช่นเดียวกับที่อยู่อีเมลตะกั่ว @@ -2511,7 +2516,7 @@ DocType: Salary Structure,Total Earning,กำไรรวม DocType: Purchase Receipt,Time at which materials were received,เวลาที่ได้รับวัสดุ DocType: Stock Ledger Entry,Outgoing Rate,อัตราการส่งออก apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ปริญญาโท สาขา องค์กร -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,หรือ +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,หรือ DocType: Sales Order,Billing Status,สถานะการเรียกเก็บเงิน apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,รายงาน ฉบับ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ค่าใช้จ่ายใน ยูทิลิตี้ @@ -2519,7 +2524,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,แถว # {0}: วารสารรายการ {1} ไม่มีบัญชี {2} หรือมีอยู่แล้วจับคู่กับบัตรกำนัลอื่น DocType: Buying Settings,Default Buying Price List,รายการราคาซื้อเริ่มต้น DocType: Process Payroll,Salary Slip Based on Timesheet,สลิปเงินเดือนจาก Timesheet -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ไม่มีพนักงานสำหรับเกณฑ์ที่เลือกข้างต้นหรือสลิปเงินเดือนที่สร้างไว้แล้ว +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,ไม่มีพนักงานสำหรับเกณฑ์ที่เลือกข้างต้นหรือสลิปเงินเดือนที่สร้างไว้แล้ว DocType: Notification Control,Sales Order Message,ข้อความสั่งซื้อขาย apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",การตั้ง ค่าเริ่มต้น เช่น บริษัท สกุลเงิน ปัจจุบัน ปีงบประมาณ ฯลฯ DocType: Payment Entry,Payment Type,ประเภท การชำระเงิน @@ -2544,7 +2549,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,เอกสารใบเสร็จรับเงินจะต้องส่ง DocType: Purchase Invoice Item,Received Qty,จำนวนที่ได้รับ DocType: Stock Entry Detail,Serial No / Batch,หมายเลขเครื่อง / ชุด -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,การชำระเงินไม่ได้และไม่ได้ส่งมอบ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,การชำระเงินไม่ได้และไม่ได้ส่งมอบ DocType: Product Bundle,Parent Item,รายการหลัก DocType: Account,Account Type,ประเภทบัญชี DocType: Delivery Note,DN-RET-,DN-RET- @@ -2575,8 +2580,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,จำนวนเงินที่ได้รับจัดสรร apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ตั้งค่าบัญชีพื้นที่โฆษณาเริ่มต้นสำหรับพื้นที่โฆษณาถาวร DocType: Item Reorder,Material Request Type,ประเภทของการขอวัสดุ -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural วารสารรายการสำหรับเงินเดือนจาก {0} เป็น {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save",LocalStorage เต็มไม่ได้บันทึก +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural วารสารรายการสำหรับเงินเดือนจาก {0} เป็น {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",LocalStorage เต็มไม่ได้บันทึก apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,แถว {0}: UOM ปัจจัยการแปลงมีผลบังคับใช้ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,อ้าง DocType: Budget,Cost Center,ศูนย์ต้นทุน @@ -2594,7 +2599,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ภ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",ถ้ากฎการกำหนดราคาที่เลือกจะทำเพื่อ 'ราคา' มันจะเขียนทับราคา กำหนดราคากฎเป็นราคาสุดท้ายจึงไม่มีส่วนลดต่อไปควรจะนำมาใช้ ดังนั้นในการทำธุรกรรมเช่นสั่งซื้อการขาย ฯลฯ สั่งซื้อจะถูกเรียกในสาขา 'อัตรา' มากกว่าข้อมูล 'ราคาอัตรา' apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ติดตาม ช่องทาง ตามประเภทอุตสาหกรรม DocType: Item Supplier,Item Supplier,ผู้ผลิตรายการ -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,กรุณากรอก รหัสสินค้า ที่จะได้รับ ชุด ไม่ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,กรุณากรอก รหัสสินค้า ที่จะได้รับ ชุด ไม่ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},กรุณาเลือก ค่าสำหรับ {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ที่อยู่ทั้งหมด DocType: Company,Stock Settings,การตั้งค่าหุ้น @@ -2621,7 +2626,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,จำนวนที apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},ไม่มีสลิปเงินเดือนพบกันระหว่าง {0} และ {1} ,Pending SO Items For Purchase Request,รายการที่รอดำเนินการเพื่อให้ใบขอซื้อ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,การรับสมัครนักศึกษา -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} ถูกปิดใช้งาน +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} ถูกปิดใช้งาน DocType: Supplier,Billing Currency,สกุลเงินการเรียกเก็บเงิน DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,ขนาดใหญ่พิเศษ @@ -2651,7 +2656,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,สถานะการสมัคร DocType: Fees,Fees,ค่าธรรมเนียม DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ระบุอัตราแลกเปลี่ยนการแปลงสกุลเงินหนึ่งไปยังอีก -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,ใบเสนอราคา {0} จะถูกยกเลิก +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,ใบเสนอราคา {0} จะถูกยกเลิก apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,ยอดคงค้างทั้งหมด DocType: Sales Partner,Targets,เป้าหมาย DocType: Price List,Price List Master,ราคาโท @@ -2668,7 +2673,7 @@ DocType: POS Profile,Ignore Pricing Rule,ละเว้นกฎการกำ DocType: Employee Education,Graduate,จบการศึกษา DocType: Leave Block List,Block Days,วันที่ถูกบล็อก DocType: Journal Entry,Excise Entry,เข้าสรรพสามิต -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},คำเตือน: การขายการสั่งซื้อ {0} อยู่แล้วกับการสั่งซื้อของลูกค้า {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},คำเตือน: การขายการสั่งซื้อ {0} อยู่แล้วกับการสั่งซื้อของลูกค้า {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2707,7 +2712,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),ห ,Salary Register,เงินเดือนที่ต้องการสมัครสมาชิก DocType: Warehouse,Parent Warehouse,คลังสินค้าผู้ปกครอง DocType: C-Form Invoice Detail,Net Total,สุทธิ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},ไม่พบรายการ BOM เริ่มต้นสำหรับรายการ {0} และโครงการ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},ไม่พบรายการ BOM เริ่มต้นสำหรับรายการ {0} และโครงการ {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,กำหนดประเภทสินเชื่อต่างๆ DocType: Bin,FCFS Rate,อัตรา FCFS DocType: Payment Reconciliation Invoice,Outstanding Amount,ยอดคงค้าง @@ -2744,7 +2749,7 @@ DocType: Salary Detail,Condition and Formula Help,เงื่อนไขแล apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,จัดการ ต้นไม้ มณฑล DocType: Journal Entry Account,Sales Invoice,ขายใบแจ้งหนี้ DocType: Journal Entry Account,Party Balance,ยอดคงเหลือพรรค -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,กรุณาเลือกใช้ส่วนลด +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,กรุณาเลือกใช้ส่วนลด DocType: Company,Default Receivable Account,บัญชีเริ่มต้นลูกหนี้ DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,สร้างธนาคารรับสมัครสำหรับเงินเดือนทั้งหมดที่จ่ายสำหรับเกณฑ์ที่เลือกข้างต้น DocType: Stock Entry,Material Transfer for Manufacture,โอนวัสดุสำหรับการผลิต @@ -2758,7 +2763,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,ที่อยู่ของลูกค้า DocType: Employee Loan,Loan Details,รายละเอียดเงินกู้ DocType: Company,Default Inventory Account,บัญชีพื้นที่โฆษณาเริ่มต้น -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,แถว {0}: เสร็จสมบูรณ์จำนวนจะต้องมากกว่าศูนย์ +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,แถว {0}: เสร็จสมบูรณ์จำนวนจะต้องมากกว่าศูนย์ DocType: Purchase Invoice,Apply Additional Discount On,สมัครสมาชิกเพิ่มเติมส่วนลด DocType: Account,Root Type,ประเภท ราก DocType: Item,FIFO,FIFO @@ -2775,7 +2780,7 @@ DocType: Purchase Invoice Item,Quality Inspection,การตรวจสอบ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,ขนาดเล็กเป็นพิเศษ DocType: Company,Standard Template,แม่แบบมาตรฐาน DocType: Training Event,Theory,ทฤษฎี -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,คำเตือน: ขอ วัสดุ จำนวน น้อยกว่า จำนวน สั่งซื้อขั้นต่ำ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,คำเตือน: ขอ วัสดุ จำนวน น้อยกว่า จำนวน สั่งซื้อขั้นต่ำ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,บัญชี {0} จะถูก แช่แข็ง DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,นิติบุคคล / สาขา ที่มีผังบัญชีแยกกัน ภายใต้องค์กร DocType: Payment Request,Mute Email,ปิดเสียงอีเมล์ @@ -2799,7 +2804,7 @@ DocType: Training Event,Scheduled,กำหนด apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ขอใบเสนอราคา. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",กรุณาเลือกรายการที่ "เป็นสต็อกสินค้า" เป็น "ไม่" และ "ขายเป็นรายการ" คือ "ใช่" และไม่มีการ Bundle สินค้าอื่น ๆ DocType: Student Log,Academic,วิชาการ -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ล่วงหน้ารวม ({0}) กับการสั่งซื้อ {1} ไม่สามารถจะสูงกว่าแกรนด์รวม ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ล่วงหน้ารวม ({0}) กับการสั่งซื้อ {1} ไม่สามารถจะสูงกว่าแกรนด์รวม ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,เลือกการกระจายรายเดือนที่จะไม่สม่ำเสมอกระจายเป้าหมายข้ามเดือน DocType: Purchase Invoice Item,Valuation Rate,อัตราการประเมิน DocType: Stock Reconciliation,SR/,อาร์ / @@ -2865,6 +2870,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,ป้อนชื่อของแคมเปญหากแหล่งที่มาของการรณรงค์สอบถามรายละเอียดเพิ่มเติม apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,หนังสือพิมพ์ สำนักพิมพ์ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,เลือกปีงบประมาณ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,วันที่จัดส่งที่คาดว่าจะเป็นหลังจากวันที่ใบสั่งขาย apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,สั่งซื้อใหม่ระดับ DocType: Company,Chart Of Accounts Template,ผังบัญชีแม่แบบ DocType: Attendance,Attendance Date,วันที่เข้าร่วม @@ -2896,7 +2902,7 @@ DocType: Pricing Rule,Discount Percentage,ร้อยละ ส่วนลด DocType: Payment Reconciliation Invoice,Invoice Number,จำนวนใบแจ้งหนี้ DocType: Shopping Cart Settings,Orders,คำสั่งซื้อ DocType: Employee Leave Approver,Leave Approver,ฝากอนุมัติ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,โปรดเลือกแบทช์ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,โปรดเลือกแบทช์ DocType: Assessment Group,Assessment Group Name,ชื่อกลุ่มการประเมิน DocType: Manufacturing Settings,Material Transferred for Manufacture,โอนวัสดุเพื่อการผลิต DocType: Expense Claim,"A user with ""Expense Approver"" role","ผู้ใช้ที่มีบทบาท ""อนุมัติค่าใช้จ่าย""" @@ -2933,7 +2939,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,วันสุดท้ายของเดือนถัดไป DocType: Support Settings,Auto close Issue after 7 days,รถยนต์ใกล้ฉบับหลังจาก 7 วัน apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",ออกจากไม่สามารถได้รับการจัดสรรก่อน {0} เป็นสมดุลลาได้รับแล้วนำติดตัวส่งต่อไปในอนาคตอันลาบันทึกจัดสรร {1} -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),หมายเหตุ: เนื่องจาก / วันอ้างอิงเกินวันที่ได้รับอนุญาตให้เครดิตของลูกค้าโดย {0} วัน (s) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),หมายเหตุ: เนื่องจาก / วันอ้างอิงเกินวันที่ได้รับอนุญาตให้เครดิตของลูกค้าโดย {0} วัน (s) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,สมัครนักศึกษา DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ORIGINAL FOR RECIPIENT DocType: Asset Category Account,Accumulated Depreciation Account,บัญชีค่าเสื่อมราคาสะสม @@ -2944,7 +2950,7 @@ DocType: Item,Reorder level based on Warehouse,ระดับสั่งซื DocType: Activity Cost,Billing Rate,อัตราการเรียกเก็บเงิน ,Qty to Deliver,จำนวนที่จะส่งมอบ ,Stock Analytics,สต็อก Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,การดำเนินงานไม่สามารถเว้นว่าง +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,การดำเนินงานไม่สามารถเว้นว่าง DocType: Maintenance Visit Purpose,Against Document Detail No,กับรายละเอียดของเอกสารเลขที่ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,ประเภทของบุคคลที่มีผลบังคับใช้ DocType: Quality Inspection,Outgoing,ขาออก @@ -2987,15 +2993,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,จำนวนที่คลังสินค้า apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,จำนวนเงินที่ เรียกเก็บเงิน DocType: Asset,Double Declining Balance,ยอดลดลงสองครั้ง -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,ปิดเพื่อไม่สามารถยกเลิกได้ Unclose ที่จะยกเลิก +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,ปิดเพื่อไม่สามารถยกเลิกได้ Unclose ที่จะยกเลิก DocType: Student Guardian,Father,พ่อ -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,ไม่สามารถตรวจสอบ 'การปรับสต๊อก' สำหรับการขายสินทรัพย์ถาวร +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,ไม่สามารถตรวจสอบ 'การปรับสต๊อก' สำหรับการขายสินทรัพย์ถาวร DocType: Bank Reconciliation,Bank Reconciliation,กระทบยอดธนาคาร DocType: Attendance,On Leave,ลา apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ได้รับการปรับปรุง apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: บัญชี {2} ไม่ได้เป็นของ บริษัท {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,คำขอใช้วัสดุ {0} ถูกยกเลิก หรือ ระงับแล้ว -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,เพิ่มบันทึกไม่กี่ตัวอย่าง +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,เพิ่มบันทึกไม่กี่ตัวอย่าง apps/erpnext/erpnext/config/hr.py +301,Leave Management,ออกจากการบริหารจัดการ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,จัดกลุ่มตามบัญชี DocType: Sales Order,Fully Delivered,จัดส่งอย่างเต็มที่ @@ -3004,12 +3010,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",บัญชีที่แตกต่างจะต้องเป็นสินทรัพย์ / รับผิดบัญชีประเภทตั้งแต่นี้กระทบยอดสต็อกเป็นรายการเปิด apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},การเบิกจ่ายจำนวนเงินที่ไม่สามารถจะสูงกว่าจำนวนเงินกู้ {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},จำนวน การสั่งซื้อ สินค้า ที่จำเป็นสำหรับ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,ใบสั่งผลิตไม่ได้สร้าง +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,ใบสั่งผลิตไม่ได้สร้าง apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','จาก วันที่ ' ต้อง เป็นหลังจากที่ ' นัด ' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ไม่สามารถเปลี่ยนสถานะเป็นนักเรียน {0} มีการเชื่อมโยงกับโปรแกรมนักเรียน {1} DocType: Asset,Fully Depreciated,ค่าเสื่อมราคาหมด ,Stock Projected Qty,หุ้น ที่คาดการณ์ จำนวน -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},ลูกค้า {0} ไม่ได้อยู่ใน โครงการ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},ลูกค้า {0} ไม่ได้อยู่ใน โครงการ {1} DocType: Employee Attendance Tool,Marked Attendance HTML,ผู้เข้าร่วมการทำเครื่องหมาย HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",ใบเสนอราคาข้อเสนอการเสนอราคาที่คุณส่งให้กับลูกค้าของคุณ DocType: Sales Order,Customer's Purchase Order,การสั่งซื้อของลูกค้า @@ -3019,7 +3025,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,กรุณาตั้งค่าจำนวนค่าเสื่อมราคาจอง apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ค่าหรือ จำนวน apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,สั่งซื้อโปรดักชั่นไม่สามารถยกขึ้นเพื่อ: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,นาที +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,นาที DocType: Purchase Invoice,Purchase Taxes and Charges,ภาษีซื้อและค่าบริการ ,Qty to Receive,จำนวน การรับ DocType: Leave Block List,Leave Block List Allowed,ฝากรายการบล็อกอนุญาตให้นำ @@ -3033,7 +3039,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ทุก ประเภท ของผู้ผลิต DocType: Global Defaults,Disable In Words,ปิดการใช้งานในคำพูด apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,รหัสสินค้า ที่จำเป็น เพราะ สินค้า ไม่ เลขโดยอัตโนมัติ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},ไม่ได้ ชนิดของ ใบเสนอราคา {0} {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},ไม่ได้ ชนิดของ ใบเสนอราคา {0} {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,รายการกำหนดการซ่อมบำรุง DocType: Sales Order,% Delivered,% จัดส่งแล้ว DocType: Production Order,PRO-,มือโปร- @@ -3056,7 +3062,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,อีเมล์ผู้ขาย DocType: Project,Total Purchase Cost (via Purchase Invoice),ค่าใช้จ่ายในการจัดซื้อรวม (ผ่านการซื้อใบแจ้งหนี้) DocType: Training Event,Start Time,เวลา -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,เลือกจำนวน +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,เลือกจำนวน DocType: Customs Tariff Number,Customs Tariff Number,ศุลกากรจำนวนภาษี apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,อนุมัติ บทบาท ไม่สามารถเป็น เช่นเดียวกับ บทบาทของ กฎใช้กับ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ยกเลิกการรับอีเมล์ Digest นี้ @@ -3080,7 +3086,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,รายละเอียดประชาสัมพันธ์ DocType: Sales Order,Fully Billed,ในจำนวนอย่างเต็มที่ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,เงินสด ใน มือ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},คลังสินค้าจัดส่งสินค้าที่จำเป็นสำหรับรายการหุ้น {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},คลังสินค้าจัดส่งสินค้าที่จำเป็นสำหรับรายการหุ้น {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),น้ำหนักรวมของแพคเกจ น้ำหนักสุทธิปกติ + น้ำหนักวัสดุบรรจุภัณฑ์ (สำหรับพิมพ์) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,โครงการ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ผู้ใช้ที่มี บทบาทนี้ ได้รับอนุญาตให้ตั้ง บัญชีแช่แข็งและ สร้าง / แก้ไข รายการบัญชี ในบัญชีแช่แข็ง @@ -3090,7 +3096,7 @@ DocType: Student Group,Group Based On,กลุ่มตาม DocType: Journal Entry,Bill Date,วันที่บิล apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required",บริการรายการประเภทความถี่และจำนวนเงินค่าใช้จ่ายที่จะต้อง apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",แม้ว่าจะมีกฎการกำหนดราคาหลายกับความสำคัญสูงสุดแล้วจัดลำดับความสำคัญดังต่อไปนี้ภายในจะใช้: -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},คุณต้องการจริงๆที่จะส่งทุกสลิปเงินเดือนจาก {0} เป็น {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},คุณต้องการจริงๆที่จะส่งทุกสลิปเงินเดือนจาก {0} เป็น {1} DocType: Cheque Print Template,Cheque Height,เช็คความสูง DocType: Supplier,Supplier Details,รายละเอียดผู้จัดจำหน่าย DocType: Expense Claim,Approval Status,สถานะการอนุมัติ @@ -3112,7 +3118,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,นำไปสู apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ไม่มีอะไรมากที่จะแสดง DocType: Lead,From Customer,จากลูกค้า apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,โทร -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,แบทช์ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,แบทช์ DocType: Project,Total Costing Amount (via Time Logs),จํานวนต้นทุนรวม (ผ่านบันทึกเวลา) DocType: Purchase Order Item Supplied,Stock UOM,UOM สต็อก apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,สั่งซื้อ {0} ไม่ได้ ส่ง @@ -3144,7 +3150,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,กลับไปก DocType: Item,Warranty Period (in days),ระยะเวลารับประกัน (วัน) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,ความสัมพันธ์กับ Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,เงินสดจากการดำเนินงานสุทธิ -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,เช่น ภาษีมูลค่าเพิ่ม +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,เช่น ภาษีมูลค่าเพิ่ม apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,วาระที่ 4 DocType: Student Admission,Admission End Date,การรับสมัครวันที่สิ้นสุด apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ย่อยทำสัญญา @@ -3152,7 +3158,7 @@ DocType: Journal Entry Account,Journal Entry Account,วารสารบัญ apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,กลุ่มนักศึกษา DocType: Shopping Cart Settings,Quotation Series,ชุดใบเสนอราคา apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",รายการที่มีอยู่ ที่มีชื่อเดียวกัน ({0}) กรุณาเปลี่ยนชื่อกลุ่ม รายการ หรือเปลี่ยนชื่อ รายการ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,กรุณาเลือกลูกค้า +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,กรุณาเลือกลูกค้า DocType: C-Form,I,ผม DocType: Company,Asset Depreciation Cost Center,สินทรัพย์ศูนย์ต้นทุนค่าเสื่อมราคา DocType: Sales Order Item,Sales Order Date,วันที่สั่งซื้อขาย @@ -3163,6 +3169,7 @@ DocType: Stock Settings,Limit Percent,ร้อยละขีด จำกั ,Payment Period Based On Invoice Date,ระยะเวลา ในการชำระเงิน ตาม ใบแจ้งหนี้ ใน วันที่ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},สกุลเงินที่หายไปอัตราแลกเปลี่ยนสำหรับ {0} DocType: Assessment Plan,Examiner,ผู้ตรวจสอบ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้งค่าชุดการตั้งชื่อสำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> การตั้งชื่อซีรี่ส์ DocType: Student,Siblings,พี่น้อง DocType: Journal Entry,Stock Entry,รายการสินค้า DocType: Payment Entry,Payment References,อ้างอิงการชำระเงิน @@ -3187,7 +3194,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,สถานที่ที่ดำเนินการผลิต DocType: Asset Movement,Source Warehouse,คลังสินค้าที่มา DocType: Installation Note,Installation Date,วันที่ติดตั้ง -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},แถว # {0}: สินทรัพย์ {1} ไม่ได้เป็นของ บริษัท {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},แถว # {0}: สินทรัพย์ {1} ไม่ได้เป็นของ บริษัท {2} DocType: Employee,Confirmation Date,ยืนยัน วันที่ DocType: C-Form,Total Invoiced Amount,มูลค่าใบแจ้งหนี้รวม apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,นาที จำนวน ไม่สามารถ จะมากกว่า จำนวน สูงสุด @@ -3262,7 +3269,7 @@ DocType: Company,Default Letter Head,หัวหน้าเริ่มต้ DocType: Purchase Order,Get Items from Open Material Requests,รับรายการจากการขอเปิดวัสดุ DocType: Item,Standard Selling Rate,มาตรฐานอัตราการขาย DocType: Account,Rate at which this tax is applied,อัตราที่ภาษีนี้จะถูกใช้ -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,สั่งซื้อใหม่จำนวน +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,สั่งซื้อใหม่จำนวน apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,เปิดงานปัจจุบัน DocType: Company,Stock Adjustment Account,การปรับบัญชีสินค้า apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,เขียนปิด @@ -3276,7 +3283,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,ผู้ผลิตมอบให้กับลูกค้า apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (แบบ # รายการ / / {0}) ไม่มีในสต๊อก apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,วันถัดไปจะต้องมากกว่าการโพสต์วันที่ -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},เนื่องจาก / วันอ้างอิงต้องไม่อยู่หลัง {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},เนื่องจาก / วันอ้างอิงต้องไม่อยู่หลัง {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ข้อมูลนำเข้าและส่งออก apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ไม่พบนักเรียน apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ใบแจ้งหนี้วันที่โพสต์ @@ -3297,12 +3304,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,นี้ขึ้นอยู่กับการเข้าร่วมประชุมของนักศึกษานี้ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,ไม่มีนักเรียนเข้ามา apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,เพิ่มรายการมากขึ้นหรือเต็มรูปแบบเปิด -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"โปรดป้อน "" วันที่ส่ง ที่คาดหวัง '" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ใบนำส่งสินค้า {0} ต้องถูกยกเลิก ก่อนยกเลิกคำสั่งขายนี้ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ใบนำส่งสินค้า {0} ต้องถูกยกเลิก ก่อนยกเลิกคำสั่งขายนี้ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ชำระ เงิน + เขียน ปิด จำนวน ไม่สามารถ จะสูงกว่า แกรนด์ รวม apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ไม่ได้เป็น จำนวน ชุดที่ถูกต้องสำหรับ รายการ {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},หมายเหตุ : มี ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN ไม่ถูกต้องหรือป้อน NA สำหรับที่ไม่ได้ลงทะเบียน +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,GSTIN ไม่ถูกต้องหรือป้อน NA สำหรับที่ไม่ได้ลงทะเบียน DocType: Training Event,Seminar,สัมมนา DocType: Program Enrollment Fee,Program Enrollment Fee,ค่าลงทะเบียนหลักสูตร DocType: Item,Supplier Items,ผู้ผลิตรายการ @@ -3320,7 +3326,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,เอจจิ้งสต็อก apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},นักศึกษา {0} อยู่กับผู้สมัครนักเรียน {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,timesheet -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} ‘{1}' ถูกปิดใช้งาน +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} ‘{1}' ถูกปิดใช้งาน apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,ตั้งเป็นเปิด DocType: Cheque Print Template,Scanned Cheque,สแกนเช็ค DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,ส่งอีเมลโดยอัตโนมัติไปยังรายชื่อในการทำธุรกรรมการส่ง @@ -3367,7 +3373,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,ราคาอัตราแลกเปลี่ยนรายชื่อ DocType: Purchase Invoice Item,Rate,อัตรา apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,แพทย์ฝึกหัด -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ชื่อที่อยู่ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,ชื่อที่อยู่ DocType: Stock Entry,From BOM,จาก BOM DocType: Assessment Code,Assessment Code,รหัสการประเมิน apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ขั้นพื้นฐาน @@ -3380,20 +3386,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,โครงสร้างเงินเดือน DocType: Account,Bank,ธนาคาร apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,สายการบิน -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,ฉบับวัสดุ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,ฉบับวัสดุ DocType: Material Request Item,For Warehouse,สำหรับโกดัง DocType: Employee,Offer Date,ข้อเสนอ วันที่ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ใบเสนอราคา -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,คุณกำลังอยู่ในโหมดออฟไลน์ คุณจะไม่สามารถที่จะโหลดจนกว่าคุณจะมีเครือข่าย +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,คุณกำลังอยู่ในโหมดออฟไลน์ คุณจะไม่สามารถที่จะโหลดจนกว่าคุณจะมีเครือข่าย apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ไม่มีกลุ่มนักศึกษาสร้าง DocType: Purchase Invoice Item,Serial No,อนุกรมไม่มี apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,จำนวนเงินที่ชำระหนี้รายเดือนไม่สามารถจะสูงกว่าจำนวนเงินกู้ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,กรุณากรอก รายละเอียด Maintaince แรก +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,แถว # {0}: คาดว่าวันที่จัดส่งต้องไม่ถึงวันสั่งซื้อ DocType: Purchase Invoice,Print Language,พิมพ์ภาษา DocType: Salary Slip,Total Working Hours,รวมชั่วโมงทำงาน DocType: Stock Entry,Including items for sub assemblies,รวมทั้งรายการสำหรับส่วนประกอบย่อย -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,ค่าใส่ต้องเป็นบวก -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มสินค้า> แบรนด์ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,ค่าใส่ต้องเป็นบวก apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ดินแดน ทั้งหมด DocType: Purchase Invoice,Items,รายการ apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,นักศึกษาลงทะเบียนเรียนแล้ว @@ -3416,7 +3422,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',เริ่มต้นหน่วยวัดสำหรับตัวแปร '{0}' จะต้องเป็นเช่นเดียวกับในแม่แบบ '{1}' DocType: Shipping Rule,Calculate Based On,การคำนวณพื้นฐานตาม DocType: Delivery Note Item,From Warehouse,จากคลังสินค้า -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,ไม่มีรายการที่มี Bill of Materials การผลิต +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,ไม่มีรายการที่มี Bill of Materials การผลิต DocType: Assessment Plan,Supervisor Name,ชื่อผู้บังคับบัญชา DocType: Program Enrollment Course,Program Enrollment Course,หลักสูตรการลงทะเบียนเรียน DocType: Program Enrollment Course,Program Enrollment Course,หลักสูตรการลงทะเบียนเรียน @@ -3432,32 +3438,33 @@ DocType: Training Event Employee,Attended,เข้าร่วม apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,' ตั้งแต่ วันที่ สั่งซื้อ ล่าสุด ' ต้องมากกว่า หรือเท่ากับศูนย์ DocType: Process Payroll,Payroll Frequency,เงินเดือนความถี่ DocType: Asset,Amended From,แก้ไขเพิ่มเติมจาก -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,วัตถุดิบ +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,วัตถุดิบ DocType: Leave Application,Follow via Email,ผ่านทางอีเมล์ตาม apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,พืชและไบ DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,จำนวน ภาษี หลังจากที่ จำนวน ส่วนลด DocType: Daily Work Summary Settings,Daily Work Summary Settings,การตั้งค่าการทำงานในชีวิตประจำวันอย่างย่อ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},สกุลเงินของรายการราคา {0} ไม่คล้ายกับสกุลเงินที่เลือก {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},สกุลเงินของรายการราคา {0} ไม่คล้ายกับสกุลเงินที่เลือก {1} DocType: Payment Entry,Internal Transfer,โอนภายใน apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,บัญชีของเด็ก ที่มีอยู่ สำหรับบัญชีนี้ คุณไม่สามารถลบ บัญชีนี้ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ทั้ง จำนวน เป้าหมาย หรือจำนวน เป้าหมายที่ มีผลบังคับใช้ apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},ไม่มี BOM เริ่มต้น แล้วสำหรับ รายการ {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,กรุณาเลือกวันที่โพสต์แรก +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,กรุณาเลือกวันที่โพสต์แรก apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,เปิดวันที่ควรเป็นก่อนที่จะปิดวันที่ DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,ศูนย์ต้นทุน กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น บัญชีแยกประเภท DocType: Department,Days for which Holidays are blocked for this department.,วันที่วันหยุดจะถูกบล็อกสำหรับแผนกนี้ ,Produced,ผลิต -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,สร้างสลิปเงินเดือน +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,สร้างสลิปเงินเดือน DocType: Item,Item Code for Suppliers,รหัสสินค้าสำหรับซัพพลายเออร์ DocType: Issue,Raised By (Email),โดยยก (อีเมล์) DocType: Training Event,Trainer Name,ชื่อเทรนเนอร์ DocType: Mode of Payment,General,ทั่วไป apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,การสื่อสารครั้งล่าสุด apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ไม่ สามารถหัก เมื่อ เป็น หมวดหมู่ สำหรับ ' ประเมิน ' หรือ ' การประเมิน และการ รวม -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",ชื่อหัวภาษีของคุณ (เช่นภาษีมูลค่าเพิ่มศุลกากร ฯลฯ พวกเขาควรจะมีชื่อไม่ซ้ำกัน) และอัตรามาตรฐานของพวกเขา นี้จะสร้างแม่แบบมาตรฐานซึ่งคุณสามารถแก้ไขและเพิ่มมากขึ้นในภายหลัง +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",ชื่อหัวภาษีของคุณ (เช่นภาษีมูลค่าเพิ่มศุลกากร ฯลฯ พวกเขาควรจะมีชื่อไม่ซ้ำกัน) และอัตรามาตรฐานของพวกเขา นี้จะสร้างแม่แบบมาตรฐานซึ่งคุณสามารถแก้ไขและเพิ่มมากขึ้นในภายหลัง apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},อนุกรม Nos จำเป็นสำหรับ รายการ เนื่อง {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,การชำระเงินการแข่งขันกับใบแจ้งหนี้ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},แถว # {0}: โปรดป้อนวันที่จัดส่งกับรายการ {1} DocType: Journal Entry,Bank Entry,ธนาคารเข้า DocType: Authorization Rule,Applicable To (Designation),ที่ใช้บังคับกับ (จุด) ,Profitability Analysis,การวิเคราะห์ผลกำไร @@ -3473,17 +3480,18 @@ DocType: Quality Inspection,Item Serial No,รายการ Serial No. apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,สร้างประวัติพนักงาน apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,ปัจจุบันทั้งหมด apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,รายการบัญชี -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,ชั่วโมง +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,ชั่วโมง apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ใหม่ หมายเลขเครื่อง ไม่สามารถมี คลังสินค้า คลังสินค้า จะต้องตั้งค่า โดย สต็อก รายการ หรือ รับซื้อ DocType: Lead,Lead Type,ชนิดช่องทาง apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,คุณไม่ได้รับอนุญาตในการอนุมัติใบในวันที่ถูกบล็อก -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,รายการทั้งหมด เหล่านี้ได้รับ ใบแจ้งหนี้ แล้ว +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,รายการทั้งหมด เหล่านี้ได้รับ ใบแจ้งหนี้ แล้ว +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,เป้าหมายการขายรายเดือน apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},สามารถ ได้รับการอนุมัติ โดย {0} DocType: Item,Default Material Request Type,เริ่มต้นขอประเภทวัสดุ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,ไม่ทราบ DocType: Shipping Rule,Shipping Rule Conditions,เงื่อนไขกฎการจัดส่งสินค้า DocType: BOM Replace Tool,The new BOM after replacement,BOM ใหม่หลังจากเปลี่ยน -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,จุดขาย +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,จุดขาย DocType: Payment Entry,Received Amount,จำนวนเงินที่ได้รับ DocType: GST Settings,GSTIN Email Sent On,ส่งอีเมล GSTIN แล้ว DocType: Program Enrollment,Pick/Drop by Guardian,เลือก / วางโดย Guardian @@ -3500,8 +3508,8 @@ DocType: Batch,Source Document Name,ชื่อเอกสารต้นท DocType: Batch,Source Document Name,ชื่อเอกสารต้นทาง DocType: Job Opening,Job Title,ตำแหน่งงาน apps/erpnext/erpnext/utilities/activation.py +97,Create Users,สร้างผู้ใช้ -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,กรัม -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,ปริมาณการผลิตจะต้องมากกว่า 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,กรัม +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,ปริมาณการผลิตจะต้องมากกว่า 0 apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,เยี่ยมชมรายงานสำหรับการบำรุงรักษาโทร DocType: Stock Entry,Update Rate and Availability,ปรับปรุงอัตราและความพร้อมใช้งาน DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,เปอร์เซ็นต์ที่คุณได้รับอนุญาตให้ได้รับหรือส่งมอบมากขึ้นกับปริมาณที่สั่งซื้อ ตัวอย่างเช่นหากคุณได้สั่งซื้อ 100 หน่วย และค่าเผื่อของคุณจะ 10% แล้วคุณจะได้รับอนุญาตจะได้รับ 110 หน่วย @@ -3514,7 +3522,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,กรุณายกเลิกการซื้อใบแจ้งหนี้ {0} แรก apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",อีเมล์ต้องไม่ซ้ำกันอยู่แล้วสำหรับ {0} DocType: Serial No,AMC Expiry Date,วันที่หมดอายุ AMC -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,ใบเสร็จรับเงิน +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,ใบเสร็จรับเงิน ,Sales Register,ขายสมัครสมาชิก DocType: Daily Work Summary Settings Company,Send Emails At,ส่งอีเมล์ที่ DocType: Quotation,Quotation Lost Reason,ใบเสนอราคา Lost เหตุผล @@ -3527,14 +3535,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,ยังไ apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,งบกระแสเงินสด apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},วงเงินกู้ไม่เกินจำนวนเงินกู้สูงสุดของ {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,การอนุญาต -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},กรุณาลบนี้ใบแจ้งหนี้ {0} จาก C-แบบฟอร์ม {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},กรุณาลบนี้ใบแจ้งหนี้ {0} จาก C-แบบฟอร์ม {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,เลือกดำเนินการต่อถ้าคุณยังต้องการที่จะรวมถึงความสมดุลในปีงบประมาณก่อนหน้านี้ออกไปในปีงบการเงิน DocType: GL Entry,Against Voucher Type,กับประเภทบัตร DocType: Item,Attributes,คุณลักษณะ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,กรุณากรอกตัวอักษร เขียน ปิด บัญชี apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,วันที่สั่งซื้อล่าสุด apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},บัญชี {0} ไม่ได้เป็นของ บริษัท {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,หมายเลขซีเรียลในแถว {0} ไม่ตรงกับหมายเหตุการจัดส่ง +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,หมายเลขซีเรียลในแถว {0} ไม่ตรงกับหมายเหตุการจัดส่ง DocType: Student,Guardian Details,รายละเอียดผู้ปกครอง DocType: C-Form,C-Form,C-Form apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,มาร์คเข้าร่วมสำหรับพนักงานหลาย @@ -3566,16 +3574,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,ขาย DocType: Stock Entry Detail,Basic Amount,จํานวนเงินขั้นพื้นฐาน DocType: Training Event,Exam,การสอบ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},คลังสินค้า ที่จำเป็นสำหรับ รายการ หุ้น {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},คลังสินค้า ที่จำเป็นสำหรับ รายการ หุ้น {0} DocType: Leave Allocation,Unused leaves,ใบที่ไม่ได้ใช้ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,รัฐเรียกเก็บเงิน apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,โอน apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ไม่ได้เชื่อมโยงกับบัญชี {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),เรียก BOM ระเบิด (รวมถึงการ ประกอบย่อย ) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),เรียก BOM ระเบิด (รวมถึงการ ประกอบย่อย ) DocType: Authorization Rule,Applicable To (Employee),ที่ใช้บังคับกับ (พนักงาน) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,วันที่ครบกำหนดมีผลบังคับใช้ apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,เพิ่มสำหรับแอตทริบิวต์ {0} ไม่สามารถเป็น 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> เขตแดน DocType: Journal Entry,Pay To / Recd From,จ่ายให้ Recd / จาก DocType: Naming Series,Setup Series,ชุดติดตั้ง DocType: Payment Reconciliation,To Invoice Date,วันที่ออกใบแจ้งหนี้ @@ -3602,7 +3611,7 @@ DocType: Journal Entry,Write Off Based On,เขียนปิดขึ้น apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ทำให้ตะกั่ว apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,พิมพ์และเครื่องเขียน DocType: Stock Settings,Show Barcode Field,แสดงฟิลด์บาร์โค้ด -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,ส่งอีเมลผู้ผลิต +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,ส่งอีเมลผู้ผลิต apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",เงินเดือนที่ต้องการการประมวลผลแล้วสำหรับรอบระยะเวลาระหว่าง {0} และ {1} ฝากรับสมัครไม่สามารถอยู่ระหว่างช่วงวันที่นี้ apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,บันทึกการติดตั้งสำหรับหมายเลขเครื่อง DocType: Guardian Interest,Guardian Interest,ผู้ปกครองที่น่าสนใจ @@ -3616,7 +3625,7 @@ DocType: Offer Letter,Awaiting Response,รอการตอบสนอง apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,สูงกว่า apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},แอตทริบิวต์ไม่ถูกต้อง {0} {1} DocType: Supplier,Mention if non-standard payable account,พูดถึงบัญชีที่ต้องชำระเงินที่ไม่ได้มาตรฐาน -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},มีการป้อนรายการเดียวกันหลายครั้ง {รายการ} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},มีการป้อนรายการเดียวกันหลายครั้ง {รายการ} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',โปรดเลือกกลุ่มการประเมินอื่นนอกเหนือจาก 'กลุ่มการประเมินทั้งหมด' DocType: Salary Slip,Earning & Deduction,รายได้และการหัก apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ไม่จำเป็น การตั้งค่านี้ จะถูก ใช้ในการกรอง ในการทำธุรกรรม ต่างๆ @@ -3635,7 +3644,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,ราคาทุนของสินทรัพย์ทะเลาะวิวาท apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: จำเป็นต้องระบุศูนย์ต้นทุนสำหรับรายการ {2} DocType: Vehicle,Policy No,ไม่มีนโยบาย -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,รับรายการจาก Bundle สินค้า +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,รับรายการจาก Bundle สินค้า DocType: Asset,Straight Line,เส้นตรง DocType: Project User,Project User,ผู้ใช้โครงการ apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,แยก @@ -3650,6 +3659,7 @@ DocType: Bank Reconciliation,Payment Entries,รายการชำระเ DocType: Production Order,Scrap Warehouse,เศษคลังสินค้า DocType: Production Order,Check if material transfer entry is not required,ตรวจสอบว่ารายการโอนวัสดุไม่จำเป็นต้องใช้ DocType: Production Order,Check if material transfer entry is not required,ตรวจสอบว่ารายการโอนวัสดุไม่จำเป็นต้องใช้ +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรบุคคล> การตั้งค่าทรัพยากรบุคคล DocType: Program Enrollment Tool,Get Students From,รับนักเรียนจาก DocType: Hub Settings,Seller Country,ผู้ขายประเทศ apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,รายการเผยแพร่บนเว็บไซต์ @@ -3668,19 +3678,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,ระบุเงื่อนไขในการคำนวณปริมาณการจัดส่งสินค้า DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,บทบาทที่ได้รับอนุญาตให้ตั้ง บัญชีแช่แข็ง และแก้ไขรายการแช่แข็ง apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,ไม่สามารถแปลง ศูนย์ต้นทุน ไปยัง บัญชีแยกประเภท ที่มี ต่อมน้ำเด็ก -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ราคาเปิด +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,ราคาเปิด DocType: Salary Detail,Formula,สูตร apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,สำนักงานคณะกรรมการกำกับ การขาย DocType: Offer Letter Term,Value / Description,ค่า / รายละเอียด -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",แถว # {0}: สินทรัพย์ {1} ไม่สามารถส่งมันมีอยู่แล้ว {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",แถว # {0}: สินทรัพย์ {1} ไม่สามารถส่งมันมีอยู่แล้ว {2} DocType: Tax Rule,Billing Country,ประเทศการเรียกเก็บเงิน DocType: Purchase Order Item,Expected Delivery Date,คาดว่าวันที่ส่ง apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,เดบิตและเครดิตไม่เท่ากันสำหรับ {0} # {1} ความแตกต่างคือ {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,ค่าใช้จ่ายใน ความบันเทิง apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,ทำให้วัสดุที่ขอ apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},เปิดรายการ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ใบแจ้งหนี้ การขาย {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ใบแจ้งหนี้ การขาย {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,อายุ DocType: Sales Invoice Timesheet,Billing Amount,จำนวนเงินที่เรียกเก็บ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ปริมาณ ที่ไม่ถูกต้อง ที่ระบุไว้ สำหรับรายการที่ {0} ปริมาณ ที่ควรจะเป็น มากกว่า 0 @@ -3703,7 +3713,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,รายได้ลูกค้าใหม่ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ค่าใช้จ่ายใน การเดินทาง DocType: Maintenance Visit,Breakdown,การเสีย -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,บัญชี: {0} กับสกุลเงิน: {1} ไม่สามารถเลือกได้ +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,บัญชี: {0} กับสกุลเงิน: {1} ไม่สามารถเลือกได้ DocType: Bank Reconciliation Detail,Cheque Date,วันที่เช็ค apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่ได้เป็นของ บริษัท : {2} DocType: Program Enrollment Tool,Student Applicants,สมัครนักศึกษา @@ -3723,11 +3733,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,กา DocType: Material Request,Issued,ออก apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,กิจกรรมนักศึกษา DocType: Project,Total Billing Amount (via Time Logs),จำนวนเงินที่เรียกเก็บเงินรวม (ผ่านบันทึกเวลา) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,เราขาย สินค้า นี้ +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,เราขาย สินค้า นี้ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id ผู้ผลิต DocType: Payment Request,Payment Gateway Details,การชำระเงินรายละเอียดเกตเวย์ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,ปริมาณที่ควรจะเป็นมากกว่า 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,ตัวอย่างข้อมูล +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,ปริมาณที่ควรจะเป็นมากกว่า 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,ตัวอย่างข้อมูล DocType: Journal Entry,Cash Entry,เงินสดเข้า apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,โหนดลูกจะสามารถสร้างได้ภายใต้ 'กลุ่ม' ต่อมน้ำประเภท DocType: Leave Application,Half Day Date,ครึ่งวันวัน @@ -3736,17 +3746,18 @@ DocType: Sales Partner,Contact Desc,Desc ติดต่อ apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.",ประเภทของใบเช่นลำลอง ฯลฯ ป่วย DocType: Email Digest,Send regular summary reports via Email.,ส่งรายงานสรุปปกติผ่านทางอีเมล์ DocType: Payment Entry,PE-,วิชาพลศึกษา- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},กรุณาตั้งค่าบัญชีเริ่มต้นในการเรียกร้องค่าใช้จ่ายประเภท {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},กรุณาตั้งค่าบัญชีเริ่มต้นในการเรียกร้องค่าใช้จ่ายประเภท {0} DocType: Assessment Result,Student Name,ชื่อนักเรียน DocType: Brand,Item Manager,ผู้จัดการฝ่ายรายการ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,เงินเดือนเจ้าหนี้ DocType: Buying Settings,Default Supplier Type,ซัพพลายเออร์ชนิดเริ่มต้น DocType: Production Order,Total Operating Cost,ค่าใช้จ่ายการดำเนินงานรวม -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,หมายเหตุ : รายการ {0} เข้ามา หลายครั้ง +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,หมายเหตุ : รายการ {0} เข้ามา หลายครั้ง apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ติดต่อทั้งหมด +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,กำหนดเป้าหมายของคุณ apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,ชื่อย่อ บริษัท apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ผู้ใช้ {0} ไม่อยู่ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,วัตถุดิบที่ ไม่สามารถเป็น เช่นเดียวกับ รายการ หลัก +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,วัตถุดิบที่ ไม่สามารถเป็น เช่นเดียวกับ รายการ หลัก DocType: Item Attribute Value,Abbreviation,ตัวย่อ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,รายการชำระเงินที่มีอยู่แล้ว apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,ไม่ authroized ตั้งแต่ {0} เกินขีด จำกัด @@ -3764,7 +3775,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,บทบาทอน ,Territory Target Variance Item Group-Wise,มณฑล เป้าหมาย แปรปรวน กลุ่มสินค้า - ฉลาด apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ทุกกลุ่ม ลูกค้า apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,สะสมรายเดือน -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} มีความจำเป็น รายการบันทึกอัตราแลกเปลี่ยนเงินตราไม่ได้สร้างขึ้นสำหรับ {1} เป็น {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} มีความจำเป็น รายการบันทึกอัตราแลกเปลี่ยนเงินตราไม่ได้สร้างขึ้นสำหรับ {1} เป็น {2} apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,แม่แบบภาษีมีผลบังคับใช้ apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่อยู่ DocType: Purchase Invoice Item,Price List Rate (Company Currency),อัตราราคาปกติ (สกุลเงิน บริษัท ) @@ -3775,7 +3786,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,การจั apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,เลขา DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",หากปิดการใช้งาน 'ในคำว่า' ข้อมูลจะไม่สามารถมองเห็นได้ในการทำธุรกรรมใด ๆ DocType: Serial No,Distinct unit of an Item,หน่วยที่แตกต่างของสินค้า -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,โปรดตั้ง บริษัท +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,โปรดตั้ง บริษัท DocType: Pricing Rule,Buying,การซื้อ DocType: HR Settings,Employee Records to be created by,ระเบียนพนักงานที่จะถูกสร้างขึ้นโดย DocType: POS Profile,Apply Discount On,ใช้ส่วนลด @@ -3786,7 +3797,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,รายการ ฉลาด รายละเอียด ภาษี apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,สถาบันชื่อย่อ ,Item-wise Price List Rate,รายการ ฉลาด อัตรา ราคาตามรายการ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,ใบเสนอราคาของผู้ผลิต +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,ใบเสนอราคาของผู้ผลิต DocType: Quotation,In Words will be visible once you save the Quotation.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบเสนอราคา apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},จำนวน ({0}) ไม่สามารถเป็นเศษส่วนในแถว {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},จำนวน ({0}) ไม่สามารถเป็นเศษเล็กเศษน้อยในแถว {1} @@ -3810,7 +3821,7 @@ Updated via 'Time Log'",เป็นนาที ปรับปรุงผ่ DocType: Customer,From Lead,จากช่องทาง apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,คำสั่งปล่อยให้การผลิต apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,เลือกปีงบประมาณ ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,รายละเอียด จุดขาย จำเป็นต้องทำให้ จุดขาย บันทึกได้ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,รายละเอียด จุดขาย จำเป็นต้องทำให้ จุดขาย บันทึกได้ DocType: Program Enrollment Tool,Enroll Students,รับสมัครนักเรียน DocType: Hub Settings,Name Token,ชื่อ Token apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ขาย มาตรฐาน @@ -3828,7 +3839,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,ความแตกต่ apps/erpnext/erpnext/config/learn.py +234,Human Resource,ทรัพยากรมนุษย์ DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,กระทบยอดการชำระเงิน apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,สินทรัพย์ ภาษี -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},ใบสั่งผลิตแบบไม่ต่อเนื่อง {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},ใบสั่งผลิตแบบไม่ต่อเนื่อง {0} DocType: BOM Item,BOM No,BOM ไม่มี DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,อนุทิน {0} ไม่มีบัญชี {1} หรือการจับคู่แล้วกับบัตรกำนัลอื่น ๆ @@ -3842,7 +3853,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,อั apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Amt ดีเด่น DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ตั้งเป้ากลุ่มสินค้าที่ชาญฉลาดสำหรับการนี้คนขาย DocType: Stock Settings,Freeze Stocks Older Than [Days],ตรึง หุ้น เก่า กว่า [ วัน ] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,แถว # {0}: สินทรัพย์เป็นข้อบังคับสำหรับสินทรัพย์ถาวรซื้อ / ขาย +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,แถว # {0}: สินทรัพย์เป็นข้อบังคับสำหรับสินทรัพย์ถาวรซื้อ / ขาย apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",ถ้าสองคนหรือมากกว่ากฎการกำหนดราคาจะพบตามเงื่อนไขข้างต้นลำดับความสำคัญถูกนำไปใช้ ลำดับความสำคัญเป็นจำนวนระหว่าง 0-20 ในขณะที่ค่าเริ่มต้นเป็นศูนย์ (ว่าง) จำนวนที่สูงขึ้นหมายความว่ามันจะมีความสำคัญถ้ามีกฎกำหนดราคาหลายเงื่อนไขเดียวกัน apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ปีงบประมาณ: {0} ไม่อยู่ DocType: Currency Exchange,To Currency,กับสกุลเงิน @@ -3851,7 +3862,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,ชนิดข apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},อัตราการขายสำหรับรายการ {0} ต่ำกว่า {1} อัตราการขายต้องน้อยที่สุด {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},อัตราการขายสำหรับรายการ {0} ต่ำกว่า {1} อัตราการขายต้องน้อยที่สุด {2} DocType: Item,Taxes,ภาษี -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,การชำระเงินและไม่ได้ส่งมอบ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,การชำระเงินและไม่ได้ส่งมอบ DocType: Project,Default Cost Center,เริ่มต้นที่ศูนย์ต้นทุน DocType: Bank Guarantee,End Date,วันที่สิ้นสุด apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ทำธุรกรรมซื้อขายหุ้น @@ -3868,7 +3879,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,ทำงาน บริษัท ตั้งค่าข้อมูลอย่างย่อประจำวัน apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,รายการที่ {0} ไม่สนใจ เพราะมัน ไม่ได้เป็น รายการที่ สต็อก DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,ส่ง การผลิต การสั่งซื้อ นี้ สำหรับการประมวลผล ต่อไป +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,ส่ง การผลิต การสั่งซื้อ นี้ สำหรับการประมวลผล ต่อไป apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",ที่จะไม่ใช้กฎการกำหนดราคาในการทำธุรกรรมโดยเฉพาะอย่างยิ่งกฎการกำหนดราคาทั้งหมดสามารถใช้งานควรจะปิดการใช้งาน DocType: Assessment Group,Parent Assessment Group,ผู้ปกครองกลุ่มประเมิน apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,งาน @@ -3876,10 +3887,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,งาน DocType: Employee,Held On,จัดขึ้นเมื่อวันที่ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,การผลิตสินค้า ,Employee Information,ข้อมูลของพนักงาน -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),อัตรา (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),อัตรา (%) DocType: Stock Entry Detail,Additional Cost,ค่าใช้จ่ายเพิ่มเติม apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",ไม่สามารถกรอง ตาม คูปอง ไม่ ถ้า จัดกลุ่มตาม คูปอง -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,ทำ ใบเสนอราคา ของผู้ผลิต +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,ทำ ใบเสนอราคา ของผู้ผลิต DocType: Quality Inspection,Incoming,ขาเข้า DocType: BOM,Materials Required (Exploded),วัสดุบังคับ (ระเบิด) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",เพิ่มผู้ใช้องค์กรของคุณอื่นที่ไม่ใช่ตัวเอง @@ -3895,7 +3906,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,บัญชี: {0} เท่านั้นที่สามารถได้รับการปรับปรุงผ่านการทำธุรกรรมสต็อก DocType: Student Group Creation Tool,Get Courses,รับหลักสูตร DocType: GL Entry,Party,งานเลี้ยง -DocType: Sales Order,Delivery Date,วันที่ส่ง +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,วันที่ส่ง DocType: Opportunity,Opportunity Date,วันที่มีโอกาส DocType: Purchase Receipt,Return Against Purchase Receipt,กลับต่อต้านการซื้อใบเสร็จรับเงิน DocType: Request for Quotation Item,Request for Quotation Item,ขอใบเสนอราคารายการ @@ -3909,7 +3920,7 @@ DocType: Task,Actual Time (in Hours),เวลาที่เกิดขึ้ DocType: Employee,History In Company,ประวัติใน บริษัท apps/erpnext/erpnext/config/learn.py +107,Newsletters,จดหมายข่าว DocType: Stock Ledger Entry,Stock Ledger Entry,รายการสินค้าบัญชีแยกประเภท -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,รายการเดียวกันได้รับการป้อนหลายครั้ง +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,รายการเดียวกันได้รับการป้อนหลายครั้ง DocType: Department,Leave Block List,ฝากรายการบล็อก DocType: Sales Invoice,Tax ID,ประจำตัวผู้เสียภาษี apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,รายการที่ {0} ไม่ได้ ติดตั้งสำหรับ คอลัมน์ อนุกรม เลขที่ จะต้องมี ที่ว่างเปล่า @@ -3927,25 +3938,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,สีดำ DocType: BOM Explosion Item,BOM Explosion Item,รายการระเบิด BOM DocType: Account,Auditor,ผู้สอบบัญชี -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} รายการผลิตแล้ว +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} รายการผลิตแล้ว DocType: Cheque Print Template,Distance from top edge,ระยะห่างจากขอบด้านบน apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,ราคา {0} เป็นคนพิการหรือไม่มีอยู่ DocType: Purchase Invoice,Return,กลับ DocType: Production Order Operation,Production Order Operation,การดำเนินงานการผลิตการสั่งซื้อ DocType: Pricing Rule,Disable,ปิดการใช้งาน -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,โหมดการชำระเงินจะต้องชำระเงิน +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,โหมดการชำระเงินจะต้องชำระเงิน DocType: Project Task,Pending Review,รอตรวจทาน apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ไม่ได้ลงทะเบียนเรียนในแบทช์ {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",สินทรัพย์ {0} ไม่สามารถทิ้งขณะที่มันมีอยู่แล้ว {1} DocType: Task,Total Expense Claim (via Expense Claim),การเรียกร้องค่าใช้จ่ายรวม (ผ่านการเรียกร้องค่าใช้จ่าย) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,มาร์คขาด -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},แถว {0}: สกุลเงินของ BOM # {1} ควรจะเท่ากับสกุลเงินที่เลือก {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},แถว {0}: สกุลเงินของ BOM # {1} ควรจะเท่ากับสกุลเงินที่เลือก {2} DocType: Journal Entry Account,Exchange Rate,อัตราแลกเปลี่ยน -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,การขายสินค้า {0} ไม่ได้ ส่ง +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,การขายสินค้า {0} ไม่ได้ ส่ง DocType: Homepage,Tag Line,สายแท็ก DocType: Fee Component,Fee Component,ค่าบริการตัวแทน apps/erpnext/erpnext/config/hr.py +195,Fleet Management,การจัดการ Fleet -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,เพิ่มรายการจาก +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,เพิ่มรายการจาก DocType: Cheque Print Template,Regular,ปกติ apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,weightage รวมทุกเกณฑ์การประเมินจะต้อง 100% DocType: BOM,Last Purchase Rate,อัตราซื้อล่าสุด @@ -3966,12 +3977,12 @@ DocType: Employee,Reports to,รายงานไปยัง DocType: SMS Settings,Enter url parameter for receiver nos,ป้อนพารามิเตอร์ URL สำหรับ Nos รับ DocType: Payment Entry,Paid Amount,จำนวนเงินที่ชำระ DocType: Assessment Plan,Supervisor,ผู้ดูแล -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,ออนไลน์ +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ออนไลน์ ,Available Stock for Packing Items,สต็อกสำหรับการบรรจุรายการ DocType: Item Variant,Item Variant,รายการตัวแปร DocType: Assessment Result Tool,Assessment Result Tool,เครื่องมือการประเมินผล DocType: BOM Scrap Item,BOM Scrap Item,BOM เศษรายการ -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,คำสั่งที่ส่งมาไม่สามารถลบได้ +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,คำสั่งที่ส่งมาไม่สามารถลบได้ apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ยอดเงินในบัญชีแล้วในเดบิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เครดิต apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,การบริหารจัดการคุณภาพ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,รายการ {0} ถูกปิดใช้งาน @@ -4003,7 +4014,7 @@ DocType: Item Group,Default Expense Account,บัญชีค่าใช้จ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,อีเมล์ ID นักศึกษา DocType: Employee,Notice (days),แจ้งให้ทราบล่วงหน้า (วัน) DocType: Tax Rule,Sales Tax Template,แม่แบบภาษีการขาย -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,เลือกรายการที่จะบันทึกในใบแจ้งหนี้ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,เลือกรายการที่จะบันทึกในใบแจ้งหนี้ DocType: Employee,Encashment Date,วันที่การได้เป็นเงินสด DocType: Training Event,Internet,อินเทอร์เน็ต DocType: Account,Stock Adjustment,การปรับ สต็อก @@ -4052,10 +4063,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ส่ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ส่วนลดสูงสุดที่ได้รับอนุญาตสำหรับรายการ: {0} เป็น {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,มูลค่าทรัพย์สินสุทธิ ณ วันที่ DocType: Account,Receivable,ลูกหนี้ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,แถว # {0}: ไม่อนุญาตให้ผู้ผลิตที่จะเปลี่ยนเป็นใบสั่งซื้ออยู่แล้ว +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,แถว # {0}: ไม่อนุญาตให้ผู้ผลิตที่จะเปลี่ยนเป็นใบสั่งซื้ออยู่แล้ว DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,บทบาทที่ได้รับอนุญาตให้ส่งการทำธุรกรรมที่เกินวงเงินที่กำหนด -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,เลือกรายการที่จะผลิต -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","การซิงค์ข้อมูลหลัก, อาจทำงานบางช่วงเวลา" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,เลือกรายการที่จะผลิต +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","การซิงค์ข้อมูลหลัก, อาจทำงานบางช่วงเวลา" DocType: Item,Material Issue,บันทึกการใช้วัสดุ DocType: Hub Settings,Seller Description,รายละเอียดผู้ขาย DocType: Employee Education,Qualification,คุณสมบัติ @@ -4076,11 +4087,10 @@ DocType: BOM,Rate Of Materials Based On,อัตราวัสดุตาม apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics สนับสนุน apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,ยกเลิกการเลือกทั้งหมด DocType: POS Profile,Terms and Conditions,ข้อตกลงและเงื่อนไข -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรบุคคล> การตั้งค่าทรัพยากรบุคคล apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},วันที่ควรจะเป็นภายในปีงบประมาณ สมมติว่านัด = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ที่นี่คุณสามารถรักษาความสูงน้ำหนัก, ภูมิแพ้, ฯลฯ ปัญหาด้านการแพทย์" DocType: Leave Block List,Applies to Company,นำไปใช้กับ บริษัท -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,ไม่สามารถยกเลิก ได้เพราะ ส่ง สินค้า เข้า {0} มีอยู่ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,ไม่สามารถยกเลิก ได้เพราะ ส่ง สินค้า เข้า {0} มีอยู่ DocType: Employee Loan,Disbursement Date,วันที่เบิกจ่าย DocType: Vehicle,Vehicle,พาหนะ DocType: Purchase Invoice,In Words,จำนวนเงิน (ตัวอักษร) @@ -4119,7 +4129,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,การตั้ง DocType: Assessment Result Detail,Assessment Result Detail,การประเมินผลรายละเอียด DocType: Employee Education,Employee Education,การศึกษาการทำงานของพนักงาน apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,กลุ่มรายการที่ซ้ำกันที่พบในตารางกลุ่มรายการ -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,มันเป็นสิ่งจำเป็นที่จะดึงรายละเอียดสินค้า +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,มันเป็นสิ่งจำเป็นที่จะดึงรายละเอียดสินค้า DocType: Salary Slip,Net Pay,จ่ายสุทธิ DocType: Account,Account,บัญชี apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,อนุกรม ไม่มี {0} ได้รับ อยู่แล้ว @@ -4127,7 +4137,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,ยานพาหนะเข้าสู่ระบบ DocType: Purchase Invoice,Recurring Id,รหัสที่เกิดขึ้น DocType: Customer,Sales Team Details,ขายรายละเอียดทีม -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,ลบอย่างถาวร? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,ลบอย่างถาวร? DocType: Expense Claim,Total Claimed Amount,จำนวนรวมอ้าง apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,โอกาสที่มีศักยภาพสำหรับการขาย apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ไม่ถูกต้อง {0} @@ -4139,7 +4149,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,การติดตั้งของโรงเรียนใน ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),ฐานจำนวนเปลี่ยน (สกุลเงินบริษัท) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,ไม่มี รายการบัญชี สำหรับคลังสินค้า ดังต่อไปนี้ -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,บันทึกเอกสารครั้งแรก +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,บันทึกเอกสารครั้งแรก DocType: Account,Chargeable,รับผิดชอบ DocType: Company,Change Abbreviation,เปลี่ยนชื่อย่อ DocType: Expense Claim Detail,Expense Date,วันที่ค่าใช้จ่าย @@ -4153,7 +4163,6 @@ DocType: BOM,Manufacturing User,ผู้ใช้การผลิต DocType: Purchase Invoice,Raw Materials Supplied,วัตถุดิบ DocType: Purchase Invoice,Recurring Print Format,รูปแบบที่เกิดขึ้นประจำพิมพ์ DocType: C-Form,Series,ชุด -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,วันที่ส่ง ที่คาดว่าจะ ไม่สามารถเป็น วัน ก่อนที่จะ สั่งซื้อ DocType: Appraisal,Appraisal Template,แม่แบบการประเมิน DocType: Item Group,Item Classification,การจัดประเภทรายการ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ผู้จัดการฝ่ายพัฒนาธุรกิจ @@ -4192,12 +4201,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,เลื apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,กิจกรรม / ผลการฝึกอบรม apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,ค่าเสื่อมราคาสะสม ณ วันที่ DocType: Sales Invoice,C-Form Applicable,C-Form สามารถนำไปใช้ได้ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},เวลาการดำเนินงานจะต้องมากกว่า 0 สำหรับการปฏิบัติงาน {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},เวลาการดำเนินงานจะต้องมากกว่า 0 สำหรับการปฏิบัติงาน {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ต้องระบุคลังสินค้า DocType: Supplier,Address and Contacts,ที่อยู่และที่ติดต่อ DocType: UOM Conversion Detail,UOM Conversion Detail,รายละเอียดการแปลง UOM DocType: Program,Program Abbreviation,ชื่อย่อโปรแกรม -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,ใบสั่งผลิตไม่สามารถขึ้นกับแม่แบบรายการ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,ใบสั่งผลิตไม่สามารถขึ้นกับแม่แบบรายการ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ค่าใช้จ่ายที่มีการปรับปรุงในใบเสร็จรับเงินกับแต่ละรายการ DocType: Warranty Claim,Resolved By,แก้ไขได้โดยการ DocType: Bank Guarantee,Start Date,วันที่เริ่มต้น @@ -4232,6 +4241,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,การฝึกอบรมผลตอบรับ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,สั่งผลิต {0} จะต้องส่ง apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},กรุณาเลือก วันเริ่มต้น และ วันที่สิ้นสุด สำหรับรายการที่ {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,กำหนดเป้าหมายการขายที่คุณต้องการให้บรรลุ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},แน่นอนมีผลบังคับใช้ในแถว {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,วันที่ ไม่สามารถ ก่อนที่จะ นับจากวันที่ DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc @@ -4250,7 +4260,7 @@ DocType: Account,Income,เงินได้ DocType: Industry Type,Industry Type,ประเภทอุตสาหกรรม apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,สิ่งที่ผิดพลาด! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,คำเตือน: โปรแกรมออกมีวันที่บล็อกต่อไปนี้ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,ใบแจ้งหนี้ การขาย {0} ได้ ถูกส่งมา อยู่แล้ว +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,ใบแจ้งหนี้ การขาย {0} ได้ ถูกส่งมา อยู่แล้ว DocType: Assessment Result Detail,Score,คะแนน apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,ปีงบประมาณ {0} ไม่อยู่ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,วันที่เสร็จสมบูรณ์ @@ -4280,7 +4290,7 @@ DocType: Naming Series,Help HTML,วิธีใช้ HTML DocType: Student Group Creation Tool,Student Group Creation Tool,เครื่องมือการสร้างกลุ่มนักศึกษา DocType: Item,Variant Based On,ตัวแปรอยู่บนพื้นฐานของ apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},weightage รวม ที่ได้รับมอบหมาย ควรจะ 100% มันเป็น {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,ซัพพลายเออร์ ของคุณ +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,ซัพพลายเออร์ ของคุณ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,ไม่สามารถตั้งค่า ที่ หายไป ในขณะที่ การขายสินค้า ที่ทำ DocType: Request for Quotation Item,Supplier Part No,ผู้ผลิตชิ้นส่วน apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ไม่สามารถหักค่าใช้จ่ายเมื่อเป็นหมวดหมู่สำหรับ 'การประเมินค่า' หรือ 'Vaulation และรวม @@ -4290,14 +4300,14 @@ DocType: Item,Has Serial No,มีซีเรียลไม่มี DocType: Employee,Date of Issue,วันที่ออก apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: จาก {0} สำหรับ {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",ตามการตั้งค่าการซื้อหาก Purchase Reciept Required == 'YES' จากนั้นสำหรับการสร้าง Invoice ซื้อผู้ใช้ต้องสร้างใบเสร็จการรับสินค้าเป็นอันดับแรกสำหรับรายการ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},แถว # {0}: ตั้งผู้ผลิตสำหรับรายการ {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,แถว {0}: ค่าเวลาทำการต้องมีค่ามากกว่าศูนย์ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},แถว # {0}: ตั้งผู้ผลิตสำหรับรายการ {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,แถว {0}: ค่าเวลาทำการต้องมีค่ามากกว่าศูนย์ apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,ภาพ Website {0} แนบไปกับรายการ {1} ไม่สามารถพบได้ DocType: Issue,Content Type,ประเภทเนื้อหา apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,คอมพิวเตอร์ DocType: Item,List this Item in multiple groups on the website.,รายการนี้ในหลายกลุ่มในเว็บไซต์ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,กรุณาตรวจสอบตัวเลือกสกุลเงินที่จะอนุญาตให้มีหลายบัญชีที่มีสกุลเงินอื่น ๆ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,รายการ: {0} ไม่อยู่ในระบบ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,รายการ: {0} ไม่อยู่ในระบบ apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,คุณยังไม่ได้ รับอนุญาตให้ กำหนดค่า แช่แข็ง DocType: Payment Reconciliation,Get Unreconciled Entries,คอมเมนต์ได้รับ Unreconciled DocType: Payment Reconciliation,From Invoice Date,จากวันที่ใบแจ้งหนี้ @@ -4323,7 +4333,7 @@ DocType: Stock Entry,Default Source Warehouse,คลังสินค้าท DocType: Item,Customer Code,รหัสลูกค้า apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},เตือนวันเกิดสำหรับ {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ตั้งแต่ วันที่ สั่งซื้อ ล่าสุด -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,เพื่อเดบิตบัญชีจะต้องเป็นบัญชีงบดุล +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,เพื่อเดบิตบัญชีจะต้องเป็นบัญชีงบดุล DocType: Buying Settings,Naming Series,การตั้งชื่อซีรีส์ DocType: Leave Block List,Leave Block List Name,ฝากชื่อรายการที่ถูกบล็อก apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,วันประกันเริ่มต้นควรจะน้อยกว่าวันประกันสิ้นสุด @@ -4340,7 +4350,7 @@ DocType: Vehicle Log,Odometer,วัดระยะทาง DocType: Sales Order Item,Ordered Qty,สั่งซื้อ จำนวน apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,รายการ {0} ถูกปิดใช้งาน DocType: Stock Settings,Stock Frozen Upto,สต็อกไม่เกิน Frozen -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ไม่ได้มีรายการสินค้าใด ๆ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM ไม่ได้มีรายการสินค้าใด ๆ apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},ระยะเวลาเริ่มต้นและระยะเวลาในการบังคับใช้สำหรับวันที่เกิดขึ้น {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,กิจกรรมของโครงการ / งาน DocType: Vehicle Log,Refuelling Details,รายละเอียดเชื้อเพลิง @@ -4350,7 +4360,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,ไม่พบอัตราการซื้อล่าสุด DocType: Purchase Invoice,Write Off Amount (Company Currency),เขียนปิดจำนวนเงิน (บริษัท สกุล) DocType: Sales Invoice Timesheet,Billing Hours,ชั่วโมงทำการเรียกเก็บเงิน -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM เริ่มต้นสำหรับ {0} ไม่พบ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM เริ่มต้นสำหรับ {0} ไม่พบ apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,แถว # {0}: กรุณาตั้งค่าปริมาณการสั่งซื้อ apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,แตะรายการเพื่อเพิ่มที่นี่ DocType: Fees,Program Enrollment,การลงทะเบียนโปรแกรม @@ -4385,6 +4395,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,ช่วงสูงอายุ 2 DocType: SG Creation Tool Course,Max Strength,ความแรงของแม็กซ์ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM แทนที่ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,เลือกรายการตามวันที่จัดส่ง ,Sales Analytics,Analytics ขาย apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},ที่มีจำหน่าย {0} ,Prospects Engaged But Not Converted,แนวโน้มมีส่วนร่วม แต่ไม่ได้แปลง @@ -4433,7 +4444,7 @@ DocType: Authorization Rule,Customerwise Discount,ส่วนลด Customerwis apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet สำหรับงาน DocType: Purchase Invoice,Against Expense Account,กับบัญชีค่าใช้จ่าย DocType: Production Order,Production Order,สั่งซื้อการผลิต -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,หมายเหตุ การติดตั้ง {0} ได้ ถูกส่งมา อยู่แล้ว +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,หมายเหตุ การติดตั้ง {0} ได้ ถูกส่งมา อยู่แล้ว DocType: Bank Reconciliation,Get Payment Entries,ได้รับรายการการชำระเงิน DocType: Quotation Item,Against Docname,กับ ชื่อเอกสาร DocType: SMS Center,All Employee (Active),พนักงาน (อยู่ในระบบ) ทั้งหมด @@ -4442,7 +4453,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,วัตถุดิบต้นทุน DocType: Item Reorder,Re-Order Level,ระดับ Re-Order DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,ป้อนรายการและจำนวนที่วางแผนไว้สำหรับที่คุณต้องการที่จะยกระดับการสั่งผลิตหรือดาวน์โหลดวัตถุดิบสำหรับการวิเคราะห์ -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,แผนภูมิแกนต์ +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,แผนภูมิแกนต์ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part-time DocType: Employee,Applicable Holiday List,รายการวันหยุดที่ใช้บังคับ DocType: Employee,Cheque,เช็ค @@ -4500,11 +4511,11 @@ DocType: Bin,Reserved Qty for Production,ลิขสิทธิ์จำนว DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ปล่อยให้ไม่ทำเครื่องหมายหากคุณไม่ต้องการพิจารณาชุดในขณะที่สร้างกลุ่มตามหลักสูตร DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ปล่อยให้ไม่ทำเครื่องหมายหากคุณไม่ต้องการพิจารณาชุดในขณะที่สร้างกลุ่มตามหลักสูตร DocType: Asset,Frequency of Depreciation (Months),ความถี่ของค่าเสื่อมราคา (เดือน) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,บัญชีเครดิต +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,บัญชีเครดิต DocType: Landed Cost Item,Landed Cost Item,รายการค่าใช้จ่ายลง apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,แสดงค่าศูนย์ DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,จำนวนสินค้าที่ได้หลังการผลิต / บรรจุใหม่จากจำนวนวัตถุดิบที่มี -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,การตั้งค่าเว็บไซต์ที่ง่ายสำหรับองค์กรของฉัน +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,การตั้งค่าเว็บไซต์ที่ง่ายสำหรับองค์กรของฉัน DocType: Payment Reconciliation,Receivable / Payable Account,ลูกหนี้ / เจ้าหนี้การค้า DocType: Delivery Note Item,Against Sales Order Item,กับการขายรายการสั่งซื้อ apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},โปรดระบุคุณสมบัติราคาแอตทริบิวต์ {0} @@ -4569,22 +4580,22 @@ DocType: Student,Nationality,สัญชาติ ,Items To Be Requested,รายการที่จะ ได้รับการร้องขอ DocType: Purchase Order,Get Last Purchase Rate,รับซื้อให้ล่าสุด DocType: Company,Company Info,ข้อมูล บริษัท -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,เลือกหรือเพิ่มลูกค้าใหม่ -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,ศูนย์ต้นทุนจะต้องสำรองการเรียกร้องค่าใช้จ่าย +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,เลือกหรือเพิ่มลูกค้าใหม่ +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,ศูนย์ต้นทุนจะต้องสำรองการเรียกร้องค่าใช้จ่าย apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),การใช้ประโยชน์กองทุน (สินทรัพย์) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,นี้ขึ้นอยู่กับการเข้าร่วมของพนักงานนี้ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,บัญชีเดบิต +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,บัญชีเดบิต DocType: Fiscal Year,Year Start Date,วันที่เริ่มต้นปี DocType: Attendance,Employee Name,ชื่อของพนักงาน DocType: Sales Invoice,Rounded Total (Company Currency),รวมกลม (สกุลเงิน บริษัท ) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ไม่สามารถแอบแฝงเข้ากลุ่มเพราะประเภทบัญชีถูกเลือก -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} ถูกแก้ไขแล้ว กรุณาโหลดใหม่อีกครั้ง +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} ถูกแก้ไขแล้ว กรุณาโหลดใหม่อีกครั้ง DocType: Leave Block List,Stop users from making Leave Applications on following days.,หยุดผู้ใช้จากการทำแอพพลิเคที่เดินทางในวันที่ดังต่อไปนี้ apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ปริมาณการซื้อ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,ใบเสนอราคาผู้ผลิต {0} สร้าง apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,ปีที่จบการไม่สามารถก่อนที่จะเริ่มปี apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ผลประโยชน์ของพนักงาน -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},ปริมาณ การบรรจุ จะต้องเท่ากับ ปริมาณ สินค้า {0} ในแถว {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},ปริมาณ การบรรจุ จะต้องเท่ากับ ปริมาณ สินค้า {0} ในแถว {1} DocType: Production Order,Manufactured Qty,จำนวนการผลิต DocType: Purchase Receipt Item,Accepted Quantity,จำนวนที่ยอมรับ apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},กรุณาตั้งค่าเริ่มต้นรายการวันหยุดสำหรับพนักงาน {0} หรือ บริษัท {1} @@ -4595,11 +4606,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},แถวไม่มี {0}: จำนวนเงินไม่สามารถจะสูงกว่าจำนวนเงินที่ค้างอยู่กับค่าใช้จ่ายในการเรียกร้อง {1} ที่รอดำเนินการเป็นจำนวน {2} DocType: Maintenance Schedule,Schedule,กำหนดการ DocType: Account,Parent Account,บัญชีผู้ปกครอง -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,ที่มีจำหน่าย +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,ที่มีจำหน่าย DocType: Quality Inspection Reading,Reading 3,Reading 3 ,Hub,ดุม DocType: GL Entry,Voucher Type,ประเภทบัตรกำนัล -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,ราคาไม่พบหรือคนพิการ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,ราคาไม่พบหรือคนพิการ DocType: Employee Loan Application,Approved,ได้รับการอนุมัติ DocType: Pricing Rule,Price,ราคา apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',พนักงาน โล่งใจ ที่ {0} จะต้องตั้งค่า เป็น ' ซ้าย ' @@ -4669,7 +4680,7 @@ DocType: SMS Settings,Static Parameters,พารามิเตอร์คง DocType: Assessment Plan,Room,ห้อง DocType: Purchase Order,Advance Paid,จ่ายล่วงหน้า DocType: Item,Item Tax,ภาษีสินค้า -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,วัสดุในการจัดจำหน่าย +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,วัสดุในการจัดจำหน่าย apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,สรรพสามิตใบแจ้งหนี้ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,treshold {0}% ปรากฏมากกว่าหนึ่งครั้ง DocType: Expense Claim,Employees Email Id,Email รหัสพนักงาน @@ -4709,7 +4720,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,แบบ DocType: Production Order,Actual Operating Cost,ต้นทุนการดำเนินงานที่เกิดขึ้นจริง DocType: Payment Entry,Cheque/Reference No,เช็ค / อ้างอิง -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ผู้จัดจำหน่าย> ประเภทผู้จัดจำหน่าย apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ราก ไม่สามารถแก้ไขได้ DocType: Item,Units of Measure,หน่วยวัด DocType: Manufacturing Settings,Allow Production on Holidays,อนุญาตให้ผลิตในวันหยุด @@ -4742,12 +4752,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,วันเครดิต apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,สร้างกลุ่มนักศึกษา DocType: Leave Type,Is Carry Forward,เป็น Carry Forward -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,รับสินค้า จาก BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,รับสินค้า จาก BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,นำวันเวลา -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},แถว # {0}: โพสต์วันที่ต้องเป็นเช่นเดียวกับวันที่ซื้อ {1} สินทรัพย์ {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},แถว # {0}: โพสต์วันที่ต้องเป็นเช่นเดียวกับวันที่ซื้อ {1} สินทรัพย์ {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,ตรวจสอบว่านักเรียนอาศัยอยู่ที่ Hostel ของสถาบันหรือไม่ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,โปรดป้อนคำสั่งขายในตารางข้างต้น -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ไม่ได้ส่งสลิปเงินเดือน +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,ไม่ได้ส่งสลิปเงินเดือน ,Stock Summary,แจ้งข้อมูลอย่างย่อ apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,โอนสินทรัพย์จากที่หนึ่งไปยังอีกคลังสินค้า DocType: Vehicle,Petrol,เบนซิน diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index 1a8c08cf8bf..efbdb5c147e 100644 --- a/erpnext/translations/tr.csv +++ b/erpnext/translations/tr.csv @@ -22,7 +22,7 @@ DocType: Employee,Rented,Kiralanmış DocType: Employee,Rented,Kiralanmış DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Kullanıcı için geçerlidir -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Durduruldu Üretim Sipariş iptal edilemez, iptal etmek için ilk önce unstop" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Durduruldu Üretim Sipariş iptal edilemez, iptal etmek için ilk önce unstop" DocType: Vehicle Service,Mileage,Kilometre apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Bu varlığı gerçekten hurda etmek istiyor musunuz? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Seç Varsayılan Tedarikçi @@ -44,7 +44,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate DocType: Sales Invoice,Customer Name,Müşteri Adı DocType: Sales Invoice,Customer Name,Müşteri Adı DocType: Vehicle,Natural Gas,Doğal gaz -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Banka hesabı olarak adlandırılan olamaz {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Banka hesabı olarak adlandırılan olamaz {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kafaları (veya gruplar) kendisine karşı Muhasebe Girişler yapılır ve dengeler korunur. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),{0} için bekleyen sıfırdan az olamaz ({1}) DocType: Manufacturing Settings,Default 10 mins,10 dakika Standart @@ -52,7 +52,7 @@ DocType: Leave Type,Leave Type Name,İzin Tipi Adı apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Açık olanları göster apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Seri Başarıyla güncellendi apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Çıkış yapmak -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural günlük girdisi Ekleyen +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural günlük girdisi Ekleyen DocType: Pricing Rule,Apply On,Uygula DocType: Item Price,Multiple Item prices.,Çoklu Ürün fiyatları. DocType: Item Price,Multiple Item prices.,Çoklu Ürün fiyatları. @@ -71,8 +71,8 @@ DocType: Mode of Payment Account,Mode of Payment Account,Ödeme Şekli Hesabı apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Göster Varyantlar DocType: Academic Term,Academic Term,Akademik Dönem apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Malzeme -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Miktar -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Miktar +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Miktar +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Miktar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Hesap Tablosu boş olamaz. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Krediler (Yükümlülükler) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Krediler (Yükümlülükler) @@ -86,12 +86,11 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Sağlı apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Sağlık hizmeti apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Ödeme Gecikme (Gün) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,hizmet Gideri -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},"Seri Numarası: {0}, Satış Faturasında zaten atıfta bulunuldu: {1}" -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Fatura +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},"Seri Numarası: {0}, Satış Faturasında zaten atıfta bulunuldu: {1}" +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Fatura DocType: Maintenance Schedule Item,Periodicity,Periyodik olarak tekrarlanma DocType: Maintenance Schedule Item,Periodicity,Periyodik olarak tekrarlanma apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Mali yıl {0} gereklidir -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Beklenen Teslim Tarihi Satış Sipariş Tarihinden önce olmak olduğunu apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Savunma apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Savunma DocType: Salary Component,Abbr,Kısaltma @@ -102,7 +101,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Satır # {0}: DocType: Timesheet,Total Costing Amount,Toplam Maliyet Tutarı DocType: Delivery Note,Vehicle No,Araç No -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Fiyat Listesi seçiniz +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Fiyat Listesi seçiniz apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Satır # {0}: Ödeme belge trasaction tamamlamak için gereklidir DocType: Production Order Operation,Work In Progress,Devam eden iş apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,tarih seçiniz @@ -132,8 +131,8 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} Aktif mali dönem içinde değil. DocType: Packed Item,Parent Detail docname,Ana Detay belgesi adı apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referans: {0}, Ürün Kodu: {1} ve Müşteri: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kilogram -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kilogram +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kilogram +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kilogram DocType: Student Log,Log,Giriş apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,İş Açılışı. DocType: Item Attribute,Increment,Artım @@ -145,7 +144,7 @@ DocType: Employee,Married,Evli DocType: Employee,Married,Evli apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Izin verilmez {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Öğeleri alın -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Stok İrsaliye {0} karşısı güncellenmez +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Stok İrsaliye {0} karşısı güncellenmez apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Ürün {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Listelenen öğe yok DocType: Payment Reconciliation,Reconcile,Uzlaştırmak @@ -159,7 +158,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Emekl apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Sonraki Amortisman Tarihi Satın Alma Tarihinden önce olamaz DocType: SMS Center,All Sales Person,Bütün Satış Kişileri DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,İşinizde sezonluk değişkenlik varsa **Aylık Dağılım** Bütçe/Hedef'i aylara dağıtmanıza yardımcı olur. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,ürün bulunamadı +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,ürün bulunamadı apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Maaş Yapısı Eksik DocType: Lead,Person Name,Kişi Adı DocType: Sales Invoice Item,Sales Invoice Item,Satış Faturası Ürünü @@ -173,12 +172,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","'Sabit Varlıktır' seçimi kaldırılamaz, çünkü Varlık kayıtları bulunuyor" DocType: Vehicle Service,Brake Oil,fren Yağı DocType: Tax Rule,Tax Type,Vergi Türü -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Vergilendirilebilir Tutar +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Vergilendirilebilir Tutar apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},{0} dan önceki girdileri ekleme veya güncelleme yetkiniz yok DocType: BOM,Item Image (if not slideshow),Ürün Görüntü (yoksa slayt) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Aynı isimle bulunan bir müşteri DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Saat Hızı / 60) * Gerçek Çalışma Süresi -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,seç BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,seç BOM DocType: SMS Log,SMS Log,SMS Kayıtları apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Teslim Öğeler Maliyeti apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} üzerinde tatil Tarihten itibaren ve Tarihi arasında değil @@ -199,15 +198,15 @@ DocType: Academic Term,Schools,Okullar DocType: School Settings,Validate Batch for Students in Student Group,Öğrenci Topluluğundaki Öğrenciler İçin Toplu İşi Doğrula apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},çalışan için bulunamadı izin rekor {0} için {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Lütfen ilk önce şirketi girin -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,İlk Şirket seçiniz +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,İlk Şirket seçiniz DocType: Employee Education,Under Graduate,Lisans apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Hedefi DocType: BOM,Total Cost,Toplam Maliyet DocType: BOM,Total Cost,Toplam Maliyet DocType: Journal Entry Account,Employee Loan,Çalışan Kredi -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Etkinlik Günlüğü: -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Etkinlik Günlüğü: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Ürün {0} sistemde yoktur veya süresi dolmuştur +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Etkinlik Günlüğü: +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Etkinlik Günlüğü: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Ürün {0} sistemde yoktur veya süresi dolmuştur apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Gayrimenkul apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Gayrimenkul apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Hesap Beyanı @@ -221,19 +220,18 @@ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Su apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tedarikçi Türü / Tedarikçi DocType: Naming Series,Prefix,Önek DocType: Naming Series,Prefix,Önek -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Kurulum> Ayarlar> Adlandırma Serisi aracılığıyla {0} için Naming Series'i ayarlayın. -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Tüketilir +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Tüketilir DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,İthalat Günlüğü DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Yukarıdaki kriterlere dayalı tip Üretim Malzeme İsteği çekin DocType: Training Result Employee,Grade,sınıf DocType: Sales Invoice Item,Delivered By Supplier,Tedarikçi Tarafından Teslim DocType: SMS Center,All Contact,Tüm İrtibatlar -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Üretim Sipariş zaten BOM ile tüm öğeler için yaratılmış +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Üretim Sipariş zaten BOM ile tüm öğeler için yaratılmış apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Yıllık Gelir DocType: Daily Work Summary,Daily Work Summary,Günlük Çalışma Özeti DocType: Period Closing Voucher,Closing Fiscal Year,Mali Yılı Kapanış -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} donduruldu +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} donduruldu apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Hesap tablosu oluşturmak için Varolan Firma seçiniz apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stok Giderleri apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stok Giderleri @@ -249,14 +247,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Onaylanan ve reddedilen miktarların toplamı alınan ürün miktarına eşit olmak zorundadır. {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Tedarik Hammadde Satın Alma için -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Ödeme en az bir mod POS fatura için gereklidir. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Ödeme en az bir mod POS fatura için gereklidir. DocType: Products Settings,Show Products as a List,Ürünlerine bir liste olarak DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",", Şablon İndir uygun verileri doldurmak ve değiştirilmiş dosya ekleyin. Seçilen dönemde tüm tarihler ve çalışan kombinasyonu mevcut katılım kayıtları ile, şablonda gelecek" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Ürün {0} aktif değil veya kullanım ömrünün sonuna gelindi -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Örnek: Temel Matematik -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Satır {0} a vergi eklemek için {1} satırlarındaki vergiler de dahil edilmelidir +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Örnek: Temel Matematik +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Satır {0} a vergi eklemek için {1} satırlarındaki vergiler de dahil edilmelidir apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,İK Modülü Ayarları apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,İK Modülü Ayarları DocType: SMS Center,SMS Center,SMS Merkezi @@ -295,7 +293,7 @@ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79, apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Kurulum tarih Ürün için teslim tarihinden önce olamaz {0} DocType: Pricing Rule,Discount on Price List Rate (%),Fiyat Listesi Puan İndirim (%) DocType: Offer Letter,Select Terms and Conditions,Şartlar ve Koşulları Seç -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,out Değeri +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,out Değeri DocType: Production Planning Tool,Sales Orders,Satış Siparişleri DocType: Purchase Taxes and Charges,Valuation,Değerleme DocType: Purchase Taxes and Charges,Valuation,Değerleme @@ -323,7 +321,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Açılış Girdisi DocType: Customer Group,Mention if non-standard receivable account applicable,Mansiyon standart dışı alacak hesabı varsa DocType: Course Schedule,Instructor Name,Öğretim Elemanının Adı -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Sunulmadan önce gerekli depo için +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Sunulmadan önce gerekli depo için apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Açık Alınan DocType: Sales Partner,Reseller,Bayi DocType: Sales Partner,Reseller,Bayi @@ -332,13 +330,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Satış Faturası Ürün Karşılığı ,Production Orders in Progress,Devam eden Üretim Siparişleri apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Finansman Sağlanan Net Nakit -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","YerelDepolama dolu, tasarruf etmedi" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","YerelDepolama dolu, tasarruf etmedi" DocType: Lead,Address & Contact,Adres ve İrtibat DocType: Leave Allocation,Add unused leaves from previous allocations,Önceki tahsisleri kullanılmayan yaprakları ekleyin apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Sonraki Dönüşümlü {0} üzerinde oluşturulur {1} DocType: Sales Partner,Partner website,Ortak web sitesi apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Ürün Ekle -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,İletişim İsmi +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,İletişim İsmi DocType: Course Assessment Criteria,Course Assessment Criteria,Ders Değerlendirme Kriterleri DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Yukarıda belirtilen kriterler için maaş makbuzu oluştur. DocType: POS Customer Group,POS Customer Group,POS Müşteri Grubu @@ -354,7 +352,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Satır {0}: kontrol edin Hesabı karşı 'Advance mı' {1} Bu bir avans giriş ise. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Depo {0} Şirket {1}e ait değildir DocType: Email Digest,Profit & Loss,Kar kaybı -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),(Zaman Formu aracılığıyla) Toplam Maliyet Tutarı DocType: Item Website Specification,Item Website Specification,Ürün Web Sitesi Özellikleri DocType: Item Website Specification,Item Website Specification,Ürün Web Sitesi Özellikleri @@ -368,7 +366,7 @@ DocType: Stock Entry,Sales Invoice No,Satış Fatura No DocType: Material Request Item,Min Order Qty,Minimum sipariş miktarı DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Öğrenci Grubu Oluşturma Aracı Kursu DocType: Lead,Do Not Contact,İrtibata Geçmeyin -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,kuruluşunuz öğretmek insanlar +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,kuruluşunuz öğretmek insanlar DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Bütün mükerrer faturaları izlemek için özel kimlik. Teslimatta oluşturulacaktır. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Yazılım Geliştirici apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Yazılım Geliştirici @@ -382,8 +380,8 @@ DocType: Item,Publish in Hub,Hub Yayınla DocType: Student Admission,Student Admission,Öğrenci Kabulü ,Terretory,Bölge apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Ürün {0} iptal edildi -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Malzeme Talebi -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Malzeme Talebi +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Malzeme Talebi +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Malzeme Talebi DocType: Bank Reconciliation,Update Clearance Date,Güncelleme Alma Tarihi DocType: Item,Purchase Details,Satın alma Detayları apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Satın Alma Emri 'Hammadde Tedarik' tablosunda bulunamadı Item {0} {1} @@ -428,7 +426,7 @@ DocType: Vehicle,Fleet Manager,Filo Yöneticisi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Satır # {0}: {1} öğe için negatif olamaz {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Yanlış Şifre DocType: Item,Variant Of,Of Varyant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Daha 'Miktar imalatı için' Tamamlandı Adet büyük olamaz +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Daha 'Miktar imalatı için' Tamamlandı Adet büyük olamaz DocType: Period Closing Voucher,Closing Account Head,Kapanış Hesap Başkanı DocType: Employee,External Work History,Dış Çalışma Geçmişi apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Dairesel Referans Hatası @@ -439,11 +437,12 @@ apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) fou DocType: Lead,Industry,Sanayi DocType: Employee,Job Profile,İş Profili DocType: Employee,Job Profile,İş Profili +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,"Bu, bu Şirkete karşı işlemlere dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesine bakın" DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Otomatik Malzeme Talebi oluşturulması durumunda e-posta ile bildir DocType: Journal Entry,Multi Currency,Çoklu Para Birimi DocType: Payment Reconciliation Invoice,Invoice Type,Fatura Türü DocType: Payment Reconciliation Invoice,Invoice Type,Fatura Türü -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,İrsaliye +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,İrsaliye apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Vergiler kurma apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Satılan Varlığın Maliyeti apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Bunu çekti sonra Ödeme Giriş modifiye edilmiştir. Tekrar çekin lütfen. @@ -467,10 +466,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Ayın 'Belli Gününde Tekrarla' alanına değer giriniz DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Müşteri Para Biriminin Müşterinin temel birimine dönüştürülme oranı DocType: Course Scheduling Tool,Course Scheduling Tool,Ders Planlama Aracı -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Satır # {0}: Alış Fatura varolan varlık karşı yapılamaz {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Satır # {0}: Alış Fatura varolan varlık karşı yapılamaz {1} DocType: Item Tax,Tax Rate,Vergi Oranı apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} zaten Çalışan tahsis {1} dönem {2} için {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Öğe Seç +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Öğe Seç apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Satın alma Faturası {0} zaten teslim edildi apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Satır # {0}: Toplu Hayır aynı olmalıdır {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Olmayan gruba dönüştürme @@ -518,7 +517,7 @@ DocType: Employee,Widowed,Dul DocType: Request for Quotation,Request for Quotation,Fiyat Teklif Talebi DocType: Salary Slip Timesheet,Working Hours,Iş saatleri 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. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Yeni müşteri oluştur +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Yeni müşteri oluştur apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Birden fazla fiyatlandırma Kuralo hakimse, kullanıcılardan zorunu çözmek için Önceliği elle ayarlamaları istenir" apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Satınalma Siparişleri oluşturun ,Purchase Register,Satın alma kaydı @@ -551,7 +550,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,sınav Adı DocType: Purchase Invoice Item,Quantity and Rate,Miktarı ve Oranı DocType: Delivery Note,% Installed,% Montajlanan -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Derslik / dersler planlanmış olabilir Laboratuvarlar vb. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Derslik / dersler planlanmış olabilir Laboratuvarlar vb. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Lütfen ilk önce şirket adını girin DocType: Purchase Invoice,Supplier Name,Tedarikçi Adı DocType: Purchase Invoice,Supplier Name,Tedarikçi Adı @@ -570,7 +569,7 @@ DocType: Account,Old Parent,Eski Ebeveyn apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Zorunlu alan - Akademik Yıl apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Zorunlu alan - Akademik Yıl DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"E-postanın bir parçası olarak giden giriş metnini özelleştirin, her işlemin ayrı giriş metni vardır" -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Lütfen {0} şirketi için varsayılan ödenebilir hesabı ayarlayın. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Lütfen {0} şirketi için varsayılan ödenebilir hesabı ayarlayın. apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Tüm üretim süreçleri için genel ayarlar. DocType: Accounts Settings,Accounts Frozen Upto,Dondurulmuş hesaplar DocType: SMS Log,Sent On,Gönderim Zamanı @@ -615,7 +614,7 @@ DocType: Journal Entry,Accounts Payable,Vadesi gelmiş hesaplar apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Seçilen malzeme listeleri aynı madde için değildir DocType: Pricing Rule,Valid Upto,Tarihine kadar geçerli DocType: Training Event,Workshop,Atölye -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Müşterilerinizin birkaçını listeleyin. Bunlar kuruluşlar veya bireyler olabilir. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Müşterilerinizin birkaçını listeleyin. Bunlar kuruluşlar veya bireyler olabilir. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Yeter Parçaları Build apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Doğrudan Gelir apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Doğrudan Gelir @@ -625,7 +624,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Lütfen Kursu seçin apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Lütfen Kursu seçin DocType: Timesheet Detail,Hrs,saat -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Firma seçiniz +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Firma seçiniz DocType: Stock Entry Detail,Difference Account,Fark Hesabı DocType: Stock Entry Detail,Difference Account,Fark Hesabı DocType: Purchase Invoice,Supplier GSTIN,Tedarikçi GSTIN @@ -645,7 +644,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d DocType: Sales Order,To Deliver,Teslim edilecek DocType: Purchase Invoice Item,Item,Ürün DocType: Purchase Invoice Item,Item,Ürün -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Seri hiçbir öğe bir kısmını olamaz +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Seri hiçbir öğe bir kısmını olamaz DocType: Journal Entry,Difference (Dr - Cr),Fark (Dr - Cr) DocType: Journal Entry,Difference (Dr - Cr),Fark (Dr - Cr) DocType: Account,Profit and Loss,Kar ve Zarar @@ -678,7 +677,7 @@ DocType: Installation Note Item,Installation Note Item,Kurulum Notu Maddesi DocType: Production Plan Item,Pending Qty,Bekleyen Adet DocType: Budget,Ignore,Yoksay DocType: Budget,Ignore,Yoksay -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} aktif değil +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} aktif değil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS aşağıdaki numaralardan gönderilen: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Baskı için Kurulum onay boyutları DocType: Salary Slip,Salary Slip Timesheet,Maaş Kayma Zaman Çizelgesi @@ -802,8 +801,8 @@ DocType: Production Order Operation,In minutes,Dakika içinde DocType: Issue,Resolution Date,Karar Tarihi DocType: Issue,Resolution Date,Karar Tarihi DocType: Student Batch Name,Batch Name,toplu Adı -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Zaman Çizelgesi oluşturuldu: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},{0} Ödeme şeklinde varsayılan nakit veya banka hesabı ayarlayınız +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Zaman Çizelgesi oluşturuldu: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},{0} Ödeme şeklinde varsayılan nakit veya banka hesabı ayarlayınız apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,kaydetmek DocType: GST Settings,GST Settings,GST Ayarları DocType: Selling Settings,Customer Naming By,Müşterinin Bilinen Adı @@ -826,7 +825,7 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} Fatura Ayrıntıları tablosunda bulunamadı apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} Fatura Ayrıntıları tablosunda bulunamadı DocType: Company,Round Off Cost Center,Maliyet Merkezi Kapalı Yuvarlak -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Bakım Ziyareti {0} bu Satış Emri iptal edilmeden önce iptal edilmelidir +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Bakım Ziyareti {0} bu Satış Emri iptal edilmeden önce iptal edilmelidir DocType: Item,Material Transfer,Materyal Transfer DocType: Item,Material Transfer,Materyal Transfer apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Açılış (Dr) @@ -837,7 +836,7 @@ DocType: Employee Loan,Total Interest Payable,Ödenecek Toplam Faiz DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Indi Maliyet Vergiler ve Ücretler DocType: Production Order Operation,Actual Start Time,Gerçek Başlangıç Zamanı DocType: BOM Operation,Operation Time,Çalışma Süresi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Bitiş +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Bitiş apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,baz DocType: Timesheet,Total Billed Hours,Toplam Faturalı Saat DocType: Journal Entry,Write Off Amount,Borç Silme Miktarı @@ -870,7 +869,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Pazarl apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Ödeme giriş zaten yaratılır DocType: Purchase Receipt Item Supplied,Current Stock,Güncel Stok DocType: Purchase Receipt Item Supplied,Current Stock,Güncel Stok -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},"Satır {0}: Sabit Varlık {1}, {2} kalemiyle ilişkilendirilmiş değil" +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},"Satır {0}: Sabit Varlık {1}, {2} kalemiyle ilişkilendirilmiş değil" apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Önizleme Maaş Kayma apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Hesap {0} birden çok kez girilmiş DocType: Account,Expenses Included In Valuation,Değerlemeye dahil giderler @@ -898,7 +897,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Havacılı DocType: Journal Entry,Credit Card Entry,Kredi Kartı Girişi apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Şirket ve Hesaplar apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Tedarikçilerden alınan mallar. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,Değer +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,Değer DocType: Lead,Campaign Name,Kampanya Adı DocType: Lead,Campaign Name,Kampanya Adı DocType: Selling Settings,Close Opportunity After Days,Gün Sonra Kapat Fırsatı @@ -929,18 +928,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Enerji DocType: Opportunity,Opportunity From,Fırsattan itibaren apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Aylık maaş beyanı. apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Aylık maaş beyanı. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,{0} Satırı: {1} {2} Numarası için seri numarası gerekli. {3} adresini verdiniz. DocType: BOM,Website Specifications,Web Sitesi Özellikleri apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: gönderen {0} çeşidi {1} DocType: Warranty Claim,CI-,CI apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Satır {0}: Dönüşüm katsayısı zorunludur DocType: Employee,A+,A+ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Çoklu Fiyat Kuralları aynı kriterler ile var, öncelik atayarak çatışma çözmek lütfen. Fiyat Kuralları: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Devre dışı bırakmak veya diğer ürün ağaçları ile bağlantılı olarak BOM iptal edilemiyor +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Devre dışı bırakmak veya diğer ürün ağaçları ile bağlantılı olarak BOM iptal edilemiyor DocType: Opportunity,Maintenance,Bakım DocType: Opportunity,Maintenance,Bakım DocType: Item Attribute Value,Item Attribute Value,Ürün Özellik Değeri apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Satış kampanyaları. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Zaman Çizelgesi olun +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Zaman Çizelgesi olun DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -996,7 +996,7 @@ apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,E-posta Hesab apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ürün Kodu girin DocType: Account,Liability,Borç DocType: Account,Liability,Borç -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Yaptırıma Tutar Satır talep miktarı daha büyük olamaz {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Yaptırıma Tutar Satır talep miktarı daha büyük olamaz {0}. DocType: Company,Default Cost of Goods Sold Account,Ürünler Satılan Hesabı Varsayılan Maliyeti apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Fiyat Listesi seçilmemiş DocType: Employee,Family Background,Aile Geçmişi @@ -1009,11 +1009,11 @@ DocType: Company,Default Bank Account,Varsayılan Banka Hesabı apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",Parti dayalı filtrelemek için seçin Parti ilk yazınız apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Stok Güncelle' seçilemez çünkü ürünler {0} ile teslim edilmemiş. DocType: Vehicle,Acquisition Date,Edinme tarihi -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,adet +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,adet DocType: Item,Items with higher weightage will be shown higher,Yüksek weightage Öğeler yüksek gösterilir DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Uzlaşma Detay DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Uzlaşma Detay -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Satır {0}: Sabit Varlık {1} gönderilmelidir +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Satır {0}: Sabit Varlık {1} gönderilmelidir apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Çalışan bulunmadı DocType: Supplier Quotation,Stopped,Durduruldu DocType: Supplier Quotation,Stopped,Durduruldu @@ -1031,7 +1031,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Asgari Fatura Tutarı apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Maliyet Merkezi {2} Şirket'e ait olmayan {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Hesap {2} Grup olamaz apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Ürün Satır {idx}: {doctype} {docname} Yukarıdaki mevcut değildir '{doctype}' tablosu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Zaman Çizelgesi {0} tamamlanmış veya iptal edilir +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Zaman Çizelgesi {0} tamamlanmış veya iptal edilir apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,görev yok DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Otomatik fatura 05, 28 vb gibi oluşturulur hangi ayın günü" DocType: Asset,Opening Accumulated Depreciation,Birikmiş Amortisman Açılış @@ -1100,7 +1100,7 @@ DocType: Production Planning Tool,Only Obtain Raw Materials,Sadece Hammaddeleri apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Performans değerlendirme. apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Performans değerlendirme. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Etkinleştirme Alışveriş Sepeti etkin olarak, 'Alışveriş Sepeti için kullan' ve Alışveriş Sepeti için en az bir vergi Kural olmalıdır" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ödeme giriş {0} Sipariş, bu faturada avans olarak çekilmiş olmalıdır eğer {1}, kontrol karşı bağlantılıdır." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ödeme giriş {0} Sipariş, bu faturada avans olarak çekilmiş olmalıdır eğer {1}, kontrol karşı bağlantılıdır." DocType: Sales Invoice Item,Stock Details,Stok Detayları apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Proje Bedeli apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Satış Noktası @@ -1126,15 +1126,15 @@ DocType: Naming Series,Update Series,Seriyi Güncelle DocType: Supplier Quotation,Is Subcontracted,Taşerona verilmiş DocType: Item Attribute,Item Attribute Values,Ürün Özellik Değerler DocType: Examination Result,Examination Result,Sınav Sonucu -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Satın Alma İrsaliyesi +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Satın Alma İrsaliyesi ,Received Items To Be Billed,Faturalanacak Alınan Malzemeler -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Ekleyen Maaş Fiş +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Ekleyen Maaş Fiş apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Ana Döviz Kuru. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referans Doctype biri olmalı {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Çalışma için bir sonraki {0} günlerde Zaman Slot bulamayan {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Çalışma için bir sonraki {0} günlerde Zaman Slot bulamayan {1} DocType: Production Order,Plan material for sub-assemblies,Alt-montajlar Plan malzeme apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Satış Ortakları ve Bölge -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} aktif olmalıdır +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} aktif olmalıdır DocType: Journal Entry,Depreciation Entry,Amortisman kayıt apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Önce belge türünü seçiniz apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Bu Bakım Ziyaretini iptal etmeden önce Malzeme Ziyareti {0} iptal edin @@ -1146,7 +1146,7 @@ DocType: Bank Reconciliation,Total Amount,Toplam Tutar apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,İnternet Yayıncılığı DocType: Production Planning Tool,Production Orders,Üretim Siparişleri DocType: Production Planning Tool,Production Orders,Üretim Siparişleri -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Denge Değeri +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Denge Değeri apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Satış Fiyat Listesi apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Öğeleri senkronize Yayınla DocType: Bank Reconciliation,Account Currency,Hesabın Döviz Cinsi @@ -1173,13 +1173,13 @@ DocType: Item,Is Purchase Item,Satın Alma Maddesi DocType: Asset,Purchase Invoice,Satınalma Faturası DocType: Asset,Purchase Invoice,Satınalma Faturası DocType: Stock Ledger Entry,Voucher Detail No,Föy Detay no -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Yeni Satış Faturası +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Yeni Satış Faturası DocType: Stock Entry,Total Outgoing Value,Toplam Giden Değeri apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Tarih ve Kapanış Tarihi Açılış aynı Mali Yılı içinde olmalıdır DocType: Lead,Request for Information,Bilgi İsteği DocType: Lead,Request for Information,Bilgi İsteği ,LeaderBoard,Liderler Sıralaması -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Senkronizasyon Çevrimdışı Faturalar +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Senkronizasyon Çevrimdışı Faturalar DocType: Payment Request,Paid,Ücretli DocType: Program Fee,Program Fee,Program Ücreti DocType: Salary Slip,Total in words,Sözlü Toplam @@ -1187,7 +1187,7 @@ DocType: Material Request Item,Lead Time Date,Teslim Zamanı Tarihi DocType: Guardian,Guardian Name,Muhafız adı DocType: Cheque Print Template,Has Print Format,Baskı Biçimi vardır DocType: Employee Loan,Sanctioned,onaylanmış -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,zorunludur. Döviz kur kayıdının yaratılamadığı hesap +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,zorunludur. Döviz kur kayıdının yaratılamadığı hesap apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Satır # {0}: Ürün{1} için seri no belirtiniz apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'Ürün Bundle' öğeler, Depo, Seri No ve Toplu No 'Ambalaj Listesi' tablodan kabul edilecektir. Depo ve Toplu Hayır herhangi bir 'Ürün Bundle' öğe için tüm ambalaj öğeler için aynı ise, bu değerler ana Öğe tabloda girilebilir, değerler tablosu 'Listesi Ambalaj' kopyalanacaktır." DocType: Job Opening,Publish on website,Web sitesinde yayımlamak @@ -1204,7 +1204,7 @@ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_repo ,Company Name,Firma Adı DocType: SMS Center,Total Message(s),Toplam Mesaj (lar) DocType: SMS Center,Total Message(s),Toplam Mesaj (lar) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Transferi için seçin Öğe +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Transferi için seçin Öğe DocType: Purchase Invoice,Additional Discount Percentage,Ek iskonto yüzdesi apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Tüm yardım videoların bir listesini görüntüleyin DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Çekin yatırıldığı bankadaki hesap başlığını seçiniz @@ -1220,7 +1220,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Hammadde Maliyeti (Şirket Para apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Tüm öğeler zaten bu üretim Sipariş devredilmiştir. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Sıra # {0}: Oran, {1} {2} 'de kullanılan hızdan daha büyük olamaz" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Sıra # {0}: Oran, {1} {2} 'de kullanılan hızdan daha büyük olamaz" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Metre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Metre DocType: Workstation,Electricity Cost,Elektrik Maliyeti DocType: Workstation,Electricity Cost,Elektrik Maliyeti DocType: HR Settings,Don't send Employee Birthday Reminders,Çalışanların Doğumgünü Hatırlatmalarını gönderme @@ -1236,7 +1236,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Avansları Öde DocType: Item,Automatically Create New Batch,Otomatik olarak Yeni Toplu Oluştur DocType: Item,Automatically Create New Batch,Otomatik olarak Yeni Toplu Oluştur -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Oluştur +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Oluştur DocType: Student Admission,Admission Start Date,Kabul Başlangıç Tarihi DocType: Journal Entry,Total Amount in Words,Sözlü Toplam Tutar apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Hata oluştu. Bunun sebebi formu kaydetmemeniz olabilir. Sorun devam ederse support@erpnext.com adresi ile iltişime geçiniz @@ -1244,7 +1244,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Benim Sepeti apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Sipariş türü şunlardan biri olmalıdır {0} DocType: Lead,Next Contact Date,Sonraki İrtibat Tarihi apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Açılış Miktarı -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Değişim Miktarı Hesabı giriniz +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Değişim Miktarı Hesabı giriniz DocType: Student Batch Name,Student Batch Name,Öğrenci Toplu Adı DocType: Holiday List,Holiday List Name,Tatil Listesi Adı DocType: Holiday List,Holiday List Name,Tatil Listesi Adı @@ -1254,7 +1254,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,S DocType: Journal Entry Account,Expense Claim,Gider Talebi DocType: Journal Entry Account,Expense Claim,Gider Talebi apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Eğer gerçekten bu hurdaya varlığın geri yüklemek istiyor musunuz? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Için Adet {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Için Adet {0} DocType: Leave Application,Leave Application,İzin uygulaması apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,İzin Tahsis Aracı DocType: Leave Block List,Leave Block List Dates,İzin engel listesi tarihleri @@ -1313,7 +1313,7 @@ DocType: Item,Default Selling Cost Center,Standart Satış Maliyet Merkezi DocType: Item,Default Selling Cost Center,Standart Satış Maliyet Merkezi DocType: Sales Partner,Implementation Partner,Uygulama Ortağı DocType: Sales Partner,Implementation Partner,Uygulama Ortağı -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Posta Kodu +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Posta Kodu apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Satış Sipariş {0} {1} DocType: Opportunity,Contact Info,İletişim Bilgileri apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Stok Girişleri Yapımı @@ -1334,14 +1334,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,O DocType: School Settings,Attendance Freeze Date,Seyirci Dondurma Tarihi DocType: School Settings,Attendance Freeze Date,Seyirci Dondurma Tarihi DocType: Opportunity,Your sales person who will contact the customer in future,Müşteriyle ileride irtibat kuracak satış kişiniz -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Tedarikçilerinizin birkaçını listeleyin. Bunlar kuruluşlar veya bireyler olabilir. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Tedarikçilerinizin birkaçını listeleyin. Bunlar kuruluşlar veya bireyler olabilir. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Tüm Ürünleri görüntüle apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum Kurşun Yaşı (Gün) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum Kurşun Yaşı (Gün) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Tüm malzeme listeleri +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Tüm malzeme listeleri DocType: Company,Default Currency,Varsayılan Para Birimi DocType: Expense Claim,From Employee,Çalışanlardan -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Uyarı: {1} deki {0} ürünü miktarı sıfır olduğu için sistem fazla faturalamayı kontrol etmeyecektir +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Uyarı: {1} deki {0} ürünü miktarı sıfır olduğu için sistem fazla faturalamayı kontrol etmeyecektir DocType: Journal Entry,Make Difference Entry,Fark Girişi yapın DocType: Upload Attendance,Attendance From Date,Tarihten itibaren katılım DocType: Appraisal Template Goal,Key Performance Area,Kilit Performans Alanı @@ -1360,7 +1360,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Referans için şirket kayıt numaraları. Vergi numaraları vb DocType: Sales Partner,Distributor,Dağıtımcı DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Alışveriş Sepeti Nakliye Kural -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Üretim Siparişi {0} bu Satış Siparişi iptal edilmeden önce iptal edilmelidir +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Üretim Siparişi {0} bu Satış Siparişi iptal edilmeden önce iptal edilmelidir apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Set 'On İlave İndirim Uygula' Lütfen ,Ordered Items To Be Billed,Faturalanacak Sipariş Edilen Ürünler apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Menzil az olmak zorundadır Kimden daha Range için @@ -1370,10 +1370,10 @@ DocType: Salary Slip,Deductions,Kesintiler DocType: Salary Slip,Deductions,Kesintiler DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Başlangıç yılı -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN'in ilk 2 hanesi {0} durum numarasıyla eşleşmelidir. +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN'in ilk 2 hanesi {0} durum numarasıyla eşleşmelidir. DocType: Purchase Invoice,Start date of current invoice's period,Cari fatura döneminin Başlangıç tarihi DocType: Salary Slip,Leave Without Pay,Ücretsiz İzin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapasite Planlama Hatası +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Kapasite Planlama Hatası ,Trial Balance for Party,Parti için Deneme Dengesi DocType: Lead,Consultant,Danışman DocType: Lead,Consultant,Danışman @@ -1392,7 +1392,7 @@ DocType: Cheque Print Template,Payer Settings,ödeyici Ayarları DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Bu varyant Ürün Kodu eklenecektir. Senin kısaltması ""SM"", ve eğer, örneğin, ürün kodu ""T-Shirt"", ""T-Shirt-SM"" olacak varyantın madde kodu" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net Ödeme (sözlü) Maaş Makbuzunu kaydettiğinizde görünecektir DocType: Purchase Invoice,Is Return,İade mi -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,İade / Borç Dekontu +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,İade / Borç Dekontu DocType: Price List Country,Price List Country,Fiyat Listesi Ülke DocType: Item,UOMs,Ölçü Birimleri apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},Ürün {1} için {0} geçerli bir seri numarası @@ -1407,7 +1407,7 @@ apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Tedarikçi Veritaba DocType: Account,Balance Sheet,Bilanço DocType: Account,Balance Sheet,Bilanço apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ','Ürün Kodu Ürün için Merkezi'ni Maliyet -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Ödeme Modu yapılandırılmamış. Hesap Ödemeler Modu veya POS Profili ayarlanmış olup olmadığını kontrol edin. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Ödeme Modu yapılandırılmamış. Hesap Ödemeler Modu veya POS Profili ayarlanmış olup olmadığını kontrol edin. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Satış kişiniz bu tarihte müşteriyle irtibata geçmek için bir hatırlama alacaktır apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Aynı madde birden çok kez girilemez. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ek hesaplar Gruplar altında yapılabilir, ancak girişler olmayan Gruplar karşı yapılabilir" @@ -1442,7 +1442,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entri apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Satır {0} ı {1} ile aynı biçimde kopyala ,Trial Balance,Mizan ,Trial Balance,Mizan -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,bulunamadı Mali Yılı {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,bulunamadı Mali Yılı {0} apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Çalışanlar kurma DocType: Sales Order,SO-,YANİ- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Önce Ön ek seçiniz @@ -1459,11 +1459,11 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,En e apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,En erken apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Bir Ürün grubu aynı isimle bulunuyorsa, lütfen Ürün veya Ürün grubu adını değiştirin" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Öğrenci Mobil No -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Dünyanın geri kalanı +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Dünyanın geri kalanı apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Öğe {0} Toplu olamaz ,Budget Variance Report,Bütçe Fark Raporu DocType: Salary Slip,Gross Pay,Brüt Ödeme -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Satır {0}: Etkinlik Türü zorunludur. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Satır {0}: Etkinlik Türü zorunludur. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Temettü Ücretli apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Muhasebe Defteri DocType: Stock Reconciliation,Difference Amount,Fark Tutarı @@ -1486,20 +1486,20 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Çalışanın Kalan İzni apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Hesap {0} her zaman dengede olmalı {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Arka arkaya Ürün için gerekli değerleme Oranı {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Örnek: Bilgisayar Bilimleri Yüksek Lisans +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Örnek: Bilgisayar Bilimleri Yüksek Lisans DocType: Purchase Invoice,Rejected Warehouse,Reddedilen Depo DocType: Purchase Invoice,Rejected Warehouse,Reddedilen Depo DocType: GL Entry,Against Voucher,Dekont Karşılığı DocType: Item,Default Buying Cost Center,Standart Alış Maliyet Merkezi DocType: Item,Default Buying Cost Center,Standart Alış Maliyet Merkezi apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","ERPNext en iyi sonucu almak için, biraz zaman ayırın ve bu yardım videoları izlemek öneririz." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,için +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,için DocType: Supplier Quotation Item,Lead Time in days,Teslim Zamanı gün olarak apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Ödeme Hesabı Özeti -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},için {0} maaş ödeme {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},için {0} maaş ödeme {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Dondurulmuş Hesabı {0} düzenleme yetkisi yok DocType: Journal Entry,Get Outstanding Invoices,Bekleyen Faturaları alın -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Satış Sipariş {0} geçerli değildir +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Satış Sipariş {0} geçerli değildir apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Satın alma siparişleri planı ve alışverişlerinizi takip apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Üzgünüz, şirketler birleştirilemiyor" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1525,8 +1525,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty i apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Satır {0}: Miktar zorunludur apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Tarım apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Tarım -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Senkronizasyon Ana Veri -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Ürünleriniz veya hizmetleriniz +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Senkronizasyon Ana Veri +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Ürünleriniz veya hizmetleriniz DocType: Mode of Payment,Mode of Payment,Ödeme Şekli DocType: Mode of Payment,Mode of Payment,Ödeme Şekli apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Web Sitesi Resim kamu dosya veya web sitesi URL olmalıdır @@ -1549,12 +1549,12 @@ DocType: Purchase Invoice Item,Item Tax Rate,Ürün Vergi Oranı DocType: Student Group Student,Group Roll Number,Grup Rulosu Numarası apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, sadece kredi hesapları başka bir ödeme girişine karşı bağlantılı olabilir için" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,tüm görev ağırlıkları toplamı 1. buna göre tüm proje görevleri ağırlıkları ayarlayın olmalıdır -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,İrsaliye {0} teslim edilmedi +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,İrsaliye {0} teslim edilmedi apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Ürün {0} bir taşeron ürünü olmalıdır apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Sermaye Ekipmanları apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Sermaye Ekipmanları apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Fiyatlandırma Kuralı ilk olarak 'Uygula' alanı üzerinde seçilir, bu bir Ürün, Grup veya Marka olabilir." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Lütfen Önce Öğe Kodunu ayarlayın +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Lütfen Önce Öğe Kodunu ayarlayın DocType: Hub Settings,Seller Website,Satıcı Sitesi DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Satış ekibi için ayrılan toplam yüzde 100 olmalıdır @@ -1563,7 +1563,7 @@ DocType: Appraisal Goal,Goal,Hedef DocType: Appraisal Goal,Goal,Hedef DocType: Sales Invoice Item,Edit Description,Edit Açıklama ,Team Updates,Takım Güncellemeler -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Tedarikçi İçin +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Tedarikçi İçin DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Hesap Türünü ayarlamak işlemlerde bu hesabı seçeren yardımcı olur DocType: Purchase Invoice,Grand Total (Company Currency),Genel Toplam (ޞirket para birimi) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Baskı Biçimi oluştur @@ -1579,13 +1579,13 @@ DocType: Item,Website Item Groups,Web Sitesi Ürün Grupları DocType: Purchase Invoice,Total (Company Currency),Toplam (Şirket Para) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Seri numarası {0} birden çok girilmiş DocType: Depreciation Schedule,Journal Entry,Kayıt Girdisi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} ürün işlemde +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} ürün işlemde DocType: Workstation,Workstation Name,İş İstasyonu Adı DocType: Workstation,Workstation Name,İş İstasyonu Adı DocType: Grading Scale Interval,Grade Code,sınıf Kodu DocType: POS Item Group,POS Item Group,POS Ürün Grubu apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Digest e-posta: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} Öğe ait değil {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} Öğe ait değil {1} DocType: Sales Partner,Target Distribution,Hedef Dağıtımı 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 @@ -1655,7 +1655,7 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re DocType: POS Profile,Campaign,Kampanya DocType: POS Profile,Campaign,Kampanya DocType: Supplier,Name and Type,Adı ve Türü -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Onay Durumu 'Onaylandı' veya 'Reddedildi' olmalıdır +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Onay Durumu 'Onaylandı' veya 'Reddedildi' olmalıdır DocType: Purchase Invoice,Contact Person,İrtibat Kişi apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"'Beklenen Başlangıç Tarihi', 'Beklenen Bitiş Tarihi' den büyük olamaz" apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"'Beklenen Başlangıç Tarihi', 'Beklenen Bitiş Tarihi' den büyük olamaz" @@ -1671,8 +1671,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Tercih edilen e-posta apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Sabit Varlık Net Değişim DocType: Leave Control Panel,Leave blank if considered for all designations,Tüm tanımları için kabul ise boş bırakın -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Satır {0}'daki 'Gerçek' ücret biçimi Ürün Br.Fiyatına dahil edilemez -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Max: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Satır {0}'daki 'Gerçek' ücret biçimi Ürün Br.Fiyatına dahil edilemez +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,DateTime Gönderen DocType: Email Digest,For Company,Şirket için DocType: Email Digest,For Company,Şirket için @@ -1721,7 +1721,7 @@ DocType: Journal Entry Account,Account Balance,Hesap Bakiyesi DocType: Journal Entry Account,Account Balance,Hesap Bakiyesi apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Işlemler için vergi Kural. DocType: Rename Tool,Type of document to rename.,Yeniden adlandırılacak Belge Türü. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Bu ürünü alıyoruz +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Bu ürünü alıyoruz apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Alacak hesabı {2} için müşteri tanımlanmalıdır. DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Toplam Vergi ve Harçlar (Şirket Para Birimi) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,kapanmamış mali yılın P & L dengeleri göster @@ -1733,8 +1733,8 @@ DocType: Quality Inspection,Readings,Okumalar DocType: Stock Entry,Total Additional Costs,Toplam Ek Maliyetler DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Hurda Malzeme Maliyeti (Şirket Para Birimi) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Alt Kurullar -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Alt Kurullar +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Alt Kurullar +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Alt Kurullar DocType: Asset,Asset Name,Varlık Adı DocType: Project,Task Weight,görev Ağırlığı DocType: Shipping Rule Condition,To Value,Değer Vermek @@ -1769,7 +1769,7 @@ DocType: Company,Services,Servisler DocType: Company,Services,Servisler DocType: HR Settings,Email Salary Slip to Employee,Çalışan e-posta Maaş Kayma DocType: Cost Center,Parent Cost Center,Ana Maliyet Merkezi -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Olası Tedarikçi seçin +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Olası Tedarikçi seçin DocType: Sales Invoice,Source,Kaynak DocType: Sales Invoice,Source,Kaynak apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Kapalı olanları göster @@ -1784,7 +1784,7 @@ DocType: GST HSN Code,GST HSN Code,GST HSN Kodu DocType: Employee External Work History,Total Experience,Toplam Deneyim DocType: Employee External Work History,Total Experience,Toplam Deneyim apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Açık Projeler -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Ambalaj Makbuzları İptal Edildi +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Ambalaj Makbuzları İptal Edildi apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Yatırım Nakit Akışı DocType: Program Course,Program Course,programı Ders apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Navlun ve Sevkiyat Ücretleri @@ -1828,10 +1828,10 @@ DocType: Program Enrollment Tool,Program Enrollments,Program Kayıtları DocType: Sales Invoice Item,Brand Name,Marka Adı DocType: Sales Invoice Item,Brand Name,Marka Adı DocType: Purchase Receipt,Transporter Details,Taşıyıcı Detayları -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Standart depo seçilen öğe için gereklidir -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Kutu -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Kutu -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Olası Tedarikçi +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Standart depo seçilen öğe için gereklidir +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Kutu +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Kutu +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Olası Tedarikçi DocType: Budget,Monthly Distribution,Aylık Dağılımı apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Alıcı listesi boş. Alıcı listesi oluşturunuz DocType: Production Plan Sales Order,Production Plan Sales Order,Üretim Planı Satış Siparişi @@ -1868,7 +1868,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Şirket Gider apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Öğrenciler sisteminin kalbi, tüm öğrenci ekleyebilir edilir" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Satır # {0}: Boşluk tarihi {1} Çek tarihinden önce olamaz {2} DocType: Company,Default Holiday List,Tatil Listesini Standart -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stok Yükümlülükleri DocType: Purchase Invoice,Supplier Warehouse,Tedarikçi Deposu DocType: Purchase Invoice,Supplier Warehouse,Tedarikçi Deposu @@ -1885,19 +1885,19 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Tip{0} izin {1}'den uzun olamaz DocType: Manufacturing Settings,Try planning operations for X days in advance.,Peşin X gün için operasyonlar planlama deneyin. DocType: HR Settings,Stop Birthday Reminders,Doğum günü hatırlatıcılarını durdur -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Şirket Standart Bordro Ödenecek Hesap ayarlayın {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Şirket Standart Bordro Ödenecek Hesap ayarlayın {0} DocType: SMS Center,Receiver List,Alıcı Listesi DocType: SMS Center,Receiver List,Alıcı Listesi -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Arama Öğe +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Arama Öğe apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Tüketilen Tutar apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Nakit Net Değişim DocType: Assessment Plan,Grading Scale,Notlandırma ölçeği apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Ölçü Birimi {0} Dönüşüm katsayısı tablosunda birden fazla kez girildi. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Zaten tamamlandı +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Zaten tamamlandı apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Elde Edilen Stoklar apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Ödeme Talebi zaten var {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,İhraç Öğeler Maliyeti -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Miktar fazla olmamalıdır {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Miktar fazla olmamalıdır {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Geçmiş Mali Yıl kapatılmamış apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Yaş (Gün) DocType: Quotation Item,Quotation Item,Teklif Ürünü @@ -1912,6 +1912,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,referans Belgesi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} iptal edilmiş veya durdurulmuş DocType: Accounts Settings,Credit Controller,Kredi Kontrolü +DocType: Sales Order,Final Delivery Date,Son Teslim Tarihi DocType: Delivery Note,Vehicle Dispatch Date,Araç Sevk Tarihi DocType: Delivery Note,Vehicle Dispatch Date,Araç Sevk Tarihi DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC @@ -2016,9 +2017,9 @@ DocType: Employee,Date Of Retirement,Emeklilik Tarihiniz DocType: Upload Attendance,Get Template,Şablon alın DocType: Material Request,Transferred,aktarılan DocType: Vehicle,Doors,Kapılar -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Kurulumu Tamamlandı! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Kurulumu Tamamlandı! DocType: Course Assessment Criteria,Weightage,Ağırlık -DocType: Sales Invoice,Tax Breakup,Vergi dağıtımı +DocType: Purchase Invoice,Tax Breakup,Vergi dağıtımı DocType: Packing Slip,PS-,ps apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kar/zarar hesabı {2} için Masraf Merkezi tanımlanmalıdır. Lütfen aktif şirket için varsayılan bir Masraf Merkezi tanımlayın. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Aynı adda bir Müşteri Grubu bulunmaktadır. Lütfen Müşteri Grubu ismini değiştirin. @@ -2032,7 +2033,7 @@ DocType: Announcement,Instructor,Eğitmen DocType: Employee,AB+,AB+ DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Bu öğeyi varyantları varsa, o zaman satış siparişleri vb seçilemez" DocType: Lead,Next Contact By,Sonraki İrtibat -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Satır {1} deki Ürün {0} için gereken miktar +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Satır {1} deki Ürün {0} için gereken miktar apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Ürün {1} için miktar mevcut olduğundan depo {0} silinemez DocType: Quotation,Order Type,Sipariş Türü DocType: Quotation,Order Type,Sipariş Türü @@ -2041,7 +2042,7 @@ DocType: Purchase Invoice,Notification Email Address,Bildirim E-posta Adresi ,Item-wise Sales Register,Ürün bilgisi Satış Kaydı DocType: Asset,Gross Purchase Amount,Brüt sipariş tutarı DocType: Asset,Depreciation Method,Amortisman Yöntemi -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Çevrimdışı +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Çevrimdışı DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Bu Vergi Temel Br.Fiyata dahil mi? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Toplam Hedef DocType: Job Applicant,Applicant for a Job,İş için aday @@ -2066,7 +2067,7 @@ DocType: Employee,Leave Encashed?,İzin Tahsil Edilmiş mi? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Kimden alanında Fırsat zorunludur DocType: Email Digest,Annual Expenses,yıllık giderler DocType: Item,Variants,Varyantlar -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Satın Alma Emri verin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Satın Alma Emri verin DocType: SMS Center,Send To,Gönder apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},İzin tipi{0} için yeterli izin bakiyesi yok DocType: Payment Reconciliation Payment,Allocated amount,Ayrılan miktarı @@ -2076,7 +2077,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Müşterinin Ürün Kodu DocType: Stock Reconciliation,Stock Reconciliation,Stok Uzlaşma DocType: Stock Reconciliation,Stock Reconciliation,Stok Uzlaşma DocType: Territory,Territory Name,Bölge Adı -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Devam eden depo işi teslimden önce gereklidir +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Devam eden depo işi teslimden önce gereklidir apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,İş için aday DocType: Purchase Order Item,Warehouse and Reference,Depo ve Referans DocType: Purchase Order Item,Warehouse and Reference,Depo ve Referans @@ -2090,17 +2091,17 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Çoğaltın Seri No Ürün için girilen {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Nakliye Kuralı için koşul apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Girin lütfen -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Arka arkaya Item {0} için Overbill olamaz {1} daha {2}. aşırı faturalama sağlamak için, Ayarlar Alış belirlenen lütfen" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Madde veya Depo dayalı filtre ayarlayın +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Arka arkaya Item {0} için Overbill olamaz {1} daha {2}. aşırı faturalama sağlamak için, Ayarlar Alış belirlenen lütfen" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Madde veya Depo dayalı filtre ayarlayın DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Bu paketin net ağırlığı (Ürünlerin net toplamından otomatik olarak hesaplanır) DocType: Sales Order,To Deliver and Bill,Teslim edilecek ve Faturalanacak DocType: Student Group,Instructors,Ders DocType: GL Entry,Credit Amount in Account Currency,Hesap Para Birimi Kredi Tutarı -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} teslim edilmelidir +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} teslim edilmelidir DocType: Authorization Control,Authorization Control,Yetki Kontrolü DocType: Authorization Control,Authorization Control,Yetki Kontrolü apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Satır # {0}: Depo Reddedildi reddedilen Öğe karşı zorunludur {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Tahsilat +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Tahsilat apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Depo {0} herhangi bir hesaba bağlı değil, lütfen depo kaydındaki hesaptaki sözcükten veya {1} şirketindeki varsayılan envanter hesabını belirtin." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,siparişlerinizi yönetin DocType: Production Order Operation,Actual Time and Cost,Gerçek Zaman ve Maliyet @@ -2116,13 +2117,14 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Satış DocType: Quotation Item,Actual Qty,Gerçek Adet DocType: Sales Invoice Item,References,Kaynaklar DocType: Quality Inspection Reading,Reading 10,10 Okuma -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sattığınız veya satın aldığınız ürün veya hizmetleri listeleyin, başladığınızda Ürün grubunu, ölçü birimini ve diğer özellikleri işaretlediğinizden emin olun" +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sattığınız veya satın aldığınız ürün veya hizmetleri listeleyin, başladığınızda Ürün grubunu, ölçü birimini ve diğer özellikleri işaretlediğinizden emin olun" DocType: Hub Settings,Hub Node,Hub Düğüm apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Yinelenen Ürünler girdiniz. Lütfen düzeltip yeniden deneyin. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Ortak apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Ortak +DocType: Company,Sales Target,Satış hedefi DocType: Asset Movement,Asset Movement,Varlık Hareketi -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Yeni Sepet +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Yeni Sepet apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Ürün {0} bir seri Ürün değildir DocType: SMS Center,Create Receiver List,Alıcı listesi oluşturma DocType: Vehicle,Wheels,Tekerlekler @@ -2166,6 +2168,7 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Projeleri yönetme DocType: Supplier,Supplier of Goods or Services.,Mal veya Hizmet alanı. DocType: Budget,Fiscal Year,Mali yıl DocType: Vehicle Log,Fuel Price,yakıt Fiyatı +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Lütfen Kurulum aracılığıyla Katılım için numaralandırma serisini ayarlayın> Serileri Numaralandırma DocType: Budget,Budget,Bütçe DocType: Budget,Budget,Bütçe apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Sabit Kıymet Öğe olmayan bir stok kalemi olmalıdır. @@ -2173,8 +2176,8 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be ass apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Arşivlendi DocType: Student Admission,Application Form Route,Başvuru Formu Rota apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Bölge / Müşteri -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,örneğin 5 -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,örneğin 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,örneğin 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,örneğin 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,o ödeme olmadan terk beri Türü {0} tahsis edilemez bırakın apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Satır {0}: Tahsis miktar {1} daha az ya da olağanüstü miktarda fatura eşit olmalıdır {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Satış faturasını kaydettiğinizde görünür olacaktır. @@ -2185,12 +2188,12 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not se DocType: Maintenance Visit,Maintenance Time,Bakım Zamanı DocType: Maintenance Visit,Maintenance Time,Bakım Zamanı ,Amount to Deliver,Teslim edilecek tutar -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Ürün veya Hizmet +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Ürün veya Hizmet apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Dönem Başlangıç Tarihi terim bağlantılı olduğu için Akademik Yılı Year Başlangıç Tarihi daha önce olamaz (Akademik Yılı {}). tarihleri düzeltmek ve tekrar deneyin. DocType: Guardian,Guardian Interests,Guardian İlgi DocType: Naming Series,Current Value,Mevcut değer DocType: Naming Series,Current Value,Mevcut değer -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,{0} tarihi için birden fazla mali yıl bulunuyor. Lütfen firma için mali yıl tanımlayınız. +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,{0} tarihi için birden fazla mali yıl bulunuyor. Lütfen firma için mali yıl tanımlayınız. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} oluşturuldu apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} oluşturuldu DocType: Delivery Note Item,Against Sales Order,Satış Emri Karşılığı @@ -2207,7 +2210,7 @@ DocType: Pricing Rule,Selling,Satış apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},"{0} {1} miktarı, {2}'ye karşılık düşürülecek" DocType: Employee,Salary Information,Maaş Bilgisi DocType: Sales Person,Name and Employee ID,İsim ve Çalışan Kimliği -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Bitiş Tarihi gönderim tarihinden önce olamaz +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Bitiş Tarihi gönderim tarihinden önce olamaz DocType: Website Item Group,Website Item Group,Web Sitesi Ürün Grubu DocType: Website Item Group,Website Item Group,Web Sitesi Ürün Grubu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Harç ve Vergiler @@ -2271,10 +2274,10 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Lütfen çalışan {0} için Katılma Tarihi'ni ayarlayın. DocType: Task,Total Billing Amount (via Time Sheet),Toplam Fatura Tutarı (Zaman Sheet yoluyla) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Tekrar Müşteri Gelir -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) rolü 'Gider onaylayansanız' olmalıdır -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Çift -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Çift -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Üretim için BOM ve Miktar seçin +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) rolü 'Gider onaylayansanız' olmalıdır +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Çift +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Çift +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Üretim için BOM ve Miktar seçin DocType: Asset,Depreciation Schedule,Amortisman Programı apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Satış Ortağı Adresleri ve Kişiler DocType: Bank Reconciliation Detail,Against Account,Hesap karşılığı @@ -2285,7 +2288,7 @@ apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Yıllık Fatura: apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Mal ve Hizmet Vergisi (GST India) DocType: Delivery Note,Excise Page Number,Tüketim Sayfa Numarası DocType: Delivery Note,Excise Page Number,Tüketim Sayfa Numarası -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Şirket, Tarihten itibaren ve Tarihi zorunludur" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Şirket, Tarihten itibaren ve Tarihi zorunludur" DocType: Asset,Purchase Date,Satınalma Tarihi DocType: Employee,Personal Details,Kişisel Bilgiler apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Lütfen firma {0} için 'Varlık Değer Kaybı Maliyet Merkezi' tanımlayın @@ -2294,10 +2297,10 @@ DocType: Task,Actual End Date (via Time Sheet),Gerçek tamamlanma tarihi (Zaman apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},{0} {1} Miktarları {2} {3}'e karşılık ,Quotation Trends,Teklif Trendleri apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Ürün {0} içim Ürün alanında Ürün grubu belirtilmemiş -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Hesaba için Bankamatik bir Alacak hesabı olması gerekir +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Hesaba için Bankamatik bir Alacak hesabı olması gerekir DocType: Shipping Rule Condition,Shipping Amount,Kargo Tutarı DocType: Shipping Rule Condition,Shipping Amount,Kargo Tutarı -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Müşteriyi Ekleyin +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Müşteriyi Ekleyin apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Bekleyen Tutar apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Bekleyen Tutar DocType: Purchase Invoice Item,Conversion Factor,Katsayı @@ -2322,7 +2325,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Mutabık girdileri dahil DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Ebeveyn Kursu (Ebeveyn Kursunun bir parçası değilse, boş bırakın)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Ebeveyn Kursu (Ebeveyn Kursunun bir parçası değilse, boş bırakın)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Tüm çalışan tipleri için kabul ise boş bırakın -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge DocType: Landed Cost Voucher,Distribute Charges Based On,Dağıt Masraflar Dayalı apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,çizelgeleri DocType: HR Settings,HR Settings,İK Ayarları @@ -2331,7 +2333,7 @@ DocType: Salary Slip,net pay info,net ücret bilgisi apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Gider Talebi onay bekliyor. Yalnızca Gider yetkilisi durumu güncelleyebilir. DocType: Email Digest,New Expenses,yeni giderler DocType: Purchase Invoice,Additional Discount Amount,Ek İndirim Tutarı -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Satır # {0}: öğe sabit kıymet olarak Adet, 1 olmalıdır. Birden fazla qty için ayrı bir satır kullanın." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Satır # {0}: öğe sabit kıymet olarak Adet, 1 olmalıdır. Birden fazla qty için ayrı bir satır kullanın." DocType: Leave Block List Allow,Leave Block List Allow,İzin engel listesi müsaade eder apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Kısaltma boş veya boşluktan oluşamaz apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Sigara Grup Grup @@ -2340,8 +2342,8 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Spor DocType: Loan Type,Loan Name,kredi Ad apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Gerçek Toplam DocType: Student Siblings,Student Siblings,Öğrenci Kardeşleri -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Birim -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Birim +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Birim +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Birim apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Şirket belirtiniz apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Şirket belirtiniz ,Customer Acquisition and Loyalty,Müşteri Kazanma ve Bağlılık @@ -2364,13 +2366,13 @@ DocType: Workstation,Wages per hour,Saatlik ücret apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Toplu stok bakiyesi {0} olacak olumsuz {1} Warehouse Ürün {2} için {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Malzeme İstekleri ardından öğesinin yeniden sipariş seviyesine göre otomatik olarak gündeme gelmiş DocType: Email Digest,Pending Sales Orders,Satış Siparişleri Bekleyen -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Hesap {0} geçersiz. Hesap Para olmalıdır {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Hesap {0} geçersiz. Hesap Para olmalıdır {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Ölçü Birimi Dönüşüm katsayısı satır {0} da gereklidir DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",Satır # {0}: Referans Doküman Türü Satış Sipariş biri Satış Fatura veya günlük girdisi olmalıdır DocType: Salary Component,Deduction,Kesinti DocType: Salary Component,Deduction,Kesinti -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Satır {0}: From Time ve Zaman için zorunludur. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Satır {0}: From Time ve Zaman için zorunludur. DocType: Stock Reconciliation Item,Amount Difference,tutar Farkı apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Ürün Fiyatı için katma {0} Fiyat Listesi {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Bu satış kişinin Çalışan Kimliği giriniz @@ -2380,12 +2382,12 @@ DocType: Project,Gross Margin,Brüt Marj apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Önce Üretim Ürününü giriniz apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Hesaplanan Banka Hesap bakiyesi apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,Engelli kullanıcı -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Fiyat Teklifi +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Fiyat Teklifi DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Toplam Kesinti DocType: Salary Slip,Total Deduction,Toplam Kesinti ,Production Analytics,Üretim Analytics -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Maliyet Güncelleme +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Maliyet Güncelleme DocType: Employee,Date of Birth,Doğum tarihi DocType: Employee,Date of Birth,Doğum tarihi apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Ürün {0} zaten iade edilmiş @@ -2439,12 +2441,12 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Firma Seçin ... DocType: Leave Control Panel,Leave blank if considered for all departments,Tüm bölümler için kabul ise boş bırakın apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","İstihdam (daimi, sözleşmeli, stajyer vb) Türleri." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} Ürün {1} için zorunludur +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} Ürün {1} için zorunludur DocType: Process Payroll,Fortnightly,iki haftada bir DocType: Currency Exchange,From Currency,Para biriminden apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Yeni Satın Alma Maliyeti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Ürün {0}için Satış Sipariş gerekli +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Ürün {0}için Satış Sipariş gerekli DocType: Purchase Invoice Item,Rate (Company Currency),Oranı (Şirket para birimi) DocType: Purchase Invoice Item,Rate (Company Currency),Oranı (Şirket para birimi) DocType: Student Guardian,Others,Diğer @@ -2453,6 +2455,7 @@ DocType: Payment Entry,Unallocated Amount,ayrılmamış Tutar apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Eşleşen bir öğe bulunamıyor. Için {0} diğer bazı değer seçiniz. DocType: POS Profile,Taxes and Charges,Vergi ve Harçlar DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Bir Ürün veya satın alınan, satılan veya stokta tutulan bir hizmet." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Artık güncelleme apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,İlk satır için ücret tipi 'Önceki satır tutarında' veya 'Önceki satır toplamında' olarak seçilemez apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Çocuk Ürün Ürün Paketi olmamalıdır. öğeyi kaldırmak `{0}` ve saklayın @@ -2480,7 +2483,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Toplam Fatura Tutarı apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Bu çalışması için etkin bir varsayılan gelen e-posta hesabı olmalıdır. Lütfen kurulum varsayılan gelen e-posta hesabı (POP / IMAP) ve tekrar deneyin. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Alacak Hesabı -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Satır {0}: Sabit Varlık {1} zaten {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Satır {0}: Sabit Varlık {1} zaten {2} DocType: Quotation Item,Stock Balance,Stok Bakiye DocType: Quotation Item,Stock Balance,Stok Bakiye apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Ödeme Satış Sipariş @@ -2509,10 +2512,11 @@ DocType: C-Form,Received Date,Alınan Tarih DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Satış Vergi ve Harçlar Şablon standart bir şablon oluşturdu varsa, birini seçin ve aşağıdaki butona tıklayın." DocType: BOM Scrap Item,Basic Amount (Company Currency),Temel Tutar (Şirket Para Birimi) DocType: Student,Guardians,Veliler +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Fiyat Listesi ayarlı değilse fiyatları gösterilmeyecektir apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Bu Nakliye Kural için bir ülke belirtin ya da Dünya Denizcilik'in kontrol edin DocType: Stock Entry,Total Incoming Value,Toplam Gelen Değeri -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Bankamatik To gereklidir +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Bankamatik To gereklidir apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Zaman çizelgeleri ekip tarafından yapılan aktiviteler için zaman, maliyet ve fatura izlemenize yardımcı" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Satınalma Fiyat Listesi DocType: Offer Letter Term,Offer Term,Teklif Dönem @@ -2533,13 +2537,13 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Ürü DocType: Timesheet Detail,To Time,Zamana DocType: Authorization Rule,Approving Role (above authorized value),(Yetkili değerin üstünde) Rolü onaylanması apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Hesaba için Kredi bir Ödenecek hesabı olması gerekir -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM özyineleme: {0} ebeveyn veya çocuk olamaz {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM özyineleme: {0} ebeveyn veya çocuk olamaz {2} DocType: Production Order Operation,Completed Qty,Tamamlanan Adet DocType: Production Order Operation,Completed Qty,Tamamlanan Adet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, sadece banka hesapları başka bir kredi girişine karşı bağlantılı olabilir için" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Fiyat Listesi {0} devre dışı apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Fiyat Listesi {0} devre dışı -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Satır {0}: Tamamlandı Adet fazla olamaz {1} operasyon için {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Satır {0}: Tamamlandı Adet fazla olamaz {1} operasyon için {2} DocType: Manufacturing Settings,Allow Overtime,Mesai izin ver apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serileştirilmiş Öğe {0} Stok Mutabakatı kullanılarak güncellenemez, lütfen Stok Girişi kullanın" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serileştirilmiş Öğe {0} Stok Mutabakatı kullanılarak güncellenemez, lütfen Stok Girişi kullanın" @@ -2559,11 +2563,12 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Harici apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Kullanıcılar ve İzinler DocType: Vehicle Log,VLOG.,VLOG. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Üretim Siparişleri düzenlendi: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Üretim Siparişleri düzenlendi: {0} DocType: Branch,Branch,Şube DocType: Guardian,Mobile Number,Cep numarası apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Baskı ve Markalaşma apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Baskı ve Markalaşma +DocType: Company,Total Monthly Sales,Toplam Aylık Satışlar DocType: Bin,Actual Quantity,Gerçek Miktar DocType: Shipping Rule,example: Next Day Shipping,Örnek: Bir sonraki gün sevkiyat apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Bulunamadı Seri No {0} @@ -2597,7 +2602,7 @@ DocType: Payment Request,Make Sales Invoice,Satış Faturası Oluştur apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Yazılımlar apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Sonraki İletişim Tarih geçmişte olamaz DocType: Company,For Reference Only.,Başvuru için sadece. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Toplu İş Numarayı Seç +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Toplu İş Numarayı Seç apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Geçersiz {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-ret DocType: Sales Invoice Advance,Advance Amount,Avans miktarı @@ -2613,7 +2618,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Barkodlu Ürün Yok {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Durum No 0 olamaz DocType: Item,Show a slideshow at the top of the page,Sayfanın üstünde bir slayt gösterisi göster -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOM'ları +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,BOM'ları apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Mağazalar apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Mağazalar DocType: Serial No,Delivery Time,İrsaliye Zamanı @@ -2631,19 +2636,19 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Güncellem apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Güncelleme Maliyeti DocType: Item Reorder,Item Reorder,Ürün Yeniden Sipariş apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Göster Maaş Kayma -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Transfer Malzemesi +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Transfer Malzemesi DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","İşlemleri, işlem maliyetlerini belirtiniz ve işlemlerinize kendilerine özgü işlem numaraları veriniz." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Bu belge ile sınırı üzerinde {0} {1} öğe için {4}. yapıyoruz aynı karşı başka {3} {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,kaydettikten sonra yinelenen ayarlayın -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Seç değişim miktarı hesabı +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,kaydettikten sonra yinelenen ayarlayın +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Seç değişim miktarı hesabı DocType: Purchase Invoice,Price List Currency,Fiyat Listesi Para Birimi DocType: Purchase Invoice,Price List Currency,Fiyat Listesi Para Birimi DocType: Naming Series,User must always select,Kullanıcı her zaman seçmelidir DocType: Stock Settings,Allow Negative Stock,Negatif Stok izni DocType: Installation Note,Installation Note,Kurulum Not DocType: Installation Note,Installation Note,Kurulum Not -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Vergileri Ekle -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Vergileri Ekle +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Vergileri Ekle +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Vergileri Ekle DocType: Topic,Topic,konu apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Finansman Nakit Akışı DocType: Budget Account,Budget Account,Bütçe Hesabı @@ -2659,7 +2664,8 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Satır {0} ({1}) deki miktar üretilen miktar {2} ile aynı olmalıdır DocType: Appraisal,Employee,Çalışan DocType: Appraisal,Employee,Çalışan -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Toplu İş Seç +DocType: Company,Sales Monthly History,Satış Aylık Tarihi +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Toplu İş Seç apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} tam fatura edilir DocType: Training Event,End Time,Bitiş Zamanı apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Verilen tarihlerde çalışan {1} bulundu Aktif Maaş Yapısı {0} @@ -2668,15 +2674,14 @@ apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Pu apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Satış veya Satın Alma için standart sözleşme şartları. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Dekont Grubu apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,satış Hattı -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Maaş Bileşeni varsayılan hesabı ayarlamak Lütfen {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Maaş Bileşeni varsayılan hesabı ayarlamak Lütfen {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Gerekli Açık DocType: Rename Tool,File to Rename,Rename Dosya apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Satır Öğe için BOM seçiniz {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},"Hesap {0}, Hesap Modu'nda {1} Şirketle eşleşmiyor: {2}" apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Ürün için yok Belirtilen BOM {0} {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Bakım Programı {0} bu Satış Emri iptal edilmeden önce iptal edilmelidir +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Bakım Programı {0} bu Satış Emri iptal edilmeden önce iptal edilmelidir DocType: Notification Control,Expense Claim Approved,Gideri Talebi Onaylandı -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Lütfen Kurulum aracılığıyla Katılım için numaralandırma serisini ayarlayın> Serileri Numaralandırma apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,çalışanın maaş Kuponu {0} zaten bu dönem için oluşturulan apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Ecza apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Satın Öğeler Maliyeti @@ -2695,8 +2700,8 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Biten İyi Ürün i DocType: Upload Attendance,Attendance To Date,Tarihine kadar katılım DocType: Warranty Claim,Raised By,Talep eden DocType: Payment Gateway Account,Payment Account,Ödeme Hesabı -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Devam etmek için Firma belirtin -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Devam etmek için Firma belirtin +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Devam etmek için Firma belirtin +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Devam etmek için Firma belirtin apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Alacak Hesapları Net Değişim apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Telafi İzni DocType: Offer Letter,Accepted,Onaylanmış @@ -2706,12 +2711,12 @@ DocType: SG Creation Tool Course,Student Group Name,Öğrenci Grubu Adı apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Bu şirkete ait bütün işlemleri silmek istediğinizden emin olun. Ana veriler olduğu gibi kalacaktır. Bu işlem geri alınamaz. DocType: Room,Room Number,Oda numarası apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Geçersiz referans {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) planlanan quanitity daha büyük olamaz ({2}) Üretim Sipariş {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) planlanan quanitity daha büyük olamaz ({2}) Üretim Sipariş {3} DocType: Shipping Rule,Shipping Rule Label,Kargo Kural Etiketi apps/erpnext/erpnext/public/js/conf.js +28,User Forum,kullanıcı Forumu -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Hammaddeler boş olamaz. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Stok güncelleme olamazdı, fatura damla nakliye öğe içeriyor." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Hızlı Kayıt Girdisi +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Hammaddeler boş olamaz. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Stok güncelleme olamazdı, fatura damla nakliye öğe içeriyor." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Hızlı Kayıt Girdisi apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Herhangi bir Ürünye karşo BOM belirtildiyse oran değiştiremezsiniz. DocType: Employee,Previous Work Experience,Önceki İş Deneyimi DocType: Employee,Previous Work Experience,Önceki İş Deneyimi @@ -2777,7 +2782,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pa DocType: Campaign,Campaign-.####,Kampanya-.#### DocType: Campaign,Campaign-.####,Kampanya-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Sonraki adımlar -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Lütfen belirtilen ürünleri mümkün olan en rekabetçi fiyatlarla sununuz +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Lütfen belirtilen ürünleri mümkün olan en rekabetçi fiyatlarla sununuz DocType: Selling Settings,Auto close Opportunity after 15 days,15 gün sonra otomatik yakın Fırsat apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,bitiş yılı apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Tırnak / Kurşun% @@ -2835,7 +2840,7 @@ DocType: Homepage,Homepage,Anasayfa DocType: Purchase Receipt Item,Recd Quantity,Alınan Miktar apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Ücret Kayıtları düzenlendi - {0} DocType: Asset Category Account,Asset Category Account,Varlık Tipi Hesabı -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Satış Sipariş Miktarı {1} den fazla Ürün {0} üretilemez +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Satış Sipariş Miktarı {1} den fazla Ürün {0} üretilemez apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Stok Giriş {0} teslim edilmez DocType: Payment Reconciliation,Bank / Cash Account,Banka / Kasa Hesabı DocType: Payment Reconciliation,Bank / Cash Account,Banka / Kasa Hesabı @@ -2874,7 +2879,7 @@ DocType: Salary Structure,Total Earning,Toplam Kazanç DocType: Purchase Receipt,Time at which materials were received,Malzemelerin alındığı zaman DocType: Stock Ledger Entry,Outgoing Rate,Giden Oranı apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Kuruluş Şube Alanı -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,veya +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,veya DocType: Sales Order,Billing Status,Fatura Durumu DocType: Sales Order,Billing Status,Fatura Durumu apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Hata Bildir @@ -2885,7 +2890,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{ DocType: Buying Settings,Default Buying Price List,Standart Alış Fiyat Listesi DocType: Buying Settings,Default Buying Price List,Standart Alış Fiyat Listesi DocType: Process Payroll,Salary Slip Based on Timesheet,Çizelgesi dayanarak maaş Kayma -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Yukarıda seçilen kritere VEYA maaş kayma yok çalışanın zaten oluşturulmuş +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Yukarıda seçilen kritere VEYA maaş kayma yok çalışanın zaten oluşturulmuş DocType: Notification Control,Sales Order Message,Satış Sipariş Mesajı apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Şirket, Para Birimi, Mali yıl vb gibi standart değerleri ayarlayın" DocType: Payment Entry,Payment Type,Ödeme Şekli @@ -2914,7 +2919,7 @@ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +5 DocType: Purchase Invoice Item,Received Qty,Alınan Miktar DocType: Purchase Invoice Item,Received Qty,Alınan Miktar DocType: Stock Entry Detail,Serial No / Batch,Seri No / Parti -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Değil Ücretli ve Teslim Edilmedi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Değil Ücretli ve Teslim Edilmedi DocType: Product Bundle,Parent Item,Ana Ürün DocType: Account,Account Type,Hesap Tipi DocType: Delivery Note,DN-RET-,DN-ret @@ -2947,8 +2952,8 @@ DocType: Payment Entry,Total Allocated Amount,Toplam Ayrılan Tutar apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Sürekli envanter için varsayılan envanter hesabı ayarla DocType: Item Reorder,Material Request Type,Malzeme İstek Türü DocType: Item Reorder,Material Request Type,Malzeme İstek Türü -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} olarak maaş Accural günlük girdisi {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save",YerelDepolama dolu kurtarmadı +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},{0} olarak maaş Accural günlük girdisi {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",YerelDepolama dolu kurtarmadı apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Satır {0}: Ölçü Birimi Dönüşüm Faktörü zorunludur apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref @@ -2971,7 +2976,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selec apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Sanayi Tipine Göre izleme talebi. DocType: Item Supplier,Item Supplier,Ürün Tedarikçisi DocType: Item Supplier,Item Supplier,Ürün Tedarikçisi -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Toplu almak için Ürün Kodu girin +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Toplu almak için Ürün Kodu girin apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},{0} - {1} teklifi için bir değer seçiniz apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tüm adresler. apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tüm adresler. @@ -3001,7 +3006,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,İşlem sonrası gerçe apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},arasında bulunamadı maaş kayma {0} ve {1} ,Pending SO Items For Purchase Request,Satın Alma Talebi bekleyen PO Ürünleri apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Öğrenci Kabulleri -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} devre dışı +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} devre dışı DocType: Supplier,Billing Currency,Fatura Döviz DocType: Sales Invoice,SINV-RET-,SINV-ret apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Ekstra Büyük @@ -3037,7 +3042,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Başvuru Durumu DocType: Fees,Fees,harç DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Döviz Kuru içine başka bir para birimi dönüştürme belirtin -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Teklif {0} iptal edildi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Teklif {0} iptal edildi apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Toplam Alacakların Tutarı DocType: Sales Partner,Targets,Hedefler DocType: Price List,Price List Master,Fiyat Listesi Ana @@ -3055,7 +3060,7 @@ DocType: POS Profile,Ignore Pricing Rule,Fiyatlandırma Kuralı Yoksay DocType: Employee Education,Graduate,Mezun DocType: Leave Block List,Block Days,Blok Gün DocType: Journal Entry,Excise Entry,Tüketim Girişi -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Uyarı: Satış Sipariş {0} zaten Müşterinin Satın Alma Emri karşı var {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Uyarı: Satış Sipariş {0} zaten Müşterinin Satın Alma Emri karşı var {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -3095,7 +3100,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),(Bas DocType: Warehouse,Parent Warehouse,Ana Depo DocType: C-Form Invoice Detail,Net Total,Net Toplam DocType: C-Form Invoice Detail,Net Total,Net Toplam -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Öğe {0} ve Proje {1} için varsayılan BOM bulunamadı +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Öğe {0} ve Proje {1} için varsayılan BOM bulunamadı apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Çeşitli kredi türlerini tanımlama DocType: Bin,FCFS Rate,FCFS Oranı DocType: Payment Reconciliation Invoice,Outstanding Amount,Bekleyen Tutar @@ -3135,7 +3140,7 @@ apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Bölge Ağac DocType: Journal Entry Account,Sales Invoice,Satış Faturası DocType: Journal Entry Account,Sales Invoice,Satış Faturası DocType: Journal Entry Account,Party Balance,Parti Dengesi -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,İndirim Açık Uygula seçiniz +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,İndirim Açık Uygula seçiniz DocType: Company,Default Receivable Account,Standart Alacak Hesabı DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Yukarıda seçilen kriterler için ödenen toplam maaş için banka girdisi oluşturun DocType: Stock Entry,Material Transfer for Manufacture,Üretim için Materyal Transfer @@ -3151,7 +3156,7 @@ DocType: Sales Invoice,Customer Address,Müşteri Adresi DocType: Sales Invoice,Customer Address,Müşteri Adresi DocType: Employee Loan,Loan Details,kredi Detayları DocType: Company,Default Inventory Account,Varsayılan Envanter Hesabı -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Satır {0}: Tamamlandı Adet sıfırdan büyük olmalıdır. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Satır {0}: Tamamlandı Adet sıfırdan büyük olmalıdır. DocType: Purchase Invoice,Apply Additional Discount On,Ek İndirim On Uygula DocType: Account,Root Type,Kök Tipi DocType: Account,Root Type,Kök Tipi @@ -3171,7 +3176,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Kalite Kontrol apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small DocType: Company,Standard Template,standart Şablon DocType: Training Event,Theory,teori -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Uyarı: İstenen Ürün Miktarı Minimum Sipariş Miktarından az +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Uyarı: İstenen Ürün Miktarı Minimum Sipariş Miktarından az apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Hesap {0} dondurulmuş apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Hesap {0} donduruldu DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Örgüte ait Hesap ayrı Planı Tüzel Kişilik / Yardımcı. @@ -3201,7 +3206,7 @@ DocType: Training Event,Scheduled,Planlandı apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Fiyat Teklif Talebi. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Hayır" ve "Satış Öğe mı" "Stok Öğe mı" nerede "Evet" ise Birimini seçmek ve başka hiçbir Ürün Paketi var Lütfen DocType: Student Log,Academic,Akademik -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Toplam avans ({0}) Sipariş karşı {1} Genel Toplam den büyük olamaz ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Toplam avans ({0}) Sipariş karşı {1} Genel Toplam den büyük olamaz ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Dengesiz ay boyunca hedefleri dağıtmak için Aylık Dağıtım seçin. DocType: Purchase Invoice Item,Valuation Rate,Değerleme Oranı DocType: Purchase Invoice Item,Valuation Rate,Değerleme Oranı @@ -3276,6 +3281,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Sorgu kaynağı kampanya ise kampanya adı girin apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Gazete Yayıncıları apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Mali Yıl Seçin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,"Beklenen Teslim Tarihi, Satış Sipariş Tarihinden sonra olmalıdır" apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Yeniden Sipariş Seviyesi DocType: Company,Chart Of Accounts Template,Hesaplar Şablon Grafik DocType: Attendance,Attendance Date,Katılım Tarihi @@ -3318,7 +3324,7 @@ DocType: Payment Reconciliation Invoice,Invoice Number,Fatura Numarası DocType: Payment Reconciliation Invoice,Invoice Number,Fatura Numarası DocType: Shopping Cart Settings,Orders,Siparişler DocType: Employee Leave Approver,Leave Approver,İzin Onaylayan -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Lütfen bir parti seçin +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Lütfen bir parti seçin DocType: Assessment Group,Assessment Group Name,Değerlendirme Grubu Adı DocType: Manufacturing Settings,Material Transferred for Manufacture,Üretim için Materyal Transfer DocType: Expense Claim,"A user with ""Expense Approver"" role","""Gider Onaylayıcısı"" rolü ile bir kullanıcı" @@ -3356,7 +3362,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Sonraki Ay Son Gün DocType: Support Settings,Auto close Issue after 7 days,7 gün sonra otomatik yakın Sayı apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Önce tahsis edilemez bırakın {0}, izin dengesi zaten carry iletilen gelecek izin tahsisi kayıtlarında olduğu gibi {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Not: nedeniyle / Referans Tarihi {0} gün izin müşteri kredi günü aştığı (ler) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Not: nedeniyle / Referans Tarihi {0} gün izin müşteri kredi günü aştığı (ler) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Öğrenci Başvuru DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ALIŞVERİŞ MADDESİ İÇİN ORİJİNAL DocType: Asset Category Account,Accumulated Depreciation Account,Birikmiş Amortisman Hesabı @@ -3367,7 +3373,7 @@ DocType: Item,Reorder level based on Warehouse,Depo dayalı Yeniden Sipariş sev DocType: Activity Cost,Billing Rate,Fatura Oranı ,Qty to Deliver,Teslim Edilecek Miktar ,Stock Analytics,Stok Analizi -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operasyon boş bırakılamaz +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Operasyon boş bırakılamaz DocType: Maintenance Visit Purpose,Against Document Detail No,Belge Detay No Karşılığı apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Parti Tipi zorunludur DocType: Quality Inspection,Outgoing,Giden @@ -3415,16 +3421,16 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Depoda mevcut miktar apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Faturalı Tutar DocType: Asset,Double Declining Balance,Çift Azalan Bakiye -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Kapalı sipariş iptal edilemez. iptal etmek için açıklamak. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Kapalı sipariş iptal edilemez. iptal etmek için açıklamak. DocType: Student Guardian,Father,baba -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Stoğu Güncelle' sabit varlık satışları için kullanılamaz +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Stoğu Güncelle' sabit varlık satışları için kullanılamaz DocType: Bank Reconciliation,Bank Reconciliation,Banka Uzlaşma DocType: Bank Reconciliation,Bank Reconciliation,Banka Uzlaşma DocType: Attendance,On Leave,İzinli apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Güncellemeler Alın apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Hesap {2} Şirket'e ait olmayan {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Malzeme Talebi {0} iptal edilmiş veya durdurulmuştur -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Birkaç örnek kayıt ekle +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Birkaç örnek kayıt ekle apps/erpnext/erpnext/config/hr.py +301,Leave Management,Yönetim bırakın apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Hesap Grubu DocType: Sales Order,Fully Delivered,Tamamen Teslim Edilmiş @@ -3434,12 +3440,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Bu Stok Uzlaşma bir Açılış Giriş olduğundan fark Hesabı, bir Aktif / Pasif tipi hesabı olmalıdır" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Bir Kullanım Tutarı Kredi Miktarı daha büyük olamaz {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Ürüni {0} için Satınalma Siparişi numarası gerekli -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Üretim Sipariş oluşturulmadı +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Üretim Sipariş oluşturulmadı apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Tarihten itibaren ' Tarihine Kadar' dan sonra olmalıdır apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},öğrenci olarak durumunu değiştirmek olamaz {0} öğrenci uygulaması ile bağlantılı {1} DocType: Asset,Fully Depreciated,Değer kaybı tamamlanmış ,Stock Projected Qty,Öngörülen Stok Miktarı -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Müşteri {0} projeye ait değil {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Müşteri {0} projeye ait değil {1} DocType: Employee Attendance Tool,Marked Attendance HTML,İşaretlenmiş Devamlılık HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Alıntılar, müşterilerinize gönderilen adres teklifler önerileri şunlardır" DocType: Sales Order,Customer's Purchase Order,Müşterinin Sipariş @@ -3449,8 +3455,8 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Amortisman Sayısı rezervasyonu ayarlayın apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Değer veya Miktar apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Siparişler için yükseltilmiş olamaz: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Dakika -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Dakika +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Dakika +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Dakika DocType: Purchase Invoice,Purchase Taxes and Charges,Alım Vergi ve Harçları ,Qty to Receive,Alınacak Miktar DocType: Leave Block List,Leave Block List Allowed,Müsaade edilen izin engel listesi @@ -3465,7 +3471,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Bütün Tedarikçi Tipleri DocType: Global Defaults,Disable In Words,Words devre dışı bırak apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Ürün Kodu zorunludur çünkü Ürün otomatik olarak numaralandırmaz -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Teklif {0} {1} türünde +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Teklif {0} {1} türünde DocType: Maintenance Schedule Item,Maintenance Schedule Item,Bakım Programı Ürünü DocType: Sales Order,% Delivered,% Teslim Edildi DocType: Production Order,PRO-,yanlısı @@ -3491,7 +3497,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Satıcı E- DocType: Project,Total Purchase Cost (via Purchase Invoice),Toplam Satınalma Maliyeti (Satın Alma Fatura üzerinden) DocType: Training Event,Start Time,Başlangıç Zamanı -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,",Miktar Seç" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,",Miktar Seç" DocType: Customs Tariff Number,Customs Tariff Number,Gümrük Tarife numarası apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Onaylama Rolü kuralın uygulanabilir olduğu rolle aynı olamaz apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Bu e-posta Digest aboneliğinden çık @@ -3518,7 +3524,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR Detayı DocType: Sales Order,Fully Billed,Tam Faturalı apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Eldeki Nakit -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Teslim depo stok kalemi için gerekli {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Teslim depo stok kalemi için gerekli {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Paketin brüt ağırlığı. Genellikle net ağırlığı + ambalaj Ürünü ağırlığı. (Baskı için) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Bu role sahip kullanıcıların dondurulmuş hesapları ayarlama ve dondurulmuş hesaplara karşı muhasebe girdileri oluşturma/düzenleme yetkileri vardır @@ -3528,7 +3534,7 @@ DocType: Student Group,Group Based On,Ona Dayalı Grup DocType: Journal Entry,Bill Date,Fatura tarihi apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Servis Öğe, Tür, frekans ve harcama miktarı gereklidir" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Eğer yüksek öncelikli birden çok Fiyatlandırma Kuralı varsa, şu iç öncelikler geçerli olacaktır." -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Gerçekten {0} için tüm Maaş Kayma Gönder istiyor musunuz {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Gerçekten {0} için tüm Maaş Kayma Gönder istiyor musunuz {1} DocType: Cheque Print Template,Cheque Height,Çek Yükseklik DocType: Supplier,Supplier Details,Tedarikçi Ayrıntıları DocType: Expense Claim,Approval Status,Onay Durumu @@ -3554,7 +3560,7 @@ apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show DocType: Lead,From Customer,Müşteriden apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Aramalar apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Aramalar -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Partiler +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Partiler DocType: Project,Total Costing Amount (via Time Logs),Toplam Maliyet Tutarı (Zaman Kayıtlar üzerinden) DocType: Purchase Order Item Supplied,Stock UOM,Stok Ölçü Birimi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Satınalma Siparişi {0} teslim edilmedi @@ -3589,7 +3595,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Karşı Satınalma Fat DocType: Item,Warranty Period (in days),(Gün) Garanti Süresi apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 ile İlişkisi apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Faaliyetlerden Kaynaklanan Net Nakit -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,Örneğin KDV +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,Örneğin KDV apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Madde 4 DocType: Student Admission,Admission End Date,Kabul Bitiş Tarihi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Taşeronluk @@ -3597,7 +3603,7 @@ DocType: Journal Entry Account,Journal Entry Account,Kayıt Girdisi Hesabı apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Öğrenci Grubu DocType: Shopping Cart Settings,Quotation Series,Teklif Serisi apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Bir Ürün aynı isimle bulunuyorsa ({0}), lütfen madde grubunun veya maddenin adını değiştirin" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,müşteri seçiniz +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,müşteri seçiniz DocType: C-Form,I,ben DocType: Company,Asset Depreciation Cost Center,Varlık Değer Kaybı Maliyet Merkezi DocType: Sales Order Item,Sales Order Date,Satış Sipariş Tarihi @@ -3609,6 +3615,7 @@ DocType: Stock Settings,Limit Percent,Sınır Yüzde ,Payment Period Based On Invoice Date,Fatura Tarihine Dayalı Ödeme Süresi apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Eksik Döviz Kurları {0} DocType: Assessment Plan,Examiner,müfettiş +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Kurulum> Ayarlar> Adlandırma Serisi aracılığıyla {0} için Naming Series'i ayarlayın. DocType: Student,Siblings,Kardeşler DocType: Journal Entry,Stock Entry,Stok Girişleri DocType: Payment Entry,Payment References,Ödeme Referansları @@ -3635,7 +3642,7 @@ DocType: Asset Movement,Source Warehouse,Kaynak Depo DocType: Asset Movement,Source Warehouse,Kaynak Depo DocType: Installation Note,Installation Date,Kurulum Tarihi DocType: Installation Note,Installation Date,Kurulum Tarihi -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},"Satır {0}: Sabit Varlık {1}, {2} firmasına ait değil" +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},"Satır {0}: Sabit Varlık {1}, {2} firmasına ait değil" DocType: Employee,Confirmation Date,Onay Tarihi DocType: Employee,Confirmation Date,Onay Tarihi DocType: C-Form,Total Invoiced Amount,Toplam Faturalanmış Tutar @@ -3715,7 +3722,7 @@ DocType: Company,Default Letter Head,Mektubu Başkanı Standart DocType: Purchase Order,Get Items from Open Material Requests,Açık Malzeme Talepleri Öğeleri alın DocType: Item,Standard Selling Rate,Standart Satış Oranı DocType: Account,Rate at which this tax is applied,Vergi uygulanma oranı -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Yeniden Sipariş Adet +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Yeniden Sipariş Adet apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Güncel İş Olanakları DocType: Company,Stock Adjustment Account,Stok Düzeltme Hesabı DocType: Company,Stock Adjustment Account,Stok Düzeltme Hesabı @@ -3730,7 +3737,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Tedarikçi Müşteriye teslim apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0}) stokta yok apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Sonraki Tarih Gönderme Tarihi daha büyük olmalıdır -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Due / Referans Tarihi sonra olamaz {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Due / Referans Tarihi sonra olamaz {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,İçeri/Dışarı Aktar apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Hiçbir öğrenci Bulundu apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Fatura Gönderme Tarihi @@ -3752,13 +3759,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,"Bu, bu Öğrencinin katılımıyla dayanmaktadır" apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Içinde öğrenci yok apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Daha fazla ürün ekle veya Tam formu aç -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','Beklenen Teslim Tarihi' girin -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','Beklenen Teslim Tarihi' girin -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Satış Emri iptal edilmeden önce İrsaliyeler {0} iptal edilmelidir +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Satış Emri iptal edilmeden önce İrsaliyeler {0} iptal edilmelidir apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Ödenen miktar + Borç İptali Toplamdan fazla olamaz apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} Ürün {1} için geçerli bir parti numarası değildir apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Not: İzin tipi {0} için yeterli izin günü kalmamış -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Kayıtlı Olmadığı İçin Geçersiz GSTIN veya Gir NA +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Kayıtlı Olmadığı İçin Geçersiz GSTIN veya Gir NA DocType: Training Event,Seminar,seminer DocType: Program Enrollment Fee,Program Enrollment Fee,Program Kayıt Ücreti DocType: Item,Supplier Items,Tedarikçi Öğeler @@ -3778,7 +3783,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Stok Yaşlanması apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Öğrenci {0} öğrenci başvuru karşı mevcut {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Zaman çizelgesi -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' devre dışı +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' devre dışı apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Açık olarak ayarlayın DocType: Cheque Print Template,Scanned Cheque,taranan Çek DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Gönderilmesi işlemlere Kişiler otomatik e-postalar gönderin. @@ -3831,7 +3836,7 @@ DocType: Purchase Invoice,Price List Exchange Rate,Fiyat Listesi Döviz Kuru DocType: Purchase Invoice Item,Rate,Birim Fiyat apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Stajyer apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Stajyer -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Adres Adı +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Adres Adı DocType: Stock Entry,From BOM,BOM Gönderen DocType: Assessment Code,Assessment Code,Değerlendirme Kodu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Temel @@ -3848,23 +3853,23 @@ DocType: Account,Bank,Banka DocType: Account,Bank,Banka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Havayolu apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Havayolu -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Sayı Malzeme +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Sayı Malzeme DocType: Material Request Item,For Warehouse,Depo için DocType: Material Request Item,For Warehouse,Depo için DocType: Employee,Offer Date,Teklif Tarihi DocType: Employee,Offer Date,Teklif Tarihi apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Özlü Sözler -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Çevrimdışı moddasınız. Bağlantıyı sağlayıncaya kadar yenileneme yapamayacaksınız. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Çevrimdışı moddasınız. Bağlantıyı sağlayıncaya kadar yenileneme yapamayacaksınız. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Hiçbir Öğrenci Grupları oluşturuldu. DocType: Purchase Invoice Item,Serial No,Seri No DocType: Purchase Invoice Item,Serial No,Seri No apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Aylık Geri Ödeme Tutarı Kredi Miktarı daha büyük olamaz apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Lütfen ilk önce Bakım Detayını girin +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,"Sıra # {0}: Beklenen Teslim Tarihi, Satın Alma Siparişi Tarihinden önce olamaz" DocType: Purchase Invoice,Print Language,baskı Dili DocType: Salary Slip,Total Working Hours,Toplam Çalışma Saatleri DocType: Stock Entry,Including items for sub assemblies,Alt montajlar için öğeleri içeren -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Enter değeri pozitif olmalıdır -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Enter değeri pozitif olmalıdır apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Bütün Bölgeler DocType: Purchase Invoice,Items,Ürünler DocType: Purchase Invoice,Items,Ürünler @@ -3890,7 +3895,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant için Ölçü Varsayılan Birim '{0}' Şablon aynı olmalıdır '{1}' DocType: Shipping Rule,Calculate Based On,Tabanlı hesaplayın DocType: Delivery Note Item,From Warehouse,Atölyesi'nden -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Malzeme Listesine Öğe Yok İmalat için +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Malzeme Listesine Öğe Yok İmalat için DocType: Assessment Plan,Supervisor Name,Süpervizör Adı DocType: Program Enrollment Course,Program Enrollment Course,Program Kayıt Kursu DocType: Program Enrollment Course,Program Enrollment Course,Program Kayıt Kursu @@ -3908,19 +3913,19 @@ DocType: Training Event Employee,Attended,katıldığı apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Son Siparişten bu yana geçen süre' sıfırdan büyük veya sıfıra eşit olmalıdır DocType: Process Payroll,Payroll Frequency,Bordro Frekansı DocType: Asset,Amended From,İtibaren değiştirilmiş -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Hammadde -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Hammadde +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Hammadde +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Hammadde DocType: Leave Application,Follow via Email,E-posta ile takip DocType: Leave Application,Follow via Email,E-posta ile takip apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Bitkiler ve Makinaları DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,İndirim Tutarından sonraki vergi miktarı DocType: Daily Work Summary Settings,Daily Work Summary Settings,Günlük Çalışma Özet Ayarları -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},fiyat listesi {0} Döviz seçilen para birimi ile benzer değildir {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},fiyat listesi {0} Döviz seçilen para birimi ile benzer değildir {1} DocType: Payment Entry,Internal Transfer,İç transfer apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Bu hesap için çocuk hesabı var. Bu hesabı silemezsiniz. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Hedef miktarı veya hedef tutarı zorunludur apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ürün {0} için Varsayılan BOM mevcut değildir -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,İlk Gönderme Tarihi seçiniz +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,İlk Gönderme Tarihi seçiniz apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Tarih Açılış Tarihi Kapanış önce olmalıdır DocType: Leave Control Panel,Carry Forward,Nakletmek DocType: Leave Control Panel,Carry Forward,Nakletmek @@ -3928,7 +3933,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center DocType: Department,Days for which Holidays are blocked for this department.,Bu departman için tatillerin kaldırıldığı günler. ,Produced,Üretilmiş ,Produced,Üretilmiş -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Düzenlendi Maaş Fiş +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Düzenlendi Maaş Fiş DocType: Item,Item Code for Suppliers,Tedarikçi Ürün Kodu DocType: Issue,Raised By (Email),(Email) ile talep eden DocType: Training Event,Trainer Name,eğitmen Adı @@ -3937,9 +3942,10 @@ DocType: Mode of Payment,General,Genel apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Son İletişim apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Son İletişim apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kategori 'Değerleme' veya 'Toplam ve Değerleme' olduğu zaman çıkarılamaz -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Vergi kafaları Liste (örn KDV, gümrük vb; onlar benzersiz adlara sahip olmalıdır) ve bunların standart oranları. Bu düzenlemek ve daha sonra ekleyebilirsiniz standart bir şablon oluşturmak olacaktır." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Vergi kafaları Liste (örn KDV, gümrük vb; onlar benzersiz adlara sahip olmalıdır) ve bunların standart oranları. Bu düzenlemek ve daha sonra ekleyebilirsiniz standart bir şablon oluşturmak olacaktır." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Seri Ürün{0} için Seri numaraları gereklidir apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Faturalar ile maç Ödemeleri +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Sıra # {0}: Lütfen {1} öğesine karşı Teslim Tarihi girin DocType: Journal Entry,Bank Entry,Banka Girişi DocType: Authorization Rule,Applicable To (Designation),(Görev) için uygulanabilir ,Profitability Analysis,karlılık Analizi @@ -3959,18 +3965,19 @@ DocType: Quality Inspection,Item Serial No,Ürün Seri No apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Çalışan Kayıtları Oluşturma apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Toplam Mevcut apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Muhasebe Tabloları -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Saat -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Saat +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Saat +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Saat apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Yeni Seri No Warehouse olamaz. Depo Stok girişiyle veya alım makbuzuyla ayarlanmalıdır DocType: Lead,Lead Type,Talep Yaratma Tipi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Blok Tarihlerdeki çıkışları onaylama yetkiniz yok -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Bütün Ürünler zaten faturalandırılmıştır +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Bütün Ürünler zaten faturalandırılmıştır +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Aylık Satış Hedefi apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},{0} tarafından onaylanmış DocType: Item,Default Material Request Type,Standart Malzeme Talebi Tipi apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,bilinmeyen DocType: Shipping Rule,Shipping Rule Conditions,Kargo Kural Koşulları DocType: BOM Replace Tool,The new BOM after replacement,Değiştirilmesinden sonra yeni BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Satış Noktası +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Satış Noktası DocType: Payment Entry,Received Amount,alınan Tutar DocType: GST Settings,GSTIN Email Sent On,GSTIN E-postayla Gönderildi DocType: Program Enrollment,Pick/Drop by Guardian,Koruyucu tarafından Pick / Bırak @@ -3990,8 +3997,8 @@ DocType: Batch,Source Document Name,Kaynak Belge Adı DocType: Batch,Source Document Name,Kaynak Belge Adı DocType: Job Opening,Job Title,İş Unvanı apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Kullanıcılar oluştur -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Üretim Miktar 0'dan büyük olmalıdır. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Üretim Miktar 0'dan büyük olmalıdır. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Bakım araması için ziyaret raporu. DocType: Stock Entry,Update Rate and Availability,Güncelleme Oranı ve Kullanılabilirlik DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Sipariş edilen miktara karşı alabileceğiniz veya teslim edebileceğiniz daha fazla miktar. Örneğin, 100 birim sipariş verdiyseniz,izniniz %10'dur, bu durumda 110 birim almaya izniniz vardır." @@ -4005,7 +4012,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Lütfen önce iptal edin: Satınalma Faturası {0} apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","E-posta adresi zaten var, benzersiz olmalıdır {0}" DocType: Serial No,AMC Expiry Date,AMC Bitiş Tarihi -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Makbuz +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Makbuz ,Sales Register,Satış Kayıt ,Sales Register,Satış Kayıt DocType: Daily Work Summary Settings Company,Send Emails At,At e-postalar gönderin @@ -4020,14 +4027,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Henüz müşt apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Nakit Akım Tablosu apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredi Miktarı Maksimum Kredi Tutarı geçemez {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Lisans -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},C-Form bu Fatura {0} kaldırın lütfen {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},C-Form bu Fatura {0} kaldırın lütfen {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Geçen mali yılın bakiyelerini bu mali yıla dahil etmek isterseniz Lütfen İleri Taşıyı seçin DocType: GL Entry,Against Voucher Type,Dekont Tipi Karşılığı DocType: Item,Attributes,Nitelikler apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Borç Silme Hesabı Girin apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Son Sipariş Tarihi apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Hesap {0} yapan şirkete ait değil {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,{0} satırındaki Seri Numaraları Teslimat Notu ile eşleşmiyor +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,{0} satırındaki Seri Numaraları Teslimat Notu ile eşleşmiyor DocType: Student,Guardian Details,Guardian Detayları DocType: C-Form,C-Form,C-Formu DocType: C-Form,C-Form,C-Formu @@ -4065,17 +4072,18 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Za DocType: Tax Rule,Sales,Satışlar DocType: Stock Entry Detail,Basic Amount,Temel Tutar DocType: Training Event,Exam,sınav -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Stok Ürünü {0} için depo gereklidir +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Stok Ürünü {0} için depo gereklidir DocType: Leave Allocation,Unused leaves,Kullanılmayan yapraklar -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Fatura Kamu apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} şu Parti Hesabıyla ilintili değil: {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(Alt-montajlar dahil) patlamış BOM'ları getir +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(Alt-montajlar dahil) patlamış BOM'ları getir DocType: Authorization Rule,Applicable To (Employee),(Çalışana) uygulanabilir apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date zorunludur apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Attribute için Artım {0} 0 olamaz +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge DocType: Journal Entry,Pay To / Recd From,Gönderen/Alınan DocType: Naming Series,Setup Series,Kurulum Serisi DocType: Naming Series,Setup Series,Kurulum Serisi @@ -4105,7 +4113,7 @@ DocType: Journal Entry,Write Off Based On,Dayalı Borç Silme apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Kurşun olun apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Baskı ve Kırtasiye DocType: Stock Settings,Show Barcode Field,Göster Barkod Alanı -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Tedarikçi E-postalarını Gönder +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Tedarikçi E-postalarını Gönder apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Maaş zaten {0} ve {1}, bu tarih aralığında olamaz başvuru süresini bırakın arasındaki dönem için işlenmiş." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Bir Seri No için kurulum kaydı. DocType: Guardian Interest,Guardian Interest,Guardian İlgi @@ -4119,7 +4127,7 @@ DocType: Offer Letter,Awaiting Response,Tepki bekliyor apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Yukarıdaki apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Geçersiz özellik {0} {1} DocType: Supplier,Mention if non-standard payable account,Standart dışı borç hesabı ise -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Aynı öğe birden çok kez girildi. {liste} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Aynı öğe birden çok kez girildi. {liste} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Lütfen 'Tüm Değerlendirme Grupları' dışındaki değerlendirme grubunu seçin. DocType: Salary Slip,Earning & Deduction,Kazanma & Kesintisi apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,İsteğe bağlı. Bu ayar çeşitli işlemlerde filtreleme yapmak için kullanılacaktır @@ -4141,7 +4149,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Hurdaya Varlığın Maliyeti apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},Ürün{2} için {0} {1}: Maliyert Merkezi zorunludur DocType: Vehicle,Policy No,Politika yok -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Ürün Bundle Öğeleri alın +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Ürün Bundle Öğeleri alın DocType: Asset,Straight Line,Düz Çizgi DocType: Project User,Project User,Proje Kullanıcısı apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Bölünmüş @@ -4154,6 +4162,7 @@ DocType: Bank Reconciliation,Payment Entries,Ödeme Girişler DocType: Production Order,Scrap Warehouse,hurda Depo DocType: Production Order,Check if material transfer entry is not required,Malzeme aktarım girişi gerekli değil mi kontrol edin DocType: Production Order,Check if material transfer entry is not required,Malzeme aktarım girişi gerekli değil mi kontrol edin +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini kurun> HR Ayarları DocType: Program Enrollment Tool,Get Students From,Gönderen Öğrenciler alın DocType: Hub Settings,Seller Country,Satıcı Ülke apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Web sitesinde Ürünleri yayınlayın @@ -4175,13 +4184,13 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,Ür DocType: Shipping Rule,Specify conditions to calculate shipping amount,Nakliye miktarını hesaplamak için koşulları belirtin DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Rol Dondurulmuş Hesaplar ve Düzenleme Dondurulmuş Girişleri Set İzin apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,açılış Değeri +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,açılış Değeri DocType: Salary Detail,Formula,formül apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Seri # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Satış Komisyonu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Satış Komisyonu DocType: Offer Letter Term,Value / Description,Değer / Açıklama -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Satır {0}: Sabit Varlık {1} gönderilemedi, zaten {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Satır {0}: Sabit Varlık {1} gönderilemedi, zaten {2}" DocType: Tax Rule,Billing Country,Fatura Ülke DocType: Purchase Order Item,Expected Delivery Date,Beklenen Teslim Tarihi DocType: Purchase Order Item,Expected Delivery Date,Beklenen Teslim Tarihi @@ -4190,7 +4199,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Eğlence Giderleri apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Malzeme İsteği olun apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Açık Öğe {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Satış Faturası {0} bu Satış Siparişi iptal edilmeden önce iptal edilmelidir +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Satış Faturası {0} bu Satış Siparişi iptal edilmeden önce iptal edilmelidir apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Yaş DocType: Sales Invoice Timesheet,Billing Amount,Fatura Tutarı apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ürün {0} için geçersiz miktar belirtildi. Miktar 0 dan fazla olmalıdır @@ -4220,7 +4229,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Seyahat Giderleri DocType: Maintenance Visit,Breakdown,Arıza DocType: Maintenance Visit,Breakdown,Arıza -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Hesap: {0} para ile: {1} seçilemez +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Hesap: {0} para ile: {1} seçilemez DocType: Bank Reconciliation Detail,Cheque Date,Çek Tarih apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Hesap {0}: Ana hesap {1} şirkete ait değil: {2} DocType: Program Enrollment Tool,Student Applicants,Öğrenci Başvuru sahipleri @@ -4242,11 +4251,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planla DocType: Material Request,Issued,Veriliş apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Öğrenci Etkinliği DocType: Project,Total Billing Amount (via Time Logs),Toplam Fatura Tutarı (Zaman Kayıtlar üzerinden) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Bu ürünü satıyoruz +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Bu ürünü satıyoruz apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Tedarikçi Kimliği DocType: Payment Request,Payment Gateway Details,Ödeme Gateway Detayları -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Miktar 0'dan büyük olmalıdır -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Örnek veri +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Miktar 0'dan büyük olmalıdır +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Örnek veri DocType: Journal Entry,Cash Entry,Nakit Girişi apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Çocuk düğümleri sadece 'Grup' tür düğüm altında oluşturulabilir DocType: Leave Application,Half Day Date,Yarım Gün Tarih @@ -4255,20 +4264,21 @@ DocType: Sales Partner,Contact Desc,İrtibat Desc apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Normal, hastalık vb izin tipleri" DocType: Email Digest,Send regular summary reports via Email.,E-posta yoluyla düzenli özet raporlar gönder. DocType: Payment Entry,PE-,PE -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Gider Talep Tip varsayılan hesap ayarlayın {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Gider Talep Tip varsayılan hesap ayarlayın {0} DocType: Assessment Result,Student Name,Öğrenci adı DocType: Brand,Item Manager,Ürün Yöneticisi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Ödenecek Bordro DocType: Buying Settings,Default Supplier Type,Standart Tedarikçii Türü DocType: Production Order,Total Operating Cost,Toplam İşletme Maliyeti DocType: Production Order,Total Operating Cost,Toplam İşletme Maliyeti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Not: Ürün {0} birden çok kez girilmiş -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Not: Ürün {0} birden çok kez girilmiş +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Not: Ürün {0} birden çok kez girilmiş +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Not: Ürün {0} birden çok kez girilmiş apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tüm Kişiler. apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tüm Kişiler. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Hedefinizi ayarlayın apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Şirket Kısaltma apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Kullanıcı {0} yok -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Hammadde ana Malzeme ile aynı olamaz +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Hammadde ana Malzeme ile aynı olamaz DocType: Item Attribute Value,Abbreviation,Kısaltma apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Ödeme giriş zaten var apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} Yetkili değil {0} sınırı aşar @@ -4286,7 +4296,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,dondurulmuş stok düz ,Territory Target Variance Item Group-Wise,Bölge Hedef Varyans Ürün Grubu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Bütün Müşteri Grupları apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Birikmiş Aylık -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} zorunludur. {1} ve {2} için Döviz kaydı oluşturulmayabilir. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} zorunludur. {1} ve {2} için Döviz kaydı oluşturulmayabilir. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Vergi Şablon zorunludur. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Hesap {0}: Ana hesap {1} yok DocType: Purchase Invoice Item,Price List Rate (Company Currency),Fiyat Listesi Oranı (Şirket para birimi) @@ -4300,7 +4310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekret apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekreter DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","devre dışı ise, bu alanda 'sözleriyle' herhangi bir işlem görünür olmayacak" DocType: Serial No,Distinct unit of an Item,Bir Öğe Farklı birim -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Lütfen şirket ayarlayın +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Lütfen şirket ayarlayın DocType: Pricing Rule,Buying,Satın alma DocType: HR Settings,Employee Records to be created by,Oluşturulacak Çalışan Kayıtları DocType: POS Profile,Apply Discount On,İndirim On Uygula @@ -4311,7 +4321,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Ürün Vergi Detayları apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Enstitü Kısaltma ,Item-wise Price List Rate,Ürün bilgisi Fiyat Listesi Oranı -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Tedarikçi Teklifi +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Tedarikçi Teklifi DocType: Quotation,In Words will be visible once you save the Quotation.,fiyat teklifini kaydettiğinizde görünür olacaktır apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Miktar ({0}) {1} sırasındaki kesir olamaz apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Miktar ({0}) {1} sırasındaki kesir olamaz @@ -4340,7 +4350,7 @@ DocType: Customer,From Lead,Baştan apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Üretim için verilen emirler. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Mali Yıl Seçin ... apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Mali Yıl Seçin ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS Profil POS Girişi yapmak için gerekli +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS Profil POS Girişi yapmak için gerekli DocType: Program Enrollment Tool,Enroll Students,Öğrenciler kayıt DocType: Hub Settings,Name Token,İsim Jetonu apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standart Satış @@ -4363,7 +4373,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Stok Değer Farkı apps/erpnext/erpnext/config/learn.py +234,Human Resource,İnsan Kaynakları DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Ödeme Mutabakat Ödemesi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Vergi Varlıkları -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Üretim Siparişi {0} oldu +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Üretim Siparişi {0} oldu DocType: BOM Item,BOM No,BOM numarası DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Günlük girdisi {0} {1} ya da zaten başka bir çeki karşı eşleşen hesabınız yok @@ -4379,7 +4389,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Bir. Cs apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Alacak tutarı DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Bu Satış Kişisi için Ürün Grubu hedefleri ayarlayın DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days] daha eski donmuş stoklar -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Satır # {0}: Varlık sabit kıymet alım / satım için zorunludur +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Satır # {0}: Varlık sabit kıymet alım / satım için zorunludur apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","İki ya da daha fazla Fiyatlandırma Kuralları yukarıdaki koşullara dayalı bulundu ise, Öncelik uygulanır. Varsayılan değer sıfır (boş) ise Öncelik 0 ile 20 arasında bir sayıdır. Yüksek numarası aynı koşullarda birden Fiyatlandırma Kuralları varsa o öncelik alacak demektir." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Mali Yılı: {0} does not var DocType: Currency Exchange,To Currency,Para Birimi @@ -4390,7 +4400,7 @@ apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for ite apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"{0} öğesinin satış oranı, onun {1} değerinden düşük. Satış oranı atleast olmalıdır {2}" DocType: Item,Taxes,Vergiler DocType: Item,Taxes,Vergiler -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Ücretli ve Teslim Edilmedi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Ücretli ve Teslim Edilmedi DocType: Project,Default Cost Center,Standart Maliyet Merkezi DocType: Bank Guarantee,End Date,Bitiş Tarihi DocType: Bank Guarantee,End Date,Bitiş Tarihi @@ -4410,7 +4420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Günlük Çalışma Özet Ayarları Şirket apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Stok ürünü olmadığından Ürün {0} yok sayıldı DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Daha fazla işlem için bu Üretim Siparişini Gönderin. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Daha fazla işlem için bu Üretim Siparişini Gönderin. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",Belli bir işlemde Fiyatlandırma kuralını uygulamamak için bütün mevcut Fiyatlandırma Kuralları devre dışı bırakılmalıdır. DocType: Assessment Group,Parent Assessment Group,Veli Değerlendirme Grubu apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,İşler @@ -4419,11 +4429,11 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,İşler DocType: Employee,Held On,Yapılan apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Üretim Öğe ,Employee Information,Çalışan Bilgileri -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Oranı (%) -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Oranı (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Oranı (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Oranı (%) DocType: Stock Entry Detail,Additional Cost,Ek maliyet apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Dekont, olarak gruplandırıldı ise Makbuz numarasına dayalı filtreleme yapamaz" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Tedarikçi Teklifi Oluştur +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Tedarikçi Teklifi Oluştur DocType: Quality Inspection,Incoming,Alınan DocType: BOM,Materials Required (Exploded),Gerekli Malzemeler (patlamış) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",Kendiniz dışında kuruluşunuz kullanıcıları ekle @@ -4440,7 +4450,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Hesap: {0} sadece Stok İşlemleri üzerinden güncellenebilir DocType: Student Group Creation Tool,Get Courses,Kursları alın DocType: GL Entry,Party,Taraf -DocType: Sales Order,Delivery Date,İrsaliye Tarihi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,İrsaliye Tarihi DocType: Opportunity,Opportunity Date,Fırsat tarihi DocType: Purchase Receipt,Return Against Purchase Receipt,Satınalma Makbuzu Karşı dön DocType: Request for Quotation Item,Request for Quotation Item,Fiyat Teklif Talebi Kalemi @@ -4455,7 +4465,7 @@ DocType: Task,Actual Time (in Hours),Gerçek Zaman (Saat olarak) DocType: Employee,History In Company,Şirketteki Geçmişi apps/erpnext/erpnext/config/learn.py +107,Newsletters,Haber Bültenleri DocType: Stock Ledger Entry,Stock Ledger Entry,Stok Defter Girdisi -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Aynı madde birden çok kez girildi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Aynı madde birden çok kez girildi DocType: Department,Leave Block List,İzin engel listesi DocType: Sales Invoice,Tax ID,Vergi numarası apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Ürün {0} Seri No kurulumu değildir. Sütun boş bırakılmalıdır @@ -4474,25 +4484,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Siyah DocType: BOM Explosion Item,BOM Explosion Item,BOM Patlatılmış Malzemeler DocType: Account,Auditor,Denetçi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} ürün üretildi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} ürün üretildi DocType: Cheque Print Template,Distance from top edge,üst kenarından uzaklık apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Fiyat Listesi {0} devre dışı veya yok DocType: Purchase Invoice,Return,Dönüş DocType: Production Order Operation,Production Order Operation,Üretim Sipariş Operasyonu DocType: Pricing Rule,Disable,Devre Dışı Bırak -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Ödeme Modu ödeme yapmak için gereklidir +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Ödeme Modu ödeme yapmak için gereklidir DocType: Project Task,Pending Review,Bekleyen İnceleme apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} Küme {2} 'ye kayıtlı değil apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","{0} varlığı hurda edilemez, {1} da var olarak gözüküyor" DocType: Task,Total Expense Claim (via Expense Claim),(Gider İstem aracılığıyla) Toplam Gider İddiası apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Gelmedi işaretle -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Satır {0}: BOM # Döviz {1} seçilen para birimi eşit olmalıdır {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Satır {0}: BOM # Döviz {1} seçilen para birimi eşit olmalıdır {2} DocType: Journal Entry Account,Exchange Rate,Döviz Kuru -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Satış Sipariş {0} teslim edilmedi +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Satış Sipariş {0} teslim edilmedi DocType: Homepage,Tag Line,Etiket Hattı DocType: Fee Component,Fee Component,ücret Bileşeni apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Filo yönetimi -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Öğe ekleme +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Öğe ekleme DocType: Cheque Print Template,Regular,Düzenli apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Bütün Değerlendirme Kriterleri Toplam weightage% 100 olmalıdır DocType: BOM,Last Purchase Rate,Son Satış Fiyatı @@ -4517,12 +4527,12 @@ DocType: SMS Settings,Enter url parameter for receiver nos,Alıcı numaraları i DocType: Payment Entry,Paid Amount,Ödenen Tutar DocType: Payment Entry,Paid Amount,Ödenen Tutar DocType: Assessment Plan,Supervisor,supervisor -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,İnternet üzerinden +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,İnternet üzerinden ,Available Stock for Packing Items,Ambalajlama Ürünleri için mevcut stok DocType: Item Variant,Item Variant,Öğe Varyant DocType: Assessment Result Tool,Assessment Result Tool,Değerlendirme Sonucu Aracı DocType: BOM Scrap Item,BOM Scrap Item,BOM Hurda Öğe -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Gönderilen emir silinemez +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Gönderilen emir silinemez apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Bakiye borçlu durumdaysa alacaklı duruma çevrilemez. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kalite Yönetimi apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kalite Yönetimi @@ -4558,7 +4568,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Employee,Notice (days),Bildirimi (gün) DocType: Employee,Notice (days),Bildirimi (gün) DocType: Tax Rule,Sales Tax Template,Satış Vergisi Şablon -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,fatura kaydetmek için öğeleri seçin +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,fatura kaydetmek için öğeleri seçin DocType: Employee,Encashment Date,Nakit Çekim Tarihi DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Stok Ayarı @@ -4616,10 +4626,10 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max disco apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Net Aktif değeri olarak DocType: Account,Receivable,Alacak DocType: Account,Receivable,Alacak -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Satır # {0}: Sipariş zaten var olduğu Tedarikçi değiştirmek için izin verilmez +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Satır # {0}: Sipariş zaten var olduğu Tedarikçi değiştirmek için izin verilmez DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Kredi limiti ayarlarını geçen işlemleri teslim etmeye izinli rol -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,İmalat Öğe seç -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Ana veri senkronizasyonu, bu biraz zaman alabilir" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,İmalat Öğe seç +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Ana veri senkronizasyonu, bu biraz zaman alabilir" DocType: Item,Material Issue,Malzeme Verilişi DocType: Hub Settings,Seller Description,Satıcı Açıklaması DocType: Employee Education,Qualification,{0}Yeterlilik{/0} {1} {/1} @@ -4647,11 +4657,10 @@ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Sup apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Tümünü işaretleme DocType: POS Profile,Terms and Conditions,Şartlar ve Koşullar DocType: POS Profile,Terms and Conditions,Şartlar ve Koşullar -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini kurun> HR Ayarları apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Tarih Mali Yıl içinde olmalıdır. Tarih = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Burada boy, kilo, alerji, tıbbi endişeler vb muhafaza edebilirsiniz" DocType: Leave Block List,Applies to Company,Şirket için geçerli -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Sunulan Stok Giriş {0} varolduğundan iptal edilemiyor +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Sunulan Stok Giriş {0} varolduğundan iptal edilemiyor DocType: Employee Loan,Disbursement Date,Ödeme tarihi DocType: Vehicle,Vehicle,araç DocType: Purchase Invoice,In Words,Kelimelerle @@ -4694,7 +4703,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Genel Ayarlar DocType: Assessment Result Detail,Assessment Result Detail,Değerlendirme Sonuçlarının Ayrıntıları DocType: Employee Education,Employee Education,Çalışan Eğitimi apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,öğe grubu tablosunda bulunan yinelenen öğe grubu -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Bu Ürün Detayları getirmesi için gereklidir. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Bu Ürün Detayları getirmesi için gereklidir. DocType: Salary Slip,Net Pay,Net Ödeme DocType: Account,Account,Hesap DocType: Account,Account,Hesap @@ -4704,7 +4713,7 @@ DocType: Expense Claim,Vehicle Log,araç Giriş DocType: Purchase Invoice,Recurring Id,Tekrarlanan Kimlik DocType: Customer,Sales Team Details,Satış Ekibi Ayrıntıları DocType: Customer,Sales Team Details,Satış Ekibi Ayrıntıları -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Kalıcı olarak silinsin mi? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Kalıcı olarak silinsin mi? DocType: Expense Claim,Total Claimed Amount,Toplam İade edilen Tutar apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Satış için potansiyel Fırsatlar. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Geçersiz {0} @@ -4718,7 +4727,7 @@ DocType: Warehouse,PIN,TOPLU İĞNE apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext ayarlarını yap Okul DocType: Sales Invoice,Base Change Amount (Company Currency),Baz Değişim Miktarı (Şirket Para Birimi) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Şu depolar için muhasebe girdisi yok -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,İlk belgeyi kaydedin. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,İlk belgeyi kaydedin. DocType: Account,Chargeable,Ücretli DocType: Account,Chargeable,Ücretli DocType: Company,Change Abbreviation,Değişim Kısaltma @@ -4734,7 +4743,6 @@ DocType: Purchase Invoice,Raw Materials Supplied,Tedarik edilen Hammaddeler DocType: Purchase Invoice,Recurring Print Format,Tekrarlayan Baskı Biçimi DocType: C-Form,Series,Seriler DocType: C-Form,Series,Seriler -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Beklenen Teslim Tarihi Siparii Tarihinden önce olamaz DocType: Appraisal,Appraisal Template,Değerlendirme Şablonu DocType: Item Group,Item Classification,Ürün Sınıflandırması apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,İş Geliştirme Müdürü @@ -4783,12 +4791,12 @@ apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Even apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Şundaki gibi birikimli değer kaybı DocType: Sales Invoice,C-Form Applicable,Uygulanabilir C-Formu DocType: Sales Invoice,C-Form Applicable,Uygulanabilir C-Formu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Çalışma Süresi Çalışma için 0'dan büyük olmalıdır {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Çalışma Süresi Çalışma için 0'dan büyük olmalıdır {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Depo zorunludur DocType: Supplier,Address and Contacts,Adresler ve Kontaklar DocType: UOM Conversion Detail,UOM Conversion Detail,Ölçü Birimi Dönüşüm Detayı DocType: Program,Program Abbreviation,Program Kısaltma -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Üretim siparişi Ürün Şablon karşı yükseltilmiş edilemez +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Üretim siparişi Ürün Şablon karşı yükseltilmiş edilemez apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Ücretler her öğenin karşı Satınalma Fiş güncellenir DocType: Warranty Claim,Resolved By,Tarafından Çözülmüştür DocType: Bank Guarantee,Start Date,Başlangıç Tarihi @@ -4826,6 +4834,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Eğitim Görüşleri apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Üretim Siparişi {0} verilmelidir apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Ürün {0} için Başlangıç ve Bitiş tarihi seçiniz +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Ulaşmak istediğiniz bir satış hedefi belirleyin. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Ders satırda zorunludur {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Tarihine kadar kısmı tarihinden itibaren kısmından önce olamaz DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype @@ -4849,8 +4858,8 @@ DocType: Account,Income,Gelir DocType: Industry Type,Industry Type,Sanayi Tipi apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Bir şeyler yanlış gitti! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Uyarı: İzin uygulamasında aşağıdaki engel tarihleri bulunmaktadır -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Satış Faturası {0} zaten gönderildi -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Satış Faturası {0} zaten gönderildi +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Satış Faturası {0} zaten gönderildi +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Satış Faturası {0} zaten gönderildi DocType: Assessment Result Detail,Score,Gol apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Mali yıl {0} yok apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Bitiş Tarihi @@ -4884,8 +4893,8 @@ DocType: Naming Series,Help HTML,Yardım HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Öğrenci Grubu Oluşturma Aracı DocType: Item,Variant Based On,Varyant Dayalı apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Atanan toplam ağırlık % 100 olmalıdır. Bu {0} dır -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Tedarikçileriniz -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Tedarikçileriniz +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Tedarikçileriniz +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Tedarikçileriniz apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Satış Emri yapıldığında Kayıp olarak ayarlanamaz. DocType: Request for Quotation Item,Supplier Part No,Tedarikçi Parça No apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',kategori 'Değerleme' veya 'Vaulation ve Toplam' için ne zaman tenzil edemez @@ -4896,8 +4905,8 @@ DocType: Employee,Date of Issue,Veriliş tarihi DocType: Employee,Date of Issue,Veriliş tarihi apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Tarafından {0} {1} için apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Satın Alma Gerekliliği Alımı == 'EVET' ise Satın Alma Ayarlarına göre, Satın Alma Faturası oluşturmak için kullanıcı {0} öğesi için önce Satın Alma Makbuzu oluşturmalıdır." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Satır # {0}: öğe için Set Tedarikçi {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Satır {0}: Saat değeri sıfırdan büyük olmalıdır. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Satır # {0}: öğe için Set Tedarikçi {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Satır {0}: Saat değeri sıfırdan büyük olmalıdır. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Öğe {1} bağlı Web Sitesi Resmi {0} bulunamıyor DocType: Issue,Content Type,İçerik Türü DocType: Issue,Content Type,İçerik Türü @@ -4905,7 +4914,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Bilgisayar apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Bilgisayar DocType: Item,List this Item in multiple groups on the website.,Bu Ürünü web sitesinde gruplar halinde listeleyin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Diğer para ile hesap izin Çoklu Para Birimi seçeneğini kontrol edin -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Ürün: {0} sistemde mevcut değil +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Ürün: {0} sistemde mevcut değil apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Donmuş değeri ayarlama yetkiniz yok DocType: Payment Reconciliation,Get Unreconciled Entries,Mutabık olmayan girdileri alın DocType: Payment Reconciliation,From Invoice Date,Fatura Tarihinden İtibaren @@ -4937,7 +4946,7 @@ DocType: Item,Customer Code,Müşteri Kodu DocType: Item,Customer Code,Müşteri Kodu apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Için Doğum Günü Hatırlatıcı {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Son siparişten bu yana geçen günler -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Hesabın için Bankamatik bir bilanço hesabı olmalıdır +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Hesabın için Bankamatik bir bilanço hesabı olmalıdır DocType: Buying Settings,Naming Series,Seri Adlandırma DocType: Leave Block List,Leave Block List Name,İzin engel listesi adı apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Sigorta Başlangıç tarihi Bitiş tarihi Sigortası daha az olmalıdır @@ -4957,7 +4966,7 @@ DocType: Sales Order Item,Ordered Qty,Sipariş Miktarı DocType: Sales Order Item,Ordered Qty,Sipariş Miktarı apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Öğe {0} devre dışı DocType: Stock Settings,Stock Frozen Upto,Stok Dondurulmuş -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Ürün Ağacı hiç Stok Ürünü içermiyor +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,Ürün Ağacı hiç Stok Ürünü içermiyor apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Kimden ve Dönemi yinelenen için zorunlu tarihler için Dönem {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Proje faaliyeti / görev. DocType: Vehicle Log,Refuelling Details,Yakıt Detayları @@ -4967,7 +4976,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Son satın alma oranı bulunamadı DocType: Purchase Invoice,Write Off Amount (Company Currency),Tutar Off yazın (Şirket Para) DocType: Sales Invoice Timesheet,Billing Hours,fatura Saatleri -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,{0} bulunamadı için varsayılan BOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,{0} bulunamadı için varsayılan BOM apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Satır # {0}: yeniden sipariş miktarını ayarlamak Lütfen apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Buraya eklemek için öğelere dokunun DocType: Fees,Program Enrollment,programı Kaydı @@ -5006,6 +5015,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Yaşlanma Aralığı 2 DocType: SG Creation Tool Course,Max Strength,Maksimum Güç apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM yerine +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Teslimat Tarihine Göre Öğe Seç ,Sales Analytics,Satış Analizleri apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Uygun {0} ,Prospects Engaged But Not Converted,"Etkilenen, ancak Dönüştürülmeyen Beklentiler" @@ -5063,8 +5073,8 @@ apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,görevler için DocType: Purchase Invoice,Against Expense Account,Gider Hesabı Karşılığı DocType: Production Order,Production Order,Üretim Siparişi DocType: Production Order,Production Order,Üretim Siparişi -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Kurulum Not {0} zaten gönderildi -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Kurulum Not {0} zaten gönderildi +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Kurulum Not {0} zaten gönderildi +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Kurulum Not {0} zaten gönderildi DocType: Bank Reconciliation,Get Payment Entries,Ödeme Girişleri alın DocType: Quotation Item,Against Docname,Belge adı karşılığı DocType: SMS Center,All Employee (Active),Tüm Çalışanlar (Aktif) @@ -5075,8 +5085,8 @@ DocType: BOM,Raw Material Cost,Hammadde Maliyeti DocType: Item Reorder,Re-Order Level,Yeniden sipariş seviyesi DocType: Item Reorder,Re-Order Level,Yeniden Sipariş Seviyesi DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Kendisi için üretim emri vermek istediğiniz Malzemeleri girin veya analiz için ham maddeleri indirin. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Şeması -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Şeması +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt Şeması +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt Şeması apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Yarı Zamanlı DocType: Employee,Applicable Holiday List,Uygulanabilir Tatil Listesi DocType: Employee,Applicable Holiday List,Uygulanabilir Tatil Listesi @@ -5143,11 +5153,11 @@ DocType: Bin,Reserved Qty for Production,Üretim için Miktar saklıdır DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Kurs temelli gruplar yaparken toplu düşünmeyi istemiyorsanız, işaretlemeyin." DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Kurs temelli gruplar yaparken toplu düşünmeyi istemiyorsanız, işaretlemeyin." DocType: Asset,Frequency of Depreciation (Months),Amortisman Frekans (Ay) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Kredi hesabı +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Kredi hesabı DocType: Landed Cost Item,Landed Cost Item,İnen Maliyet Kalemi apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Sıfır değerleri göster DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Üretimden sonra elde edilen Ürün miktarı/ ham maddelerin belli miktarlarında yeniden ambalajlama -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Kur benim organizasyon için basit bir web sitesi +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Kur benim organizasyon için basit bir web sitesi DocType: Payment Reconciliation,Receivable / Payable Account,Alacak / Borç Hesap DocType: Delivery Note Item,Against Sales Order Item,Satış Siparişi Ürün Karşılığı apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Öznitelik için değeri Özellik belirtiniz {0} @@ -5217,24 +5227,24 @@ DocType: Student,Nationality,milliyet DocType: Purchase Order,Get Last Purchase Rate,Son Alım Br.Fİyatını alın DocType: Company,Company Info,Şirket Bilgisi DocType: Company,Company Info,Şirket Bilgisi -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Seçmek veya yeni müşteri eklemek -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Maliyet merkezi gider iddiayı kitaba gereklidir +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Seçmek veya yeni müşteri eklemek +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,Maliyet merkezi gider iddiayı kitaba gereklidir apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Fon (varlık) başvurusu apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,"Bu, bu Çalışan katılımı esas alır" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Borç Hesabı +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Borç Hesabı DocType: Fiscal Year,Year Start Date,Yıl Başlangıç Tarihi DocType: Fiscal Year,Year Start Date,Yıl Başlangıç Tarihi DocType: Attendance,Employee Name,Çalışan Adı DocType: Attendance,Employee Name,Çalışan Adı DocType: Sales Invoice,Rounded Total (Company Currency),Yuvarlanmış Toplam (Şirket para birimi) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Hesap Türü seçili olduğundan Grup gizli olamaz. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,"{0}, {1} düzenlenmiştir. Lütfen yenileyin." +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,"{0}, {1} düzenlenmiştir. Lütfen yenileyin." DocType: Leave Block List,Stop users from making Leave Applications on following days.,Kullanıcıların şu günlerde İzin almasını engelle. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Satın alma miktarı apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Tedarikçi Fiyat Teklifi {0} oluşturuldu apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Yıl Sonu Başlangıç Yıl önce olamaz apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Çalışanlara Sağlanan Faydalar -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},{1} Paketli miktar satır {1} deki Ürün {0} a eşit olmalıdır +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},{1} Paketli miktar satır {1} deki Ürün {0} a eşit olmalıdır DocType: Production Order,Manufactured Qty,Üretilen Miktar DocType: Purchase Receipt Item,Accepted Quantity,Kabul edilen Miktar DocType: Purchase Receipt Item,Accepted Quantity,Kabul edilen Miktar @@ -5246,13 +5256,13 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Sıra Hayır {0}: Tutar Gider İstem {1} karşı Tutar Bekleyen daha büyük olamaz. Bekleyen Tutar {2} DocType: Maintenance Schedule,Schedule,Program DocType: Account,Parent Account,Ana Hesap -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Uygun -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Uygun +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Uygun +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Uygun DocType: Quality Inspection Reading,Reading 3,3 Okuma DocType: Quality Inspection Reading,Reading 3,3 Okuma ,Hub,Hub DocType: GL Entry,Voucher Type,Föy Türü -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Fiyat Listesi bulunamadı veya devre dışı değil +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Fiyat Listesi bulunamadı veya devre dışı değil DocType: Employee Loan Application,Approved,Onaylandı DocType: Pricing Rule,Price,Fiyat DocType: Pricing Rule,Price,Fiyat @@ -5335,7 +5345,7 @@ DocType: Assessment Plan,Room,oda DocType: Purchase Order,Advance Paid,Peşin Ödenen DocType: Item,Item Tax,Ürün Vergisi DocType: Item,Item Tax,Ürün Vergisi -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Tedarikçi Malzeme +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Tedarikçi Malzeme apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Tüketim Fatura apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,"Eşik {0},% kereden fazla görünür" DocType: Expense Claim,Employees Email Id,Çalışanların e-posta adresleri @@ -5375,7 +5385,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,model DocType: Production Order,Actual Operating Cost,Gerçek İşletme Maliyeti DocType: Payment Entry,Cheque/Reference No,Çek / Referans No -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Kök düzenlenemez. apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Kök düzenlenemez. DocType: Item,Units of Measure,Ölçü birimleri @@ -5412,12 +5421,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Kredi Günleri apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Öğrenci Toplu yapın DocType: Leave Type,Is Carry Forward,İleri taşınmış -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM dan Ürünleri alın +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM dan Ürünleri alın apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Teslim zamanı Günü -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Satır # {0}: Tarihi Gönderme satın alma tarihi olarak aynı olmalıdır {1} varlığın {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Satır # {0}: Tarihi Gönderme satın alma tarihi olarak aynı olmalıdır {1} varlığın {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Öğrenci Enstitü Pansiyonunda ikamet ediyorsa bunu kontrol edin. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Yukarıdaki tabloda Satış Siparişleri giriniz -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Maaş Fiş Ekleyen Değil +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Maaş Fiş Ekleyen Değil ,Stock Summary,Stok Özeti apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,başka bir depodan bir varlık transfer DocType: Vehicle,Petrol,Petrol diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv index 48b0a3263de..477e525c017 100644 --- a/erpnext/translations/uk.csv +++ b/erpnext/translations/uk.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Дилер DocType: Employee,Rented,Орендовані DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,Стосується користувача -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Призупинене виробниче замовлення не може бути скасоване, зніміть призупинку спочатку" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Призупинене виробниче замовлення не може бути скасоване, зніміть призупинку спочатку" DocType: Vehicle Service,Mileage,пробіг apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Ви дійсно хочете відмовитися від цього активу? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Виберіть постачальника за замовчуванням @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,Виставлено рахунки % apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),"Обмінний курс повинен бути такий же, як {0} {1} ({2})" DocType: Sales Invoice,Customer Name,Ім'я клієнта DocType: Vehicle,Natural Gas,Природний газ -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Банківський рахунок не може бути названий {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Банківський рахунок не може бути названий {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Керівники (або групи), проти якого Бухгалтерські записи виробляються і залишки зберігаються." apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Видатний {0} не може бути менше нуля ({1}) DocType: Manufacturing Settings,Default 10 mins,За замовчуванням 10 хвилин @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Назва типу відпустки apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Показати відкритий apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Серії оновлені успішно apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Перевірити -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Запис в журналі Опубліковано +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural Запис в журналі Опубліковано DocType: Pricing Rule,Apply On,Віднести до DocType: Item Price,Multiple Item prices.,Кілька ціни товару. ,Purchase Order Items To Be Received,"Позиції Замовлення на придбання, які будуть отримані" @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Режим розрах apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Показати варіанти DocType: Academic Term,Academic Term,академічний термін apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,матеріал -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Кількість +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Кількість apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Облікові записи таблиці не може бути порожнім. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Кредити (зобов'язання) DocType: Employee Education,Year of Passing,Рік проходження @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Охорона здоров'я apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Затримка в оплаті (дні) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,послуги Expense -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Серійний номер: {0} вже згадується в продажу рахунку: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Рахунок-фактура +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Серійний номер: {0} вже згадується в продажу рахунку: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Рахунок-фактура DocType: Maintenance Schedule Item,Periodicity,Періодичність apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Треба зазначити бюджетний період {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Очікувана дата поставки бути перед Sales Order Date apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Захист DocType: Salary Component,Abbr,Абревіатура DocType: Appraisal Goal,Score (0-5),Рахунок (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ряд # {0}: DocType: Timesheet,Total Costing Amount,Загальна вартість DocType: Delivery Note,Vehicle No,Автомобіль номер -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Будь ласка, виберіть Прайс-лист" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,"Будь ласка, виберіть Прайс-лист" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Рядок # {0}: Платіжний документ потрібно для завершення операцій Встановлюються DocType: Production Order Operation,Work In Progress,В роботі apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Будь ласка, виберіть дати" @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} не існує в жодному активному бюджетному періоді DocType: Packed Item,Parent Detail docname,Батько Подробиці DOCNAME apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Посилання: {0}, Код товару: {1} і клієнта: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Кг +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Кг DocType: Student Log,Log,Ввійти apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Вакансія DocType: Item Attribute,Increment,Приріст @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Одружений apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Не допускається для {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Отримати елементи з -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Запаси не можуть оновитися Накладною {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Запаси не можуть оновитися Накладною {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Продукт {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,немає Перелічене DocType: Payment Reconciliation,Reconcile,Узгодити @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Пе apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Наступна амортизація Дата не може бути перед покупкою Дати DocType: SMS Center,All Sales Person,Всі Відповідальні з продажу DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"**Щомісячний розподіл** дозволяє розподілити Бюджет/Мету по місяцях, якщо у вашому бізнесі є сезонність." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Чи не знайшли товар +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Чи не знайшли товар apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Відсутня Структура зарплати DocType: Lead,Person Name,Ім'я особи DocType: Sales Invoice Item,Sales Invoice Item,Позиція вихідного рахунку @@ -144,13 +143,13 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Термін Дата закінчення не може бути пізніше, ніж за рік Дата закінчення навчального року, до якого цей термін пов'язаний (навчальний рік {}). Будь ласка, виправте дату і спробуйте ще раз." apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Є основним засобом"" не може бути знято, оскільки існує запис засобу відносно об’єкту" DocType: Vehicle Service,Brake Oil,гальмівні масла -DocType: Tax Rule,Tax Type,Податки Тип -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,оподатковувана податком сума +DocType: Tax Rule,Tax Type,Тип податку +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Оподатковувана сума apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},"У Вас немає прав, щоб додавати або оновлювати записи до {0}" DocType: BOM,Item Image (if not slideshow),Пункт зображення (якщо не слайд-шоу) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Уразливість існує клієнтів з тим же ім'ям DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Тарифна ставка / 60) * Фактичний Час роботи -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Виберіть BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Виберіть BOM DocType: SMS Log,SMS Log,SMS Log apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Вартість комплектності apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,"Вихідні {0} не між ""Дата з"" та ""Дата По""" @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,школи DocType: School Settings,Validate Batch for Students in Student Group,Перевірка Batch для студентів в студентській групі apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Немає відпустки знайдена запис для співробітника {0} для {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Будь ласка, введіть компанія вперше" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Будь ласка, виберіть компанію спочатку" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,"Будь ласка, виберіть компанію спочатку" DocType: Employee Education,Under Graduate,Під Випускник apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Цільова На DocType: BOM,Total Cost,Загальна вартість DocType: Journal Entry Account,Employee Loan,співробітник позики -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Журнал активності: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,"Пункт {0} не існує в системі, або закінчився" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Журнал активності: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,"Пункт {0} не існує в системі, або закінчився" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Нерухомість apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Виписка apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Фармацевтика @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Сума претензії apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Дублікат група клієнтів знайти в таблиці Cutomer групи apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Тип постачальника / Постачальник DocType: Naming Series,Prefix,Префікс -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Будь ласка, встановіть серію імен для {0} за допомогою налаштування> Налаштування> Серія імен" -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Витратні +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Витратні DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Імпорт Ввійти DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,"Видати Замовлення матеріалу типу ""Виробництво"" на основі вищевказаних критеріїв" DocType: Training Result Employee,Grade,клас DocType: Sales Invoice Item,Delivered By Supplier,Доставлено постачальником DocType: SMS Center,All Contact,Всі контактні -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Виробничий замовлення вже створений для всіх елементів з BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Виробничий замовлення вже створений для всіх елементів з BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Річна заробітна плата DocType: Daily Work Summary,Daily Work Summary,Щодня Резюме Робота DocType: Period Closing Voucher,Closing Fiscal Year,Закриття бюджетного періоду -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} заблоковано +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} заблоковано apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Будь ласка, виберіть існуючу компанію для створення плану рахунків" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Витрати на запаси apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Виберіть Target Warehouse @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прийнята+Відхилена к-сть має дорівнювати кількостіЮ що надійшла для позиції {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Постачання сировини для покупки -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Принаймні один спосіб оплати потрібно для POS рахунку. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Принаймні один спосіб оплати потрібно для POS рахунку. DocType: Products Settings,Show Products as a List,Показувати продукцію списком DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Завантажте шаблон, заповніть відповідні дані і долучіть змінений файл. Усі поєднання дат і співробітників в обраному періоді потраплять у шаблон разом з існуючими записами відвідуваності" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Пункт {0} не є активним або досяг дати завершення роботи з ним -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Приклад: Елементарна математика -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Щоб включити податок у рядку {0} у розмірі Item, податки в рядках {1} повинні бути також включені" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Приклад: Елементарна математика +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Щоб включити податок у рядку {0} у розмірі Item, податки в рядках {1} повинні бути також включені" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Налаштування модуля HR DocType: SMS Center,SMS Center,SMS-центр DocType: Sales Invoice,Change Amount,Сума змін @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Дата встановлення не може бути до дати доставки по позиції {0} DocType: Pricing Rule,Discount on Price List Rate (%),Знижка на ціну з прайсу (%) DocType: Offer Letter,Select Terms and Conditions,Виберіть умови та положення -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Розхід у Сумі +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Розхід у Сумі DocType: Production Planning Tool,Sales Orders,Замовлення клієнта DocType: Purchase Taxes and Charges,Valuation,Оцінка ,Purchase Order Trends,Динаміка Замовлень на придбання @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Введення залишків DocType: Customer Group,Mention if non-standard receivable account applicable,Вказати якщо застосовано нестандартний рахунок заборгованості DocType: Course Schedule,Instructor Name,ім'я інструктора -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Для складу потрібно перед проведенням +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Для складу потрібно перед проведенням apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Надійшло На DocType: Sales Partner,Reseller,Торговий посередник DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Якщо цей прапорець встановлений, буде включати в себе позабіржові елементи в матеріалі запитів." @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,По позиціях вхідного рахунку-фактури ,Production Orders in Progress,Виробничі замовлення у роботі apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Чисті грошові кошти від фінансової -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","LocalStorage сповнений, не врятувало" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","LocalStorage сповнений, не врятувало" DocType: Lead,Address & Contact,Адреса та контакти DocType: Leave Allocation,Add unused leaves from previous allocations,Додати невикористані дні відпустки від попередніх призначень apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Наступна Періодичні {0} буде створений на {1} DocType: Sales Partner,Partner website,Веб-сайт партнера apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Додати елемент -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Контактна особа +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Контактна особа DocType: Course Assessment Criteria,Course Assessment Criteria,Критерії оцінки курсу DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Створює Зарплатний розрахунок згідно згаданих вище критеріїв. DocType: POS Customer Group,POS Customer Group,POS Група клієнтів @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ряд {0}: Будь ласка, поставте відмітку 'Аванс"" у рахунку {1}, якщо це авансовий запис." apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Склад {0} не належить компанії {1} DocType: Email Digest,Profit & Loss,Прибуток та збиток -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,літр +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,літр DocType: Task,Total Costing Amount (via Time Sheet),Загальна калькуляція Сума (за допомогою Time Sheet) DocType: Item Website Specification,Item Website Specification,Пункт Сайт Специфікація apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Залишити Заблоковані @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,Номер вихідного рахунк DocType: Material Request Item,Min Order Qty,Мін. к-сть замовлення DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Курс Студентська група Інструмент створення DocType: Lead,Do Not Contact,Чи не Контакти -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,"Люди, які викладають у вашій організації" +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,"Люди, які викладають у вашій організації" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Унікальний ідентифікатор для відстеження всіх періодичних рахунків-фактур. Генерується при проведенні. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Розробник програмного забезпечення DocType: Item,Minimum Order Qty,Мінімальна к-сть замовлень @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,Опублікувати в Hub DocType: Student Admission,Student Admission,прийому студентів ,Terretory,Територія apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Пункт {0} скасовується -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Замовлення матеріалів +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Замовлення матеріалів DocType: Bank Reconciliation,Update Clearance Date,Оновити Clearance дату DocType: Item,Purchase Details,Закупівля детальніше apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Товар {0} не знайдений у таблиці ""поставлена давальницька сировина"" у Замовленні на придбання {1}" @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Рядок # {0}: {1} не може бути негативним по пункту {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Невірний пароль DocType: Item,Variant Of,Варіант -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',"Завершена к-сть не може бути більше, ніж ""к-сть для виробництва""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',"Завершена к-сть не може бути більше, ніж ""к-сть для виробництва""" DocType: Period Closing Voucher,Closing Account Head,Рахунок закриття DocType: Employee,External Work History,Зовнішній роботи Історія apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Циклічна посилання Помилка @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,Відстань від apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} одиниць [{1}] (#Форми /Товару / {1}) знайдено в [{2}] (#Формі / Склад / {2}) DocType: Lead,Industry,Промисловість DocType: Employee,Job Profile,Профіль роботи +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Це базується на операціях проти цієї компанії. Детальніше див. Наведену нижче шкалу часу DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Повідомляти електронною поштою про створення автоматичних Замовлень матеріалів DocType: Journal Entry,Multi Currency,Мультивалютна DocType: Payment Reconciliation Invoice,Invoice Type,Тип рахунку-фактури -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Накладна +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Накладна apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Налаштування податків apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Собівартість проданих активів apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Оплата була змінена після pull. Ласка, pull it знову." @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Будь ласка, введіть "Повторіть День Місяць" значення поля" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Курс, за яким валюта покупця конвертується у базову валюту покупця" DocType: Course Scheduling Tool,Course Scheduling Tool,Курс планування Інструмент -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Рядок # {0}: Вхідний рахунок-фактура не може бути зроблений щодо існуючого активу {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Рядок # {0}: Вхідний рахунок-фактура не може бути зроблений щодо існуючого активу {1} DocType: Item Tax,Tax Rate,Ставка податку apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} вже виділено Робітника {1} для періоду {2} в {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Вибрати пункт +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Вибрати пункт apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Вхідний рахунок-фактура {0} вже проведений apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Ряд # {0}: Номер партії має бути таким же, як {1} {2}" apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Перетворити в негрупповой @@ -447,7 +446,7 @@ DocType: Employee,Widowed,Овдовілий DocType: Request for Quotation,Request for Quotation,Запит пропозиції DocType: Salary Slip Timesheet,Working Hours,Робочі години DocType: Naming Series,Change the starting / current sequence number of an existing series.,Змінити стартову / поточний порядковий номер існуючого ряду. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Створення нового клієнта +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Створення нового клієнта apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Якщо кілька правил ціноутворення продовжують переважати, користувачам пропонується встановити пріоритет вручну та вирішити конфлікт." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Створення замовлень на поставку ,Purchase Register,Реєстр закупівель @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,ім'я Examiner DocType: Purchase Invoice Item,Quantity and Rate,Кількість та ціна DocType: Delivery Note,% Installed,% Встановлено -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабінети / лабораторії і т.д., де лекції можуть бути заплановані." +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабінети / лабораторії і т.д., де лекції можуть бути заплановані." apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Будь ласка, введіть назву компанії в першу чергу" DocType: Purchase Invoice,Supplier Name,Назва постачальника apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Прочитайте керівництво ERPNext @@ -490,7 +489,7 @@ DocType: Account,Old Parent,Старий Батько apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Обов'язкове поле - Академічний рік apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Обов'язкове поле - Академічний рік DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,"Налаштуйте вступний текст, який йде як частина цього e-mail. Кожна операція має окремий вступний текст." -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},"Будь ласка, встановіть за замовчуванням заборгованості рахунки для компанії {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},"Будь ласка, встановіть за замовчуванням заборгованості рахунки для компанії {0}" apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобальні налаштування для всіх виробничих процесів. DocType: Accounts Settings,Accounts Frozen Upto,Рахунки заблоковано по DocType: SMS Log,Sent On,Відправлено На @@ -505,8 +504,8 @@ DocType: Tax Rule,Billing County,Область (оплата) DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Якщо позначено, то сума податку буде вважатися вже включеною у ціну друку / суму друку" DocType: Request for Quotation,Message for Supplier,Повідомлення для Постачальника apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Всього Кількість -apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID -apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID +apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ІД епошти охоронця 2 +apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ІД епошти охоронця 2 DocType: Item,Show in Website (Variant),Показати в веб-сайт (варіант) DocType: Employee,Health Concerns,Проблеми Здоров'я DocType: Process Payroll,Select Payroll Period,Виберіть Період нарахування заробітної плати @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,Кредиторська заборго apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Вибрані Норми не для тієї ж позиції DocType: Pricing Rule,Valid Upto,Дійсне до DocType: Training Event,Workshop,семінар -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,Перерахуйте деякі з ваших клієнтів. Вони можуть бути організації або окремі особи. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,Перерахуйте деякі з ваших клієнтів. Вони можуть бути організації або окремі особи. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Досить частини для зборки apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Пряма прибуток apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Не можете фільтрувати на основі рахунку, якщо рахунок згруповані по" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Будь ласка, виберіть курс" apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Будь ласка, виберіть курс" DocType: Timesheet Detail,Hrs,годин -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Будь ласка, виберіть компанію" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,"Будь ласка, виберіть компанію" DocType: Stock Entry Detail,Difference Account,Рахунок різниці DocType: Purchase Invoice,Supplier GSTIN,Постачальник GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Неможливо закрити завдання, як її залежить завдання {0} не закрите." @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,"Будь ласка, визначте клас для Threshold 0%" DocType: Sales Order,To Deliver,Доставити DocType: Purchase Invoice Item,Item,Номенклатура -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Серійний номер не може бути дробовим +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Серійний номер не може бути дробовим DocType: Journal Entry,Difference (Dr - Cr),Різниця (Д - Cr) DocType: Account,Profit and Loss,Про прибутки та збитки apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Управління субпідрядом @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),Гарантійний термін ( DocType: Installation Note Item,Installation Note Item,Номенклатура відмітки про встановлення DocType: Production Plan Item,Pending Qty,К-сть в очікуванні DocType: Budget,Ignore,Ігнорувати -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} не активний +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} не активний apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS відправлено наступних номерів: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Встановіть розміри чеку для друку DocType: Salary Slip,Salary Slip Timesheet,Табель зарплатного розрахунку @@ -686,8 +685,8 @@ DocType: Installation Note,IN-,IN- DocType: Production Order Operation,In minutes,У хвилини DocType: Issue,Resolution Date,Дозвіл Дата DocType: Student Batch Name,Batch Name,пакетна Ім'я -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Табель робочого часу створено: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},"Будь ласка, встановіть Cash замовчуванням або банківського рахунку в режимі з оплати {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Табель робочого часу створено: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},"Будь ласка, встановіть Cash замовчуванням або банківського рахунку в режимі з оплати {0}" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,зараховувати DocType: GST Settings,GST Settings,налаштування GST DocType: Selling Settings,Customer Naming By,Називати клієнтів по @@ -707,7 +706,7 @@ DocType: Activity Cost,Projects User,Проекти Користувач apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Спожито apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} не знайдено у таблиці рахунку-фактури DocType: Company,Round Off Cost Center,Центр витрат заокруглення -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Візит для тех. обслуговування {0} має бути скасований до скасування цього замовлення клієнта +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Візит для тех. обслуговування {0} має бути скасований до скасування цього замовлення клієнта DocType: Item,Material Transfer,Матеріал Передача apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),На початок (Дт) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Posting timestamp повинна бути більша {0} @@ -716,7 +715,7 @@ DocType: Employee Loan,Total Interest Payable,Загальний відсото DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Податки та збори з кінцевої вартості DocType: Production Order Operation,Actual Start Time,Фактичний початок Час DocType: BOM Operation,Operation Time,Час роботи -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,обробка +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,обробка apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,база DocType: Timesheet,Total Billed Hours,Всього Оплачувані Годинник DocType: Journal Entry,Write Off Amount,Списання Сума @@ -742,7 +741,7 @@ DocType: Vehicle,Odometer Value (Last),Одометр Value (Last) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Маркетинг apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Оплату вже створено DocType: Purchase Receipt Item Supplied,Current Stock,Наявність на складі -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Рядок # {0}: Asset {1} не пов'язаний з п {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Рядок # {0}: Asset {1} не пов'язаний з п {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Попередній перегляд Зарплатного розрахунку apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Рахунок {0} був введений кілька разів DocType: Account,Expenses Included In Valuation,"Витрати, що включаються в оцінку" @@ -767,7 +766,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Авіац DocType: Journal Entry,Credit Card Entry,Вступ Кредитна карта apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Компанія та Рахунки apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,"Товари, отримані від постачальників." -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,У Сумі +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,У Сумі DocType: Lead,Campaign Name,Назва кампанії DocType: Selling Settings,Close Opportunity After Days,Закрити Opportunity Після днів ,Reserved,Зарезервований @@ -792,17 +791,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Енергія DocType: Opportunity,Opportunity From,Нагода від apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Щомісячна виписка зарплата. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,"Рядок {0}: {1} Серійні номери, необхідні для пункту {2}. Ви надали {3}." DocType: BOM,Website Specifications,Характеристики веб-сайту apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: З {0} типу {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення є обов'язковим DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Кілька Ціна Правила існує з тими ж критеріями, будь ласка вирішити конфлікт шляхом присвоєння пріоритету. Ціна Правила: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете деактивувати або скасувати норми витрат, якщо вони пов'язані з іншими" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете деактивувати або скасувати норми витрат, якщо вони пов'язані з іншими" DocType: Opportunity,Maintenance,Технічне обслуговування DocType: Item Attribute Value,Item Attribute Value,Стан Значення атрибуту apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Кампанії з продажу. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Створити табель робочого часу +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Створити табель робочого часу DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -836,7 +836,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Налаштування облікового запису електронної пошти apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Будь ласка, введіть перший пункт" DocType: Account,Liability,Відповідальність -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкціонований сума не може бути більше, ніж претензії Сума в рядку {0}." +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкціонований сума не може бути більше, ніж претензії Сума в рядку {0}." DocType: Company,Default Cost of Goods Sold Account,Рахунок собівартості проданих товарів за замовчуванням apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Прайс-лист не вибраний DocType: Employee,Family Background,Сімейні обставини @@ -847,10 +847,10 @@ DocType: Company,Default Bank Account,Банківський рахунок за apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Щоб відфільтрувати на основі партії, виберіть партія першого типу" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Оновити Інвентар"" не може бути позначено, тому що об’єкти не доставляються через {0}" DocType: Vehicle,Acquisition Date,придбання Дата -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Пп +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Пп DocType: Item,Items with higher weightage will be shown higher,"Елементи з більш високою weightage буде показано вище," DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Деталі банківської виписки -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Рядок # {0}: Asset {1} повинен бути представлений +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Рядок # {0}: Asset {1} повинен бути представлений apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Жоден працівник не знайдено DocType: Supplier Quotation,Stopped,Зупинився DocType: Item,If subcontracted to a vendor,Якщо підряджено постачальникові @@ -867,7 +867,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Мінімальна Су apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Центр витрат {2} не належить Компанії {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Рахунок {2} не може бути групою apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Пункт Рядок {IDX}: {доктайпів} {DOCNAME} не існує в вище '{доктайпів}' таблиця -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Табель {0} вже завершено або скасовано +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Табель {0} вже завершено або скасовано apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,немає завдання DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","День місяця, в який авто-рахунок-фактура буде створений, наприклад, 05, 28 і т.д." DocType: Asset,Opening Accumulated Depreciation,Накопичений знос на момент відкриття @@ -926,7 +926,7 @@ DocType: SMS Log,Requested Numbers,Необхідні Номери DocType: Production Planning Tool,Only Obtain Raw Materials,Отримати тільки сировину apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Продуктивність оцінка. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Включення "Використовувати для Кошику», як Кошик включена і має бути принаймні один податок Правило Кошик" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Документ оплати {0} прив'язаний до замовлення {1}, перевірте, чи не потрібно підтягнути це як передоплату у цьому рахунку-фактурі." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Документ оплати {0} прив'язаний до замовлення {1}, перевірте, чи не потрібно підтягнути це як передоплату у цьому рахунку-фактурі." DocType: Sales Invoice Item,Stock Details,Фото Деталі apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Вартість проекту apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,POS @@ -949,15 +949,15 @@ DocType: Naming Series,Update Series,Серія Оновлення DocType: Supplier Quotation,Is Subcontracted,Субпідряджено DocType: Item Attribute,Item Attribute Values,Пункт значень атрибутів DocType: Examination Result,Examination Result,експертиза Результат -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Прихідна накладна +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Прихідна накладна ,Received Items To Be Billed,"Отримані позиції, на які не виставлені рахунки" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Відправив Зарплатні Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Відправив Зарплатні Slips apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Майстер курсів валют. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Довідник Doctype повинен бути одним з {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Неможливо знайти часовий інтервал в найближчі {0} днів для роботи {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Неможливо знайти часовий інтервал в найближчі {0} днів для роботи {1} DocType: Production Order,Plan material for sub-assemblies,План матеріал для суб-вузлів apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Торгові партнери та території -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,Документ Норми витрат {0} повинен бути активним +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,Документ Норми витрат {0} повинен бути активним DocType: Journal Entry,Depreciation Entry,Операція амортизації apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Будь ласка, виберіть тип документа в першу чергу" apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Скасування матеріалів переглядів {0} до скасування цього обслуговування візит @@ -967,7 +967,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Загалом apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Інтернет видання DocType: Production Planning Tool,Production Orders,Виробничі замовлення -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Значення сальдо +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Значення сальдо apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Продажі Прайс-лист apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Опублікувати синхронізувати елементи DocType: Bank Reconciliation,Account Currency,Валюта рахунку @@ -982,7 +982,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +895,Cannot DocType: Purchase Invoice Advance,Purchase Invoice Advance,Передоплата по вхідному рахунку DocType: Hub Settings,Sync Now,Синхронізувати зараз apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Ряд {0}: Кредитна запис не може бути пов'язаний з {1} -apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Визначити бюджет на фінансовий рік. +apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Визначити бюджет на бюджетний період DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Обліковий запис за замовчуванням банк / Ксерокопіювання буде автоматично оновлюватися в POS фактурі коли обрано цей режим. DocType: Lead,LEAD-,LEAD- DocType: Employee,Permanent Address Is,Постійна адреса є @@ -992,12 +992,12 @@ DocType: Employee,Exit Interview Details,Деталі співбесіди пр DocType: Item,Is Purchase Item,Покупний товар DocType: Asset,Purchase Invoice,Вхідний рахунок-фактура DocType: Stock Ledger Entry,Voucher Detail No,Документ номер -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Новий вихідний рахунок +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Новий вихідний рахунок DocType: Stock Entry,Total Outgoing Value,Загальна сума розходу apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Дата відкриття та дата закриття повинні бути в межах одного фінансового року DocType: Lead,Request for Information,Запит інформації ,LeaderBoard,LEADERBOARD -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Синхронізація Offline рахунків-фактур +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Синхронізація Offline рахунків-фактур DocType: Payment Request,Paid,Оплачений DocType: Program Fee,Program Fee,вартість програми DocType: Salary Slip,Total in words,Разом прописом @@ -1005,7 +1005,7 @@ DocType: Material Request Item,Lead Time Date,Дата з врахування DocType: Guardian,Guardian Name,ім'я опікуна DocType: Cheque Print Template,Has Print Format,Має формат друку DocType: Employee Loan,Sanctioned,санкціоновані -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,"є обов'язковим. Можливо, що запис ""Обмін валюти"" не створений" +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,"є обов'язковим. Можливо, що запис ""Обмін валюти"" не створений" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Будь ласка, сформулюйте Серійний номер, вказаний в п {1}" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для елементів ""комплекту"" , склад, серійний номер та № пакету будуть братися з таблиці ""комплектації"". Якщо склад та партія є однаковими для всіх пакувальних компонентів для будь-якого ""комплекту"", ці значення можуть бути введені в основній таблиці позицій, значення будуть скопійовані в таблицю ""комлектації""." DocType: Job Opening,Publish on website,Опублікувати на веб-сайті @@ -1018,7 +1018,7 @@ DocType: Cheque Print Template,Date Settings,Налаштування дати apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Розбіжність ,Company Name,Назва компанії DocType: SMS Center,Total Message(s),Загалом повідомлень -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Вибрати пункт трансферу +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Вибрати пункт трансферу DocType: Purchase Invoice,Additional Discount Percentage,Додаткова знижка у відсотках apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Переглянути перелік усіх довідкових відео DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,"Виберіть account head банку, в якому був розміщений чек." @@ -1033,7 +1033,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Вартість сировин apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Всі деталі вже були передані для цього виробничого замовлення. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Рядок # {0}: Оцінити не може бути більше, ніж швидкість використовуваної в {1} {2}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Рядок # {0}: Оцінити не може бути більше, ніж швидкість використовуваної в {1} {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,метр +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,метр DocType: Workstation,Electricity Cost,Вартість електроенергії DocType: HR Settings,Don't send Employee Birthday Reminders,Не посилати Employee народження Нагадування DocType: Item,Inspection Criteria,Інспекційні Критерії @@ -1048,7 +1048,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Взяти видані аванси DocType: Item,Automatically Create New Batch,Автоматичне створення нового пакета DocType: Item,Automatically Create New Batch,Автоматичне створення нового пакета -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Зробити +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Зробити DocType: Student Admission,Admission Start Date,Прийом Початкова дата DocType: Journal Entry,Total Amount in Words,Загальна сума прописом apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Був помилка. Одна з можливих причин може бути те, що ви не зберегли форму. Будь ласка, зв'яжіться з support@erpnext.com якщо проблема не усунена." @@ -1056,7 +1056,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Мій кошик apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Тип замовлення повинна бути однією з {0} DocType: Lead,Next Contact Date,Наступна контактна дата apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,К-сть на початок роботи -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,"Будь ласка, введіть рахунок для суми змін" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,"Будь ласка, введіть рахунок для суми змін" DocType: Student Batch Name,Student Batch Name,Student Пакетне Ім'я DocType: Holiday List,Holiday List Name,Ім'я списку вихідних DocType: Repayment Schedule,Balance Loan Amount,Баланс Сума кредиту @@ -1064,7 +1064,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Опціони DocType: Journal Entry Account,Expense Claim,Авансовий звіт apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Ви дійсно хочете відновити цей актив на злам? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Кількість для {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Кількість для {0} DocType: Leave Application,Leave Application,Заява на відпустку apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Інструмент призначення відпусток DocType: Leave Block List,Leave Block List Dates,Дати списку блокування відпусток @@ -1115,7 +1115,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Проти DocType: Item,Default Selling Cost Center,Центр витрат продажу за замовчуванням DocType: Sales Partner,Implementation Partner,Реалізація Партнер -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Поштовий індекс +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Поштовий індекс apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Замовлення клієнта {0} {1} DocType: Opportunity,Contact Info,Контактна інформація apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Створення Руху ТМЦ @@ -1134,14 +1134,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,Учасники Заморожування Дата DocType: School Settings,Attendance Freeze Date,Учасники Заморожування Дата DocType: Opportunity,Your sales person who will contact the customer in future,"Ваш Відповідальний з продажу, який зв'яжеться з покупцем в майбутньому" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Перерахуйте деякі з ваших постачальників. Вони можуть бути організації або окремі особи. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Перерахуйте деякі з ваших постачальників. Вони можуть бути організації або окремі особи. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Показати всі товари apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Мінімальний Lead Вік (дні) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Мінімальний Lead Вік (дні) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,все ВВП +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,все ВВП DocType: Company,Default Currency,Валюта за замовчуванням DocType: Expense Claim,From Employee,Від працівника -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Увага: Система не перевірятиме overbilling так як суми по позиції {0} в {1} дорівнює нулю +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Увага: Система не перевірятиме overbilling так як суми по позиції {0} в {1} дорівнює нулю DocType: Journal Entry,Make Difference Entry,Зробити запис Difference DocType: Upload Attendance,Attendance From Date,Відвідуваність з дати DocType: Appraisal Template Goal,Key Performance Area,Ключ Площа Продуктивність @@ -1158,7 +1158,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Реєстраційні номери компанії для вашої довідки. Податкові номери і т.д. DocType: Sales Partner,Distributor,Дистриб'ютор DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Правило доставки для кошику -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Виробниче замовлення {0} має бути скасоване до скасування цього замовлення клієнта +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Виробниче замовлення {0} має бути скасоване до скасування цього замовлення клієнта apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',"Будь ласка, встановіть "Застосувати Додаткова Знижка On '" ,Ordered Items To Be Billed,"Замовлені товари, на які не виставлені рахунки" apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"С Діапазон повинен бути менше, ніж діапазон" @@ -1167,10 +1167,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Відрахування DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,рік початку -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},Перші 2 цифри GSTIN повинні збігатися з державним номером {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},Перші 2 цифри GSTIN повинні збігатися з державним номером {0} DocType: Purchase Invoice,Start date of current invoice's period,Початкова дата поточного періоду виставлення рахунків DocType: Salary Slip,Leave Without Pay,Відпустка без збереження заробітної -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Планування потужностей Помилка +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Планування потужностей Помилка ,Trial Balance for Party,Оборотно-сальдова відомість для контрагента DocType: Lead,Consultant,Консультант DocType: Salary Slip,Earnings,Доходи @@ -1186,7 +1186,7 @@ DocType: Cheque Print Template,Payer Settings,Налаштування плат DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Це буде додано до коду варіанту. Наприклад, якщо ваша абревіатура ""СМ"", і код товару ""Футболки"", тоді код варіанту буде ""Футболки-СМ""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Сума ""на руки"" (прописом) буде видно, як тільки ви збережете Зарплатний розрахунок." DocType: Purchase Invoice,Is Return,Повернення -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Повернення / дебетові Примітка +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Повернення / дебетові Примітка DocType: Price List Country,Price List Country,Ціни Країна DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} дійсні серійні номери для позиції {1} @@ -1199,7 +1199,7 @@ DocType: Employee Loan,Partially Disbursed,частково Освоєно apps/erpnext/erpnext/config/buying.py +38,Supplier database.,База даних постачальника DocType: Account,Balance Sheet,Бухгалтерський баланс apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Центр витрат для позиції з кодом -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплати не налаштований. Будь ласка, перевірте, чи вибрний рахунок у Режимі Оплати або у POS-профілі." +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплати не налаштований. Будь ласка, перевірте, чи вибрний рахунок у Режимі Оплати або у POS-профілі." DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Ваш відповідальний з продажу отримає нагадування в цей день, щоб зв'язатися з клієнтом" apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Той же елемент не може бути введений кілька разів. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Подальші рахунки можуть бути зроблені відповідно до груп, але Ви можете бути проти НЕ-груп" @@ -1229,7 +1229,7 @@ DocType: Employee Loan Application,Repayment Info,погашення інфор apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"Записи" не може бути порожнім apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Дублікат ряд {0} з такою ж {1} ,Trial Balance,Оборотно-сальдова відомість -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Фінансовий рік {0} не знайдений +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Фінансовий рік {0} не знайдений apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Налаштування працівників DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Будь ласка, виберіть префікс в першу чергу" @@ -1244,11 +1244,11 @@ DocType: Grading Scale,Intervals,інтервали apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Найперша apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Існує група з такою самою назвою, будь ласка, змініть назву елементу або перейменуйте групу" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No. -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Решта світу +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Решта світу apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Позиція {0} не може мати партій ,Budget Variance Report,Звіт по розбіжностях бюджету DocType: Salary Slip,Gross Pay,Повна Платне -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Рядок {0}: Вид діяльності є обов'язковим. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Рядок {0}: Вид діяльності є обов'язковим. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,"Дивіденди, що сплачуються" apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Бухгалтерська книга DocType: Stock Reconciliation,Difference Amount,Різниця на суму @@ -1271,18 +1271,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Залишок днів відпусток працівника apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Сальдо на рахунку {0} повинно бути завжди {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Собівартість обов'язкова для рядка {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Приклад: магістр комп'ютерних наук +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Приклад: магістр комп'ютерних наук DocType: Purchase Invoice,Rejected Warehouse,Склад для відхиленого DocType: GL Entry,Against Voucher,Згідно документу DocType: Item,Default Buying Cost Center,Центр витрат закупівлі за замовчуванням apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Щоб мати змогу використовувати ERPNext на повну, ми радимо вам приділити увагу цим довідковим відео." -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,для +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,для DocType: Supplier Quotation Item,Lead Time in days,Час на поставку в днях apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Зведена кредиторська заборгованість -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Виплата заробітної плати від {0} до {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Виплата заробітної плати від {0} до {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Не дозволено редагувати заблокований рахунок {0} DocType: Journal Entry,Get Outstanding Invoices,Отримати неоплачені рахунки-фактури -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Замовлення клієнта {0} не є допустимим +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Замовлення клієнта {0} не є допустимим apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Замовлення допоможуть вам планувати і стежити за ваші покупки apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","На жаль, компанії не можуть бути об'єднані" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1304,8 +1304,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Непрямі витрати apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Ряд {0}: Кількість обов'язково apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Сільське господарство -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Дані майстра синхронізації -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Ваші продукти або послуги +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Дані майстра синхронізації +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Ваші продукти або послуги DocType: Mode of Payment,Mode of Payment,Спосіб платежу apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Зображення для веб-сайту має бути загальнодоступним файлом або адресою веб-сайту DocType: Student Applicant,AP,AP @@ -1325,18 +1325,18 @@ DocType: Student Group Student,Group Roll Number,Група Ролл Кільк DocType: Student Group Student,Group Roll Number,Група Ролл Кількість apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Для {0}, тільки кредитні рахунки можуть бути пов'язані з іншою дебету" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Сума всіх ваг завдання повинна бути 1. Будь ласка, поміняйте ваги всіх завдань проекту, відповідно," -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Накладна {0} не проведена +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Накладна {0} не проведена apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Позиція {0} має бути субпідрядною apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Капітальні обладнання apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Цінове правило базується на полі ""Застосовується до"", у якому можуть бути: номенклатурна позиція, група або бренд." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,"Будь ласка, спочатку встановіть Код товару" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,"Будь ласка, спочатку встановіть Код товару" DocType: Hub Settings,Seller Website,Веб-сайт продавця DocType: Item,ITEM-,item- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Всього виділено відсоток для відділу продажів повинна бути 100 DocType: Appraisal Goal,Goal,Мета DocType: Sales Invoice Item,Edit Description,Редагувати опис ,Team Updates,команда поновлення -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Для Постачальника +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Для Постачальника DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Встановлення типу рахунку допомагає у виборі цього рахунку в операціях. DocType: Purchase Invoice,Grand Total (Company Currency),Загальний підсумок (валюта компанії) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Створення Формат друку @@ -1350,12 +1350,12 @@ DocType: Item,Website Item Groups,Групи об’єктів веб-сайту DocType: Purchase Invoice,Total (Company Currency),Загалом (у валюті компанії) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Серійний номер {0} введений більше ніж один раз DocType: Depreciation Schedule,Journal Entry,Проводка -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} виготовляються товари +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} виготовляються товари DocType: Workstation,Workstation Name,Назва робочої станції DocType: Grading Scale Interval,Grade Code,код Оцінка DocType: POS Item Group,POS Item Group,POS Item Group apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Електронна пошта Дайджест: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},Норми {0} не належать до позиції {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},Норми {0} не належать до позиції {1} DocType: Sales Partner,Target Distribution,Розподіл цілей DocType: Salary Slip,Bank Account No.,№ банківського рахунку DocType: Naming Series,This is the number of the last created transaction with this prefix,Це номер останнього створеного операції з цим префіксом @@ -1413,7 +1413,7 @@ DocType: Quotation,Shopping Cart,Магазинний кошик apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Середньоденний розхід DocType: POS Profile,Campaign,Кампанія DocType: Supplier,Name and Type,Найменування і тип -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Статус офіційного затвердження повинні бути «Схвалено" або "Відхилено" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',Статус офіційного затвердження повинні бути «Схвалено" або "Відхилено" DocType: Purchase Invoice,Contact Person,Контактна особа apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Дата очікуваного початку"" не може бути пізніше, ніж ""Дата очікуваного закінчення""" DocType: Course Scheduling Tool,Course End Date,Курс Дата закінчення @@ -1425,8 +1425,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Бажаний E-mail apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Чиста зміна в основних фондів DocType: Leave Control Panel,Leave blank if considered for all designations,"Залиште порожнім, якщо для всіх посад" -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Нарахування типу "Актуальні 'в рядку {0} не можуть бути включені в п Оцінити -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Макс: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Нарахування типу "Актуальні 'в рядку {0} не можуть бути включені в п Оцінити +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Макс: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,З DateTime DocType: Email Digest,For Company,За компанію apps/erpnext/erpnext/config/support.py +17,Communication log.,Журнал з'єднань. @@ -1467,7 +1467,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Профіль DocType: Journal Entry Account,Account Balance,Баланс apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Податкове правило для операцій DocType: Rename Tool,Type of document to rename.,Тип документа перейменувати. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Ми купуємо цей товар +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Ми купуємо цей товар apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Клієнт зобов'язаний щодо дебіторів рахунки {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Податки та збори разом (Валюта компанії) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Показати сальдо прибутків/збитків незакритого фіскального року @@ -1478,7 +1478,7 @@ DocType: Quality Inspection,Readings,Показання DocType: Stock Entry,Total Additional Costs,Всього Додаткові витрати DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Скрапу Вартість (Компанія Валюта) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,підвузли +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,підвузли DocType: Asset,Asset Name,Найменування активів DocType: Project,Task Weight,завдання Вага DocType: Shipping Rule Condition,To Value,До вартості @@ -1507,7 +1507,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Варіанти ном DocType: Company,Services,Послуги DocType: HR Settings,Email Salary Slip to Employee,Відправити Зарплатний розрахунок працівнику e-mail-ом DocType: Cost Center,Parent Cost Center,Батьківський центр витрат -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Вибір можливого постачальника +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Вибір можливого постачальника DocType: Sales Invoice,Source,Джерело apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Показати закрито DocType: Leave Type,Is Leave Without Pay,Є відпустці без @@ -1519,7 +1519,7 @@ DocType: POS Profile,Apply Discount,застосувати знижку DocType: GST HSN Code,GST HSN Code,GST HSN код DocType: Employee External Work History,Total Experience,Загальний досвід apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,відкриті проекти -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Упаковка ковзання (и) скасовується +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Упаковка ковзання (и) скасовується apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Рух грошових коштів від інвестицій DocType: Program Course,Program Course,програма курсу apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Вантажні та експедиторські збори @@ -1560,9 +1560,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,програма Учнів DocType: Sales Invoice Item,Brand Name,Назва бренду DocType: Purchase Receipt,Transporter Details,Transporter Деталі -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,За замовчуванням склад потрібно для обраного елемента -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,Коробка -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,можливий постачальник +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,За замовчуванням склад потрібно для обраного елемента +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,Коробка +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,можливий постачальник DocType: Budget,Monthly Distribution,Місячний розподіл apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Список отримувачів порожній. Створіть його будь-ласка DocType: Production Plan Sales Order,Production Plan Sales Order,Виробничий план з продажу Замовити @@ -1595,7 +1595,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Претен apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Студенти в центрі системи, додайте всі студенти" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Рядок # {0}: clearence дата {1} не може бути менша дати чеку {2} DocType: Company,Default Holiday List,Список вихідних за замовчуванням -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Рядок {0}: Від часу і часу {1} перекривається з {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},Рядок {0}: Від часу і часу {1} перекривається з {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Зобов'язання по запасах DocType: Purchase Invoice,Supplier Warehouse,Склад постачальника DocType: Opportunity,Contact Mobile No,№ мобільного Контакту @@ -1611,19 +1611,19 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Відпустка типу {0} не може бути довше ніж {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Спробуйте планувати операції X днів вперед. DocType: HR Settings,Stop Birthday Reminders,Стоп нагадування про дні народження -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Будь ласка, встановіть за замовчуванням Payroll розрахунковий рахунок в компанії {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},"Будь ласка, встановіть за замовчуванням Payroll розрахунковий рахунок в компанії {0}" DocType: SMS Center,Receiver List,Список отримувачів -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Пошук товару +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Пошук товару apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Споживана Сума apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Чиста зміна грошових коштів DocType: Assessment Plan,Grading Scale,оціночна шкала apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Одиниця виміру {0} був введений більш ніж один раз в таблицю перетворення фактора -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Вже завершено +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Вже завершено apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,товарна готівку apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Запит про оплату {0} вже існує apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Вартість виданих предметів -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},"Кількість не повинна бути більше, ніж {0}" -apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Попередній фінансовий рік не закритий +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},"Кількість не повинна бути більше, ніж {0}" +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Попередній бюджетний період не закритий apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Вік (днів) DocType: Quotation Item,Quotation Item,Позиція у пропозиції DocType: Customer,Customer POS Id,Клієнт POS Id @@ -1636,6 +1636,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,довідковий документ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} скасовано або припинено DocType: Accounts Settings,Credit Controller,Кредитний контролер +DocType: Sales Order,Final Delivery Date,Остаточна дата доставки DocType: Delivery Note,Vehicle Dispatch Date,Відправка транспортного засобу Дата DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Прихідна накладна {0} не проведена @@ -1723,14 +1724,14 @@ DocType: Fee Category,Fee Category,плата Категорія DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Робити бух. проводку для кожного руху запасів DocType: Leave Allocation,Total Leaves Allocated,Загалом призначено днів відпустки apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Потрібно вказати склад у рядку № {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Будь ласка, введіть дійсні дати початку та закінчення фінансового року" +apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Будь ласка, введіть дійсні дати початку та закінчення бюджетного періоду" DocType: Employee,Date Of Retirement,Дата вибуття DocType: Upload Attendance,Get Template,Отримати шаблон DocType: Material Request,Transferred,передано DocType: Vehicle,Doors,двері -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Встановлення ERPNext завершено! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,Встановлення ERPNext завершено! DocType: Course Assessment Criteria,Weightage,Weightage -DocType: Sales Invoice,Tax Breakup,податки Розпад +DocType: Purchase Invoice,Tax Breakup,податки Розпад DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Центр доходів/витрат необхідний для рахунку прибутків/збитків {2}. Налаштуйте центр витрат за замовчуванням для Компанії. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Група клієнтів з таким ім'ям вже існує. Будь ласка, змініть Ім'я клієнта або перейменуйте Групу клієнтів" @@ -1743,14 +1744,14 @@ DocType: Announcement,Instructor,інструктор DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Якщо ця номенклатурна позиція має варіанти, то вона не може бути обрана в замовленнях і т.д." DocType: Lead,Next Contact By,Наступний контакт від -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Кількість для Пункт {0} в рядку {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Кількість для Пункт {0} в рядку {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Склад {0} не може бути вилучений, поки існує кількість для позиції {1}" DocType: Quotation,Order Type,Тип замовлення DocType: Purchase Invoice,Notification Email Address,E-mail адреса для повідомлень ,Item-wise Sales Register,Попозиційний реєстр продаж DocType: Asset,Gross Purchase Amount,Загальна вартість придбання DocType: Asset,Depreciation Method,Метод нарахування зносу -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Це податок Включено в базовій ставці? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Всього Цільовий DocType: Job Applicant,Applicant for a Job,Претендент на роботу @@ -1772,7 +1773,7 @@ DocType: Employee,Leave Encashed?,Оплачуване звільнення? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"Поле ""З"" у Нагоді є обов'язковим" DocType: Email Digest,Annual Expenses,річні витрати DocType: Item,Variants,Варіанти -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Зробіть Замовлення на придбання +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Зробіть Замовлення на придбання DocType: SMS Center,Send To,Відправити apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Недостатньо днів залишилося для типу відпусток {0} DocType: Payment Reconciliation Payment,Allocated amount,Розподілена сума @@ -1780,7 +1781,7 @@ DocType: Sales Team,Contribution to Net Total,Внесок у Net Total DocType: Sales Invoice Item,Customer's Item Code,Клієнтам Код товара DocType: Stock Reconciliation,Stock Reconciliation,Інвентаризація DocType: Territory,Territory Name,Територія Ім'я -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,"Склад ""в роботі"" необхідний щоб провести" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,"Склад ""в роботі"" необхідний щоб провести" apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Претендент на роботу. DocType: Purchase Order Item,Warehouse and Reference,Склад і довідники DocType: Supplier,Statutory info and other general information about your Supplier,Статутна інформація та інша загальна інформація про вашого постачальника @@ -1793,16 +1794,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,атестації apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Повторювані Серійний номер вводиться для Пункт {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,Умова для Правила доставки apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Будь ласка введіть -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може overbill для пункту {0} в рядку {1} більше, ніж {2}. Щоб дозволити завищені рахунки, будь ласка, встановіть в покупці Налаштування" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Будь ласка, встановіть фільтр, заснований на пункті або на складі" +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може overbill для пункту {0} в рядку {1} більше, ніж {2}. Щоб дозволити завищені рахунки, будь ласка, встановіть в покупці Налаштування" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,"Будь ласка, встановіть фільтр, заснований на пункті або на складі" DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Вага нетто цього пакета. (розраховується автоматично як сума чистого ваги товарів) DocType: Sales Order,To Deliver and Bill,Для доставки та виставлення рахунків DocType: Student Group,Instructors,інструктори DocType: GL Entry,Credit Amount in Account Currency,Сума кредиту у валюті рахунку -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,Норми витрат {0} потрібно провести +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,Норми витрат {0} потрібно провести DocType: Authorization Control,Authorization Control,Контроль Авторизація apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Відхилено Склад є обов'язковим відносно відхилив Пункт {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Оплата +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Оплата apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Склад {0} не пов'язаний з якою-небудь обліковим записом, будь ласка, вкажіть обліковий запис в складської записи або встановити обліковий запис за замовчуванням інвентаризації в компанії {1}." apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Керуйте свої замовлення DocType: Production Order Operation,Actual Time and Cost,Фактичний час і вартість @@ -1818,12 +1819,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Ком DocType: Quotation Item,Actual Qty,Фактична к-сть DocType: Sales Invoice Item,References,Посилання DocType: Quality Inspection Reading,Reading 10,Читання 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Перелічіть ваші продукти або послуги, які ви купуєте або продаєте. Перед початком роботи перевірте групу, до якої належить елемент, одиницю виміру та інші властивості." +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Перелічіть ваші продукти або послуги, які ви купуєте або продаєте. Перед початком роботи перевірте групу, до якої належить елемент, одиницю виміру та інші властивості." DocType: Hub Settings,Hub Node,Вузол концентратора apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Ви ввели елементи, що повторюються. Будь-ласка, виправіть та спробуйте ще раз." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Асоціювати +DocType: Company,Sales Target,Цільова ціна продажу DocType: Asset Movement,Asset Movement,Рух активів -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Нова кошик +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Нова кошик apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Пункт {0} серіалізовані товару DocType: SMS Center,Create Receiver List,Створити список отримувачів DocType: Vehicle,Wheels,колеса @@ -1865,13 +1867,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Управління DocType: Supplier,Supplier of Goods or Services.,Постачальник товарів або послуг. DocType: Budget,Fiscal Year,Бюджетний період DocType: Vehicle Log,Fuel Price,паливо Ціна +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Будь-ласка, встановіть серію нумерації для відвідуваності через Налаштування> Нумерація серії" DocType: Budget,Budget,Бюджет apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Основний засіб повинен бути нескладським . apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет не може бути призначений на {0}, так як це не доход або витрата рахунки" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Досягнутий DocType: Student Admission,Application Form Route,Заявка на маршрут apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Територія / клієнтів -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,"наприклад, 5" +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,"наприклад, 5" apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Залиште Тип {0} не може бути виділена, так як він неоплачувану відпустку" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Рядок {0}: Розподілена сума {1} повинна бути менше або дорівнювати сумі до оплати у рахунку {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"""Прописом"" буде видно, коли ви збережете рахунок-фактуру." @@ -1880,11 +1883,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Пункт {0} не налаштований на послідовний пп. Перевірити майстра предмета DocType: Maintenance Visit,Maintenance Time,Час Технічного обслуговування ,Amount to Deliver,Сума Поставте -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Продукт або послуга +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Продукт або послуга apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Термін Дата початку не може бути раніше, ніж рік Дата початку навчального року, до якого цей термін пов'язаний (навчальний рік {}). Будь ласка, виправте дату і спробуйте ще раз." DocType: Guardian,Guardian Interests,хранителі Інтереси DocType: Naming Series,Current Value,Поточна вартість -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Кілька фінансових років існують на дату {0}. Будь ласка, встановіть компанію в фінансовому році" +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,"Кілька фінансових років існують на дату {0}. Будь ласка, встановіть компанію в фінансовому році" apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} створено DocType: Delivery Note Item,Against Sales Order,На замовлення клієнта ,Serial No Status,Статус Серійного номеру @@ -1897,7 +1900,7 @@ DocType: Pricing Rule,Selling,Продаж apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Сума {0} {1} відняті {2} DocType: Employee,Salary Information,Інформація по зарплаті DocType: Sales Person,Name and Employee ID,Ім'я та ідентифікатор працівника -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,"Дата ""До"" не може бути менша за дату створення" +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,"Дата ""До"" не може бути менша за дату створення" DocType: Website Item Group,Website Item Group,Група об’єктів веб-сайту apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Мита і податки apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Будь ласка, введіть дату Reference" @@ -1954,9 +1957,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},"Будь ласка, встановіть дати приєднання для працівника {0}" DocType: Task,Total Billing Amount (via Time Sheet),Загальна сума оплат (через табель) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Виручка від постійних клієнтів -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) повинен мати роль ""Підтверджувач витрат""" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Пара -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Виберіть BOM і Кількість для виробництва +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) повинен мати роль ""Підтверджувач витрат""" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Пара +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Виберіть BOM і Кількість для виробництва DocType: Asset,Depreciation Schedule,Запланована амортизація apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Партнер з продажу Адреси та контакти DocType: Bank Reconciliation Detail,Against Account,Кор.рахунок @@ -1966,7 +1969,7 @@ DocType: Item,Has Batch No,Має номер партії apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Річні оплати: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Товари та послуги Tax (GST Індія) DocType: Delivery Note,Excise Page Number,Акцизний Номер сторінки -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Компанія, Дата початку та до теперішнього часу є обов'язковим" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Компанія, Дата початку та до теперішнього часу є обов'язковим" DocType: Asset,Purchase Date,Дата покупки DocType: Employee,Personal Details,Особиста інформація apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},"Будь ласка, вкажіть ""Центр витрат амортизації"" в компанії {0}" @@ -1975,9 +1978,9 @@ DocType: Task,Actual End Date (via Time Sheet),Фактична дата зак apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Сума {0} {1} проти {2} {3} ,Quotation Trends,Тренд пропозицій apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Група елемента не згадується у майстрі для елементу {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,Дебетом рахунка повинні бути заборгованість рахунок +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,Дебетом рахунка повинні бути заборгованість рахунок DocType: Shipping Rule Condition,Shipping Amount,Сума доставки -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Додати Клієнти +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Додати Клієнти apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,До Сума DocType: Purchase Invoice Item,Conversion Factor,Коефіцієнт перетворення DocType: Purchase Order,Delivered,Доставлено @@ -2000,7 +2003,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Включити опе DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Батько курс (залиште порожнім, якщо це не є частиною Батько курсу)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Батько курс (залиште порожнім, якщо це не є частиною Батько курсу)" DocType: Leave Control Panel,Leave blank if considered for all employee types,"Залиште порожнім, якщо розглядати для всіх типів працівників" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія DocType: Landed Cost Voucher,Distribute Charges Based On,Розподілити плату на основі apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,Табелі робочого часу DocType: HR Settings,HR Settings,Налаштування HR @@ -2008,7 +2010,7 @@ DocType: Salary Slip,net pay info,Чистий інформація платит apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Витрати Заявити очікує схвалення. Тільки за рахунок затверджує можете оновити статус. DocType: Email Digest,New Expenses,нові витрати DocType: Purchase Invoice,Additional Discount Amount,Додаткова знижка Сума -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Рядок # {0}: Кількість повинна бути 1, оскільки елемент є основним засобом. Будь ласка, створюйте декілька рядків, якщо кількість більше 1." +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Рядок # {0}: Кількість повинна бути 1, оскільки елемент є основним засобом. Будь ласка, створюйте декілька рядків, якщо кількість більше 1." DocType: Leave Block List Allow,Leave Block List Allow,Список блокування відпусток дозволяє apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Абревіатура не може бути пропущена або заповнена пробілами apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Група не-групи @@ -2016,7 +2018,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Спорти DocType: Loan Type,Loan Name,кредит Ім'я apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Загальний фактичний DocType: Student Siblings,Student Siblings,"Студентські Брати, сестри" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Блок +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Блок apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Будь ласка, сформулюйте компанії" ,Customer Acquisition and Loyalty,Придбання та лояльність клієнтів DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Склад, де зберігаються неприйняті товари" @@ -2035,12 +2037,12 @@ DocType: Workstation,Wages per hour,Заробітна плата на годи apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Залишок в партії {0} стане негативним {1} для позиції {2} на складі {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Наступне Замовлення матеріалів буде створено автоматично згідно рівня дозамовлення для даної позиції DocType: Email Digest,Pending Sales Orders,Замовлення клієнтів в очікуванні -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Рахунок {0} є неприпустимим. Валюта рахунку повинні бути {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Рахунок {0} є неприпустимим. Валюта рахунку повинні бути {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Коефіцієнт перетворення Одиниця виміру потрібно в рядку {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: замовлення клієнта, вихідний рахунок-фактура або запис журналу" DocType: Salary Component,Deduction,Відрахування -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Рядок {0}: Від часу і часу є обов'язковим. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Рядок {0}: Від часу і часу є обов'язковим. DocType: Stock Reconciliation Item,Amount Difference,сума різниця apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Ціна товару додається для {0} у прайс-листі {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Будь ласка, введіть ідентифікатор працівника для цього Відповідального з продажу" @@ -2050,14 +2052,14 @@ DocType: Project,Gross Margin,Валовий дохід apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,"Будь ласка, введіть Продукція перший пункт" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Розрахунковий банк собі баланс apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,відключений користувач -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Пропозиція +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Пропозиція DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Всього відрахування ,Production Analytics,виробництво Аналітика -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Вартість Оновлене +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Вартість Оновлене DocType: Employee,Date of Birth,Дата народження apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Пункт {0} вже повернулися -DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Фінансовий рік ** являє собою фінансовий рік. Всі бухгалтерські та інші основні операції відслідковуються у розрізі ** ** фінансовий рік. +DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Бюджетний період ** являє собою бюджетний період. Всі бухгалтерські та інші основні операції відслідковуються у розрізі **Бюджетного періоду**. DocType: Opportunity,Customer / Lead Address,Адреса Клієнта / Lead-а apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Увага: Невірний сертифікат SSL на прихильності {0} DocType: Student Admission,Eligibility,прийнятність @@ -2100,18 +2102,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Виберіть компанію ... DocType: Leave Control Panel,Leave blank if considered for all departments,"Залиште порожнім, якщо розглядати для всіх відділів" apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Види зайнятості (постійна, за контрактом, стажист і т.д.)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} є обов'язковим для товару {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} є обов'язковим для товару {1} DocType: Process Payroll,Fortnightly,раз на два тижні DocType: Currency Exchange,From Currency,З валюти apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Будь ласка, виберіть суму розподілу, тип та номер рахунку-фактури в принаймні одному рядку" apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Вартість нової покупки -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Неохідно вказати Замовлення клієнта для позиції {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Неохідно вказати Замовлення клієнта для позиції {0} DocType: Purchase Invoice Item,Rate (Company Currency),Ціна (у валюті компанії) DocType: Student Guardian,Others,Інші DocType: Payment Entry,Unallocated Amount,Нерозподілена сума apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,"Не можете знайти відповідний пункт. Будь ласка, виберіть інше значення для {0}." DocType: POS Profile,Taxes and Charges,Податки та збори DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Продукт або послуга, що купується, продається, або зберігається на складі." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товару> Група предметів> Бренд apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Немає більше оновлень apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Не можна обрати тип стягнення «На суму попереднього рядка» або «На Загальну суму попереднього рядка 'для першого рядка apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,"Підпорядкована позиція не повинна бути комплектом. Будь ласка, видаліть позицію `{0}` та збережіть" @@ -2139,7 +2142,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Разом сума до оплати apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Там повинно бути за замовчуванням отримує Вашу електронну пошту облікового запису включений для цієї роботи. Будь ласка, встановіть Вашу електронну пошту облікового запису за замовчуванням (POP / IMAP) і спробуйте ще раз." apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Рахунок дебеторки -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Рядок # {0}: Asset {1} вже {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Рядок # {0}: Asset {1} вже {2} DocType: Quotation Item,Stock Balance,Залишки на складах apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Замовлення клієнта в Оплату apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,генеральний директор @@ -2164,10 +2167,11 @@ DocType: C-Form,Received Date,Дата отримання DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Якщо ви створили стандартний шаблон в шаблонах податків та зборів з продажу, виберіть його та натисніть на кнопку нижче." DocType: BOM Scrap Item,Basic Amount (Company Currency),Базова сума (Компанія Валюта) DocType: Student,Guardians,опікуни +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Постачальник> Тип постачальника DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ціни не будуть показані, якщо прайс-лист не встановлено" apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Будь ласка, вкажіть країну цьому правилі судноплавства або перевірити Доставка по всьому світу" DocType: Stock Entry,Total Incoming Value,Загальна суму приходу -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,Дебет вимагається +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,Дебет вимагається apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets допоможе відстежувати час, вартість і виставлення рахунків для Активності зробленої вашої команди" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Прайс-лист закупівлі DocType: Offer Letter Term,Offer Term,Пропозиція термін @@ -2186,11 +2190,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,По DocType: Timesheet Detail,To Time,Часу DocType: Authorization Rule,Approving Role (above authorized value),Затвердження роль (вище статутного вартості) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Кредит на рахунку повинен бути оплачується рахунок -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Рекурсія у Нормах: {0} не може бути батьківським або підлеглим елементом {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},Рекурсія у Нормах: {0} не може бути батьківським або підлеглим елементом {2} DocType: Production Order Operation,Completed Qty,Завершена к-сть apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Для {0}, тільки дебетові рахунки можуть бути пов'язані з іншою кредитною вступу" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Прайс-лист {0} відключено -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},"Рядок {0}: Завершена Кількість не може бути більше, ніж {1} для операції {2}" +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},"Рядок {0}: Завершена Кількість не може бути більше, ніж {1} для операції {2}" DocType: Manufacturing Settings,Allow Overtime,Дозволити Овертайм apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Пункт {0} не може бути оновлений за допомогою Stock Примирення, будь ласка, використовуйте стік запис" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Serialized Пункт {0} не може бути оновлений за допомогою Stock Примирення, будь ласка, використовуйте стік запис" @@ -2209,10 +2213,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Зовнішній apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Люди і дозволу DocType: Vehicle Log,VLOG.,Відеоблогу. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Виробничі замовлення Створено: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Виробничі замовлення Створено: {0} DocType: Branch,Branch,Філія DocType: Guardian,Mobile Number,Номер мобільного apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Друк і брендинг +DocType: Company,Total Monthly Sales,Загальні щомісячні продажі DocType: Bin,Actual Quantity,Фактична кількість DocType: Shipping Rule,example: Next Day Shipping,Приклад: Відправка наступного дня apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Серійний номер {0} не знайдений @@ -2243,7 +2248,7 @@ DocType: Payment Request,Make Sales Invoice,Зробити вихідний ра apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Наступна контактна дата не може бути у минулому DocType: Company,For Reference Only.,Для довідки тільки. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Виберіть Batch Немає +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Виберіть Batch Немає apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Невірний {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Сума авансу @@ -2256,7 +2261,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Немає товару зі штрих-кодом {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Справа № не може бути 0 DocType: Item,Show a slideshow at the top of the page,Показати слайд-шоу у верхній частині сторінки -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Магазини DocType: Serial No,Delivery Time,Час доставки apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,На підставі проблем старіння @@ -2270,16 +2275,16 @@ DocType: Rename Tool,Rename Tool,Перейменувати інструмент apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Оновлення Вартість DocType: Item Reorder,Item Reorder,Пункт Змінити порядок apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Показати Зарплатний розрахунок -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Передача матеріалів +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Передача матеріалів DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Вкажіть операцій, операційні витрати та дають унікальну операцію не в Ваших операцій." apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Цей документ знаходиться над межею {0} {1} для елемента {4}. Ви робите інший {3} проти того ж {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,"Будь ласка, встановіть повторювані після збереження" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,Вибрати рахунок для суми змін +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,"Будь ласка, встановіть повторювані після збереження" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,Вибрати рахунок для суми змін DocType: Purchase Invoice,Price List Currency,Валюта прайс-листа DocType: Naming Series,User must always select,Користувач завжди повинен вибрати DocType: Stock Settings,Allow Negative Stock,Дозволити від'ємні залишки DocType: Installation Note,Installation Note,Відмітка про встановлення -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Додати Податки +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Додати податки DocType: Topic,Topic,тема apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Рух грошових коштів від фінансової діяльності DocType: Budget Account,Budget Account,бюджет аккаунта @@ -2293,7 +2298,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,пр apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Джерело фінансування (зобов'язання) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Кількість в рядку {0} ({1}) повинен бути такий же, як кількість виготовленої {2}" DocType: Appraisal,Employee,Працівник -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Виберіть Batch +DocType: Company,Sales Monthly History,Щомісячна історія продажу +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Виберіть Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} повністю виставлено рахунки DocType: Training Event,End Time,Час закінчення apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Активна зарплата Структура {0} знайдено для працівника {1} для заданих дат @@ -2301,15 +2307,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Відрахування з о apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Стандартні умови договору для продажу або покупки. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Згрупувати по документах apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Воронка продаж -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},"Будь ласка, встановіть обліковий запис стандартним записом в компоненті Зарплатний {0}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},"Будь ласка, встановіть обліковий запис стандартним записом в компоненті Зарплатний {0}" apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Обов'язково На DocType: Rename Tool,File to Rename,Файл Перейменувати apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Будь ласка, виберіть Норми для елемента в рядку {0}" apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Рахунок {0} не збігається з Компанією {1} в режимі рахунку: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Зазначених Норм витрат {0} не існує для позиції {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Потрібно відмінити заплановане обслуговування {0} перед скасуванням цього Замовлення клієнта +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Потрібно відмінити заплановане обслуговування {0} перед скасуванням цього Замовлення клієнта DocType: Notification Control,Expense Claim Approved,Авансовий звіт погоджено -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Будь-ласка, встановіть серію нумерації для відвідуваності через Налаштування> Нумерація серії" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Зарплатний розрахунок для працівника {0} вже створено за цей період apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Фармацевтична apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Вартість куплених виробів @@ -2326,7 +2331,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Номер Норм DocType: Upload Attendance,Attendance To Date,Відвідуваність по дату DocType: Warranty Claim,Raised By,Raised By DocType: Payment Gateway Account,Payment Account,Рахунок оплати -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,"Будь ласка, сформулюйте компанії, щоб продовжити" +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,"Будь ласка, сформулюйте компанії, щоб продовжити" apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Чиста зміна дебіторської заборгованості apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Компенсаційні Викл DocType: Offer Letter,Accepted,Прийняті @@ -2336,12 +2341,12 @@ DocType: SG Creation Tool Course,Student Group Name,Ім'я Студентс apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Будь ласка, переконайтеся, що ви дійсно хочете видалити всі транзакції для компанії. Ваші основні дані залишиться, як є. Ця дія не може бути скасовано." DocType: Room,Room Number,Номер кімнати apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Неприпустима посилання {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) не може бути більше, ніж запланована кількість ({2}) у Виробничому замовленні {3}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) не може бути більше, ніж запланована кількість ({2}) у Виробничому замовленні {3}" DocType: Shipping Rule,Shipping Rule Label,Ярлик правил доставки apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Форум користувачів -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Сировина не може бути порожнім. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Не вдалося оновити запаси, рахунок-фактура містить позиції прямої доставки." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Швидка проводка +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Сировина не може бути порожнім. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Не вдалося оновити запаси, рахунок-фактура містить позиції прямої доставки." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Швидка проводка apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,"Ви не можете змінити вартість, якщо для елементу вказані Норми" DocType: Employee,Previous Work Experience,Попередній досвід роботи DocType: Stock Entry,For Quantity,Для Кількість @@ -2398,7 +2403,7 @@ DocType: SMS Log,No of Requested SMS,Кількість requested SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Відпустка за свій рахунок не відповідає затвердженим записам заяв на відпустку DocType: Campaign,Campaign-.####,Кампанія -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Наступні кроки -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,"Будь ласка, надайте зазначені пункти в найкращих можливих ставок" +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,"Будь ласка, надайте зазначені пункти в найкращих можливих ставок" DocType: Selling Settings,Auto close Opportunity after 15 days,Авто близько Можливість через 15 днів apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,кінець року apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Свинець% @@ -2436,7 +2441,7 @@ DocType: Homepage,Homepage,Домашня сторінка DocType: Purchase Receipt Item,Recd Quantity,Кількість RECD apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Плата записи Створено - {0} DocType: Asset Category Account,Asset Category Account,Категорія активів Рахунок -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете виробляти більше Пункт {0}, ніж кількість продажів Замовити {1}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете виробляти більше Пункт {0}, ніж кількість продажів Замовити {1}" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Рух ТМЦ {0} не проведено DocType: Payment Reconciliation,Bank / Cash Account,Банк / Готівковий рахунок apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,"Наступний Контакт До не може бути таким же, як Lead Адреса електронної пошти" @@ -2469,7 +2474,7 @@ DocType: Salary Structure,Total Earning,Всього дохід DocType: Purchase Receipt,Time at which materials were received,"Час, в якому були отримані матеріали" DocType: Stock Ledger Entry,Outgoing Rate,Вихідна ставка apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Організація філії господар. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,або +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,або DocType: Sales Order,Billing Status,Статус рахунків apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Повідомити про проблему apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Комунальні витрати @@ -2477,7 +2482,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Рядок # {0}: Проводка {1} не має рахунку {2} або вже прив'язана до іншого документу DocType: Buying Settings,Default Buying Price List,Прайс-лист закупівлі за замовчуванням DocType: Process Payroll,Salary Slip Based on Timesheet,"Зарплатний розрахунок, на основі табелю-часу" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Жоден співробітник для обраних критеріїв вище або зарплатного розрахунку ще не створено +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Жоден співробітник для обраних критеріїв вище або зарплатного розрахунку ще не створено DocType: Notification Control,Sales Order Message,Повідомлення замовлення клієнта apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Встановити значення за замовчуванням, як-от компанія, валюта, поточний фінансовий рік і т.д." DocType: Payment Entry,Payment Type,Тип оплати @@ -2502,7 +2507,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Квитанція документ повинен бути представлений DocType: Purchase Invoice Item,Received Qty,Отримана к-сть DocType: Stock Entry Detail,Serial No / Batch,Серійний номер / партія -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Не оплачуються і не доставляється +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Не оплачуються і не доставляється DocType: Product Bundle,Parent Item,Батьківський елемент номенклатури DocType: Account,Account Type,Тип рахунку DocType: Delivery Note,DN-RET-,DN-RET- @@ -2532,8 +2537,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Загальна розподілена сума apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Встановити рахунок товарно-матеріальних запасів за замовчуванням для безперервної інвентаризації DocType: Item Reorder,Material Request Type,Тип Замовлення матеріалів -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural журнал запис на зарплату від {0} до {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","LocalStorage повна, не врятувало" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural журнал запис на зарплату від {0} до {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage повна, не врятувало" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення Одиниця виміру є обов'язковим apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Посилання DocType: Budget,Cost Center,Центр витрат @@ -2551,7 +2556,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,По apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Якщо обране Цінове правило зроблено для ""Ціни"", то воно перезапише Прайс-лист. Ціна Цінового правила - остаточна ціна, тому жодна знижка вже не може надаватися. Отже, у таких операціях, як замовлення клієнта, Замовлення на придбання і т.д., Значення буде попадати у поле ""Ціна"", а не у поле ""Ціна згідно прайс-листа""." apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Відслідковувати Lead-и за галуззю. DocType: Item Supplier,Item Supplier,Пункт Постачальник -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,"Будь ласка, введіть код позиції, щоб отримати номер партії" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,"Будь ласка, введіть код позиції, щоб отримати номер партії" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},"Будь ласка, виберіть значення для {0} quotation_to {1}" apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Всі адреси. DocType: Company,Stock Settings,Налаштування інвентаря @@ -2578,7 +2583,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Фактична к-с apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Немає зарплати ковзання знаходиться між {0} і {1} ,Pending SO Items For Purchase Request,"Замовлені товари, які очікують закупки" apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,зараховуються студентів -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} відключений +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} відключений DocType: Supplier,Billing Currency,Валюта оплати DocType: Sales Invoice,SINV-RET-,Вих_Рах-Пов- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Дуже великий @@ -2608,7 +2613,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,статус заявки DocType: Fees,Fees,Збори DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Вкажіть обмінний курс для перетворення однієї валюти в іншу -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Пропозицію {0} скасовано +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Пропозицію {0} скасовано apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Загальна непогашена сума DocType: Sales Partner,Targets,Цільові DocType: Price List,Price List Master,Майстер Прайс-листа @@ -2625,7 +2630,7 @@ DocType: POS Profile,Ignore Pricing Rule,Ігнорувати цінове пр DocType: Employee Education,Graduate,Випускник DocType: Leave Block List,Block Days,Блок Дні DocType: Journal Entry,Excise Entry,Акцизний запис -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Увага: Вже існує замовлення клієнта {0} згідно оригіналу замовлення клієнта {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Увага: Вже існує замовлення клієнта {0} згідно оригіналу замовлення клієнта {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2652,14 +2657,14 @@ DocType: Packing Slip,If more than one package of the same type (for print),Як ,Salary Register,дохід Реєстрація DocType: Warehouse,Parent Warehouse,Батьківський елемент складу DocType: C-Form Invoice Detail,Net Total,Чистий підсумок -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Стандартна BOM не знайдена для елемента {0} та Project {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},Стандартна BOM не знайдена для елемента {0} та Project {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Визначення різних видів кредиту DocType: Bin,FCFS Rate,FCFS вартість DocType: Payment Reconciliation Invoice,Outstanding Amount,Непогашена сума apps/erpnext/erpnext/templates/generators/bom.html +71,Time(in mins),Час (в хв) DocType: Project Task,Working,Робоча DocType: Stock Ledger Entry,Stock Queue (FIFO),Черга Інвентаря (4П) -apps/erpnext/erpnext/public/js/setup_wizard.js +107,Financial Year,Фінансовий рік +apps/erpnext/erpnext/public/js/setup_wizard.js +107,Financial Year,Бюджетний період apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +39,{0} does not belong to Company {1},{0} не належать компанії {1} apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +119,Cost as on,"Вартість, як на" DocType: Account,Round Off,Округляти @@ -2689,7 +2694,7 @@ DocType: Salary Detail,Condition and Formula Help,Довідка з умов і apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Управління Територія дерево. DocType: Journal Entry Account,Sales Invoice,Вихідний рахунок-фактура DocType: Journal Entry Account,Party Balance,Баланс контрагента -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,"Будь ласка, виберіть Застосувати знижки на" +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,"Будь ласка, виберіть Застосувати знижки на" DocType: Company,Default Receivable Account,Рахунок дебеторської заборгованості за замовчуванням DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,"Створити банківську проводку на загальну суму заробітної плати, що виплачується за обраними вище критеріями" DocType: Stock Entry,Material Transfer for Manufacture,Матеріал для виробництва передачі @@ -2703,7 +2708,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Адреса клієнта DocType: Employee Loan,Loan Details,кредит Детальніше DocType: Company,Default Inventory Account,За замовчуванням інвентаризації рахунки -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Рядок {0}: Завершена кількість має бути більше нуля. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,Рядок {0}: Завершена кількість має бути більше нуля. DocType: Purchase Invoice,Apply Additional Discount On,Надати додаткову знижку на DocType: Account,Root Type,Корінь Тип DocType: Item,FIFO,FIFO @@ -2720,7 +2725,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Сертифікат якос apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Дуже невеликий DocType: Company,Standard Template,Стандартний шаблон DocType: Training Event,Theory,теорія -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Увага: Кількість замовленого матеріалу менша за мінімально допустиму +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Увага: Кількість замовленого матеріалу менша за мінімально допустиму apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Рахунок {0} заблоковано DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридична особа / Допоміжний з окремим Плану рахунків, що належать Організації." DocType: Payment Request,Mute Email,Відключення E-mail @@ -2744,7 +2749,7 @@ DocType: Training Event,Scheduled,Заплановане apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Запит пропозиції. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Будь ласка, виберіть позицію, в якої ""Складський"" встановлено у ""Ні"" і Продаєм цей товар"" - ""Так"", і немає жодного комплекту" DocType: Student Log,Academic,академічний -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Всього аванс ({0}) за замовленням {1} не може бути більше, ніж загальний підсумок ({2})" +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Всього аванс ({0}) за замовленням {1} не може бути більше, ніж загальний підсумок ({2})" DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Виберіть щомісячний розподіл до нерівномірно розподілених цілей за місяць. DocType: Purchase Invoice Item,Valuation Rate,Собівартість DocType: Stock Reconciliation,SR/,SR / @@ -2810,6 +2815,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Сум DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,"Введіть ім'я кампанії, якщо джерелом зацікавленості є кампанія" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Газетних видавців apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Виберіть фінансовий рік +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Очікувана дата доставки повинна бути після дати замовлення на продаж apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Рівень перезамовлення DocType: Company,Chart Of Accounts Template,План рахунків бухгалтерського обліку шаблону DocType: Attendance,Attendance Date,Дата @@ -2841,7 +2847,7 @@ DocType: Pricing Rule,Discount Percentage,Знижка у відсотках DocType: Payment Reconciliation Invoice,Invoice Number,Номер рахунку-фактури DocType: Shopping Cart Settings,Orders,Замовлення DocType: Employee Leave Approver,Leave Approver,Погоджувач відпустки -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,"Будь ласка, виберіть партію" +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,"Будь ласка, виберіть партію" DocType: Assessment Group,Assessment Group Name,Назва групи по оцінці DocType: Manufacturing Settings,Material Transferred for Manufacture,"Матеріал, переданий для виробництва" DocType: Expense Claim,"A user with ""Expense Approver"" role",Користувач з "Витрати затверджує" ролі @@ -2878,7 +2884,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Останній день наступного місяця DocType: Support Settings,Auto close Issue after 7 days,Авто близько Issue через 7 днів apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Відпустка не може бути призначена до{0}, оскільки залишок днів вже перенесений у наступний документ Призначення відпусток{1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Примітка: Через / Вихідна дата перевищує дозволений кредит клієнт дня {0} день (їй) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Примітка: Через / Вихідна дата перевищує дозволений кредит клієнт дня {0} день (їй) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,студент Абітурієнт DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,ОРИГІНАЛ ДЛЯ ОТРИМУВАЧА DocType: Asset Category Account,Accumulated Depreciation Account,Рахунок накопиченого зносу @@ -2889,7 +2895,7 @@ DocType: Item,Reorder level based on Warehouse,Рівень перезамовл DocType: Activity Cost,Billing Rate,Ціна для виставлення у рахунку ,Qty to Deliver,К-сть для доставки ,Stock Analytics,Аналіз складських залишків -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,"Операції, що не може бути залишено порожнім" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,"Операції, що не може бути залишено порожнім" DocType: Maintenance Visit Purpose,Against Document Detail No,На деталях документа немає apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Тип контрагента є обов'язковим DocType: Quality Inspection,Outgoing,Вихідний @@ -2932,15 +2938,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Доступна к-сть на складі apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Сума виставлених рахунків DocType: Asset,Double Declining Balance,Double Declining Balance -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Закритий замовлення не може бути скасований. Скасувати відкриватися. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Закритий замовлення не може бути скасований. Скасувати відкриватися. DocType: Student Guardian,Father,батько -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Оновити запаси"" не може бути позначено для продажу основних засобів" +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,"""Оновити запаси"" не може бути позначено для продажу основних засобів" DocType: Bank Reconciliation,Bank Reconciliation,Звірка з банком DocType: Attendance,On Leave,У відпустці apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Підписатись на новини apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Рахунок {2} не належить Компанії {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Замовлення матеріалів {0} відмінено або призупинено -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Додати кілька пробних записів +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Додати кілька пробних записів apps/erpnext/erpnext/config/hr.py +301,Leave Management,Управління відпустками apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Групувати по рахунках DocType: Sales Order,Fully Delivered,Повністю доставлено @@ -2949,12 +2955,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Рахунок різниці повинен бути типу актив / зобов'язання, оскільки ця Інвентаризація - це введення залишків" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},"Освоєно Сума не може бути більше, ніж сума позики {0}" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},"Номер Замовлення на придбання, необхідний для {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Виробничий замовлення не створено +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Виробничий замовлення не створено apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Від дати"" має бути раніше ""До дати""" apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Неможливо змінити статус студента {0} пов'язаний з додатком студента {1} DocType: Asset,Fully Depreciated,повністю амортизується ,Stock Projected Qty,Прогнозований складський залишок -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Замовник {0} не належить до проекту {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Замовник {0} не належить до проекту {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Внесена відвідуваність HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Котирування є пропозиціями, пропозиціями відправлених до своїх клієнтів" DocType: Sales Order,Customer's Purchase Order,Оригінал замовлення клієнта @@ -2964,7 +2970,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Будь ласка, встановіть кількість зарезервованих амортизацій" apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Значення або Кількість apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Продукції Замовлення не можуть бути підняті для: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Хвилин +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Хвилин DocType: Purchase Invoice,Purchase Taxes and Charges,Податки та збори закупівлі ,Qty to Receive,К-сть на отримання DocType: Leave Block List,Leave Block List Allowed,Список блокування відпусток дозволено @@ -2978,7 +2984,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Всі типи постачальників DocType: Global Defaults,Disable In Words,"Відключити ""прописом""" apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Код товару є обов'язковим, оскільки товар не автоматично нумеруються" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Пропозиція {0} НЕ типу {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Пропозиція {0} НЕ типу {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Номенклатура Запланованого обслуговування DocType: Sales Order,% Delivered,Доставлено% DocType: Production Order,PRO-,PRO- @@ -3001,7 +3007,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Продавець E-mail DocType: Project,Total Purchase Cost (via Purchase Invoice),Загальна вартість покупки (через рахунок покупки) DocType: Training Event,Start Time,Час початку -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Виберіть Кількість +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Виберіть Кількість DocType: Customs Tariff Number,Customs Tariff Number,Митний тариф номер apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Затвердження роль не може бути такою ж, як роль правило застосовно до" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Відмовитися від цієї Email Дайджест @@ -3025,7 +3031,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR-Деталь DocType: Sales Order,Fully Billed,Повністю включено у рахунки apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Готівка касова -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Склад доставки необхідний для номенклатурної позиції {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Склад доставки необхідний для номенклатурної позиції {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Вага брутто упаковки. Зазвичай вага нетто + пакувальний матеріал вагу. (для друку) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,Програма DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Користувачі з цією роллю можуть встановлювати заблоковані рахунки і створювати / змінювати проводки по заблокованих рахунках @@ -3035,7 +3041,7 @@ DocType: Student Group,Group Based On,Група Based On DocType: Journal Entry,Bill Date,Bill Дата apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Service Елемент, тип, частота і сума витрат потрібно" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Навіть якщо є кілька правил ціноутворення з найвищим пріоритетом, то наступні внутрішні пріоритети застосовуються:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},"Ви дійсно хочете, щоб представити всю зарплату вислизнути з {0} до {1}" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},"Ви дійсно хочете, щоб представити всю зарплату вислизнути з {0} до {1}" DocType: Cheque Print Template,Cheque Height,Висота чеку DocType: Supplier,Supplier Details,Постачальник: Подробиці DocType: Expense Claim,Approval Status,Стан затвердження @@ -3057,7 +3063,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Lead у Пропоз apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Нічого більше не показувати. DocType: Lead,From Customer,Від Замовника apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Дзвінки -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,порції +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,порції DocType: Project,Total Costing Amount (via Time Logs),Всього Калькуляція Сума (за допомогою журналів Time) DocType: Purchase Order Item Supplied,Stock UOM,Одиниця виміру запасів apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Замовлення на придбання {0} не проведено @@ -3089,7 +3095,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Повернення DocType: Item,Warranty Period (in days),Гарантійний термін (в днях) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Зв'язок з Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Чисті грошові кошти від операційної -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,"наприклад, ПДВ" +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,"наприклад, ПДВ" apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Пункт 4 DocType: Student Admission,Admission End Date,Дата закінчення прийому apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Субпідряд @@ -3097,7 +3103,7 @@ DocType: Journal Entry Account,Journal Entry Account,Рахунок Провод apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Студентська група DocType: Shopping Cart Settings,Quotation Series,Серії пропозицій apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Пункт існує з таким же ім'ям ({0}), будь ласка, змініть назву групи товарів або перейменувати пункт" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,"Будь ласка, виберіть клієнта" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,"Будь ласка, виберіть клієнта" DocType: C-Form,I,Я DocType: Company,Asset Depreciation Cost Center,Центр витрат амортизації DocType: Sales Order Item,Sales Order Date,Дата Замовлення клієнта @@ -3108,6 +3114,7 @@ DocType: Stock Settings,Limit Percent,граничне Відсоток ,Payment Period Based On Invoice Date,Затримка оплати після виставлення рахунку apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Відсутні курси валют для {0} DocType: Assessment Plan,Examiner,екзаменатор +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Будь ласка, встановіть серію імен для {0} за допомогою налаштування> Налаштування> Серія імен" DocType: Student,Siblings,Брати і сестри DocType: Journal Entry,Stock Entry,Рух ТМЦ DocType: Payment Entry,Payment References,посилання оплати @@ -3132,7 +3139,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Де проводяться виробничі операції. DocType: Asset Movement,Source Warehouse,Вихідний склад DocType: Installation Note,Installation Date,Дата встановлення -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Рядок # {0}: Asset {1} не належить компанії {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Рядок # {0}: Asset {1} не належить компанії {2} DocType: Employee,Confirmation Date,Дата підтвердження DocType: C-Form,Total Invoiced Amount,Всього Сума за рахунками apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,"Мін к-сть не може бути більше, ніж макс. к-сть" @@ -3207,7 +3214,7 @@ DocType: Company,Default Letter Head,Фірмовий заголовок за з DocType: Purchase Order,Get Items from Open Material Requests,Отримати елементи з відкритого Замовлення матеріалів DocType: Item,Standard Selling Rate,Стандартна вартість продажу DocType: Account,Rate at which this tax is applied,Вартість при якій застосовується цей податок -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Кількість перезамовлення +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Кількість перезамовлення apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Поточні вакансії Вакансії DocType: Company,Stock Adjustment Account,Рахунок підлаштування інвентаря apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Списувати @@ -3221,7 +3228,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Постачальник доставляє клієнтові apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Форма/Об’єкт/{0}) немає в наявності apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,"Наступна дата повинна бути більше, ніж Дата публікації / створення" -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Через / Довідник Дата не може бути після {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Через / Довідник Дата не може бути після {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Імпорт та експорт даних apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,"Немає студентів, не знайдено" apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Дата створення рахунку-фактури @@ -3242,13 +3249,12 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Це засновано на відвідуваності цього студента apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,немає Студенти apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Додайте більше деталей або відкриту повну форму -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',"Будь ласка, введіть "Очікувана дата доставки"" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Доставка Примітки {0} має бути скасований до скасування цього замовлення клієнта +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Доставка Примітки {0} має бути скасований до скасування цього замовлення клієнта apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,"Оплачена сума + Сума списання не може бути більше, ніж загальний підсумок" apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},"{0} не є допустимим номером партії для товару {1}" apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Примітка: Недостатньо днів залишилося для типу відпусток {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Invalid GSTIN або Enter NA для Незареєстрований +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Invalid GSTIN або Enter NA для Незареєстрований DocType: Training Event,Seminar,семінар DocType: Program Enrollment Fee,Program Enrollment Fee,Програма Зарахування Плата DocType: Item,Supplier Items,Товарні позиції постачальника @@ -3266,7 +3272,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Застарівання інвентаря apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} існує проти студента заявника {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Табель робочого часу -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' неактивний +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' неактивний apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Встановити як Open DocType: Cheque Print Template,Scanned Cheque,Сканований чек DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Відправити автоматичні листи на Контакти Про подання операцій. @@ -3280,7 +3286,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilitie DocType: Expense Claim Account,Expense Claim Account,Рахунок Авансового звіту DocType: Sales Person,Sales Person Name,Ім'я відповідального з продажу apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Будь ласка, введіть принаймні 1-фактуру у таблицю" -apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Додавання користувачів +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Додати користувачів DocType: POS Item Group,Item Group,Група DocType: Item,Safety Stock,Безпечний запас apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,"Прогрес% для завдання не може бути більше, ніж 100." @@ -3313,7 +3319,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Обмінний курс прайс-листа DocType: Purchase Invoice Item,Rate,Ціна apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Інтерн -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Адреса Ім'я +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Адреса Ім'я DocType: Stock Entry,From BOM,З норм DocType: Assessment Code,Assessment Code,код оцінки apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основний @@ -3326,20 +3332,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Структура зарплати DocType: Account,Bank,Банк apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Авіакомпанія -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Матеріал Випуск +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Матеріал Випуск DocType: Material Request Item,For Warehouse,Для складу DocType: Employee,Offer Date,Дата пропозиції apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Пропозиції -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Ви перебуваєте в автономному режимі. Ви не зможете оновити доки не відновите зв’язок. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Ви перебуваєте в автономному режимі. Ви не зможете оновити доки не відновите зв’язок. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Жоден студент групи не створено. DocType: Purchase Invoice Item,Serial No,Серійний номер apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,"Щомісячне погашення Сума не може бути більше, ніж сума позики" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Будь ласка, введіть деталі тех. обслуговування" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Рядок # {0}: очікувана дата доставки не може передувати даті замовлення на купівлю DocType: Purchase Invoice,Print Language,Мова друку DocType: Salary Slip,Total Working Hours,Всього годин роботи DocType: Stock Entry,Including items for sub assemblies,Включаючи позиції для наівфабрикатів -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Значення має бути позитивним -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товару> Група предметів> Бренд +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Значення має бути позитивним apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Всі території DocType: Purchase Invoice,Items,Номенклатура apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Студент вже надійшов. @@ -3362,7 +3368,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"За од.вим. за замовчуванням для варіанту '{0}' має бути такою ж, як в шаблоні ""{1} '" DocType: Shipping Rule,Calculate Based On,"Розрахувати, засновані на" DocType: Delivery Note Item,From Warehouse,Від Склад -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Ні предметів з Біллом матеріалів не повинна Manufacture +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Ні предметів з Біллом матеріалів не повинна Manufacture DocType: Assessment Plan,Supervisor Name,Ім'я супервайзера DocType: Program Enrollment Course,Program Enrollment Course,Програма Зарахування курс DocType: Program Enrollment Course,Program Enrollment Course,Програма Зарахування курс @@ -3378,23 +3384,23 @@ DocType: Training Event Employee,Attended,Були присутні apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Днів з часу останнього замовлення"" має бути більше або дорівнювати нулю" DocType: Process Payroll,Payroll Frequency,Розрахунок заробітної плати Частота DocType: Asset,Amended From,Відновлено з -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Сировина +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Сировина DocType: Leave Application,Follow via Email,З наступною відправкою e-mail apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Рослини і Механізмів DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сума податку після скидки Сума DocType: Daily Work Summary Settings,Daily Work Summary Settings,Щоденні Налаштування роботи Резюме -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Валюта прайс-лист {0} не схожий з обраної валюті {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Валюта прайс-лист {0} не схожий з обраної валюті {1} DocType: Payment Entry,Internal Transfer,внутрішній переказ apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Дитячий рахунок існує для цього облікового запису. Ви не можете видалити цей аккаунт. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Кінцева к-сть або сума є обов'язковими apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Немає Норм за замовчуванням для елемента {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Будь ласка, виберіть спочатку дату запису" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,"Будь ласка, виберіть спочатку дату запису" apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,"Відкриття Дата повинна бути, перш ніж Дата закриття" DocType: Leave Control Panel,Carry Forward,Переносити apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,"Центр витрат з існуючими операціями, не може бути перетворений у книгу" DocType: Department,Days for which Holidays are blocked for this department.,"Дні, для яких вихідні заблоковані для цього відділу." ,Produced,Вироблений -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Створено Зарплатні Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Створено Зарплатні Slips DocType: Item,Item Code for Suppliers,Код товару для постачальників DocType: Issue,Raised By (Email),Raised By (E-mail) DocType: Training Event,Trainer Name,ім'я тренера @@ -3402,9 +3408,10 @@ DocType: Mode of Payment,General,Генеральна apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Останній зв'язок apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Останній зв'язок apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете відняти, коли категорія для "Оцінка" або "Оцінка і Total '" -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Перелічіть назви Ваших податків (наприклад, ПДВ, митні і т.д., вони повинні мати унікальні імена) та їх стандартні ставки. Це створить стандартний шаблон, який ви можете відредагувати і щось додати пізніше." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Перелічіть назви Ваших податків (наприклад, ПДВ, митні і т.д., вони повинні мати унікальні імена) та їх стандартні ставки. Це створить стандартний шаблон, який ви можете відредагувати і щось додати пізніше." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Серійні номери обов'язкові для серіалізованої позиції номенклатури {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Зв'язати платежі з рахунками-фактурами +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Рядок # {0}: введіть дату доставки проти пункту {1} DocType: Journal Entry,Bank Entry,Банк Стажер DocType: Authorization Rule,Applicable To (Designation),Застосовується до (Посада) ,Profitability Analysis,Аналіз рентабельності @@ -3420,17 +3427,18 @@ DocType: Quality Inspection,Item Serial No,Серійний номер номе apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Створення Employee записів apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Разом Поточна apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Бухгалтерська звітність -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Година +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Година apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новий Серійний номер не може мати склад. Склад повинен бути встановлений Рухом ТМЦ або Прихідною накладною DocType: Lead,Lead Type,Тип Lead-а apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Ви не уповноважений погоджувати відпустки на заблоковані дати -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,На всі ці позиції вже виставлений рахунок +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,На всі ці позиції вже виставлений рахунок +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Місячний ціль продажу apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Може бути схвалене {0} DocType: Item,Default Material Request Type,Тип Замовлення матеріалів за замовчуванням apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,невідомий DocType: Shipping Rule,Shipping Rule Conditions,Умови правил доставки DocType: BOM Replace Tool,The new BOM after replacement,Нові Норми після заміни -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,POS +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,POS DocType: Payment Entry,Received Amount,отримана сума DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Направлено на DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop по Гардіан @@ -3447,8 +3455,8 @@ DocType: Batch,Source Document Name,Джерело Назва документа DocType: Batch,Source Document Name,Джерело Назва документа DocType: Job Opening,Job Title,Професія apps/erpnext/erpnext/utilities/activation.py +97,Create Users,створення користувачів -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,грам -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,"Кількість, Виготовлення повинні бути більше, ніж 0." +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,грам +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,"Кількість, Виготовлення повинні бути більше, ніж 0." apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Звіт по візиту на виклик по тех. обслуговуванню. DocType: Stock Entry,Update Rate and Availability,Частота оновлення і доступність DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Відсоток, на який вам дозволено отримати або доставити більше порівняно з замовленої кількістю. Наприклад: Якщо ви замовили 100 одиниць, а Ваш Дозволений відсоток перевищення складає 10%, то ви маєте право отримати 110 одиниць." @@ -3461,7 +3469,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,"Будь ласка, відмініть спочатку вхідний рахунок {0}" apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Адреса електронної пошти повинен бути унікальним, вже існує для {0}" DocType: Serial No,AMC Expiry Date,Дата закінчення річного обслуговування -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,розписка +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,розписка ,Sales Register,Реєстр продаж DocType: Daily Work Summary Settings Company,Send Emails At,Електронна пошта на DocType: Quotation,Quotation Lost Reason,Причина втрати пропозиції @@ -3474,14 +3482,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Немає к apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Звіт про рух грошових коштів apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Сума кредиту не може перевищувати максимальний Сума кредиту {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ліцензія -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},"Будь ласка, видаліть цю фактуру {0} з C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},"Будь ласка, видаліть цю фактуру {0} з C-Form {1}" DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year DocType: GL Entry,Against Voucher Type,Згідно док-ту типу DocType: Item,Attributes,Атрибути apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Будь ласка, введіть рахунок списання" apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Остання дата замовлення apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Рахунок {0} не належить компанії {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Серійні номери в рядку {0} не збігається з накладною +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Серійні номери в рядку {0} не збігається з накладною DocType: Student,Guardian Details,Детальніше Гардіан DocType: C-Form,C-Form,С-форма apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Марк відвідуваності для декількох співробітників @@ -3513,16 +3521,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,В DocType: Tax Rule,Sales,Продаж DocType: Stock Entry Detail,Basic Amount,Основна кількість DocType: Training Event,Exam,іспит -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Необхідно вказати склад для номенклатури {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},Необхідно вказати склад для номенклатури {0} DocType: Leave Allocation,Unused leaves,Невикористані дні відпустки -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Штат (оплата) apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Переклад apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} не пов'язаний з аккаунтом партії {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Зібрати розібрані норми (у тому числі вузлів) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Зібрати розібрані норми (у тому числі вузлів) DocType: Authorization Rule,Applicable To (Employee),Застосовується до (Співробітник) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Завдяки Дата є обов'язковим apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Приріст за атрибут {0} не може бути 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія DocType: Journal Entry,Pay To / Recd From,Заплатити / Отримати DocType: Naming Series,Setup Series,Налаштування серій DocType: Payment Reconciliation,To Invoice Date,Рахунки-фактури з датою по @@ -3549,21 +3558,21 @@ DocType: Journal Entry,Write Off Based On,Списання заснований apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,зробити Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Друк та канцелярські DocType: Stock Settings,Show Barcode Field,Показати поле штрих-коду -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Надіслати Постачальник електронних листів +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Надіслати Постачальник електронних листів apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Зарплата вже оброблена за період між {0} і {1}, Період відпустки не може бути в межах цього діапазону дат." apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Установка рекорд для серійним номером DocType: Guardian Interest,Guardian Interest,опікун Відсотки apps/erpnext/erpnext/config/hr.py +177,Training,навчання DocType: Timesheet,Employee Detail,Дані працівника -apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID -apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID +apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ІД епошти охоронця +apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ІД епошти охоронця apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,день Дата наступного і повторити на День місяця має дорівнювати apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Налаштування домашньої сторінки веб-сайту DocType: Offer Letter,Awaiting Response,В очікуванні відповіді apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Вище apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},Неприпустимий атрибут {0} {1} DocType: Supplier,Mention if non-standard payable account,Згадка якщо нестандартні до оплати рахунків -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Той же пункт був введений кілька разів. {Список} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Той же пункт був введений кілька разів. {Список} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',"Будь ласка, виберіть групу оцінки, крім «всіх груп за оцінкою»" DocType: Salary Slip,Earning & Deduction,Нарахування та відрахування apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Необов'язково. Цей параметр буде використовуватися для фільтрації в різних операціях. @@ -3582,7 +3591,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Вартість списаних активів apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Центр витрат є обов'язковим для елементу {2} DocType: Vehicle,Policy No,політика Ні -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Отримати елементи з комплекту +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Отримати елементи з комплекту DocType: Asset,Straight Line,Лінійний DocType: Project User,Project User,проект Користувач apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,розщеплений @@ -3596,6 +3605,7 @@ DocType: Bank Reconciliation,Payment Entries,Оплати DocType: Production Order,Scrap Warehouse,лом Склад DocType: Production Order,Check if material transfer entry is not required,"Перевірте, якщо запис про передачу матеріалу не потрібно" DocType: Production Order,Check if material transfer entry is not required,"Перевірте, якщо запис про передачу матеріалу не потрібно" +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, налаштуйте систему найменування працівників у людських ресурсах> Параметри персоналу" DocType: Program Enrollment Tool,Get Students From,Отримати студентів з DocType: Hub Settings,Seller Country,Продавець Країна apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Опублікувати об’єкти на веб-сайті @@ -3614,19 +3624,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,"HT DocType: Shipping Rule,Specify conditions to calculate shipping amount,Вкажіть умови для розрахунку суми доставки DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,"Роль, з якою можна встановлювати заблоковані рахунки та змінювати заблоковані проводки" apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"Неможливо перетворити центр витрат у книгу, оскільки він має дочірні вузли" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Сума на початок роботи +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Сума на початок роботи DocType: Salary Detail,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Серійний # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Комісія з продажу DocType: Offer Letter Term,Value / Description,Значення / Опис -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Рядок # {0}: Asset {1} не може бути представлено, вже {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Рядок # {0}: Asset {1} не може бути представлено, вже {2}" DocType: Tax Rule,Billing Country,Країна (оплата) DocType: Purchase Order Item,Expected Delivery Date,Очікувана дата поставки apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Дебет і Кредит не рівні для {0} # {1}. Різниця {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Представницькі витрати apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Зробити запит Матеріал apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Відкрити Пункт {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Вихідний рахунок {0} має бути скасований до скасування цього Замовлення клієнта +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Вихідний рахунок {0} має бути скасований до скасування цього Замовлення клієнта apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Вік DocType: Sales Invoice Timesheet,Billing Amount,До оплати apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Невірний кількість вказано за пунктом {0}. Кількість повинна бути більше 0. @@ -3649,7 +3659,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Виручка від нових клієнтів apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Витрати на відрядження DocType: Maintenance Visit,Breakdown,Зламатися -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Рахунок: {0} з валютою: {1} не може бути обраний +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Рахунок: {0} з валютою: {1} не може бути обраний DocType: Bank Reconciliation Detail,Cheque Date,Дата чеку apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Рахунок {0}: Батьківський рахунок {1} не належить компанії: {2} DocType: Program Enrollment Tool,Student Applicants,студентські Кандидати @@ -3669,11 +3679,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Пла DocType: Material Request,Issued,Виданий apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Студентська діяльність DocType: Project,Total Billing Amount (via Time Logs),Разом сума до оплати (згідно журналу) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Ми продаємо цей товар +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Ми продаємо цей товар apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id постачальника DocType: Payment Request,Payment Gateway Details,Деталі платіжного шлюзу -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,"Кількість повинна бути більше, ніж 0" -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,зразок даних +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,"Кількість повинна бути більше, ніж 0" +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,зразок даних DocType: Journal Entry,Cash Entry,Грошові запис apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Дочірні вузли можуть бути створені тільки в вузлах типу "Група" DocType: Leave Application,Half Day Date,півдня Дата @@ -3682,17 +3692,18 @@ DocType: Sales Partner,Contact Desc,Опис Контакту apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Тип відсутності, як-от випадкова, хвороба і т.д." DocType: Email Digest,Send regular summary reports via Email.,Відправити регулярні зведені звіти по електронній пошті. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Будь-ласка, встановіть рахунок за замовчуванням у Авансових звітах типу {0}" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},"Будь-ласка, встановіть рахунок за замовчуванням у Авансових звітах типу {0}" DocType: Assessment Result,Student Name,Ім'я студента DocType: Brand,Item Manager,Стан менеджер apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Розрахунок заробітної плати оплачується DocType: Buying Settings,Default Supplier Type,Тип постачальника за замовчуванням DocType: Production Order,Total Operating Cost,Загальна експлуатаційна вартість -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Примітка: Пункт {0} введений кілька разів +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Примітка: Пункт {0} введений кілька разів apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Всі контакти. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Встановіть ціль apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Абревіатура Компанії apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Користувач {0} не існує -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,"Сировина не може бути таким же, як основний пункт" +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,"Сировина не може бути таким же, як основний пункт" DocType: Item Attribute Value,Abbreviation,Скорочення apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Оплата вже існує apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не так Authroized {0} перевищує межі @@ -3710,7 +3721,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Роль з дозво ,Territory Target Variance Item Group-Wise,Розбіжності цілей по територіях (по групах товарів) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Всі групи покупців apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Накопичений в місяць -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} є обов'язковим. Може бути, Обмін валюти запис не створена для {1} до {2}." +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} є обов'язковим. Може бути, Обмін валюти запис не створена для {1} до {2}." apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Податковий шаблон є обов'язковим apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Рахунок {0}: Батьківський рахунок не існує {1} DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ціна з прайс-листа (валюта компанії) @@ -3721,7 +3732,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Відсотко apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Секретар DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Якщо відключити, поле ""прописом"" не буде видно у жодній операції" DocType: Serial No,Distinct unit of an Item,Окремий підрозділ в пункті -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,"Будь ласка, встановіть компанії" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,"Будь ласка, встановіть компанії" DocType: Pricing Rule,Buying,Купівля DocType: HR Settings,Employee Records to be created by,"Співробітник звіти, які будуть створені" DocType: POS Profile,Apply Discount On,Застосувати знижки на @@ -3732,7 +3743,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрий Податковий Подробиці apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Абревіатура інституту ,Item-wise Price List Rate,Ціни прайс-листів по-товарно -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Пропозиція постачальника +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Пропозиція постачальника DocType: Quotation,In Words will be visible once you save the Quotation.,"""Прописом"" буде видно, як тільки ви збережете пропозицію." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Кількість ({0}) не може бути фракцією в рядку {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Кількість ({0}) не може бути фракцією в рядку {1} @@ -3756,7 +3767,7 @@ Updated via 'Time Log'",у хвилинах Оновлене допомогою DocType: Customer,From Lead,З Lead-а apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Замовлення випущений у виробництво. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Виберіть фінансовий рік ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,"Необхідний POS-профіль, щоб зробити POS-операцію" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,"Необхідний POS-профіль, щоб зробити POS-операцію" DocType: Program Enrollment Tool,Enroll Students,зарахувати студентів DocType: Hub Settings,Name Token,Ім'я маркера apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандартний Продаж @@ -3774,7 +3785,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Різниця значень apps/erpnext/erpnext/config/learn.py +234,Human Resource,Людський ресурс DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Оплата узгодження apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Податкові активи -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Виробничий замовлення було {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Виробничий замовлення було {0} DocType: BOM Item,BOM No,Номер Норм DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Проводка {0} не має рахунку {1} або вже прив'язана до іншого документу @@ -3788,7 +3799,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Зав apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Неоплачена сума DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Встановити цілі по групах для цього Відповідального з продажу. DocType: Stock Settings,Freeze Stocks Older Than [Days],Заморожувати запаси старше ніж [днiв] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Рядок # {0}: Актив є обов'язковим для фіксованого активу покупки / продажу +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Рядок # {0}: Актив є обов'язковим для фіксованого активу покупки / продажу apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Якщо є два або більше Правил на основі зазначених вище умов, застосовується пріоритет. Пріоритет являє собою число від 0 до 20 зі значенням за замовчуванням , що дорівнює нулю (порожній). Більше число для певного правила означає, що воно буде мати більший пріоритет серед правил з такими ж умовами." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Фінансовий рік: {0} не існує DocType: Currency Exchange,To Currency,У валюту @@ -3797,7 +3808,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Типи Аван apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"ставка для пункту продажу {0} нижче, ніж його {1}. курс продажу повинен бути принаймні {2}" apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"ставка для пункту продажу {0} нижче, ніж його {1}. курс продажу повинен бути принаймні {2}" DocType: Item,Taxes,Податки -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,Платні і не доставляється +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,Платні і не доставляється DocType: Project,Default Cost Center,Центр доходів/витрат за замовчуванням DocType: Bank Guarantee,End Date,Дата закінчення apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Операції з інвентарем @@ -3814,7 +3825,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Щоденна робота Резюме Налаштування компанії apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,"Пункт {0} ігноруються, так як це не інвентар" DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Проведіть це виробниче замовлення для подальшої обробки. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Проведіть це виробниче замовлення для подальшої обробки. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Для того, щоб не застосовувати цінове правило у певній операції всі правила, які могли би застосуватися мають бути відключені ." DocType: Assessment Group,Parent Assessment Group,Батько група по оцінці apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,роботи @@ -3822,10 +3833,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,роботи DocType: Employee,Held On,Проводилася apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Виробництво товару ,Employee Information,Співробітник Інформація -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Ставка (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Ставка (%) DocType: Stock Entry Detail,Additional Cost,Додаткова вартість apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",Неможливо фільтрувати по номеру документу якщо згруповано по документах -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Зробити пропозицію постачальника +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Зробити пропозицію постачальника DocType: Quality Inspection,Incoming,Вхідний DocType: BOM,Materials Required (Exploded),"Матеріалів, необхідних (в розібраному)" apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Додайте користувачів у вашій організації, крім себе" @@ -3841,7 +3852,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Рахунок: {0} може оновитися тільки операціями з інвентарем DocType: Student Group Creation Tool,Get Courses,отримати курси DocType: GL Entry,Party,Контрагент -DocType: Sales Order,Delivery Date,Дата доставки +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Дата доставки DocType: Opportunity,Opportunity Date,Дата Нагоди DocType: Purchase Receipt,Return Against Purchase Receipt,Повернути згідно прихідної накладної DocType: Request for Quotation Item,Request for Quotation Item,Запит на позицію у пропозиції @@ -3855,7 +3866,7 @@ DocType: Task,Actual Time (in Hours),Фактичний час (в година DocType: Employee,History In Company,Історія У Компанії apps/erpnext/erpnext/config/learn.py +107,Newsletters,Розсилка DocType: Stock Ledger Entry,Stock Ledger Entry,Запис складської книги -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Той же пункт був введений кілька разів +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Той же пункт був введений кілька разів DocType: Department,Leave Block List,Список блокування відпусток DocType: Sales Invoice,Tax ID,ІПН apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не налаштований на послідовний пп. Колонка повинна бути порожньою @@ -3873,25 +3884,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Чорний DocType: BOM Explosion Item,BOM Explosion Item,Складова продукції згідно норм DocType: Account,Auditor,Аудитор -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} виготовлені товари +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} виготовлені товари DocType: Cheque Print Template,Distance from top edge,Відстань від верхнього краю apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Прайс-лист {0} відключений або не існує DocType: Purchase Invoice,Return,Повернення DocType: Production Order Operation,Production Order Operation,Виробництво Порядок роботи DocType: Pricing Rule,Disable,Відключити -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Спосіб оплати потрібно здійснити оплату +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Спосіб оплати потрібно здійснити оплату DocType: Project Task,Pending Review,В очікуванні відгук apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не надійшов у Batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} не може бути утилізовані, як це вже {1}" DocType: Task,Total Expense Claim (via Expense Claim),Всього витрат (за Авансовим звітом) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Марк Відсутня -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Рядок {0}: Валюта BOM # {1} має дорівнювати вибрану валюту {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Рядок {0}: Валюта BOM # {1} має дорівнювати вибрану валюту {2} DocType: Journal Entry Account,Exchange Rate,Курс валюти -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Замовлення клієнта {0} не проведено +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Замовлення клієнта {0} не проведено DocType: Homepage,Tag Line,Tag Line DocType: Fee Component,Fee Component,плата компонентів apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Управління флотом -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Додати елементи з +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Додати елементи з DocType: Cheque Print Template,Regular,регулярне apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Всього Weightage всіх критеріїв оцінки повинні бути 100% DocType: BOM,Last Purchase Rate,Остання ціна закупівлі @@ -3912,12 +3923,12 @@ DocType: Employee,Reports to,Підпорядкований DocType: SMS Settings,Enter url parameter for receiver nos,Enter url parameter for receiver nos DocType: Payment Entry,Paid Amount,Виплачена сума DocType: Assessment Plan,Supervisor,Супервайзер -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online ,Available Stock for Packing Items,Доступно для пакування DocType: Item Variant,Item Variant,Варіант номенклатурної позиції DocType: Assessment Result Tool,Assessment Result Tool,Оцінка результату інструмент DocType: BOM Scrap Item,BOM Scrap Item,BOM Лом Пункт -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,Відправив замовлення не можуть бути видалені +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Відправив замовлення не можуть бути видалені apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс рахунку в дебет вже, ви не можете встановити "баланс повинен бути", як "Кредит»" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Управління якістю apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Пункт {0} відключена @@ -3946,10 +3957,10 @@ DocType: Payment Entry,Set Exchange Gain / Loss,Встановити Курсо ,Cash Flow,Рух грошових коштів apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Термін подачі заяв не може бути з двох alocation записів DocType: Item Group,Default Expense Account,Витратний рахунок за замовчуванням -apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID +apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ІД епошти студента DocType: Employee,Notice (days),Попередження (днів) DocType: Tax Rule,Sales Tax Template,Шаблон податків на продаж -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Виберіть елементи для збереження рахунку-фактури +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Виберіть елементи для збереження рахунку-фактури DocType: Employee,Encashment Date,Дата виплати DocType: Training Event,Internet,інтернет DocType: Account,Stock Adjustment,Підлаштування інвентаря @@ -3998,10 +4009,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Від apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Макс дозволена знижка для позиції: {0} = {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Чиста вартість активів, як на" DocType: Account,Receivable,Дебіторська заборгованість -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ряд # {0}: Не дозволено змінювати Постачальника оскільки вже існує Замовлення на придбання +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ряд # {0}: Не дозволено змінювати Постачальника оскільки вже існує Замовлення на придбання DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роль, що дозволяє проводити операції, які перевищують ліміти кредитів." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Вибір елементів для виготовлення -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Майстер синхронізації даних, це може зайняти деякий час" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Вибір елементів для виготовлення +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Майстер синхронізації даних, це може зайняти деякий час" DocType: Item,Material Issue,Матеріал Випуск DocType: Hub Settings,Seller Description,Продавець Опис DocType: Employee Education,Qualification,Кваліфікація @@ -4022,11 +4033,10 @@ DocType: BOM,Rate Of Materials Based On,Вартість матеріалів б apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Аналітика підтримки apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Скасувати всі DocType: POS Profile,Terms and Conditions,Положення та умови -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, налаштуйте систему найменування працівників у людських ресурсах> Параметри персоналу" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"""По дату"" повинна бути в межах фінансового року. Припускаючи По дату = {0}" DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Тут ви можете зберегти зріст, вага, алергії, медичні проблеми і т.д." DocType: Leave Block List,Applies to Company,Відноситься до Компанії -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Не можна скасувати, тому що проведений Рух ТМЦ {0} існує" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,"Не можна скасувати, тому що проведений Рух ТМЦ {0} існує" DocType: Employee Loan,Disbursement Date,витрачання Дата DocType: Vehicle,Vehicle,транспортний засіб DocType: Purchase Invoice,In Words,Прописом @@ -4065,7 +4075,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Глобальні на DocType: Assessment Result Detail,Assessment Result Detail,Оцінка результату Detail DocType: Employee Education,Employee Education,Співробітник Освіта apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Повторювана група знахідку в таблиці групи товарів -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Він необхідний для вилучення Подробиці Елементу. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Він необхідний для вилучення Подробиці Елементу. DocType: Salary Slip,Net Pay,"Сума ""на руки""" DocType: Account,Account,Рахунок apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Серійний номер {0} вже отриманий @@ -4073,7 +4083,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,автомобіль Вхід DocType: Purchase Invoice,Recurring Id,Ідентифікатор періодичності DocType: Customer,Sales Team Details,Продажі команд Детальніше -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Видалити назавжди? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Видалити назавжди? DocType: Expense Claim,Total Claimed Amount,Усього сума претензії apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенційні можливості для продажу. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Невірний {0} @@ -4085,7 +4095,7 @@ DocType: Warehouse,PIN,PIN-код apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Визначення своєї школи в ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Базова Зміна Сума (Компанія Валюта) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Немає бухгалтерських записів для наступних складів -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Спочатку збережіть документ. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Спочатку збережіть документ. DocType: Account,Chargeable,Оплаті DocType: Company,Change Abbreviation,Змінити абревіатуру DocType: Expense Claim Detail,Expense Date,Витрати Дата @@ -4099,7 +4109,6 @@ DocType: BOM,Manufacturing User,Виробництво користувача DocType: Purchase Invoice,Raw Materials Supplied,Давальна сировина DocType: Purchase Invoice,Recurring Print Format,Формат періодичного друку DocType: C-Form,Series,Серії -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Очікувана дата поставки не може бути менша за дату Замовлення на придбання DocType: Appraisal,Appraisal Template,Оцінка шаблону DocType: Item Group,Item Classification,Пункт Класифікація apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,менеджер з розвитку бізнесу @@ -4138,12 +4147,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Вибер apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Навчання / Результати apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Накопичений знос на DocType: Sales Invoice,C-Form Applicable,"С-формі, застосовної" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},"Час роботи повинно бути більше, ніж 0 для операції {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},"Час роботи повинно бути більше, ніж 0 для операції {0}" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Склад є обов'язковим DocType: Supplier,Address and Contacts,Адреса та контакти DocType: UOM Conversion Detail,UOM Conversion Detail,Одиниця виміру Перетворення Деталь DocType: Program,Program Abbreviation,Абревіатура програми -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Виробниче замовлення не може бути зроблене на шаблон номенклатурної позиції +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Виробниче замовлення не може бути зроблене на шаблон номенклатурної позиції apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Збори у прихідній накладній оновлюються по кожній позиції DocType: Warranty Claim,Resolved By,Вирішили За DocType: Bank Guarantee,Start Date,Дата початку @@ -4178,6 +4187,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Навчання Зворотній зв'язок apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Виробниче замовлення {0} повинно бути проведеним apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Будь ласка, виберіть дату початку та дату закінчення Пункт {0}" +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,"Встановіть ціль продажу, яку хочете досягти." apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Курс є обов'язковим в рядку {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,На сьогоднішній день не може бути раніше від дати DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType @@ -4196,7 +4206,7 @@ DocType: Account,Income,Дохід DocType: Industry Type,Industry Type,Галузь apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Щось пішло не так! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Увага: Заяви на відпустки містять такі заблоковані дати -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Вихідний рахунок {0} вже проведений +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Вихідний рахунок {0} вже проведений DocType: Assessment Result Detail,Score,рахунок apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Фінансовий рік {0} не існує apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Дата Виконання @@ -4226,7 +4236,7 @@ DocType: Naming Series,Help HTML,Довідка з HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Студентська група Інструмент створення DocType: Item,Variant Based On,Варіант Based On apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Всього weightage призначений повинна бути 100%. Це {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Ваші Постачальники +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Ваші Постачальники apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Неможливо встановити, як втратив у продажу замовлення провадиться." DocType: Request for Quotation Item,Supplier Part No,Номер деталі постачальника apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Чи не можете відняти, коли категорія для "Оцінка" або "Vaulation і Total '" @@ -4236,14 +4246,14 @@ DocType: Item,Has Serial No,Має серійний номер DocType: Employee,Date of Issue,Дата випуску apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: З {0} для {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Згідно Настройці Покупки якщо Купівля Reciept Обов'язково == «YES», то для створення рахунку-фактури, користувач необхідний створити квитанцію про покупку першим за пунктом {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Ряд # {0}: Встановити Постачальник по пункту {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Рядок {0}: значення годин має бути більше нуля. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Ряд # {0}: Встановити Постачальник по пункту {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Рядок {0}: значення годин має бути більше нуля. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,"Зображення для веб-сайту {0}, долучене до об’єкту {1} не може бути знайдене" DocType: Issue,Content Type,Тип вмісту apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Комп'ютер DocType: Item,List this Item in multiple groups on the website.,Включити цей товар у декілька груп на веб сайті. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Будь ласка, перевірте мультивалютний варіант, що дозволяє рахунки іншій валюті" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Пункт: {0} не існує в системі +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Пункт: {0} не існує в системі apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Вам не дозволено встановлювати блокування DocType: Payment Reconciliation,Get Unreconciled Entries,Отримати Неузгоджені Записи DocType: Payment Reconciliation,From Invoice Date,Рахунки-фактури з датою від @@ -4269,7 +4279,7 @@ DocType: Stock Entry,Default Source Warehouse,Склад - джерело за DocType: Item,Customer Code,Код клієнта apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Нагадування про день народження для {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дні з останнього ордена -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,Дебетом рахунка повинні бути баланс рахунку +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,Дебетом рахунка повинні бути баланс рахунку DocType: Buying Settings,Naming Series,Іменування серії DocType: Leave Block List,Leave Block List Name,Назва списку блокування відпусток apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,"Дата страхування початку повинна бути менше, ніж дата страхування End" @@ -4286,7 +4296,7 @@ DocType: Vehicle Log,Odometer,одометр DocType: Sales Order Item,Ordered Qty,Замовлена (ordered) к-сть apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Пункт {0} відключена DocType: Stock Settings,Stock Frozen Upto,Рухи ТМЦ заблоковано по -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Норми не містять жодного елементу запасів +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,Норми не містять жодного елементу запасів apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Період з Період і датам обов'язкових для повторюваних {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Проектна діяльність / завдання. DocType: Vehicle Log,Refuelling Details,заправні Детальніше @@ -4296,7 +4306,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Останню ціну закупівлі не знайдено DocType: Purchase Invoice,Write Off Amount (Company Currency),Списання Сума (Компанія валют) DocType: Sales Invoice Timesheet,Billing Hours,Оплачувані години -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,За замовчуванням BOM для {0} не найден +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,За замовчуванням BOM для {0} не найден apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,"Ряд # {0}: Будь ласка, встановіть кількість перезамовлення" apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Натисніть пункти, щоб додати їх тут" DocType: Fees,Program Enrollment,Програма подачі заявок @@ -4330,6 +4340,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Старіння Діапазон 2 DocType: SG Creation Tool Course,Max Strength,Максимальна міцність apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Норми замінено +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Виберіть елементи на основі дати доставки ,Sales Analytics,Аналітика продажів apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Доступно {0} ,Prospects Engaged But Not Converted,Перспективи Займалися Але не Старовинні @@ -4378,7 +4389,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Знижка apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet для виконання завдань. DocType: Purchase Invoice,Against Expense Account,На рахунки витрат DocType: Production Order,Production Order,Виробниче замовлення -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Відмітка про встановлення {0} вже проведена +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Відмітка про встановлення {0} вже проведена DocType: Bank Reconciliation,Get Payment Entries,Отримати Оплати DocType: Quotation Item,Against Docname,На DOCNAME DocType: SMS Center,All Employee (Active),Всі Співробітник (Активний) @@ -4387,7 +4398,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Сировина Вартість DocType: Item Reorder,Re-Order Level,Рівень дозамовлення DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Введіть позиції і планову к-сть, для яких ви хочете підвищити виробничі замовлення або завантажити сировини для аналізу." -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Діаграма Ганта +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Діаграма Ганта apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Неповний робочий день DocType: Employee,Applicable Holiday List,"Список вихідних, який використовується" DocType: Employee,Cheque,Чек @@ -4444,11 +4455,11 @@ DocType: Bin,Reserved Qty for Production,К-сть зарезервована д DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Залиште прапорець, якщо ви не хочете, щоб розглянути партію, роблячи групу курсів на основі." DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Залиште прапорець, якщо ви не хочете, щоб розглянути партію, роблячи групу курсів на основі." DocType: Asset,Frequency of Depreciation (Months),Частота амортизації (місяців) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Рахунок з кредитовим сальдо +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Рахунок з кредитовим сальдо DocType: Landed Cost Item,Landed Cost Item,Приземлився Вартість товару apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Показати нульові значення DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Кількість пункту отримані після виготовлення / перепакування із заданих кількостях сировини -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Налаштувати простий веб-сайт для моєї організації +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Налаштувати простий веб-сайт для моєї організації DocType: Payment Reconciliation,Receivable / Payable Account,Рахунок Кредиторської / Дебіторської заборгованості DocType: Delivery Note Item,Against Sales Order Item,На Sales Order Пункт apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Будь ласка, сформулюйте Значення атрибуту для атрибуту {0}" @@ -4513,22 +4524,22 @@ DocType: Student,Nationality,національність ,Items To Be Requested,Товари до відвантаження DocType: Purchase Order,Get Last Purchase Rate,Отримати останню ціну закупівлі DocType: Company,Company Info,Інформація про компанію -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Вибрати або додати нового клієнта -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,МВЗ потрібно замовити вимога про витрати +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Вибрати або додати нового клієнта +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,МВЗ потрібно замовити вимога про витрати apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Застосування засобів (активів) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Це засновано на відвідуваності цього співробітника -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Дебетовий рахунок +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Дебетовий рахунок DocType: Fiscal Year,Year Start Date,Дата початку року DocType: Attendance,Employee Name,Ім'я працівника DocType: Sales Invoice,Rounded Total (Company Currency),Заокруглений підсумок (Валюта компанії) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Не можете приховані в групу, тому що обрано тип рахунку." -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,"{0} {1} був змінений. Будь ласка, поновіть." +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,"{0} {1} був змінений. Будь ласка, поновіть." DocType: Leave Block List,Stop users from making Leave Applications on following days.,Завадити користувачам створювати заяви на відпустки на наступні дні. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Закупівельна сума apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Пропозицію постачальника {0} створено apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Рік закінчення не може бути раніше початку року apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Виплати працівникам -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Упакування кількість повинна дорівнювати кількість для пункту {0} в рядку {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Упакування кількість повинна дорівнювати кількість для пункту {0} в рядку {1} DocType: Production Order,Manufactured Qty,Вироблена к-сть DocType: Purchase Receipt Item,Accepted Quantity,Прийнята кількість apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Будь ласка, встановіть список вихідних за замовчуванням для працівника {0} або Компанії {1}" @@ -4539,11 +4550,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Рядок № {0}: Сума не може бути більша ніж сума до погодження по Авансовому звіту {1}. Сума до погодження = {2} DocType: Maintenance Schedule,Schedule,Графік DocType: Account,Parent Account,Батьківський рахунок -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,наявний +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,наявний DocType: Quality Inspection Reading,Reading 3,Читання 3 ,Hub,Концентратор DocType: GL Entry,Voucher Type,Тип документа -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Прайс-лист не знайдений або відключений +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,Прайс-лист не знайдений або відключений DocType: Employee Loan Application,Approved,Затверджений DocType: Pricing Rule,Price,Ціна apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Співробітник звільняється від {0} повинен бути встановлений як "ліві" @@ -4576,7 +4587,7 @@ DocType: Production Planning Tool,Pull sales orders (pending to deliver) based o DocType: Pricing Rule,Min Qty,Мін. к-сть DocType: Asset Movement,Transaction Date,Дата операції DocType: Production Plan Item,Planned Qty,Планована к-сть -apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Загальні податкові +apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Усього податків apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Для Кількість (Виробник Кількість) є обов'язковим DocType: Stock Entry,Default Target Warehouse,Склад призначення за замовчуванням DocType: Purchase Invoice,Net Total (Company Currency),Чистий підсумок (у валюті компанії) @@ -4613,10 +4624,10 @@ DocType: SMS Settings,Static Parameters,Статичні параметри DocType: Assessment Plan,Room,кімната DocType: Purchase Order,Advance Paid,Попередньо оплачено DocType: Item,Item Tax,Податки -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Матеріал Постачальнику +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Матеріал Постачальнику apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Акцизний Рахунок apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% з'являється більше одного разу -DocType: Expense Claim,Employees Email Id,Співробітники Email ID +DocType: Expense Claim,Employees Email Id,ІД епошти співробітника DocType: Employee Attendance Tool,Marked Attendance,Внесена відвідуваність apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Поточні зобов'язання apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Відправити SMS масового вашим контактам @@ -4653,7 +4664,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,модель DocType: Production Order,Actual Operating Cost,Фактична Операційна Вартість DocType: Payment Entry,Cheque/Reference No,Номер Чеку / Посилання -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Постачальник> Тип постачальника apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Корінь не може бути змінений. DocType: Item,Units of Measure,одиниці виміру DocType: Manufacturing Settings,Allow Production on Holidays,Дозволити виробництво на вихідних @@ -4686,12 +4696,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Кредитні Дні apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Make Student Batch DocType: Leave Type,Is Carry Forward,Є переносити -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Отримати елементи з норм +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Отримати елементи з норм apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Час на поставку в днях -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Рядок # {0}: Дата створення повинна бути такою ж, як дата покупки {1} активу {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Рядок # {0}: Дата створення повинна бути такою ж, як дата покупки {1} активу {2}" DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,"Перевірте це, якщо студент проживає в гуртожитку інституту." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Будь ласка, введіть Замовлення клієнтів у наведеній вище таблиці" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Чи не Опубліковано Зарплатні Slips +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Чи не Опубліковано Зарплатні Slips ,Stock Summary,сумарний стік apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Передача активу з одного складу на інший DocType: Vehicle,Petrol,бензин diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv index bac3b3348de..e28395a8e35 100644 --- a/erpnext/translations/ur.csv +++ b/erpnext/translations/ur.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,ڈیلر DocType: Employee,Rented,کرایے DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,صارف کے لئے قابل اطلاق -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",روک پروڈکشن آرڈر منسوخ نہیں کیا جا سکتا، منسوخ کرنے کے لئے سب سے پہلے اس Unstop +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",روک پروڈکشن آرڈر منسوخ نہیں کیا جا سکتا، منسوخ کرنے کے لئے سب سے پہلے اس Unstop DocType: Vehicle Service,Mileage,میلانہ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,اگر تم واقعی اس اثاثہ کو ختم کرنا چاہتے ہیں؟ apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,طے شدہ پردایک @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,٪ بل apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),زر مبادلہ کی شرح کے طور پر ایک ہی ہونا چاہیے {0} {1} ({2}) DocType: Sales Invoice,Customer Name,گاہک کا نام DocType: Vehicle,Natural Gas,قدرتی گیس -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},بینک اکاؤنٹ کے طور پر نامزد نہیں کیا جا سکتا {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},بینک اکاؤنٹ کے طور پر نامزد نہیں کیا جا سکتا {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,سربراہان (یا گروپ) جس کے خلاف اکاؤنٹنگ اندراجات بنا رہے ہیں اور توازن برقرار رکھا جاتا ہے. apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),بقایا {0} نہیں ہو سکتا کے لئے صفر سے بھی کم ({1}) DocType: Manufacturing Settings,Default 10 mins,10 منٹس پہلے سے طے شدہ @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,قسم کا نام چھوڑ دو apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,کھلی دکھائیں apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,سیریز کو کامیابی سے حالیہ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,اس کو دیکھو -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural جرنل اندراج پیش +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural جرنل اندراج پیش DocType: Pricing Rule,Apply On,پر لگائیں DocType: Item Price,Multiple Item prices.,ایک سے زیادہ اشیاء کی قیمتوں. ,Purchase Order Items To Be Received,خریداری کے آرڈر اشیا موصول ہونے @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,ادائیگی اکاؤ apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,دکھائیں متغیرات DocType: Academic Term,Academic Term,تعلیمی مدت apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,مواد -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,مقدار +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,مقدار apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,میز اکاؤنٹس خالی نہیں رہ سکتی. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),قرضے (واجبات) DocType: Employee Education,Year of Passing,پاسنگ کا سال @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,صحت کی دیکھ بھال apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ادائیگی میں تاخیر (دن) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,سروس کے اخراجات -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},سیریل نمبر: {0} نے پہلے ہی فروخت انوائس میں محولہ ہے: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,انوائس +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},سیریل نمبر: {0} نے پہلے ہی فروخت انوائس میں محولہ ہے: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,انوائس DocType: Maintenance Schedule Item,Periodicity,مدت apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,مالی سال {0} کی ضرورت ہے -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,متوقع تاریخ کی ترسیل سے پہلے سیلز آرڈر تاریخ ہونا ہے apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,دفاع DocType: Salary Component,Abbr,Abbr DocType: Appraisal Goal,Score (0-5),اسکور (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,صف # {0}: DocType: Timesheet,Total Costing Amount,کل لاگت رقم DocType: Delivery Note,Vehicle No,گاڑی نہیں -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,قیمت کی فہرست براہ مہربانی منتخب کریں +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,قیمت کی فہرست براہ مہربانی منتخب کریں apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,صف # {0}: ادائیگی کی دستاویز trasaction مکمل کرنے کی ضرورت ہے DocType: Production Order Operation,Work In Progress,کام جاری ہے apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,تاریخ منتخب کیجیے @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} میں کوئی فعال مالی سال نہیں. DocType: Packed Item,Parent Detail docname,والدین تفصیل docname apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",حوالہ: {0}، آئٹم کوڈ: {1} اور کسٹمر: {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,کلو +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,کلو DocType: Student Log,Log,لاگ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ایک کام کے لئے کھولنے. DocType: Item Attribute,Increment,اضافہ @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,شادی apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},کی اجازت نہیں {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,سے اشیاء حاصل -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},اسٹاک ترسیل کے نوٹ کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},اسٹاک ترسیل کے نوٹ کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},پروڈکٹ {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,کوئی آئٹم مندرج DocType: Payment Reconciliation,Reconcile,مصالحت @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,پن apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,اگلا ہراس تاریخ تاریخ کی خریداری سے پہلے نہیں ہو سکتا DocType: SMS Center,All Sales Person,تمام فروخت شخص DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ماہانہ ڈسٹریبیوش ** آپ کو مہینوں بھر بجٹ / نشانے کی تقسیم سے آپ کو آپ کے کاروبار میں seasonality کے ہو تو میں مدد ملتی ہے. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,آئٹم نہیں ملا +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,آئٹم نہیں ملا apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,تنخواہ ساخت لاپتہ DocType: Lead,Person Name,شخص کا نام DocType: Sales Invoice Item,Sales Invoice Item,فروخت انوائس آئٹم @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","فکسڈ اثاثہ ہے" اثاثہ ریکارڈ کی شے کے خلاف موجود نہیں کے طور پر، انینترت ہو سکتا ہے DocType: Vehicle Service,Brake Oil,وقفے تیل DocType: Tax Rule,Tax Type,ٹیکس کی قسم -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,قابل ٹیکس رقم +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,قابل ٹیکس رقم apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},تم سے پہلے اندراجات شامل کرنے یا اپ ڈیٹ کرنے کی اجازت نہیں ہے {0} DocType: BOM,Item Image (if not slideshow),آئٹم تصویر (سلائڈ شو نہیں تو) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ایک کسٹمر کو ایک ہی نام کے ساتھ موجود DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,ڰنٹےکی شرح / 60) * اصل آپریشن کے وقت) -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,BOM منتخب +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,BOM منتخب DocType: SMS Log,SMS Log,ایس ایم ایس لاگ ان apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ہونے والا اشیا کی لاگت apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} پر چھٹی تاریخ سے اور تاریخ کے درمیان نہیں ہے @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,اسکولوں DocType: School Settings,Validate Batch for Students in Student Group,طالب علم گروپ کے طلبا کے بیچ کی توثیق apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ملازم کیلئے کوئی چھٹی ریکارڈ {0} کے لئے {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,پہلی کمپنی داخل کریں -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,پہلی کمپنی کا انتخاب کریں +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,پہلی کمپنی کا انتخاب کریں DocType: Employee Education,Under Graduate,گریجویٹ کے تحت apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,ہدف پر DocType: BOM,Total Cost,کل لاگت DocType: Journal Entry Account,Employee Loan,ملازم قرض -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,سرگرمی لاگ ان: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} آئٹم نظام میں موجود نہیں ہے یا ختم ہو گیا ہے +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,سرگرمی لاگ ان: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,{0} آئٹم نظام میں موجود نہیں ہے یا ختم ہو گیا ہے apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,ریل اسٹیٹ کی apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,اکاؤنٹ کا بیان apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,دواسازی @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,دعوے کی رقم apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer گروپ کے ٹیبل میں پایا ڈوپلیکیٹ گاہک گروپ apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,پردایک قسم / سپلائر DocType: Naming Series,Prefix,اپسرگ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,براہ کرم سیٹ اپ کے ترتیبات کے ذریعے {0} سیریز کے نام کا نام سیٹ کریں -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,فراہمی +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,فراہمی DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,درآمد لاگ ان DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ھیںچو اوپر کے معیار کی بنیاد پر قسم تیاری کے مواد کی گذارش DocType: Training Result Employee,Grade,گریڈ DocType: Sales Invoice Item,Delivered By Supplier,سپلائر کی طرف سے نجات بخشی DocType: SMS Center,All Contact,تمام رابطہ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,پروڈکشن آرڈر پہلے سے ہی BOM کے ساتھ تمام اشیاء کے لئے پیدا +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,پروڈکشن آرڈر پہلے سے ہی BOM کے ساتھ تمام اشیاء کے لئے پیدا apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,سالانہ تنخواہ DocType: Daily Work Summary,Daily Work Summary,روز مرہ کے کام کا خلاصہ DocType: Period Closing Voucher,Closing Fiscal Year,مالی سال بند -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1} منجمد ھو گیا ھے +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1} منجمد ھو گیا ھے apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,اکاؤنٹس کا چارٹ بنانے کے لئے موجودہ کمپنی براہ مہربانی منتخب کریں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,اسٹاک اخراجات apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,کے ھدف گودام کریں @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},مقدار مسترد منظور + شے کے لئے موصول مقدار کے برابر ہونا چاہیے {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,خام مال کی سپلائی کی خریداری کے لئے -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,ادائیگی کی کم از کم ایک موڈ POS انوائس کے لئے ضروری ہے. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,ادائیگی کی کم از کم ایک موڈ POS انوائس کے لئے ضروری ہے. DocType: Products Settings,Show Products as a List,شو کی مصنوعات ایک فہرست کے طور DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",، سانچہ ڈاؤن لوڈ مناسب اعداد و شمار کو بھرنے کے اور نظر ثانی شدہ فائل منسلک. منتخب مدت میں تمام تاریخوں اور ملازم مجموعہ موجودہ حاضری کے ریکارڈز کے ساتھ، سانچے میں آ جائے گا apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} آئٹم فعال نہیں ہے یا زندگی کے اختتام تک پہنچ گیا ہے -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,مثال: بنیادی ریاضی -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شے کی درجہ بندی میں صف {0} میں ٹیکس شامل کرنے کے لئے، قطار میں ٹیکس {1} بھی شامل کیا جانا چاہئے +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,مثال: بنیادی ریاضی +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شے کی درجہ بندی میں صف {0} میں ٹیکس شامل کرنے کے لئے، قطار میں ٹیکس {1} بھی شامل کیا جانا چاہئے apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,HR ماڈیول کے لئے ترتیبات DocType: SMS Center,SMS Center,ایس ایم ایس مرکز DocType: Sales Invoice,Change Amount,رقم تبدیل @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},تنصیب کی تاریخ شے کے لئے کی ترسیل کی تاریخ سے پہلے نہیں ہو سکتا {0} DocType: Pricing Rule,Discount on Price List Rate (%),قیمت کی فہرست کی شرح پر ڈسکاؤنٹ (٪) DocType: Offer Letter,Select Terms and Conditions,منتخب کریں شرائط و ضوابط -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,آؤٹ ویلیو +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,آؤٹ ویلیو DocType: Production Planning Tool,Sales Orders,فروخت کے احکامات DocType: Purchase Taxes and Charges,Valuation,تشخیص ,Purchase Order Trends,آرڈر رجحانات خریدیں @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,انٹری افتتاح ہے DocType: Customer Group,Mention if non-standard receivable account applicable,ذکر غیر معیاری وصولی اکاؤنٹ اگر قابل اطلاق ہو DocType: Course Schedule,Instructor Name,انسٹرکٹر نام -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,گودام کے لئے جمع کرانے سے پہلے کی ضرورت ہے +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,گودام کے لئے جمع کرانے سے پہلے کی ضرورت ہے apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,پر موصول DocType: Sales Partner,Reseller,ری سیلر DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.",جانچ پڑتال کی تو مواد کی درخواستوں میں غیر اسٹاک اشیاء میں شامل ہوں گے. @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,فروخت انوائس آئٹم خلاف ,Production Orders in Progress,پیش رفت میں پیداوار کے احکامات apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,فنانسنگ کی طرف سے نیٹ کیش -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا DocType: Lead,Address & Contact,ایڈریس اور رابطہ DocType: Leave Allocation,Add unused leaves from previous allocations,گزشتہ آونٹن سے غیر استعمال شدہ پتے شامل apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},اگلا مکرر {0} پر پیدا کیا جائے گا {1} DocType: Sales Partner,Partner website,شراکت دار کا ویب سائٹ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,آئٹم شامل کریں -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,رابطے کا نام +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,رابطے کا نام DocType: Course Assessment Criteria,Course Assessment Criteria,بلاشبہ تشخیص کا معیار DocType: Process Payroll,Creates salary slip for above mentioned criteria.,مندرجہ بالا معیار کے لئے تنخواہ پرچی بناتا ہے. DocType: POS Customer Group,POS Customer Group,POS گاہک گروپ @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,صف {0}: براہ مہربانی چیک کریں کے اکاؤنٹ کے خلاف 'ایڈوانس ہے' {1} اس پیشگی اندراج ہے. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},{0} گودام کمپنی سے تعلق نہیں ہے {1} DocType: Email Digest,Profit & Loss,منافع اور نقصان -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,Litre DocType: Task,Total Costing Amount (via Time Sheet),کل لاگت کی رقم (وقت شیٹ کے ذریعے) DocType: Item Website Specification,Item Website Specification,شے کی ویب سائٹ کی تفصیلات apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,چھوڑ کریں @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,فروخت انوائس کوئی DocType: Material Request Item,Min Order Qty,کم از کم آرڈر کی مقدار DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,طالب علم گروپ کی تخلیق کا آلہ کورس DocType: Lead,Do Not Contact,سے رابطہ نہیں کرتے -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,آپ کی تنظیم میں پڑھانے والے لوگ +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,آپ کی تنظیم میں پڑھانے والے لوگ DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,تمام بار بار چلنے والی رسیدیں باخبر رکھنے کے لئے منفرد ID. یہ جمع کرانے پر پیدا کیا جاتا ہے. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,سافٹ ویئر ڈویلپر DocType: Item,Minimum Order Qty,کم از کم آرڈر کی مقدار @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,حب میں شائع DocType: Student Admission,Student Admission,طالب علم داخلہ ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} آئٹم منسوخ کر دیا ہے -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,مواد کی درخواست +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,مواد کی درخواست DocType: Bank Reconciliation,Update Clearance Date,اپ ڈیٹ کی کلیئرنس تاریخ DocType: Item,Purchase Details,خریداری کی تفصیلات apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},خریداری کے آرڈر میں خام مال کی فراہمی 'کے ٹیبل میں شے نہیں مل سکا {0} {1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,فلیٹ مینیجر apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},قطار # {0}: {1} شے کے لئے منفی نہیں ہوسکتا ہے {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,غلط شناختی لفظ DocType: Item,Variant Of,کے مختلف -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',کے مقابلے میں 'مقدار تعمیر کرنے' مکمل مقدار زیادہ نہیں ہو سکتا +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',کے مقابلے میں 'مقدار تعمیر کرنے' مکمل مقدار زیادہ نہیں ہو سکتا DocType: Period Closing Voucher,Closing Account Head,اکاؤنٹ ہیڈ بند DocType: Employee,External Work History,بیرونی کام کی تاریخ apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,سرکلر حوالہ خرابی @@ -377,10 +375,11 @@ DocType: Delivery Note,In Words (Export) will be visible once you save the Deliv DocType: Cheque Print Template,Distance from left edge,بائیں کنارے سے فاصلہ DocType: Lead,Industry,صنعت DocType: Employee,Job Profile,کام پروفائل +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,یہ اس کمپنی کے خلاف ٹرانزیکشن پر مبنی ہے. تفصیلات کے لئے ذیل میں ٹائم لائن ملاحظہ کریں DocType: Stock Settings,Notify by Email on creation of automatic Material Request,خود کار طریقے سے مواد کی درخواست کی تخلیق پر ای میل کے ذریعے مطلع کریں DocType: Journal Entry,Multi Currency,ملٹی کرنسی DocType: Payment Reconciliation Invoice,Invoice Type,انوائس کی قسم -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,ترسیل کے نوٹ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,ترسیل کے نوٹ apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ٹیکس قائم apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,فروخت اثاثہ کی قیمت apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,آپ اسے نکالا بعد ادائیگی انٹری پر نظر ثانی کر دیا گیا ہے. اسے دوبارہ ھیںچو براہ مہربانی. @@ -403,10 +402,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,درج میدان قیمت 'دن ماہ پر دہرائیں براہ مہربانی DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,کسٹمر کرنسی کسٹمر کی بنیاد کرنسی تبدیل کیا جاتا ہے جس میں شرح DocType: Course Scheduling Tool,Course Scheduling Tool,کورس شیڈولنگ کا آلہ -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},صف # {0}: خریداری کی رسید ایک موجودہ اثاثہ کے خلاف بنایا نہیں جا سکتا {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},صف # {0}: خریداری کی رسید ایک موجودہ اثاثہ کے خلاف بنایا نہیں جا سکتا {1} DocType: Item Tax,Tax Rate,ٹیکس کی شرح apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} پہلے ہی ملازم کے لئے مختص {1} کی مدت {2} کے لئے {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,منتخب آئٹم +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,منتخب آئٹم apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,انوائس {0} پہلے ہی پیش کیا جاتا ہے کی خریداری apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},صف # {0}: بیچ کوئی طور پر ایک ہی ہونا ضروری ہے {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,غیر گروپ میں تبدیل @@ -444,7 +443,7 @@ DocType: Employee,Widowed,بیوہ DocType: Request for Quotation,Request for Quotation,کوٹیشن کے لئے درخواست DocType: Salary Slip Timesheet,Working Hours,کام کے اوقات DocType: Naming Series,Change the starting / current sequence number of an existing series.,ایک موجودہ سیریز کے شروع / موجودہ ترتیب تعداد کو تبدیل کریں. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,ایک نئے گاہک بنائیں +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,ایک نئے گاہک بنائیں apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",ایک سے زیادہ قیمتوں کا تعین قواعد غالب کرنے کے لئے جاری ہے، صارفین تنازعہ کو حل کرنے دستی طور پر ترجیح مقرر کرنے کو کہا جاتا. apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,خریداری کے آرڈر بنائیں ,Purchase Register,خریداری رجسٹر @@ -470,7 +469,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,آڈیٹر نام DocType: Purchase Invoice Item,Quantity and Rate,مقدار اور شرح DocType: Delivery Note,% Installed,٪ نصب -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس روم / لیبارٹریز وغیرہ جہاں لیکچر شیڈول کر سکتے ہیں. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس روم / لیبارٹریز وغیرہ جہاں لیکچر شیڈول کر سکتے ہیں. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,پہلی کمپنی کا نام درج کریں DocType: Purchase Invoice,Supplier Name,سپلائر کے نام apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext دستی پڑھیں @@ -487,7 +486,7 @@ DocType: Account,Old Parent,پرانا والدین apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,لازمی فیلڈ - تعلیمی سال apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,لازمی فیلڈ - تعلیمی سال DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,اس ای میل کا ایک حصہ کے طور پر چلا جاتا ہے کہ تعارفی متن کی تخصیص کریں. ہر ٹرانزیکشن ایک علیحدہ تعارفی متن ہے. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},کمپنی کے لیے ڈیفالٹ قابل ادائیگی اکاؤنٹ سیٹ مہربانی {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},کمپنی کے لیے ڈیفالٹ قابل ادائیگی اکاؤنٹ سیٹ مہربانی {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,تمام مینوفیکچرنگ کے عمل کے لئے عالمی ترتیبات. DocType: Accounts Settings,Accounts Frozen Upto,منجمد تک اکاؤنٹس DocType: SMS Log,Sent On,پر بھیجا @@ -527,7 +526,7 @@ DocType: Journal Entry,Accounts Payable,واجب الادا کھاتہ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,منتخب شدہ BOMs ہی شے کے لئے نہیں ہیں DocType: Pricing Rule,Valid Upto,درست تک DocType: Training Event,Workshop,ورکشاپ -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,آپ کے گاہکوں میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے. +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,آپ کے گاہکوں میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے. apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,بس بہت کچھ حصوں کی تعمیر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,براہ راست آمدنی apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",اکاؤنٹ کی طرف سے گروپ ہے، اکاؤنٹ کی بنیاد پر فلٹر نہیں کر سکتے ہیں @@ -535,7 +534,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,کورس کا انتخاب کریں apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,کورس کا انتخاب کریں DocType: Timesheet Detail,Hrs,بجے -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,کمپنی کا انتخاب کریں +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,کمپنی کا انتخاب کریں DocType: Stock Entry Detail,Difference Account,فرق اکاؤنٹ DocType: Purchase Invoice,Supplier GSTIN,سپلائر GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,اس کا انحصار کام {0} بند نہیں ہے کے طور پر قریب کام نہیں کر سکتے ہیں. @@ -552,7 +551,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,حد 0 فیصد گریڈ کی وضاحت براہ مہربانی DocType: Sales Order,To Deliver,نجات کے لئے DocType: Purchase Invoice Item,Item,آئٹم -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,سیریل کوئی شے ایک حصہ نہیں ہو سکتا +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,سیریل کوئی شے ایک حصہ نہیں ہو سکتا DocType: Journal Entry,Difference (Dr - Cr),فرق (ڈاکٹر - CR) DocType: Account,Profit and Loss,نفع اور نقصان apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,منیجنگ ذیلی سمجھوتے @@ -578,7 +577,7 @@ DocType: Serial No,Warranty Period (Days),وارنٹی مدت (دن) DocType: Installation Note Item,Installation Note Item,تنصیب نوٹ آئٹم DocType: Production Plan Item,Pending Qty,زیر مقدار DocType: Budget,Ignore,نظر انداز -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} فعال نہیں ہے +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} فعال نہیں ہے apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},ایس ایم ایس مندرجہ ذیل نمبروں کے لئے بھیجا: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,پرنٹنگ کے لئے سیٹ اپ کے چیک جہتوں DocType: Salary Slip,Salary Slip Timesheet,تنخواہ کی پرچی Timesheet @@ -684,8 +683,8 @@ DocType: Installation Note,IN-,میں- DocType: Production Order Operation,In minutes,منٹوں میں DocType: Issue,Resolution Date,قرارداد تاریخ DocType: Student Batch Name,Batch Name,بیچ کا نام -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Timesheet پیدا کیا: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},ادائیگی کے موڈ میں پہلے سے طے شدہ نقد یا بینک اکاؤنٹ مقرر کریں {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Timesheet پیدا کیا: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},ادائیگی کے موڈ میں پہلے سے طے شدہ نقد یا بینک اکاؤنٹ مقرر کریں {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,اندراج کریں DocType: GST Settings,GST Settings,GST ترتیبات DocType: Selling Settings,Customer Naming By,کی طرف سے گاہک نام دینے @@ -705,7 +704,7 @@ DocType: Activity Cost,Projects User,منصوبوں صارف apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,بسم apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} انوائس کی تفصیلات ٹیبل میں نہیں ملا DocType: Company,Round Off Cost Center,لاگت مرکز منہاج القرآن -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,بحالی کا {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,بحالی کا {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے DocType: Item,Material Transfer,مواد کی منتقلی apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),افتتاحی (ڈاکٹر) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},پوسٹنگ ٹائمسٹیمپ کے بعد ہونا ضروری ہے {0} @@ -714,7 +713,7 @@ DocType: Employee Loan,Total Interest Payable,کل سود قابل ادائیگ DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,لینڈڈ لاگت ٹیکسز اور چارجز DocType: Production Order Operation,Actual Start Time,اصل وقت آغاز DocType: BOM Operation,Operation Time,آپریشن کے وقت -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,ختم +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,ختم apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,بنیاد DocType: Timesheet,Total Billed Hours,کل بل گھنٹے DocType: Journal Entry,Write Off Amount,رقم لکھیں @@ -741,7 +740,7 @@ DocType: Vehicle,Odometer Value (Last),odometer قیمت (سابقہ) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,مارکیٹنگ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ادائیگی انٹری پہلے ہی تخلیق کیا جاتا ہے DocType: Purchase Receipt Item Supplied,Current Stock,موجودہ اسٹاک -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},صف # {0}: {1} اثاثہ آئٹم سے منسلک نہیں کرتا {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},صف # {0}: {1} اثاثہ آئٹم سے منسلک نہیں کرتا {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,پیش نظارہ تنخواہ کی پرچی apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,اکاؤنٹ {0} کئی بار داخل کیا گیا ہے DocType: Account,Expenses Included In Valuation,اخراجات تشخیص میں شامل @@ -765,7 +764,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ایروا DocType: Journal Entry,Credit Card Entry,کریڈٹ کارڈ انٹری apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,کمپنی اور اکاؤنٹس apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,سامان سپلائر کی طرف سے موصول. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,قدر میں +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,قدر میں DocType: Lead,Campaign Name,مہم کا نام DocType: Selling Settings,Close Opportunity After Days,دن کے بعد موقع بند کریں ,Reserved,محفوظ @@ -790,17 +789,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,توانائی DocType: Opportunity,Opportunity From,سے مواقع apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,ماہانہ تنخواہ بیان. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,قطار {0}: {1} آئٹم {2} کے لئے سیریل نمبر ضروری ہے. آپ نے {3} فراہم کیا ہے. DocType: BOM,Website Specifications,ویب سائٹ نردجیکرن apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: سے {0} قسم کا {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,صف {0}: تبادلوں فیکٹر لازمی ہے DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",اسی معیار کے ساتھ ایک سے زیادہ قیمت کے قوانین موجود ہیں، براہ کرم ترجیحات کو تفویض کرکے تنازعات کو حل کریں. قیمت کے قواعد: {0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,غیر فعال یا اسے دوسرے BOMs ساتھ منسلک کیا جاتا کے طور پر BOM منسوخ نہیں کر سکتے +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,غیر فعال یا اسے دوسرے BOMs ساتھ منسلک کیا جاتا کے طور پر BOM منسوخ نہیں کر سکتے DocType: Opportunity,Maintenance,بحالی DocType: Item Attribute Value,Item Attribute Value,شے کی قیمت خاصیت apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,سیلز مہمات. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Timesheet بنائیں +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Timesheet بنائیں DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -834,7 +834,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ای میل اکاؤنٹ سیٹ اپ کیا apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,پہلی شے داخل کریں DocType: Account,Liability,ذمہ داری -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,منظور رقم صف میں دعوے کی رقم سے زیادہ نہیں ہو سکتا {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,منظور رقم صف میں دعوے کی رقم سے زیادہ نہیں ہو سکتا {0}. DocType: Company,Default Cost of Goods Sold Account,سامان فروخت اکاؤنٹ کے پہلے سے طے شدہ لاگت apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,قیمت کی فہرست منتخب نہیں DocType: Employee,Family Background,خاندانی پس منظر @@ -845,10 +845,10 @@ DocType: Company,Default Bank Account,پہلے سے طے شدہ بینک اکا apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",پارٹی کی بنیاد پر فلٹر کرنے کے لئے، منتخب پارٹی پہلی قسم apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},اشیاء کے ذریعے فراہم نہیں کر رہے ہیں 'اپ ڈیٹ اسٹاک' کی چیک نہیں کیا جا سکتا{0} DocType: Vehicle,Acquisition Date,ارجن تاریخ -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,نمبر +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,نمبر DocType: Item,Items with higher weightage will be shown higher,اعلی اہمیت کے ساتھ اشیاء زیادہ دکھایا جائے گا DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,بینک مصالحتی تفصیل -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,صف # {0}: اثاثہ {1} پیش کرنا ضروری ہے +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,صف # {0}: اثاثہ {1} پیش کرنا ضروری ہے apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,کوئی ملازم پایا DocType: Supplier Quotation,Stopped,روک DocType: Item,If subcontracted to a vendor,ایک وینڈر کے ٹھیکے تو @@ -865,7 +865,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,کم از کم انوائ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: لاگت مرکز {2} کمپنی سے تعلق نہیں ہے {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: اکاؤنٹ {2} ایک گروپ نہیں ہو سکتا apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,آئٹم صف {IDX): (DOCTYPE} {} DOCNAME مندرجہ بالا میں موجود نہیں ہے '{DOCTYPE}' کے ٹیبل -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,Timesheet {0} پہلے ہی مکمل یا منسوخ کر دیا ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,Timesheet {0} پہلے ہی مکمل یا منسوخ کر دیا ہے apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,کوئی کاموں DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",آٹو رسید 05، 28 وغیرہ مثال کے طور پر پیدا کیا جائے گا جس پر مہینے کا دن DocType: Asset,Opening Accumulated Depreciation,جمع ہراس کھولنے @@ -924,7 +924,7 @@ DocType: SMS Log,Requested Numbers,درخواست نمبر DocType: Production Planning Tool,Only Obtain Raw Materials,صرف خام مال حاصل apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,کارکردگی تشخیص. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",کو چالو کرنے کے طور پر خریداری کی ٹوکری چالو حالت میں ہے، 'خریداری کی ٹوکری کے لئے استعمال کریں' اور خریداری کی ٹوکری کے لئے کم از کم ایک ٹیکس حکمرانی نہیں ہونا چاہئے -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",ادائیگی انٹری {0} آرڈر {1}، اسے اس انوائس میں پیشگی کے طور پر نکالا جانا چاہئے تو چیک خلاف منسلک ہے. +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",ادائیگی انٹری {0} آرڈر {1}، اسے اس انوائس میں پیشگی کے طور پر نکالا جانا چاہئے تو چیک خلاف منسلک ہے. DocType: Sales Invoice Item,Stock Details,اسٹاک کی تفصیلات apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,پروجیکٹ ویلیو apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,پوائنٹ کے فروخت @@ -947,15 +947,15 @@ DocType: Naming Series,Update Series,اپ ڈیٹ سیریز DocType: Supplier Quotation,Is Subcontracted,ٹھیکے ہے DocType: Item Attribute,Item Attribute Values,آئٹم خاصیت فہرست DocType: Examination Result,Examination Result,امتحان کے نتائج -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,خریداری کی رسید +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,خریداری کی رسید ,Received Items To Be Billed,موصول ہونے والی اشیاء بل بھیجا جائے کرنے کے لئے -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,پیش تنخواہ تخم +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,پیش تنخواہ تخم apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,کرنسی کی شرح تبادلہ ماسٹر. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},حوالۂ ڈاٹپائپ میں سے ایک ہونا لازمی ہے {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},آپریشن کے لئے اگلے {0} دنوں میں وقت سلاٹ تلاش کرنے سے قاصر {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},آپریشن کے لئے اگلے {0} دنوں میں وقت سلاٹ تلاش کرنے سے قاصر {1} DocType: Production Order,Plan material for sub-assemblies,ذیلی اسمبلیوں کے لئے منصوبہ مواد apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,سیلز شراکت دار اور علاقہ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} فعال ہونا ضروری ہے +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} فعال ہونا ضروری ہے DocType: Journal Entry,Depreciation Entry,ہراس انٹری apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,پہلی دستاویز کی قسم منتخب کریں apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,اس کی بحالی کا منسوخ کرنے سے پہلے منسوخ مواد دورہ {0} @@ -965,7 +965,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,کل رقم apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,انٹرنیٹ پبلشنگ DocType: Production Planning Tool,Production Orders,پیداوار کے احکامات -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,بیلنس ویلیو +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,بیلنس ویلیو apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,سیلز قیمت کی فہرست apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,اشیاء مطابقت پذیر کرنے کے شائع DocType: Bank Reconciliation,Account Currency,اکاؤنٹ کی کرنسی @@ -990,12 +990,12 @@ DocType: Employee,Exit Interview Details,باہر نکلیں انٹرویو کی DocType: Item,Is Purchase Item,خریداری آئٹم DocType: Asset,Purchase Invoice,خریداری کی رسید DocType: Stock Ledger Entry,Voucher Detail No,واؤچر تفصیل کوئی -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,نئے فروخت انوائس +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,نئے فروخت انوائس DocType: Stock Entry,Total Outgoing Value,کل سبکدوش ہونے والے ویلیو apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,تاریخ اور آخری تاریخ کھولنے اسی مالی سال کے اندر اندر ہونا چاہئے DocType: Lead,Request for Information,معلومات کے لئے درخواست ,LeaderBoard,لیڈر -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,مطابقت پذیری حاضر انوائس +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,مطابقت پذیری حاضر انوائس DocType: Payment Request,Paid,ادائیگی DocType: Program Fee,Program Fee,پروگرام کی فیس DocType: Salary Slip,Total in words,الفاظ میں کل @@ -1003,7 +1003,7 @@ DocType: Material Request Item,Lead Time Date,لیڈ وقت تاریخ DocType: Guardian,Guardian Name,سرپرست کا نام DocType: Cheque Print Template,Has Print Format,پرنٹ کی شکل ہے DocType: Employee Loan,Sanctioned,منظور -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,لازمی ہے. ہو سکتا ہے کہ کرنسی ایکسچینج ریکارڈ موجودنھئں +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,لازمی ہے. ہو سکتا ہے کہ کرنسی ایکسچینج ریکارڈ موجودنھئں apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},صف # {0}: شے کے لئے کوئی سیریل کی وضاحت کریں {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",'پروڈکٹ بنڈل' اشیاء، گودام، سیریل نمبر اور بیچ کے لئے نہیں 'پیکنگ کی فہرست کی میز سے غور کیا جائے گا. گودام اور بیچ کسی بھی 'پروڈکٹ بنڈل' شے کے لئے تمام پیکنگ اشیاء کے لئے ایک ہی ہیں، ان اقدار بنیادی شے کے ٹیبل میں داخل کیا جا سکتا، اقدار ٹیبل 'پیکنگ کی فہرست' کے لئے کاپی کیا جائے گا. DocType: Job Opening,Publish on website,ویب سائٹ پر شائع کریں @@ -1016,7 +1016,7 @@ DocType: Cheque Print Template,Date Settings,تاریخ کی ترتیبات apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,بادبانی ,Company Name,کمپنی کا نام DocType: SMS Center,Total Message(s),کل پیغام (ے) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,منتقلی کے لئے منتخب آئٹم +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,منتقلی کے لئے منتخب آئٹم DocType: Purchase Invoice,Additional Discount Percentage,اضافی ڈسکاؤنٹ فی صد apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,تمام قسم کی مدد ویڈیوز کی ایک فہرست دیکھیں DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,چیک جمع کیا گیا تھا جہاں بینک کے اکاؤنٹ منتخب کریں سر. @@ -1031,7 +1031,7 @@ DocType: BOM,Raw Material Cost(Company Currency),خام مواد کی لاگت ( apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,تمام اشیاء پہلے ہی اس پروڈکشن آرڈر کے لئے منتقل کر دیا گیا ہے. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},صف # {0}: شرح میں استعمال کی شرح سے زیادہ نہیں ہو سکتا {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},صف # {0}: شرح میں استعمال کی شرح سے زیادہ نہیں ہو سکتا {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,میٹر +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,میٹر DocType: Workstation,Electricity Cost,بجلی کی لاگت DocType: HR Settings,Don't send Employee Birthday Reminders,ملازم سالگرہ کی یاددہانیاں نہ بھیجیں DocType: Item,Inspection Criteria,معائنہ کا کلیہ @@ -1046,7 +1046,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,پیشگی ادا کرنے DocType: Item,Automatically Create New Batch,خود کار طریقے سے نئی کھیپ بنائیں DocType: Item,Automatically Create New Batch,خود کار طریقے سے نئی کھیپ بنائیں -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,بنائیں +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,بنائیں DocType: Student Admission,Admission Start Date,داخلے شروع کرنے کی تاریخ DocType: Journal Entry,Total Amount in Words,الفاظ میں کل رقم apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,میں ایک خامی تھی. ایک ممکنہ وجہ آپ کو فارم محفوظ نہیں ہے کہ ہو سکتا ہے. اگر مسئلہ برقرار رہے support@erpnext.com سے رابطہ کریں. @@ -1054,7 +1054,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,میری کارڈز apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},آرڈر کی قسم سے ایک ہونا ضروری {0} DocType: Lead,Next Contact Date,اگلی رابطہ تاریخ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,مقدار کھولنے -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,تبدیلی کی رقم کے اکاؤنٹ درج کریں +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,تبدیلی کی رقم کے اکاؤنٹ درج کریں DocType: Student Batch Name,Student Batch Name,Student کی بیچ کا نام DocType: Holiday List,Holiday List Name,چھٹیوں فہرست کا نام DocType: Repayment Schedule,Balance Loan Amount,بیلنس قرض کی رقم @@ -1062,7 +1062,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,اسٹاک اختیارات DocType: Journal Entry Account,Expense Claim,اخراجات کا دعوی apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,اگر تم واقعی اس کو ختم کر دیا اثاثہ بحال کرنا چاہتے ہیں؟ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},کے لئے مقدار {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},کے لئے مقدار {0} DocType: Leave Application,Leave Application,چھٹی کی درخواست apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,ایلوکیشن چھوڑ دیں آلہ DocType: Leave Block List,Leave Block List Dates,بلاک فہرست تاریخوں چھوڑ @@ -1113,7 +1113,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,کے خلاف DocType: Item,Default Selling Cost Center,پہلے سے طے شدہ فروخت لاگت مرکز DocType: Sales Partner,Implementation Partner,نفاذ ساتھی -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,زپ کوڈ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,زپ کوڈ apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},سیلز آرڈر {0} ہے {1} DocType: Opportunity,Contact Info,رابطے کی معلومات apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,اسٹاک اندراجات کر رہے ہیں @@ -1132,14 +1132,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,حاضری جھروکے تاریخ DocType: School Settings,Attendance Freeze Date,حاضری جھروکے تاریخ DocType: Opportunity,Your sales person who will contact the customer in future,مستقبل میں گاہک سے رابطہ کریں گے جو آپ کی فروخت کے شخص -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,اپنے سپلائرز میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,اپنے سپلائرز میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,تمام مصنوعات دیکھیں apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),کم از کم کے لیڈ عمر (دن) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),کم از کم کے لیڈ عمر (دن) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,تمام BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,تمام BOMs DocType: Company,Default Currency,پہلے سے طے شدہ کرنسی DocType: Expense Claim,From Employee,ملازم سے -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,انتباہ: نظام آئٹم کے لئے رقم کے بعد overbilling چیک نہیں کریں گے {0} میں {1} صفر ہے +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,انتباہ: نظام آئٹم کے لئے رقم کے بعد overbilling چیک نہیں کریں گے {0} میں {1} صفر ہے DocType: Journal Entry,Make Difference Entry,فرق اندراج DocType: Upload Attendance,Attendance From Date,تاریخ سے حاضری DocType: Appraisal Template Goal,Key Performance Area,کلیدی کارکردگی کے علاقے @@ -1155,7 +1155,7 @@ apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_ DocType: Company,Company registration numbers for your reference. Tax numbers etc.,آپ کا حوالہ کے لئے کمپنی کی رجسٹریشن نمبر. ٹیکس نمبر وغیرہ DocType: Sales Partner,Distributor,ڈسٹریبیوٹر DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,خریداری کی ٹوکری شپنگ حکمرانی -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,پروڈکشن آرڈر {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,پروڈکشن آرڈر {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',سیٹ 'پر اضافی رعایت کا اطلاق کریں براہ مہربانی ,Ordered Items To Be Billed,کو حکم دیا اشیاء بل بھیجا جائے کرنے کے لئے apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,رینج کم ہونا ضروری ہے کے مقابلے میں رینج کے لئے @@ -1164,10 +1164,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,کٹوتیوں DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,شروع سال -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN کے پہلے 2 ہندسوں ریاست تعداد کے ساتھ ملنے چاہئے {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN کے پہلے 2 ہندسوں ریاست تعداد کے ساتھ ملنے چاہئے {0} DocType: Purchase Invoice,Start date of current invoice's period,موجودہ انوائس کی مدت کے شروع کرنے کی تاریخ DocType: Salary Slip,Leave Without Pay,بغیر تنخواہ چھٹی -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,صلاحیت کی منصوبہ بندی کرنے میں خامی +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,صلاحیت کی منصوبہ بندی کرنے میں خامی ,Trial Balance for Party,پارٹی کے لئے مقدمے کی سماعت توازن DocType: Lead,Consultant,کنسلٹنٹ DocType: Salary Slip,Earnings,آمدنی @@ -1183,7 +1183,7 @@ DocType: Cheque Print Template,Payer Settings,بوگتانکرتا ترتیبا DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",یہ مختلف کی آئٹم کوڈ منسلک کیا جائے گا. آپ مخفف "ایس ایم" ہے، اور اگر مثال کے طور پر، شے کے کوڈ "ٹی شرٹ"، "ٹی شرٹ-ایس ایم" ہو جائے گا ویرینٹ کی شے کوڈ آن ہے DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,آپ کو تنخواہ پرچی بچانے بار (الفاظ میں) نیٹ پے نظر آئے گا. DocType: Purchase Invoice,Is Return,واپسی ہے -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,واپس / ڈیبٹ نوٹ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,واپس / ڈیبٹ نوٹ DocType: Price List Country,Price List Country,قیمت کی فہرست ملک DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} شے کے لئے درست سیریل نمبر {1} @@ -1196,7 +1196,7 @@ DocType: Employee Loan,Partially Disbursed,جزوی طور پر زرعی قرض apps/erpnext/erpnext/config/buying.py +38,Supplier database.,پردایک ڈیٹا بیس. DocType: Account,Balance Sheet,بیلنس شیٹ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ','آئٹم کوڈ شے کے لئے مرکز لاگت -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ادائیگی موڈ تشکیل نہیں ہے. چاہے اکاؤنٹ ادائیگیاں کے موڈ پر یا POS پروفائل پر قائم کیا گیا ہے، براہ مہربانی چیک کریں. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ادائیگی موڈ تشکیل نہیں ہے. چاہے اکاؤنٹ ادائیگیاں کے موڈ پر یا POS پروفائل پر قائم کیا گیا ہے، براہ مہربانی چیک کریں. DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,آپ کی فروخت کے شخص گاہک سے رابطہ کرنے اس تاریخ پر ایک یاد دہانی حاصل کریں گے apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ایک ہی شے کے کئی بار داخل نہیں کیا جا سکتا. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",مزید اکاؤنٹس گروپوں کے تحت بنایا جا سکتا ہے، لیکن اندراجات غیر گروپوں کے خلاف بنایا جا سکتا ہے @@ -1226,7 +1226,7 @@ DocType: Employee Loan Application,Repayment Info,باز ادائیگی کی م apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""entries"" خالی نہیں ہو سکتا" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},کے ساتھ ڈپلیکیٹ قطار {0} اسی {1} ,Trial Balance,مقدمے کی سماعت توازن -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,مالی سال {0} نہیں ملا +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,مالی سال {0} نہیں ملا apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,ملازمین کو مقرر DocType: Sales Order,SO-,دینے واال apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,پہلے سابقہ براہ مہربانی منتخب کریں @@ -1241,11 +1241,11 @@ DocType: Grading Scale,Intervals,وقفے apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,قدیم ترین apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",ایک آئٹم گروپ ایک ہی نام کے ساتھ موجود ہے، شے کے نام کو تبدیل کرنے یا شے کے گروپ کو دوسرا نام کریں apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,طالب علم کے موبائل نمبر -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,باقی دنیا کے +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,باقی دنیا کے apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,آئٹم {0} بیچ نہیں کر سکتے ہیں ,Budget Variance Report,بجٹ تغیر رپورٹ DocType: Salary Slip,Gross Pay,مجموعی ادائیگی -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,صف {0}: سرگرمی کی قسم لازمی ہے. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,صف {0}: سرگرمی کی قسم لازمی ہے. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,فائدہ apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,اکاؤنٹنگ لیجر DocType: Stock Reconciliation,Difference Amount,فرق رقم @@ -1268,18 +1268,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,ملازم کی رخصت بیلنس apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},اکاؤنٹ کے لئے توازن {0} ہمیشہ ہونا ضروری {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},قطار میں آئٹم کیلئے مطلوب شرح کی ضرورت {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,مثال: کمپیوٹر سائنس میں ماسٹرز +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,مثال: کمپیوٹر سائنس میں ماسٹرز DocType: Purchase Invoice,Rejected Warehouse,مسترد گودام DocType: GL Entry,Against Voucher,واؤچر کے خلاف DocType: Item,Default Buying Cost Center,پہلے سے طے شدہ خرید لاگت مرکز apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",ERPNext باہر سب سے بہترین حاصل کرنے کے لئے، ہم نے آپ کو کچھ وقت لینے کے لئے اور ان کی مدد کی ویڈیوز دیکھنے کے لئے مشورہ ہے کہ. -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,کے لئے +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,کے لئے DocType: Supplier Quotation Item,Lead Time in days,دنوں میں وقت کی قیادت apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,قابل ادائیگی اکاؤنٹس کے خلاصے -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},{0} سے تنخواہ کی ادائیگی {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},{0} سے تنخواہ کی ادائیگی {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},منجمد اکاؤنٹ میں ترمیم کرنے کی اجازت نہیں {0} DocType: Journal Entry,Get Outstanding Invoices,بقایا انوائس حاصل -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,سیلز آرڈر {0} درست نہیں ہے +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,سیلز آرڈر {0} درست نہیں ہے apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,خریداری کے احکامات کو آپ کی منصوبہ بندی کی مدد کرنے اور آپ کی خریداری پر عمل apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",معذرت، کمپنیوں ضم نہیں کیا جا سکتا apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1301,8 +1301,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,بالواسطہ اخراجات apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,صف {0}: مقدار لازمی ہے apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,زراعت -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,مطابقت پذیری ماسٹر ڈیٹا -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,اپنی مصنوعات یا خدمات +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,مطابقت پذیری ماسٹر ڈیٹا +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,اپنی مصنوعات یا خدمات DocType: Mode of Payment,Mode of Payment,ادائیگی کا طریقہ apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,ویب سائٹ تصویری ایک عوامی فائل یا ویب سائٹ یو آر ایل ہونا چاہئے DocType: Student Applicant,AP,AP @@ -1322,18 +1322,18 @@ DocType: Student Group Student,Group Roll Number,گروپ رول نمبر DocType: Student Group Student,Group Roll Number,گروپ رول نمبر apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0}، صرف کریڈٹ اکاؤنٹس ایک ڈیبٹ داخلے کے خلاف منسلک کیا جا سکتا ہے apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,تمام کام وزن کی کل ہونا چاہئے 1. اس کے مطابق تمام منصوبے کے کاموں کے وزن کو ایڈجسٹ کریں -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,ترسیل کے نوٹ {0} پیش نہیں ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,ترسیل کے نوٹ {0} پیش نہیں ہے apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,آئٹم {0} ایک ذیلی کنٹریکٹڈ آئٹم ہونا ضروری ہے apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,کیپٹل سازوسامان apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",قیمتوں کا تعین اصول سب سے پہلے کی بنیاد پر منتخب کیا جاتا ہے آئٹم آئٹم گروپ یا برانڈ ہو سکتا ہے، میدان 'پر لگائیں'. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,براہ مہربانی سب سے پہلے آئٹم کا کوڈ مقرر کریں +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,براہ مہربانی سب سے پہلے آئٹم کا کوڈ مقرر کریں DocType: Hub Settings,Seller Website,فروش ویب سائٹ DocType: Item,ITEM-,ITEM- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,فروخت کی ٹیم کے لئے مختص کل فی صد 100 ہونا چاہئے DocType: Appraisal Goal,Goal,گول DocType: Sales Invoice Item,Edit Description,ترمیم تفصیل ,Team Updates,ٹیم کی تازہ ترین معلومات -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,سپلائر کے لئے +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,سپلائر کے لئے DocType: Account,Setting Account Type helps in selecting this Account in transactions.,اکاؤنٹ کی قسم مقرر لین دین میں اس اکاؤنٹ کو منتخب کرنے میں مدد ملتی ہے. DocType: Purchase Invoice,Grand Total (Company Currency),گرینڈ کل (کمپنی کرنسی) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,پرنٹ کی شکل بنائیں @@ -1347,12 +1347,12 @@ DocType: Item,Website Item Groups,ویب سائٹ آئٹم گروپس DocType: Purchase Invoice,Total (Company Currency),کل (کمپنی کرنسی) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,{0} سیریل نمبر ایک سے زائد بار میں داخل DocType: Depreciation Schedule,Journal Entry,جرنل اندراج -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} رفت میں اشیاء +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} رفت میں اشیاء DocType: Workstation,Workstation Name,کارگاہ نام DocType: Grading Scale Interval,Grade Code,گریڈ کوڈ DocType: POS Item Group,POS Item Group,POS آئٹم گروپ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ڈائجسٹ ای میل کریں: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} آئٹم سے تعلق نہیں ہے {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} آئٹم سے تعلق نہیں ہے {1} DocType: Sales Partner,Target Distribution,ہدف تقسیم DocType: Salary Slip,Bank Account No.,بینک اکاؤنٹ نمبر DocType: Naming Series,This is the number of the last created transaction with this prefix,یہ اپسرگ کے ساتھ گزشتہ پیدا لین دین کی تعداد ہے @@ -1409,7 +1409,7 @@ DocType: Quotation,Shopping Cart,خریداری کی ٹوکری apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,اوسط یومیہ سبکدوش ہونے والے DocType: POS Profile,Campaign,مہم DocType: Supplier,Name and Type,نام اور قسم -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',منظوری کی حیثیت 'منظور' یا 'مسترد' ہونا ضروری ہے +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',منظوری کی حیثیت 'منظور' یا 'مسترد' ہونا ضروری ہے DocType: Purchase Invoice,Contact Person,رابطے کا بندہ apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',کی متوقع شروع کرنے کی تاریخ 'سے زیادہ' متوقع تاریخ اختتام 'نہیں ہو سکتا DocType: Course Scheduling Tool,Course End Date,کورس کی آخری تاریخ @@ -1421,8 +1421,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,prefered کی ای میل apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,فکسڈ اثاثہ میں خالص تبدیلی DocType: Leave Control Panel,Leave blank if considered for all designations,تمام مراتب کے لئے غور کیا تو خالی چھوڑ دیں -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,قسم 'اصل' قطار میں کے انچارج {0} شے کی درجہ بندی میں شامل نہیں کیا جا سکتا -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},زیادہ سے زیادہ: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,قسم 'اصل' قطار میں کے انچارج {0} شے کی درجہ بندی میں شامل نہیں کیا جا سکتا +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},زیادہ سے زیادہ: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,تریخ ویلہ سے DocType: Email Digest,For Company,کمپنی کے لئے apps/erpnext/erpnext/config/support.py +17,Communication log.,مواصلات لاگ ان کریں. @@ -1463,7 +1463,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.",ایوب پرو DocType: Journal Entry Account,Account Balance,اکاؤنٹ بیلنس apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,لین دین کے لئے ٹیکس اصول. DocType: Rename Tool,Type of document to rename.,دستاویز کی قسم کا نام تبدیل کرنے. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,ہم اس شے کے خریدنے +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,ہم اس شے کے خریدنے apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: وصول کنندگان کے خلاف کسٹمر ضروری ہے {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),کل ٹیکس اور الزامات (کمپنی کرنسی) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,نا بند کردہ مالی سال کی P & L بیلنس دکھائیں @@ -1474,7 +1474,7 @@ DocType: Quality Inspection,Readings,ریڈنگ DocType: Stock Entry,Total Additional Costs,کل اضافی اخراجات DocType: Course Schedule,SH,ایسیچ DocType: BOM,Scrap Material Cost(Company Currency),سکریپ مواد کی لاگت (کمپنی کرنسی) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,ذیلی اسمبلی +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,ذیلی اسمبلی DocType: Asset,Asset Name,ایسیٹ نام DocType: Project,Task Weight,ٹاسک وزن DocType: Shipping Rule Condition,To Value,قدر میں @@ -1503,7 +1503,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,آئٹم متغیرات DocType: Company,Services,خدمات DocType: HR Settings,Email Salary Slip to Employee,ملازم کو ای میل تنخواہ کی پرچی DocType: Cost Center,Parent Cost Center,والدین لاگت مرکز -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,ممکنہ سپلائر کریں +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,ممکنہ سپلائر کریں DocType: Sales Invoice,Source,ماخذ apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,بند کر کے دکھائیں DocType: Leave Type,Is Leave Without Pay,تنخواہ کے بغیر چھوڑ @@ -1515,7 +1515,7 @@ DocType: POS Profile,Apply Discount,رعایت کا اطلاق کریں DocType: GST HSN Code,GST HSN Code,GST HSN کوڈ DocType: Employee External Work History,Total Experience,کل تجربہ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,کھلی منصوبوں -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,منسوخ پیکنگ پرچی (ے) +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,منسوخ پیکنگ پرچی (ے) apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,سرمایہ کاری سے کیش فلو DocType: Program Course,Program Course,پروگرام کے کورس apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,فریٹ فارورڈنگ اور چارجز @@ -1556,9 +1556,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,پروگرام کا اندراج DocType: Sales Invoice Item,Brand Name,برانڈ کا نام DocType: Purchase Receipt,Transporter Details,ٹرانسپورٹر تفصیلات -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,پہلے سے طے شدہ گودام منتخب شے کے لئے کی ضرورت ہے -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,باکس -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,ممکنہ سپلائر +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,پہلے سے طے شدہ گودام منتخب شے کے لئے کی ضرورت ہے +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,باکس +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,ممکنہ سپلائر DocType: Budget,Monthly Distribution,ماہانہ تقسیم apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,وصول فہرست خالی ہے. وصول فہرست تشکیل دے براہ مہربانی DocType: Production Plan Sales Order,Production Plan Sales Order,پیداوار کی منصوبہ بندی سیلز آرڈر @@ -1591,7 +1591,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,کمپنی ا apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students",طلباء کے نظام کے دل میں ہیں، آپ کے تمام طالب علموں کو شامل apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},قطار # {0}: کلیئرنس تاریخ {1} تاریخ چیک کرنے سے قبل نہیں ہوسکتی {2} DocType: Company,Default Holiday List,چھٹیوں فہرست پہلے سے طے شدہ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},صف {0}: وقت اور کرنے کے وقت سے {1} ساتھ اتیویاپی ہے {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},صف {0}: وقت اور کرنے کے وقت سے {1} ساتھ اتیویاپی ہے {2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,اسٹاک واجبات DocType: Purchase Invoice,Supplier Warehouse,پردایک گودام DocType: Opportunity,Contact Mobile No,موبائل سے رابطہ کریں کوئی @@ -1607,18 +1607,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},قسم کے حکم {0} سے زیادہ نہیں ہو سکتا {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,پیشگی ایکس دنوں کے لئے کی منصوبہ بندی کرنے کی کوشش کریں. DocType: HR Settings,Stop Birthday Reminders,سٹاپ سالگرہ تخسمارک -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},کمپنی میں پہلے سے طے شدہ پے رول قابل ادائیگی اکاؤنٹ سیٹ مہربانی {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},کمپنی میں پہلے سے طے شدہ پے رول قابل ادائیگی اکاؤنٹ سیٹ مہربانی {0} DocType: SMS Center,Receiver List,وصول کی فہرست -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,تلاش آئٹم +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,تلاش آئٹم apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,بسم رقم apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,کیش میں خالص تبدیلی DocType: Assessment Plan,Grading Scale,گریڈنگ پیمانے apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,پیمائش {0} کے یونٹ تبادلوں فیکٹر ٹیبل میں ایک سے زائد بار میں داخل کر دیا گیا ہے -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,پہلے ہی مکمل +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,پہلے ہی مکمل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,ہاتھ میں اسٹاک apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ادائیگی کی درخواست پہلے سے موجود ہے {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,تاریخ اجراء اشیا کی لاگت -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},مقدار سے زیادہ نہیں ہونا چاہئے {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},مقدار سے زیادہ نہیں ہونا چاہئے {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,گزشتہ مالی سال بند نہیں ہے apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),عمر (دن) DocType: Quotation Item,Quotation Item,کوٹیشن آئٹم @@ -1632,6 +1632,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,حوالہ دستاویز apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} منسوخ یا بند کر دیا ہے DocType: Accounts Settings,Credit Controller,کریڈٹ کنٹرولر +DocType: Sales Order,Final Delivery Date,حتمی ترسیل کی تاریخ DocType: Delivery Note,Vehicle Dispatch Date,گاڑی ڈسپیچ کی تاریخ DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,خریداری کی رسید {0} پیش نہیں ہے @@ -1723,9 +1724,9 @@ DocType: Employee,Date Of Retirement,ریٹائرمنٹ کے تاریخ DocType: Upload Attendance,Get Template,سانچے حاصل DocType: Material Request,Transferred,منتقل DocType: Vehicle,Doors,دروازے -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext سیٹ اپ مکمل! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext سیٹ اپ مکمل! DocType: Course Assessment Criteria,Weightage,اہمیت -DocType: Sales Invoice,Tax Breakup,ٹیکس بریک اپ +DocType: Purchase Invoice,Tax Breakup,ٹیکس بریک اپ DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: منافع اور نقصان کا اکاؤنٹ {2} کے لئے قیمت سینٹر کی ضرورت ہے. کمپنی کے لئے براہ کرم ایک ڈیفالٹ لاگت سینٹر قائم کریں. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ایک گاہک گروپ ایک ہی نام کے ساتھ موجود ہے کسٹمر کا نام تبدیل کرنے یا گاہک گروپ کا نام تبدیل کریں @@ -1738,14 +1739,14 @@ DocType: Announcement,Instructor,انسٹرکٹر DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",اس شے کے مختلف حالتوں ہے، تو یہ فروخت کے احکامات وغیرہ میں منتخب نہیں کیا جا سکتا DocType: Lead,Next Contact By,کی طرف سے اگلے رابطہ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},قطار میں آئٹم {0} کے لئے ضروری مقدار {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},قطار میں آئٹم {0} کے لئے ضروری مقدار {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},مقدار شے کے لئے موجود ہے کے طور پر گودام {0} خارج نہیں کیا جا سکتا {1} DocType: Quotation,Order Type,آرڈر کی قسم DocType: Purchase Invoice,Notification Email Address,نوٹیفکیشن ای میل ایڈریس ,Item-wise Sales Register,آئٹم وار سیلز رجسٹر DocType: Asset,Gross Purchase Amount,مجموعی خریداری کی رقم DocType: Asset,Depreciation Method,ہراس کا طریقہ -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,آف لائن +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,آف لائن DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,بنیادی شرح میں شامل اس ٹیکس ہے؟ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,کل ہدف DocType: Job Applicant,Applicant for a Job,ایک کام کے لئے درخواست @@ -1767,7 +1768,7 @@ DocType: Employee,Leave Encashed?,Encashed چھوڑ دیں؟ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,میدان سے مواقع لازمی ہے DocType: Email Digest,Annual Expenses,سالانہ اخراجات DocType: Item,Variants,متغیرات -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,خریداری کے آرڈر بنائیں +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,خریداری کے آرڈر بنائیں DocType: SMS Center,Send To,کے لئے بھیج apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},رخصت قسم کافی چھوڑ توازن نہیں ہے {0} DocType: Payment Reconciliation Payment,Allocated amount,مختص رقم @@ -1775,7 +1776,7 @@ DocType: Sales Team,Contribution to Net Total,نیٹ کل کی شراکت DocType: Sales Invoice Item,Customer's Item Code,گاہک کی آئٹم کوڈ DocType: Stock Reconciliation,Stock Reconciliation,اسٹاک مصالحتی DocType: Territory,Territory Name,علاقے کا نام -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,کام میں پیش رفت گودام جمع کرانے سے پہلے کی ضرورت ہے +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,کام میں پیش رفت گودام جمع کرانے سے پہلے کی ضرورت ہے apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,ایک کام کے لئے درخواست. DocType: Purchase Order Item,Warehouse and Reference,گودام اور حوالہ DocType: Supplier,Statutory info and other general information about your Supplier,اپنے سپلائر کے بارے میں قانونی معلومات اور دیگر عمومی معلومات @@ -1786,16 +1787,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,تشخیص apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},سیریل کوئی آئٹم کے لئے داخل نقل {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,ایک شپنگ حکمرانی کے لئے ایک شرط apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,درج کریں -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",قطار میں آئٹم {0} کے لئے overbill نہیں کر سکتے ہیں {1} سے زیادہ {2}. زیادہ بلنگ کی اجازت دینے کے لئے، ترتیبات خریدنے میں قائم کریں -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,شے یا گودام کی بنیاد پر فلٹر مقرر کریں +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",قطار میں آئٹم {0} کے لئے overbill نہیں کر سکتے ہیں {1} سے زیادہ {2}. زیادہ بلنگ کی اجازت دینے کے لئے، ترتیبات خریدنے میں قائم کریں +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,شے یا گودام کی بنیاد پر فلٹر مقرر کریں DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),اس پیکج کی خالص وزن. (اشیاء کی خالص وزن کی رقم کے طور پر خود کار طریقے سے شمار کیا جاتا) DocType: Sales Order,To Deliver and Bill,نجات اور بل میں DocType: Student Group,Instructors,انسٹرکٹر DocType: GL Entry,Credit Amount in Account Currency,اکاؤنٹ کی کرنسی میں قرضے کی رقم -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} پیش کرنا ضروری ہے +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} پیش کرنا ضروری ہے DocType: Authorization Control,Authorization Control,اجازت کنٹرول apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},صف # {0}: گودام مسترد مسترد آئٹم خلاف لازمی ہے {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,ادائیگی +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,ادائیگی apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",گودام {0} کسی بھی اکاؤنٹ سے منسلک نہیں ہے، براہ مہربانی کمپنی میں گودام ریکارڈ میں اکاؤنٹ یا سیٹ ڈیفالٹ انوینٹری اکاؤنٹ ذکر {1}. apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,آپ کے احکامات کو منظم کریں DocType: Production Order Operation,Actual Time and Cost,اصل وقت اور لاگت @@ -1811,12 +1812,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,فرو DocType: Quotation Item,Actual Qty,اصل مقدار DocType: Sales Invoice Item,References,حوالہ جات DocType: Quality Inspection Reading,Reading 10,10 پڑھنا -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",آپ کو خریدنے یا فروخت ہے کہ اپنی مصنوعات یا خدمات کی فہرست. آپ کو شروع کرنے جب پیمائش اور دیگر خصوصیات کے آئٹم گروپ، یونٹ چیک کرنے کے لیے بات کو یقینی بنائیں. +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",آپ کو خریدنے یا فروخت ہے کہ اپنی مصنوعات یا خدمات کی فہرست. آپ کو شروع کرنے جب پیمائش اور دیگر خصوصیات کے آئٹم گروپ، یونٹ چیک کرنے کے لیے بات کو یقینی بنائیں. DocType: Hub Settings,Hub Node,حب گھنڈی apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,آپ کو ڈپلیکیٹ اشیاء میں داخل ہے. کو بہتر بنانے اور دوبارہ کوشش کریں. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ایسوسی ایٹ +DocType: Company,Sales Target,سیلز ہدف DocType: Asset Movement,Asset Movement,ایسیٹ موومنٹ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,نیا ٹوکری +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,نیا ٹوکری apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} آئٹم وجہ سے serialized شے نہیں ہے DocType: SMS Center,Create Receiver List,وصول فہرست بنائیں DocType: Vehicle,Wheels,پہیے @@ -1857,13 +1859,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,منصوبوں کو DocType: Supplier,Supplier of Goods or Services.,سامان یا خدمات کی سپلائر. DocType: Budget,Fiscal Year,مالی سال DocType: Vehicle Log,Fuel Price,ایندھن کی قیمت +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,سیٹ اپ> نمبر نمبر کے ذریعے حاضری کے لئے براہ کرم سلسلہ نمبر سیٹ کریں DocType: Budget,Budget,بجٹ apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,فکسڈ اثاثہ آئٹم ایک غیر اسٹاک شے ہونا ضروری ہے. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",یہ ایک آمدنی یا اخراجات کے اکاؤنٹ نہیں ہے کے طور پر بجٹ کے خلاف {0} تفویض نہیں کیا جا سکتا apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,حاصل کیا DocType: Student Admission,Application Form Route,درخواست فارم روٹ apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,علاقہ / کسٹمر -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,مثال کے طور پر 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,مثال کے طور پر 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,قسم چھوڑ دو {0} مختص نہیں کیا جاسکتا کیونکہ اس کے بغیر ادائیگی نہیں ہوگی apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},صف {0}: مختص رقم {1} سے کم ہونا یا بقایا رقم انوائس کے برابر کرنا چاہئے {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,آپ کی فروخت انوائس کو بچانے بار الفاظ میں نظر آئے گا. @@ -1872,7 +1875,7 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} آئٹم سیریل نمبر کے لئے سیٹ اپ نہیں ہے. آئٹم ماسٹر چیک DocType: Maintenance Visit,Maintenance Time,بحالی وقت ,Amount to Deliver,رقم فراہم کرنے -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,ایک پروڈکٹ یا سروس +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,ایک پروڈکٹ یا سروس apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ٹرم شروع کرنے کی تاریخ جس کی اصطلاح منسلک ہے کے تعلیمی سال سال شروع تاریخ سے پہلے نہیں ہو سکتا (تعلیمی سال {}). تاریخوں درست کریں اور دوبارہ کوشش کریں براہ مہربانی. DocType: Guardian,Guardian Interests,گارڈین دلچسپیاں DocType: Naming Series,Current Value,موجودہ قیمت @@ -1888,7 +1891,7 @@ DocType: Pricing Rule,Selling,فروخت apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},رقم {0} {1} خلاف کٹوتی {2} DocType: Employee,Salary Information,تنخواہ معلومات DocType: Sales Person,Name and Employee ID,نام اور ملازم ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,کی وجہ سے تاریخ تاریخ پوسٹنگ سے پہلے نہیں ہو سکتا +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,کی وجہ سے تاریخ تاریخ پوسٹنگ سے پہلے نہیں ہو سکتا DocType: Website Item Group,Website Item Group,ویب سائٹ آئٹم گروپ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,ڈیوٹی اور ٹیکس apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,حوالہ کوڈ داخل کریں. @@ -1944,9 +1947,9 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},ملازم کے لئے شامل ہونے کے تاریخ مقرر مہربانی {0} DocType: Task,Total Billing Amount (via Time Sheet),کل بلنگ کی رقم (وقت شیٹ کے ذریعے) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,گاہک ریونیو -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1})کردارکے لیے 'اخراجات کی منظوری دینے والا' کردار ضروری ہے -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,جوڑی -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,پیداوار کے لئے BOM اور قی کریں +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1})کردارکے لیے 'اخراجات کی منظوری دینے والا' کردار ضروری ہے +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,جوڑی +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,پیداوار کے لئے BOM اور قی کریں DocType: Asset,Depreciation Schedule,ہراس کا شیڈول apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,فروخت پارٹنر پتے اور روابط DocType: Bank Reconciliation Detail,Against Account,کے اکاؤنٹ کے خلاف @@ -1956,7 +1959,7 @@ DocType: Item,Has Batch No,بیچ نہیں ہے apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},سالانہ بلنگ: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),اشیاء اور خدمات ٹیکس (جی ایس ٹی بھارت) DocType: Delivery Note,Excise Page Number,ایکسائز صفحہ نمبر -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",کمپنی، تاریخ سے اور تاریخ کے لئے لازمی ہے +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",کمپنی، تاریخ سے اور تاریخ کے لئے لازمی ہے DocType: Asset,Purchase Date,خریداری کی تاریخ DocType: Employee,Personal Details,ذاتی تفصیلات apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},کمپنی میں 'اثاثہ ہراس لاگت سینٹر' مقرر مہربانی {0} @@ -1965,9 +1968,9 @@ DocType: Task,Actual End Date (via Time Sheet),اصل تاریخ اختتام ( apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},رقم {0} {1} خلاف {2} {3} ,Quotation Trends,کوٹیشن رجحانات apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},آئٹم گروپ شے کے لئے شے ماسٹر میں ذکر نہیں {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,اکاؤنٹ ڈیبٹ ایک وصولی اکاؤنٹ ہونا ضروری ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,اکاؤنٹ ڈیبٹ ایک وصولی اکاؤنٹ ہونا ضروری ہے DocType: Shipping Rule Condition,Shipping Amount,شپنگ رقم -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,صارفین کا اضافہ کریں +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,صارفین کا اضافہ کریں apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,زیر التواء رقم DocType: Purchase Invoice Item,Conversion Factor,تبادلوں فیکٹر DocType: Purchase Order,Delivered,ہونے والا @@ -1990,7 +1993,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Reconciled میں لکھ DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",والدین کورس (، خالی چھوڑ دیں یہ پیرنٹ کورس کا حصہ نہیں ہے تو) DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",والدین کورس (، خالی چھوڑ دیں یہ پیرنٹ کورس کا حصہ نہیں ہے تو) DocType: Leave Control Panel,Leave blank if considered for all employee types,تمام ملازم اقسام کے لئے تصور کیا جاتا ہے تو خالی چھوڑ دیں -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ DocType: Landed Cost Voucher,Distribute Charges Based On,تقسیم الزامات کی بنیاد پر apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets کو DocType: HR Settings,HR Settings,HR ترتیبات @@ -1998,7 +2000,7 @@ DocType: Salary Slip,net pay info,نیٹ تنخواہ کی معلومات apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,اخراجات دعوی منظوری زیر التواء ہے. صرف اخراجات کی منظوری دینے والا حیثیت کو اپ ڈیٹ کر سکتے ہیں. DocType: Email Digest,New Expenses,نیا اخراجات DocType: Purchase Invoice,Additional Discount Amount,اضافی ڈسکاؤنٹ رقم -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",صف # {0}: قی، 1 ہونا ضروری شے ایک مقررہ اثاثہ ہے کے طور پر. ایک سے زیادہ مقدار کے لئے علیحدہ صف استعمال کریں. +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",صف # {0}: قی، 1 ہونا ضروری شے ایک مقررہ اثاثہ ہے کے طور پر. ایک سے زیادہ مقدار کے لئے علیحدہ صف استعمال کریں. DocType: Leave Block List Allow,Leave Block List Allow,بلاک فہرست اجازت دیں چھوڑ دو apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr خالی یا جگہ نہیں ہو سکتا apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,غیر گروپ سے گروپ @@ -2006,7 +2008,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,کھیل DocType: Loan Type,Loan Name,قرض نام apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,اصل کل DocType: Student Siblings,Student Siblings,طالب علم بھائی بہن -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,یونٹ +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,یونٹ apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,کمپنی کی وضاحت کریں ,Customer Acquisition and Loyalty,گاہک حصول اور وفاداری DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,جسے آپ نے مسترد اشیاء کی اسٹاک کو برقرار رکھنے کر رہے ہیں جہاں گودام @@ -2025,12 +2027,12 @@ DocType: Workstation,Wages per hour,فی گھنٹہ اجرت apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},بیچ میں اسٹاک توازن {0} بن جائے گا منفی {1} گودام شے {2} کے لئے {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,مواد درخواست درج ذیل آئٹم کی دوبارہ آرڈر کی سطح کی بنیاد پر خود کار طریقے سے اٹھایا گیا ہے DocType: Email Digest,Pending Sales Orders,سیلز احکامات زیر التواء -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},اکاؤنٹ {0} باطل ہے. اکاؤنٹ کی کرنسی ہونا ضروری ہے {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},اکاؤنٹ {0} باطل ہے. اکاؤنٹ کی کرنسی ہونا ضروری ہے {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM تبادلوں عنصر قطار میں کی ضرورت ہے {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم سیلز آرڈر میں سے ایک، فروخت انوائس یا جرنل اندراج ہونا ضروری ہے DocType: Salary Component,Deduction,کٹوتی -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,صف {0}: وقت سے اور وقت کے لئے لازمی ہے. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,صف {0}: وقت سے اور وقت کے لئے لازمی ہے. DocType: Stock Reconciliation Item,Amount Difference,رقم فرق apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},شے کی قیمت کے لئے شامل {0} قیمت کی فہرست میں {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,اس کی فروخت کے شخص کے ملازم کی شناخت درج کریں @@ -2040,11 +2042,11 @@ DocType: Project,Gross Margin,مجموعی مارجن apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,پہلی پیداوار آئٹم کوڈ داخل کریں apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,محسوب بینک کا گوشوارہ توازن apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,معذور صارف -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,کوٹیشن +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,کوٹیشن DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,کل کٹوتی ,Production Analytics,پیداوار کے تجزیات -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,لاگت اپ ڈیٹ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,لاگت اپ ڈیٹ DocType: Employee,Date of Birth,پیدائش کی تاریخ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,آئٹم {0} پہلے ہی واپس کر دیا گیا ہے DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** مالی سال ** ایک مالی سال کی نمائندگی کرتا ہے. تمام اکاؤنٹنگ اندراجات اور دیگر اہم لین دین *** مالی سال کے ساقھ ٹریک کر رہے ہیں. @@ -2090,18 +2092,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,کمپنی کو منتخب کریں ... DocType: Leave Control Panel,Leave blank if considered for all departments,تمام محکموں کے لئے تصور کیا جاتا ہے تو خالی چھوڑ دیں apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",ملازمت کی اقسام (مستقل، کنٹریکٹ، انٹرن وغیرہ). -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} شے کے لئے لازمی ہے {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} شے کے لئے لازمی ہے {1} DocType: Process Payroll,Fortnightly,پندرہ روزہ DocType: Currency Exchange,From Currency,کرنسی سے apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",کم سے کم ایک قطار میں مختص رقم، انوائس کی قسم اور انوائس تعداد کو منتخب کریں apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,نئی خریداری کی لاگت -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},آئٹم کے لئے ضروری سیلز آرڈر {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},آئٹم کے لئے ضروری سیلز آرڈر {0} DocType: Purchase Invoice Item,Rate (Company Currency),شرح (کمپنی کرنسی) DocType: Student Guardian,Others,دیگر DocType: Payment Entry,Unallocated Amount,Unallocated رقم apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,ایک کے ملاپ شے نہیں مل سکتی. کے لئے {0} کسی دوسرے قدر منتخب کریں. DocType: POS Profile,Taxes and Charges,ٹیکسز اور چارجز DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",ایک پروڈکٹ یا، خریدا فروخت یا اسٹاک میں رکھا جاتا ہے کہ ایک سروس. +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,مزید کوئی بھی اپ ڈیٹ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,پہلی صف کے لئے 'پچھلے صف کل پر' 'پچھلے صف کی رقم پر' کے طور پر چارج کی قسم منتخب کریں یا نہیں کر سکتے ہیں apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,چائلڈ آئٹم ایک پروڈکٹ بنڈل نہیں ہونا چاہئے. براہ مہربانی شے کو دور `{0}` اور محفوظ کریں @@ -2129,7 +2132,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,کل بلنگ رقم apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ایک طے شدہ آنے والی ای میل اکاؤنٹ اس کام پر کے لئے فعال ہونا چاہئے. براہ مہربانی سیٹ اپ ڈیفالٹ آنے والی ای میل اکاؤنٹ (POP / IMAP) اور دوبارہ کوشش کریں. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,وصولی اکاؤنٹ -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},قطار # {0}: اثاثہ {1} پہلے سے ہی ہے {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},قطار # {0}: اثاثہ {1} پہلے سے ہی ہے {2} DocType: Quotation Item,Stock Balance,اسٹاک توازن apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ادائیگی سیلز آرڈر apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,سی ای او @@ -2154,10 +2157,11 @@ DocType: C-Form,Received Date,موصول تاریخ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",آپ سیلز ٹیکس اور الزامات سانچہ میں ایک معیاری سانچے پیدا کیا ہے تو، ایک کو منتخب کریں اور نیچے دیے گئے بٹن پر کلک کریں. DocType: BOM Scrap Item,Basic Amount (Company Currency),بنیادی رقم (کمپنی کرنسی) DocType: Student,Guardians,رکھوالوں +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,سپلائر> سپلائر کی قسم DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,قیمت کی فہرست مقرر نہیں ہے تو قیمتیں نہیں دکھایا جائے گا apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,یہ شپنگ حکمرانی کے لئے ایک ملک کی وضاحت یا دنیا بھر میں شپنگ براہ مہربانی چیک کریں DocType: Stock Entry,Total Incoming Value,کل موصولہ ویلیو -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,ڈیبٹ کرنے کی ضرورت ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,ڈیبٹ کرنے کی ضرورت ہے apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",timesheets کو آپ کی ٹیم کی طرف سے کیا سرگرمیوں کے لئے وقت، لاگت اور بلنگ کا ٹریک رکھنے میں مدد apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,قیمت خرید کی فہرست DocType: Offer Letter Term,Offer Term,پیشکش ٹرم @@ -2176,11 +2180,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,مص DocType: Timesheet Detail,To Time,وقت DocType: Authorization Rule,Approving Role (above authorized value),(مجاز کی قیمت سے اوپر) کردار منظوری apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,اکاؤنٹ کریڈٹ ایک قابل ادائیگی اکاؤنٹ ہونا ضروری ہے -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM تکرار: {0} کے والدین یا بچے نہیں ہو سکتا {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM تکرار: {0} کے والدین یا بچے نہیں ہو سکتا {2} DocType: Production Order Operation,Completed Qty,مکمل مقدار apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0}، صرف ڈیبٹ اکاؤنٹس دوسرے کریڈٹ داخلے کے خلاف منسلک کیا جا سکتا ہے apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,قیمت کی فہرست {0} غیر فعال ہے -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},قطار {0}: مکمل مقدار {1} آپریشن کے لئے {2} سے زیادہ نہیں ہوسکتا ہے +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},قطار {0}: مکمل مقدار {1} آپریشن کے لئے {2} سے زیادہ نہیں ہوسکتا ہے DocType: Manufacturing Settings,Allow Overtime,اوور ٹائم کی اجازت دیں apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",serialized کی آئٹم {0} اسٹاک انٹری اسٹاک مصالحت کا استعمال کرتے ہوئے استعمال کریں اپ ڈیٹ نہیں کیا جا سکتا apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",serialized کی آئٹم {0} اسٹاک انٹری اسٹاک مصالحت کا استعمال کرتے ہوئے استعمال کریں اپ ڈیٹ نہیں کیا جا سکتا @@ -2199,10 +2203,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,بیرونی apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,صارفین اور اجازت DocType: Vehicle Log,VLOG.,vlog کے. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},پیداوار آرڈینز بنائے گئے: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},پیداوار آرڈینز بنائے گئے: {0} DocType: Branch,Branch,برانچ DocType: Guardian,Mobile Number,موبائل فون کانمبر apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,طباعت اور برانڈنگ +DocType: Company,Total Monthly Sales,کل ماہانہ فروخت DocType: Bin,Actual Quantity,اصل مقدار DocType: Shipping Rule,example: Next Day Shipping,مثال: اگلے دن شپنگ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,نہیں ملا سیریل کوئی {0} @@ -2233,7 +2238,7 @@ DocType: Payment Request,Make Sales Invoice,فروخت انوائس بنائیں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,سافٹ ویئر apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,اگلی تاریخ سے رابطہ ماضی میں نہیں ہو سکتا DocType: Company,For Reference Only.,صرف ریفرنس کے لئے. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,بیچ منتخب نہیں +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,بیچ منتخب نہیں apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},غلط {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,ایڈوانس رقم @@ -2246,7 +2251,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},بارکوڈ کے ساتھ کوئی آئٹم {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,کیس نمبر 0 نہیں ہو سکتا DocType: Item,Show a slideshow at the top of the page,صفحے کے سب سے اوپر ایک سلائڈ شو دکھانے کے -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,Boms apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,سٹورز DocType: Serial No,Delivery Time,ڈیلیوری کا وقت apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,کی بنیاد پر خستہ @@ -2260,16 +2265,16 @@ DocType: Rename Tool,Rename Tool,آلہ کا نام تبدیل کریں apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,اپ ڈیٹ لاگت DocType: Item Reorder,Item Reorder,آئٹم ترتیب apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,دکھائیں تنخواہ کی پرچی -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,منتقلی مواد +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,منتقلی مواد DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",آپریشن، آپریٹنگ لاگت کی وضاحت کریں اور اپنے آپریشن کی کوئی ایک منفرد آپریشن دے. apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,یہ دستاویز کی طرف سے حد سے زیادہ ہے {0} {1} شے کے لئے {4}. آپ کر رہے ہیں ایک اور {3} اسی کے خلاف {2}؟ -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,کو بچانے کے بعد بار بار چلنے والی مقرر کریں -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,تبدیلی منتخب رقم اکاؤنٹ +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,کو بچانے کے بعد بار بار چلنے والی مقرر کریں +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,تبدیلی منتخب رقم اکاؤنٹ DocType: Purchase Invoice,Price List Currency,قیمت کی فہرست کرنسی DocType: Naming Series,User must always select,صارف نے ہمیشہ منتخب کرنا ضروری ہے DocType: Stock Settings,Allow Negative Stock,منفی اسٹاک کی اجازت دیں DocType: Installation Note,Installation Note,تنصیب نوٹ -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,ٹیکس شامل +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,ٹیکس شامل DocType: Topic,Topic,موضوع apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,فنانسنگ کی طرف سے کیش فلو DocType: Budget Account,Budget Account,بجٹ اکاؤنٹ @@ -2283,7 +2288,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,trace apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),فنڈز کا ماخذ (واجبات) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},قطار میں مقدار {0} ({1}) تیار مقدار کے طور پر ایک ہی ہونا چاہیے {2} DocType: Appraisal,Employee,ملازم -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,بیچ منتخب +DocType: Company,Sales Monthly History,فروخت ماہانہ تاریخ +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,بیچ منتخب apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} کو مکمل طور پر بل کیا جاتا ہے DocType: Training Event,End Time,آخر وقت apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,فعال تنخواہ ساخت {0} ملازم {1} کے لئے مل دی تاریخوں کے لئے @@ -2291,14 +2297,13 @@ DocType: Payment Entry,Payment Deductions or Loss,ادائیگی کٹوتیوں apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,سیلز یا خریداری کے لئے معیاری معاہدہ شرائط. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,واؤچر کی طرف سے گروپ apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,فروخت کی پائپ لائن -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},تنخواہ کے اجزاء میں ڈیفالٹ اکاؤنٹ سیٹ مہربانی {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},تنخواہ کے اجزاء میں ڈیفالٹ اکاؤنٹ سیٹ مہربانی {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,مطلوب پر DocType: Rename Tool,File to Rename,فائل کا نام تبدیل کرنے apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},اکاؤنٹ {0} کمپنی {1} اکاؤنٹ سے موڈ میں نہیں ملتا ہے: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},شے کے لئے موجود نہیں ہے واضع BOM {0} {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,بحالی کے شیڈول {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,بحالی کے شیڈول {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے DocType: Notification Control,Expense Claim Approved,اخراجات کلیم منظور -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,سیٹ اپ> نمبر نمبر کے ذریعے حاضری کے لئے براہ کرم سلسلہ نمبر سیٹ کریں apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ملازم کی تنخواہ کی پرچی {0} نے پہلے ہی اس کی مدت کے لئے پیدا apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,دواسازی apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,خریدی اشیاء کی لاگت @@ -2315,7 +2320,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ایک ختم اچ DocType: Upload Attendance,Attendance To Date,تاریخ کرنے کے لئے حاضری DocType: Warranty Claim,Raised By,طرف سے اٹھائے گئے DocType: Payment Gateway Account,Payment Account,ادائیگی اکاؤنٹ -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,آگے بڑھنے کے لئے کمپنی کی وضاحت کریں +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,آگے بڑھنے کے لئے کمپنی کی وضاحت کریں apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,اکاؤنٹس وصولی میں خالص تبدیلی apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,مائکر آف DocType: Offer Letter,Accepted,قبول کر لیا @@ -2325,12 +2330,12 @@ DocType: SG Creation Tool Course,Student Group Name,طالب علم گروپ ک apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,تم واقعی میں اس کمپنی کے لئے تمام لین دین کو حذف کرنا چاہتے براہ کرم یقینی بنائیں. یہ ہے کے طور پر آپ ماسٹر ڈیٹا رہیں گے. اس کارروائی کو رد نہیں کیا جا سکتا. DocType: Room,Room Number,کمرہ نمبر apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},غلط حوالہ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) منصوبہ بندی quanitity سے زیادہ نہیں ہو سکتا ({2}) پیداوار میں آرڈر {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) منصوبہ بندی quanitity سے زیادہ نہیں ہو سکتا ({2}) پیداوار میں آرڈر {3} DocType: Shipping Rule,Shipping Rule Label,شپنگ حکمرانی لیبل apps/erpnext/erpnext/public/js/conf.js +28,User Forum,صارف فورم -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,خام مال خالی نہیں ہو سکتا. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.",اسٹاک کو اپ ڈیٹ نہیں کیا جا سکا، انوائس ڈراپ شپنگ آئٹم پر مشتمل ہے. -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,فوری جرنل اندراج +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,خام مال خالی نہیں ہو سکتا. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.",اسٹاک کو اپ ڈیٹ نہیں کیا جا سکا، انوائس ڈراپ شپنگ آئٹم پر مشتمل ہے. +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,فوری جرنل اندراج apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,BOM کسی بھی شے agianst ذکر اگر آپ کی شرح کو تبدیل نہیں کر سکتے ہیں DocType: Employee,Previous Work Experience,گزشتہ کام کا تجربہ DocType: Stock Entry,For Quantity,مقدار کے لئے @@ -2387,7 +2392,7 @@ DocType: SMS Log,No of Requested SMS,درخواست ایس ایم ایس کی ک apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,بغیر تنخواہ چھٹی منظور شدہ رخصت کی درخواست ریکارڈ کے ساتھ میل نہیں کھاتا DocType: Campaign,Campaign-.####,مہم -. #### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,اگلے مراحل -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,بہترین ممکنہ شرح پر بیان کردہ اشیاء فراہم مہربانی +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,بہترین ممکنہ شرح پر بیان کردہ اشیاء فراہم مہربانی DocType: Selling Settings,Auto close Opportunity after 15 days,15 دنوں کے بعد آٹو بند مواقع apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,اختتام سال apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,عمومی quot / لیڈ٪ @@ -2425,7 +2430,7 @@ DocType: Homepage,Homepage,مرکزی صفحہ DocType: Purchase Receipt Item,Recd Quantity,Recd مقدار apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},فیس ریکارڈز کی تشکیل - {0} DocType: Asset Category Account,Asset Category Account,ایسیٹ زمرہ اکاؤنٹ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},سیلز آرڈر کی مقدار سے زیادہ آئٹم {0} پیدا نہیں کر سکتے ہیں {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},سیلز آرڈر کی مقدار سے زیادہ آئٹم {0} پیدا نہیں کر سکتے ہیں {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,اسٹاک انٹری {0} پیش نہیں ہے DocType: Payment Reconciliation,Bank / Cash Account,بینک / کیش اکاؤنٹ apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,اگلا رابطے کی طرف سے لیڈ ای میل ایڈریس کے طور پر ایک ہی نہیں ہو سکتا @@ -2458,7 +2463,7 @@ DocType: Salary Structure,Total Earning,کل کمائی DocType: Purchase Receipt,Time at which materials were received,مواد موصول ہوئیں جس میں وقت DocType: Stock Ledger Entry,Outgoing Rate,سبکدوش ہونے والے کی شرح apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,تنظیم شاخ ماسٹر. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,یا +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,یا DocType: Sales Order,Billing Status,بلنگ کی حیثیت apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ایک مسئلہ کی اطلاع دیں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,یوٹیلٹی اخراجات @@ -2466,7 +2471,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,صف # {0}: جرنل اندراج {1} اکاؤنٹ نہیں ہے {2} یا پہلے سے ہی ایک اور واؤچر کے خلاف میچ نہیں کرتے DocType: Buying Settings,Default Buying Price List,پہلے سے طے شدہ خرید قیمت کی فہرست DocType: Process Payroll,Salary Slip Based on Timesheet,تنخواہ کی پرچی Timesheet کی بنیاد پر -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,اوپر منتخب شدہ معیار یا تنخواہ پرچی کے لئے کوئی ملازم پہلے ہی پیدا +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,اوپر منتخب شدہ معیار یا تنخواہ پرچی کے لئے کوئی ملازم پہلے ہی پیدا DocType: Notification Control,Sales Order Message,سیلز آرڈر پیغام apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",وغیرہ کمپنی، کرنسی، رواں مالی سال کی طرح پہلے سے طے شدہ اقدار DocType: Payment Entry,Payment Type,ادائیگی کی قسم @@ -2491,7 +2496,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,رسید دستاویز پیش کرنا ضروری ہے DocType: Purchase Invoice Item,Received Qty,موصولہ مقدار DocType: Stock Entry Detail,Serial No / Batch,سیریل نمبر / بیچ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,نہیں ادا کی اور نجات نہیں +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,نہیں ادا کی اور نجات نہیں DocType: Product Bundle,Parent Item,والدین آئٹم DocType: Account,Account Type,اکاؤنٹ کی اقسام DocType: Delivery Note,DN-RET-,DN-RET- @@ -2522,8 +2527,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,کل مختص رقم apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ہمیشہ کی انوینٹری کے لئے پہلے سے طے شدہ انوینٹری اکاؤنٹ DocType: Item Reorder,Material Request Type,مواد درخواست کی قسم -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},سے {0} کو تنخواہوں کے لئے Accural جرنل اندراج {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},سے {0} کو تنخواہوں کے لئے Accural جرنل اندراج {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,صف {0}: UOM تبادلوں فیکٹر لازمی ہے apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,ممبران DocType: Budget,Cost Center,لاگت مرکز @@ -2541,7 +2546,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ان apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",منتخب قیمتوں کا تعین اصول 'قیمت' کے لئے بنایا جاتا ہے تو، اس کی قیمت کی فہرست ادلیکھت ہو جائے گا. قیمتوں کا تعین اصول قیمت حتمی قیمت ہے، تو کوئی مزید رعایت کا اطلاق ہونا چاہئے. لہذا، وغیرہ سیلز آرڈر، خریداری کے آرڈر کی طرح کے لین دین میں، اس کی بجائے 'قیمت کی فہرست شرح' فیلڈ کے مقابلے میں، 'شرح' میدان میں دلوایا جائے گا. apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ٹریک صنعت کی قسم کی طرف جاتا ہے. DocType: Item Supplier,Item Supplier,آئٹم پردایک -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,بیچ کوئی حاصل کرنے کے لئے آئٹم کوڈ درج کریں +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,بیچ کوئی حاصل کرنے کے لئے آئٹم کوڈ درج کریں apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},{0} quotation_to کے لئے ایک قیمت منتخب کریں {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,تمام پتے. DocType: Company,Stock Settings,اسٹاک ترتیبات @@ -2568,7 +2573,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,ٹرانزیکشن کے apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},کوئی تنخواہ کی پرچی کے درمیان پایا {0} اور {1} ,Pending SO Items For Purchase Request,خریداری کی درخواست کے لئے بہت اشیا زیر التواء apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,طالب علم داخلہ -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,ترک ھو گیا ھے{0} {1} +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,ترک ھو گیا ھے{0} {1} DocType: Supplier,Billing Currency,بلنگ کی کرنسی DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,اضافی بڑا @@ -2598,7 +2603,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,ایپلیکیشن اسٹیٹس DocType: Fees,Fees,فیس DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,زر مبادلہ کی شرح دوسرے میں ایک کرنسی میں تبدیل کرنے کی وضاحت کریں -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,کوٹیشن {0} منسوخ کر دیا ہے +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,کوٹیشن {0} منسوخ کر دیا ہے apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,کل بقایا رقم DocType: Sales Partner,Targets,اہداف DocType: Price List,Price List Master,قیمت کی فہرست ماسٹر @@ -2615,7 +2620,7 @@ DocType: POS Profile,Ignore Pricing Rule,قیمتوں کا تعین اصول ن DocType: Employee Education,Graduate,گریجویٹ DocType: Leave Block List,Block Days,بلاک دنوں DocType: Journal Entry,Excise Entry,ایکسائز انٹری -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},انتباہ: سیلز آرڈر {0} پہلے ہی گاہک کی خریداری کے آرڈر کے خلاف موجود {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},انتباہ: سیلز آرڈر {0} پہلے ہی گاہک کی خریداری کے آرڈر کے خلاف موجود {1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2642,7 +2647,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),تو ,Salary Register,تنخواہ رجسٹر DocType: Warehouse,Parent Warehouse,والدین گودام DocType: C-Form Invoice Detail,Net Total,نیٹ کل -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},پہلے سے طے شدہ BOM آئٹم کے لئے نہیں پایا {0} اور پروجیکٹ {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},پہلے سے طے شدہ BOM آئٹم کے لئے نہیں پایا {0} اور پروجیکٹ {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,مختلف قرض کی اقسام کی وضاحت کریں DocType: Bin,FCFS Rate,FCFS شرح DocType: Payment Reconciliation Invoice,Outstanding Amount,بقایا رقم @@ -2679,7 +2684,7 @@ DocType: Salary Detail,Condition and Formula Help,حالت اور فارمولہ apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,علاقہ درخت کا انتظام کریں. DocType: Journal Entry Account,Sales Invoice,فروخت انوائس DocType: Journal Entry Account,Party Balance,پارٹی بیلنس -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,ڈسکاؤنٹ پر لاگو براہ مہربانی منتخب کریں +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,ڈسکاؤنٹ پر لاگو براہ مہربانی منتخب کریں DocType: Company,Default Receivable Account,پہلے سے طے شدہ وصولی اکاؤنٹ DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,اوپر منتخب شدہ معیار کے لئے ادا کی مجموعی تنخواہ کے لئے بینک اندراج تشکیل DocType: Stock Entry,Material Transfer for Manufacture,تیاری کے لئے مواد کی منتقلی @@ -2693,7 +2698,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,گاہک پتہ DocType: Employee Loan,Loan Details,قرض کی تفصیلات DocType: Company,Default Inventory Account,پہلے سے طے شدہ انوینٹری اکاؤنٹ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,صف {0}: مکمل مقدار صفر سے زیادہ ہونا چاہیے. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,صف {0}: مکمل مقدار صفر سے زیادہ ہونا چاہیے. DocType: Purchase Invoice,Apply Additional Discount On,اضافی رعایت پر لاگو ہوتے ہیں DocType: Account,Root Type,جڑ کی قسم DocType: Item,FIFO,فیفو @@ -2710,7 +2715,7 @@ DocType: Purchase Invoice Item,Quality Inspection,معیار معائنہ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,اضافی چھوٹے DocType: Company,Standard Template,سٹینڈرڈ سانچہ DocType: Training Event,Theory,نظریہ -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,انتباہ: مقدار درخواست مواد کم از کم آرڈر کی مقدار سے کم ہے +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,انتباہ: مقدار درخواست مواد کم از کم آرڈر کی مقدار سے کم ہے apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,اکاؤنٹ {0} منجمد ہے DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,تنظیم سے تعلق رکھنے والے اکاؤنٹس کی ایک علیحدہ چارٹ کے ساتھ قانونی / ماتحت. DocType: Payment Request,Mute Email,گونگا ای میل @@ -2734,7 +2739,7 @@ DocType: Training Event,Scheduled,تخسوچت apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,کوٹیشن کے لئے درخواست. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","نہیں" اور "فروخت آئٹم" "اسٹاک شے" ہے جہاں "ہاں" ہے شے کو منتخب کریں اور کوئی دوسری مصنوعات بنڈل ہے براہ مہربانی DocType: Student Log,Academic,اکیڈمک -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),کل ایڈوانس ({0}) کے خلاف {1} گرینڈ کل سے زیادہ نہیں ہو سکتا ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),کل ایڈوانس ({0}) کے خلاف {1} گرینڈ کل سے زیادہ نہیں ہو سکتا ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,اسمان ماہ میں اہداف تقسیم کرنے ماہانہ تقسیم کریں. DocType: Purchase Invoice Item,Valuation Rate,تشخیص کی شرح DocType: Stock Reconciliation,SR/,SR / @@ -2799,6 +2804,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,انکوائری کے ذریعہ مہم ہے تو مہم کا نام درج کریں apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,اخبار پبلیشرز apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,مالی سال کو منتخب کریں +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,متوقع ترسیل کی تاریخ سیلز آرڈر کی تاریخ کے بعد ہونا چاہئے apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,ترتیب لیول DocType: Company,Chart Of Accounts Template,اکاؤنٹس سانچے کا چارٹ DocType: Attendance,Attendance Date,حاضری تاریخ @@ -2830,7 +2836,7 @@ DocType: Pricing Rule,Discount Percentage,ڈسکاؤنٹ فی صد DocType: Payment Reconciliation Invoice,Invoice Number,انوائس تعداد DocType: Shopping Cart Settings,Orders,احکامات DocType: Employee Leave Approver,Leave Approver,منظوری دینے والا چھوڑ دو -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,ایک بیچ براہ مہربانی منتخب کریں +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,ایک بیچ براہ مہربانی منتخب کریں DocType: Assessment Group,Assessment Group Name,تجزیہ گروپ کا نام DocType: Manufacturing Settings,Material Transferred for Manufacture,مواد کی تیاری کے لئے منتقل DocType: Expense Claim,"A user with ""Expense Approver"" role","اخراجات کی منظوری دینے والا" کردار کے ساتھ ایک صارف @@ -2867,7 +2873,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,اگلے ماہ کے آخری دن DocType: Support Settings,Auto close Issue after 7 days,7 دن کے بعد آٹو بند مسئلہ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",پہلے مختص نہیں کیا جا سکتا چھوڑ {0}، چھٹی توازن پہلے ہی کیری فارورڈ مستقبل چھٹی مختص ریکارڈ میں کیا گیا ہے کے طور پر {1} -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نوٹ: کی وجہ / حوالہ تاریخ {0} دن کی طرف سے کی اجازت کسٹمر کے کریڈٹ دن سے زیادہ (ے) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نوٹ: کی وجہ / حوالہ تاریخ {0} دن کی طرف سے کی اجازت کسٹمر کے کریڈٹ دن سے زیادہ (ے) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,طالب علم کی درخواست گزار DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,وصول کنندہ کے لئے ORIGINAL DocType: Asset Category Account,Accumulated Depreciation Account,جمع ہراس اکاؤنٹ @@ -2878,7 +2884,7 @@ DocType: Item,Reorder level based on Warehouse,گودام کی بنیاد پر DocType: Activity Cost,Billing Rate,بلنگ کی شرح ,Qty to Deliver,نجات کے لئے مقدار ,Stock Analytics,اسٹاک تجزیات -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,آپریشنز خالی نہیں چھوڑا جا سکتا +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,آپریشنز خالی نہیں چھوڑا جا سکتا DocType: Maintenance Visit Purpose,Against Document Detail No,دستاویز تفصیل کے خلاف کوئی apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,پارٹی قسم لازمی ہے DocType: Quality Inspection,Outgoing,سبکدوش ہونے والے @@ -2921,15 +2927,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,گودام میں دستیاب مقدار apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,بل کی گئی رقم DocType: Asset,Double Declining Balance,ڈبل کمی توازن -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,بند آرڈر منسوخ نہیں کیا جا سکتا. منسوخ کرنے کے لئے Unclose. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,بند آرڈر منسوخ نہیں کیا جا سکتا. منسوخ کرنے کے لئے Unclose. DocType: Student Guardian,Father,فادر -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'اپ ڈیٹ اسٹاک' فکسڈ اثاثہ کی فروخت کے لئے نہیں کی جانچ پڑتال کی جا سکتی ہے +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'اپ ڈیٹ اسٹاک' فکسڈ اثاثہ کی فروخت کے لئے نہیں کی جانچ پڑتال کی جا سکتی ہے DocType: Bank Reconciliation,Bank Reconciliation,بینک مصالحتی DocType: Attendance,On Leave,چھٹی پر apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,تازہ ترین معلومات حاصل کریں apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: اکاؤنٹ {2} کمپنی سے تعلق نہیں ہے {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,مواد درخواست {0} منسوخ یا بند کر دیا ہے -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,چند ایک نمونہ کے ریکارڈ میں شامل +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,چند ایک نمونہ کے ریکارڈ میں شامل apps/erpnext/erpnext/config/hr.py +301,Leave Management,مینجمنٹ چھوڑ دو apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,اکاؤنٹ کی طرف سے گروپ DocType: Sales Order,Fully Delivered,مکمل طور پر ہونے والا @@ -2938,12 +2944,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",یہ اسٹاک مصالحتی ایک افتتاحی انٹری ہے کے بعد سے فرق اکاؤنٹ، ایک اثاثہ / ذمہ داری قسم اکاؤنٹ ہونا ضروری ہے apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},معاوضہ رقم قرض کی رقم سے زیادہ نہیں ہوسکتی ہے {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},آئٹم کے لئے ضروری آرڈر نمبر خریداری {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,پروڈکشن آرڈر نہیں بنائی +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,پروڈکشن آرڈر نہیں بنائی apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','تاریخ سے' کے بعد 'تاریخ کے لئے' ہونا ضروری ہے apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},حیثیت کو تبدیل نہیں کر سکتے کیونکہ طالب علم {0} طالب علم کی درخواست کے ساتھ منسلک ہے {1} DocType: Asset,Fully Depreciated,مکمل طور پر فرسودگی ,Stock Projected Qty,اسٹاک مقدار متوقع -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},تعلق نہیں ہے {0} کسٹمر منصوبے کی {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},تعلق نہیں ہے {0} کسٹمر منصوبے کی {1} DocType: Employee Attendance Tool,Marked Attendance HTML,نشان حاضری ایچ ٹی ایم ایل apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",کوٹیشن، تجاویز ہیں بولیاں آپ اپنے گاہکوں کو بھیجا ہے DocType: Sales Order,Customer's Purchase Order,گاہک کی خریداری کے آرڈر @@ -2953,7 +2959,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations کی تعداد بک مقرر کریں apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,قیمت یا مقدار apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,پروڈکشنز احکامات کو نہیں اٹھایا جا سکتا ہے: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,منٹ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,منٹ DocType: Purchase Invoice,Purchase Taxes and Charges,ٹیکس اور الزامات کی خریداری ,Qty to Receive,وصول کرنے کی مقدار DocType: Leave Block List,Leave Block List Allowed,بلاک فہرست اجازت چھوڑ دو @@ -2967,7 +2973,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,تمام پردایک اقسام DocType: Global Defaults,Disable In Words,الفاظ میں غیر فعال کریں apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,آئٹم خود کار طریقے سے شمار نہیں ہے کیونکہ آئٹم کوڈ لازمی ہے -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},کوٹیشن {0} نہیں قسم کی {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},کوٹیشن {0} نہیں قسم کی {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,بحالی کے شیڈول آئٹم DocType: Sales Order,% Delivered,پھچ چوکا ٪ DocType: Production Order,PRO-,بند کریں @@ -2989,7 +2995,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,فروش ای میل DocType: Project,Total Purchase Cost (via Purchase Invoice),کل خریداری کی لاگت (انوائس خریداری کے ذریعے) DocType: Training Event,Start Time,وقت آغاز -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,منتخب مقدار +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,منتخب مقدار DocType: Customs Tariff Number,Customs Tariff Number,کسٹمز ٹیرف نمبر apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,کردار منظوری حکمرانی کے لئے لاگو ہوتا ہے کردار کے طور پر ہی نہیں ہو سکتا apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,اس ای میل ڈائجسٹ سے رکنیت ختم @@ -3013,7 +3019,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,پی آر تفصیل DocType: Sales Order,Fully Billed,مکمل طور پر بل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,ہاتھ میں نقد رقم -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},ڈلیوری گودام اسٹاک شے کے لئے کی ضرورت {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},ڈلیوری گودام اسٹاک شے کے لئے کی ضرورت {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),پیکج کی مجموعی وزن. عام طور پر نیٹ وزن پیکیجنگ مواد وزن. (پرنٹ کے لئے) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,پروگرام کا DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,اس کردار کے ساتھ صارفین کو منجمد اکاؤنٹس کے خلاف اکاؤنٹنگ اندراجات منجمد اکاؤنٹس قائم کرنے اور تخلیق / ترمیم کریں کرنے کی اجازت ہے @@ -3022,7 +3028,7 @@ DocType: Student Group,Group Based On,گروپ کی بنیاد پر DocType: Journal Entry,Bill Date,بل تاریخ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required",سروس شے، قسم، تعدد اور اخراجات کی رقم کے لئے ضروری ہیں apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",سب سے زیادہ ترجیح کے ساتھ ایک سے زیادہ قیمتوں کا تعین قوانین موجود ہیں یہاں تک کہ اگر، تو مندرجہ ذیل اندرونی ترجیحات لاگو ہوتے ہیں: -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},تم واقعی میں سے {0} کے لئے تمام تنخواہ پرچی جمع کرانا چاہتے ہیں {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},تم واقعی میں سے {0} کے لئے تمام تنخواہ پرچی جمع کرانا چاہتے ہیں {1} DocType: Cheque Print Template,Cheque Height,چیک اونچائی DocType: Supplier,Supplier Details,پردایک تفصیلات DocType: Expense Claim,Approval Status,منظوری کی حیثیت @@ -3044,7 +3050,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,کوٹیشن کی ق apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,زیادہ کچھ نہیں دکھانے کے لئے. DocType: Lead,From Customer,کسٹمر سے apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,کالیں -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,بیچز +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,بیچز DocType: Project,Total Costing Amount (via Time Logs),کل لاگت رقم (وقت کیلیے نوشتہ جات دیکھیے کے ذریعے) DocType: Purchase Order Item Supplied,Stock UOM,اسٹاک UOM apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,آرڈر {0} پیش نہیں کی خریداری @@ -3075,7 +3081,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,کے خلاف خرید DocType: Item,Warranty Period (in days),(دن میں) وارنٹی مدت apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 ساتھ تعلق apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,آپریشنز سے نیٹ کیش -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,مثال کے طور پر ٹی (VAT) +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,مثال کے طور پر ٹی (VAT) apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,آئٹم 4 DocType: Student Admission,Admission End Date,داخلے کی آخری تاریخ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ذیلی سمجھوتہ @@ -3083,7 +3089,7 @@ DocType: Journal Entry Account,Journal Entry Account,جرنل اندراج اک apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,طالب علم گروپ DocType: Shopping Cart Settings,Quotation Series,کوٹیشن سیریز apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",ایک شے کے اسی نام کے ساتھ موجود ({0})، شے گروپ کا نام تبدیل یا شے کا نام تبدیل کریں -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,کسٹمر براہ مہربانی منتخب کریں +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,کسٹمر براہ مہربانی منتخب کریں DocType: C-Form,I,میں DocType: Company,Asset Depreciation Cost Center,اثاثہ ہراس لاگت سینٹر DocType: Sales Order Item,Sales Order Date,سیلز آرڈر کی تاریخ @@ -3094,6 +3100,7 @@ DocType: Stock Settings,Limit Percent,حد فیصد ,Payment Period Based On Invoice Date,انوائس کی تاریخ کی بنیاد پر ادائیگی کی مدت apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},کے لئے لاپتہ کرنسی ایکسچینج قیمتیں {0} DocType: Assessment Plan,Examiner,آڈیٹر +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,براہ کرم سیٹ اپ کے ترتیبات کے ذریعے {0} سیریز کے نام کا نام سیٹ کریں DocType: Student,Siblings,بھائی بہن DocType: Journal Entry,Stock Entry,اسٹاک انٹری DocType: Payment Entry,Payment References,ادائیگی حوالہ جات @@ -3118,7 +3125,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,مینوفیکچرنگ آپریشنز کہاں کئے جاتے ہیں. DocType: Asset Movement,Source Warehouse,ماخذ گودام DocType: Installation Note,Installation Date,تنصیب کی تاریخ -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},صف # {0}: اثاثہ {1} کی کمپنی سے تعلق نہیں ہے {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},صف # {0}: اثاثہ {1} کی کمپنی سے تعلق نہیں ہے {2} DocType: Employee,Confirmation Date,توثیق تاریخ DocType: C-Form,Total Invoiced Amount,کل انوائس کی رقم apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,کم از کم مقدار زیادہ سے زیادہ مقدار سے زیادہ نہیں ہو سکتا @@ -3192,7 +3199,7 @@ DocType: Company,Default Letter Head,خط سر پہلے سے طے شدہ DocType: Purchase Order,Get Items from Open Material Requests,کھلا مواد درخواستوں سے اشیاء حاصل DocType: Item,Standard Selling Rate,سٹینڈرڈ فروخت کی شرح DocType: Account,Rate at which this tax is applied,اس ٹیکس لاگو کیا جاتا ہے جس میں شرح -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,ترتیب مقدار +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,ترتیب مقدار apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,موجودہ کام سوراخ DocType: Company,Stock Adjustment Account,اسٹاک ایڈجسٹمنٹ بلنگ apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,لکھ دینا @@ -3206,7 +3213,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,پردایک کسٹمر کو فراہم apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0})موجود نھی ھے apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,اگلی تاریخ پوسٹنگ کی تاریخ سے زیادہ ہونا چاہیے -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},وجہ / حوالہ تاریخ کے بعد نہیں ہو سکتا {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},وجہ / حوالہ تاریخ کے بعد نہیں ہو سکتا {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ڈیٹا کی درآمد اور برآمد apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,کوئی طالب علم نہیں ملا apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,انوائس پوسٹنگ کی تاریخ @@ -3227,12 +3234,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,یہ اس طالب علم کی حاضری پر مبنی ہے apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,کوئی طلبا میں apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,مزید آئٹمز یا کھلی مکمل فارم شامل کریں -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date','متوقع تاریخ کی ترسیل' درج کریں -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ترسیل نوٹوں {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ترسیل نوٹوں {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ادائیگی کی رقم رقم گرینڈ کل سے زیادہ نہیں ہو سکتا لکھنے + apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} شے کے لئے ایک درست بیچ نمبر نہیں ہے {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},نوٹ: حکم کی قسم کے لئے کافی چھٹی توازن نہیں ہے {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,غلط GSTIN یا غیر رجسٹرڈ لئے NA درج +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,غلط GSTIN یا غیر رجسٹرڈ لئے NA درج DocType: Training Event,Seminar,سیمینار DocType: Program Enrollment Fee,Program Enrollment Fee,پروگرام کے اندراج کی فیس DocType: Item,Supplier Items,پردایک اشیا @@ -3250,7 +3256,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,اسٹاک خستہ apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},طالب علم {0} طالب علم کے درخواست دہندگان کے خلاف موجود ہے {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,وقت شیٹ -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} {1} 'غیر فعال ہے +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} {1} 'غیر فعال ہے apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,کھولنے کے طور پر مقرر کریں DocType: Cheque Print Template,Scanned Cheque,سکین شدہ چیک DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,جمع لین دین پر خود کار طریقے سے رابطے ای میلز بھیجیں. @@ -3297,7 +3303,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,قیمت کی فہرست زر مبادلہ کی شرح DocType: Purchase Invoice Item,Rate,شرح apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,انٹرن -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ایڈریس نام +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,ایڈریس نام DocType: Stock Entry,From BOM,BOM سے DocType: Assessment Code,Assessment Code,تشخیص کے کوڈ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,بنیادی @@ -3310,20 +3316,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,تنخواہ ساخت DocType: Account,Bank,بینک apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ایئرلائن -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,مسئلہ مواد +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,مسئلہ مواد DocType: Material Request Item,For Warehouse,گودام کے لئے DocType: Employee,Offer Date,پیشکش تاریخ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,کوٹیشن -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,آپ آف لائن موڈ میں ہیں. آپ آپ کو نیٹ ورک ہے جب تک دوبارہ لوڈ کرنے کے قابل نہیں ہو گا. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,آپ آف لائن موڈ میں ہیں. آپ آپ کو نیٹ ورک ہے جب تک دوبارہ لوڈ کرنے کے قابل نہیں ہو گا. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,کوئی بھی طالب علم گروپ بنائے. DocType: Purchase Invoice Item,Serial No,سیریل نمبر apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,ماہانہ واپسی کی رقم قرض کی رقم سے زیادہ نہیں ہو سکتا apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,پہلے Maintaince تفصیلات درج کریں +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,قطار # {0}: متوقع ترسیل کی تاریخ خریداری آرڈر کی تاریخ سے پہلے نہیں ہوسکتی ہے DocType: Purchase Invoice,Print Language,پرنٹ کریں زبان DocType: Salary Slip,Total Working Hours,کل کام کے گھنٹے DocType: Stock Entry,Including items for sub assemblies,ذیلی اسمبلیوں کے لئے اشیاء سمیت -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,درج قدر مثبت ہونا چاہئے -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,درج قدر مثبت ہونا چاہئے apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,تمام علاقوں DocType: Purchase Invoice,Items,اشیا apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,طالب علم پہلے سے ہی مندرج ہے. @@ -3346,7 +3352,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',مختلف کے لئے پیمائش کی پہلے سے طے شدہ یونٹ '{0}' سانچے میں کے طور پر ایک ہی ہونا چاہیے '{1} DocType: Shipping Rule,Calculate Based On,کی بنیاد پر حساب DocType: Delivery Note Item,From Warehouse,گودام سے -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,تیار کرنے کی مواد کے بل کے ساتھ کوئی شے +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,تیار کرنے کی مواد کے بل کے ساتھ کوئی شے DocType: Assessment Plan,Supervisor Name,سپروائزر کا نام DocType: Program Enrollment Course,Program Enrollment Course,پروگرام اندراج کورس DocType: Program Enrollment Course,Program Enrollment Course,پروگرام اندراج کورس @@ -3362,23 +3368,23 @@ DocType: Training Event Employee,Attended,شرکت apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'آخری آرڈر کے بعد دن' صفر سے زیادہ یا برابر ہونا چاہیے DocType: Process Payroll,Payroll Frequency,پے رول فریکوئینسی DocType: Asset,Amended From,سے ترمیم شدہ -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,خام مال +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,خام مال DocType: Leave Application,Follow via Email,ای میل کے ذریعے عمل کریں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,پودے اور مشینری DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ڈسکاؤنٹ رقم کے بعد ٹیکس کی رقم DocType: Daily Work Summary Settings,Daily Work Summary Settings,روز مرہ کے کام کا خلاصہ ترتیبات -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},قیمت کی فہرست {0} کی کرنسی کا انتخاب کرنسی کے ساتھ اسی طرح کی نہیں ہے {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},قیمت کی فہرست {0} کی کرنسی کا انتخاب کرنسی کے ساتھ اسی طرح کی نہیں ہے {1} DocType: Payment Entry,Internal Transfer,اندرونی منتقلی apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,چائلڈ اکاؤنٹ اس اکاؤنٹ کے لئے موجود ہے. آپ اس اکاؤنٹ کو حذف نہیں کر سکتے ہیں. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,بہر ہدف مقدار یا ہدف رقم لازمی ہے apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},کوئی پہلے سے طے شدہ BOM شے کے لئے موجود {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,پہلے پوسٹنگ کی تاریخ منتخب کریں +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,پہلے پوسٹنگ کی تاریخ منتخب کریں apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,تاریخ افتتاحی تاریخ بند کرنے سے پہلے ہونا چاہئے DocType: Leave Control Panel,Carry Forward,آگے لے جانے apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,موجودہ لین دین کے ساتھ سرمایہ کاری سینٹر اکاؤنٹ میں تبدیل نہیں کیا جا سکتا DocType: Department,Days for which Holidays are blocked for this department.,دن جس کے لئے چھٹیاں اس سیکشن کے لئے بلاک کر رہے ہیں. ,Produced,تیار -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,پیدا تنخواہ تخم +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,پیدا تنخواہ تخم DocType: Item,Item Code for Suppliers,سپلائر کے لئے آئٹم کوڈ DocType: Issue,Raised By (Email),طرف سے اٹھائے گئے (ای میل) DocType: Training Event,Trainer Name,ٹرینر نام @@ -3386,9 +3392,10 @@ DocType: Mode of Payment,General,جنرل apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,آخری مواصلات apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,آخری مواصلات apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',زمرہ 'تشخیص' یا 'تشخیص اور کل' کے لئے ہے جب کٹوتی نہیں کر سکتے ہیں -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",آپ کے ٹیکس سر فہرست (مثال کے طور پر ویٹ؛ کسٹمز وغیرہ وہ منفرد نام ہونا چاہئے) اور ان کے معیاری شرح. یہ آپ ترمیم اور زیادہ بعد میں اضافہ کر سکتے ہیں جس میں ایک معیاری سانچے، پیدا کر دے گا. +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",آپ کے ٹیکس سر فہرست (مثال کے طور پر ویٹ؛ کسٹمز وغیرہ وہ منفرد نام ہونا چاہئے) اور ان کے معیاری شرح. یہ آپ ترمیم اور زیادہ بعد میں اضافہ کر سکتے ہیں جس میں ایک معیاری سانچے، پیدا کر دے گا. apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},serialized کی شے کے لئے سیریل نمبر مطلوب {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,انوائس کے ساتھ ملائیں ادائیگیاں +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},قطار # {0}: براہ کرم آئٹم کے خلاف ترسیل کی تاریخ درج کریں {1} DocType: Journal Entry,Bank Entry,بینک انٹری DocType: Authorization Rule,Applicable To (Designation),لاگو (عہدہ) ,Profitability Analysis,منافع تجزیہ @@ -3404,17 +3411,18 @@ DocType: Quality Inspection,Item Serial No,آئٹم سیریل نمبر apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ملازم ریکارڈز تخلیق کریں apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,کل موجودہ apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,اکاؤنٹنگ بیانات -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,قیامت +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,قیامت apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,نیا سیریل کوئی گودام ہیں کر سکتے ہیں. گودام اسٹاک اندراج یا خریداری کی رسید کی طرف سے مقرر کیا جانا چاہیے DocType: Lead,Lead Type,لیڈ کی قسم apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,آپ کو بلاک تاریخوں پر پتے کو منظور کرنے کی اجازت نہیں ہے -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,ان تمام اشیاء کو پہلے ہی انوائس کیا گیا ہے +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,ان تمام اشیاء کو پہلے ہی انوائس کیا گیا ہے +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,ماہانہ سیلز کا نشانہ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},کی طرف سے منظور کیا جا سکتا ہے {0} DocType: Item,Default Material Request Type,پہلے سے طے شدہ مواد کی گذارش پروپوزل کی گذارش apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,نامعلوم DocType: Shipping Rule,Shipping Rule Conditions,شپنگ حکمرانی ضوابط DocType: BOM Replace Tool,The new BOM after replacement,تبدیل کرنے کے بعد نئے BOM -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,فروخت پوائنٹ +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,فروخت پوائنٹ DocType: Payment Entry,Received Amount,موصولہ رقم DocType: GST Settings,GSTIN Email Sent On,GSTIN ای میل پر ارسال کردہ DocType: Program Enrollment,Pick/Drop by Guardian,/ سرپرست کی طرف سے ڈراپ چنیں @@ -3431,8 +3439,8 @@ DocType: Batch,Source Document Name,ماخذ دستاویز کا نام DocType: Batch,Source Document Name,ماخذ دستاویز کا نام DocType: Job Opening,Job Title,ملازمت کا عنوان apps/erpnext/erpnext/utilities/activation.py +97,Create Users,صارفین تخلیق -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,گرام -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,تیار کرنے کی مقدار 0 سے زیادہ ہونا چاہیے. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,گرام +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,تیار کرنے کی مقدار 0 سے زیادہ ہونا چاہیے. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,بحالی کال کے لئے رپورٹ ملاحظہ کریں. DocType: Stock Entry,Update Rate and Availability,اپ ڈیٹ کی شرح اور دستیابی DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,فی صد آپ کو موصول ہونے یا حکم دیا مقدار کے خلاف زیادہ فراہم کرنے کے لئے اجازت دی جاتی ہے. مثال کے طور پر: آپ کو 100 یونٹس کا حکم دیا ہے تو. اور آپ الاؤنس تو آپ کو 110 یونٹس حاصل کرنے کے لئے اجازت دی جاتی ہے 10٪ ہے. @@ -3445,7 +3453,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,انوائس خریداری {0} منسوخ مہربانی سب سے پہلے apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",ای میل پتہ منفرد ہونا ضروری ہے، پہلے ہی {0} کے لئے موجود ہے. DocType: Serial No,AMC Expiry Date,AMC ختم ہونے کی تاریخ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,رسید +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,رسید ,Sales Register,سیلز رجسٹر DocType: Daily Work Summary Settings Company,Send Emails At,پر ای میلز بھیجیں DocType: Quotation,Quotation Lost Reason,کوٹیشن کھو وجہ @@ -3458,14 +3466,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,ابھی تک apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,کیش فلو کا بیان apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},قرض کی رقم {0} کی زیادہ سے زیادہ قرض کی رقم سے زیادہ نہیں ہوسکتی apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,لائسنس -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},سی فارم سے اس انوائس {0} کو دور کریں {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},سی فارم سے اس انوائس {0} کو دور کریں {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,آپ کو بھی گزشتہ مالی سال کے توازن رواں مالی سال کے لئے چھوڑ دیتا شامل کرنے کے لئے چاہتے ہیں تو آگے بڑھانے براہ مہربانی منتخب کریں DocType: GL Entry,Against Voucher Type,واؤچر قسم کے خلاف DocType: Item,Attributes,صفات apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,اکاؤنٹ لکھنے داخل کریں apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,آخری آرڈر کی تاریخ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},اکاؤنٹ {0} کرتا کمپنی سے تعلق رکھتا نہیں {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,{0} قطار میں سیریل نمبر ڈلیوری نوٹ کے ساتھ میل نہیں کھاتا +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,{0} قطار میں سیریل نمبر ڈلیوری نوٹ کے ساتھ میل نہیں کھاتا DocType: Student,Guardian Details,گارڈین کی تفصیلات دیکھیں DocType: C-Form,C-Form,سی فارم apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,ایک سے زیادہ ملازمین کے لئے نشان حاضری @@ -3497,16 +3505,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,و DocType: Tax Rule,Sales,سیلز DocType: Stock Entry Detail,Basic Amount,بنیادی رقم DocType: Training Event,Exam,امتحان -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},گودام اسٹاک آئٹم کے لئے ضروری {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},گودام اسٹاک آئٹم کے لئے ضروری {0} DocType: Leave Allocation,Unused leaves,غیر استعمال شدہ پتے -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,کروڑ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,کروڑ DocType: Tax Rule,Billing State,بلنگ ریاست apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,منتقلی apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} پارٹی اکاؤنٹ کے ساتھ وابستہ نہیں کرتا {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(ذیلی اسمبلیوں سمیت) پھٹا BOM آوردہ +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),(ذیلی اسمبلیوں سمیت) پھٹا BOM آوردہ DocType: Authorization Rule,Applicable To (Employee),لاگو (ملازم) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,کی وجہ سے تاریخ لازمی ہے apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,وصف کے لئے اضافہ {0} 0 نہیں ہو سکتا +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ DocType: Journal Entry,Pay To / Recd From,سے / Recd کرنے کے لئے ادا DocType: Naming Series,Setup Series,سیٹ اپ سیریز DocType: Payment Reconciliation,To Invoice Date,تاریخ انوائس کے لئے @@ -3533,7 +3542,7 @@ DocType: Journal Entry,Write Off Based On,کی بنیاد پر لکھنے apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,لیڈ بنائیں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,پرنٹ اور سٹیشنری DocType: Stock Settings,Show Barcode Field,دکھائیں بارکوڈ فیلڈ -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,پردایک ای میلز بھیجیں +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,پردایک ای میلز بھیجیں apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",تنخواہ پہلے سے ہی درمیان {0} اور {1}، درخواست مدت چھوڑیں اس تاریخ کی حد کے درمیان نہیں ہو سکتا مدت کے لئے کارروائی کی. apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,ایک سیریل نمبر کے لئے تنصیب ریکارڈ DocType: Guardian Interest,Guardian Interest,گارڈین دلچسپی @@ -3547,7 +3556,7 @@ DocType: Offer Letter,Awaiting Response,جواب کا منتظر apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,اوپر apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},غلط وصف {0} {1} DocType: Supplier,Mention if non-standard payable account,ذکر غیر معیاری قابل ادائیگی اکاؤنٹ ہے تو -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ایک ہی شے کے کئی بار داخل کیا گیا ہے. {فہرست} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},ایک ہی شے کے کئی بار داخل کیا گیا ہے. {فہرست} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups','تمام تعین گروپ' کے علاوہ کسی اور کا تعین گروپ براہ مہربانی منتخب کریں DocType: Salary Slip,Earning & Deduction,کمائی اور کٹوتی apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختیاری. یہ ترتیب مختلف لین دین میں فلٹر کیا جائے گا. @@ -3566,7 +3575,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,ختم کر دیا اثاثہ کی قیمت apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: لاگت سینٹر شے کے لئے لازمی ہے {2} DocType: Vehicle,Policy No,پالیسی نہیں -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,پروڈکٹ بنڈل سے اشیاء حاصل +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,پروڈکٹ بنڈل سے اشیاء حاصل DocType: Asset,Straight Line,سیدھی لکیر DocType: Project User,Project User,پروجیکٹ صارف apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,سپلٹ @@ -3580,6 +3589,7 @@ DocType: Bank Reconciliation,Payment Entries,ادائیگی لکھے DocType: Production Order,Scrap Warehouse,سکریپ گودام DocType: Production Order,Check if material transfer entry is not required,مواد کی منتقلی کے اندراج کی ضرورت نہیں ہے چیک کریں DocType: Production Order,Check if material transfer entry is not required,مواد کی منتقلی کے اندراج کی ضرورت نہیں ہے چیک کریں +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,برائے مہربانی انسانی وسائل> HR ترتیبات میں ملازم نامی کا نظام قائم کریں DocType: Program Enrollment Tool,Get Students From,سے طالب علموں کو حاصل کریں DocType: Hub Settings,Seller Country,فروش ملک apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,ویب سائٹ پر اشیاء شائع @@ -3598,19 +3608,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,م DocType: Shipping Rule,Specify conditions to calculate shipping amount,شپنگ رقم کا حساب کرنے کی شرائط کی وضاحت DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,کردار منجمد اکاؤنٹس اور ترمیم منجمد اندراجات مقرر کرنے کی اجازت apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,یہ بچے نوڈ ہے کے طور پر لیجر لاگت مرکز میں تبدیل نہیں کرسکتا -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,افتتاحی ویلیو +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,افتتاحی ویلیو DocType: Salary Detail,Formula,فارمولہ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,سیریل نمبر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,فروخت پر کمیشن DocType: Offer Letter Term,Value / Description,ویلیو / تفصیل -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",قطار # {0}: اثاثہ {1} جمع نہیں کیا جا سکتا، یہ پہلے سے ہی ہے {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",قطار # {0}: اثاثہ {1} جمع نہیں کیا جا سکتا، یہ پہلے سے ہی ہے {2} DocType: Tax Rule,Billing Country,بلنگ کا ملک DocType: Purchase Order Item,Expected Delivery Date,متوقع تاریخ کی ترسیل apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ڈیبٹ اور کریڈٹ {0} # کے لئے برابر نہیں {1}. فرق ہے {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,تفریح اخراجات apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,مواد درخواست کر apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},اوپن آئٹم {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,اس سیلز آرڈر منسوخ کرنے سے پہلے انوائس {0} منسوخ کر دیا جائے ضروری ہے سیلز +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,اس سیلز آرڈر منسوخ کرنے سے پہلے انوائس {0} منسوخ کر دیا جائے ضروری ہے سیلز apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,عمر DocType: Sales Invoice Timesheet,Billing Amount,بلنگ رقم apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,شے کے لئے مخصوص غلط مقدار {0}. مقدار 0 سے زیادہ ہونا چاہئے. @@ -3633,7 +3643,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,نئے گاہک ریونیو apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,سفر کے اخراجات DocType: Maintenance Visit,Breakdown,خرابی -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,اکاؤنٹ: {0} کرنسی: {1} منتخب نہیں کیا جا سکتا +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,اکاؤنٹ: {0} کرنسی: {1} منتخب نہیں کیا جا سکتا DocType: Bank Reconciliation Detail,Cheque Date,چیک تاریخ apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},اکاؤنٹ {0}: والدین اکاؤنٹ {1} کمپنی سے تعلق نہیں ہے: {2} DocType: Program Enrollment Tool,Student Applicants,Student کی درخواست گزار @@ -3653,11 +3663,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,منص DocType: Material Request,Issued,جاری کردیا گیا apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,طالب علم کی سرگرمی DocType: Project,Total Billing Amount (via Time Logs),کل بلنگ رقم (وقت کیلیے نوشتہ جات دیکھیے کے ذریعے) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,ہم اس شے کے فروخت +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,ہم اس شے کے فروخت apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,پردایک شناخت DocType: Payment Request,Payment Gateway Details,ادائیگی کے گیٹ وے کی تفصیلات دیکھیں -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,مقدار 0 سے زیادہ ہونا چاہئے -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,نمونہ ڈیٹا +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,مقدار 0 سے زیادہ ہونا چاہئے +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,نمونہ ڈیٹا DocType: Journal Entry,Cash Entry,کیش انٹری apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,بچے نوڈس صرف 'گروپ' قسم نوڈس کے تحت پیدا کیا جا سکتا DocType: Leave Application,Half Day Date,آدھا دن تاریخ @@ -3666,17 +3676,18 @@ DocType: Sales Partner,Contact Desc,رابطہ DESC apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.",آرام دہ اور پرسکون طرح پتیوں کی قسم، بیمار وغیرہ DocType: Email Digest,Send regular summary reports via Email.,ای میل کے ذریعے باقاعدہ سمری رپورٹ بھیجنے. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},میں اخراجات دعوی کی قسم ڈیفالٹ اکاؤنٹ سیٹ مہربانی {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},میں اخراجات دعوی کی قسم ڈیفالٹ اکاؤنٹ سیٹ مہربانی {0} DocType: Assessment Result,Student Name,طالب علم کا نام DocType: Brand,Item Manager,آئٹم مینیجر apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,قابل ادائیگی پے رول DocType: Buying Settings,Default Supplier Type,پہلے سے طے شدہ پردایک قسم DocType: Production Order,Total Operating Cost,کل آپریٹنگ لاگت -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,نوٹ: آئٹم {0} کئی بار میں داخل +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,نوٹ: آئٹم {0} کئی بار میں داخل apps/erpnext/erpnext/config/selling.py +41,All Contacts.,تمام رابطے. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,اپنے ہدف کو مقرر کریں apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,کمپنی مخفف apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,صارف {0} موجود نہیں ہے -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,خام مال بنیادی شے کے طور پر ایک ہی نہیں ہو سکتا +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,خام مال بنیادی شے کے طور پر ایک ہی نہیں ہو سکتا DocType: Item Attribute Value,Abbreviation,مخفف apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ادائیگی انٹری پہلے سے موجود ہے apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} حدود سے تجاوز کے بعد authroized نہیں @@ -3694,7 +3705,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,کردار منجمد ,Territory Target Variance Item Group-Wise,علاقہ ھدف تغیر آئٹم گروپ حکیم apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,تمام کسٹمر گروپوں apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,جمع ماہانہ -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} لازمی ہے. ہو سکتا ہے کہ کرنسی ایکسچینج ریکارڈ {1} {2} کرنے کے لئے پیدا نہیں کر رہا ہے. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} لازمی ہے. ہو سکتا ہے کہ کرنسی ایکسچینج ریکارڈ {1} {2} کرنے کے لئے پیدا نہیں کر رہا ہے. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ٹیکس سانچہ لازمی ہے. apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,اکاؤنٹ {0}: والدین اکاؤنٹ {1} موجود نہیں ہے DocType: Purchase Invoice Item,Price List Rate (Company Currency),قیمت کی فہرست شرح (کمپنی کرنسی) @@ -3705,7 +3716,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,فیصدی ایل apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,سیکرٹری DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",غیر فعال اگر، میدان کے الفاظ میں 'کسی بھی ٹرانزیکشن میں نظر نہیں آئیں گے DocType: Serial No,Distinct unit of an Item,آئٹم کے مخصوص یونٹ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,کمپنی قائم کی مہربانی +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,کمپنی قائم کی مہربانی DocType: Pricing Rule,Buying,خرید DocType: HR Settings,Employee Records to be created by,ملازم کے ریکارڈ کی طرف سے پیدا کیا جا کرنے کے لئے DocType: POS Profile,Apply Discount On,رعایت پر لاگو کریں @@ -3716,7 +3727,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,آئٹم حکمت ٹیکس تفصیل apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,انسٹی ٹیوٹ مخفف ,Item-wise Price List Rate,آئٹم وار قیمت کی فہرست شرح -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,پردایک کوٹیشن +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,پردایک کوٹیشن DocType: Quotation,In Words will be visible once you save the Quotation.,آپ کوٹیشن بچانے بار الفاظ میں نظر آئے گا. apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) قطار میں ایک حصہ نہیں ہو سکتا {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) قطار میں ایک حصہ نہیں ہو سکتا {1} @@ -3740,7 +3751,7 @@ Updated via 'Time Log'",منٹ میں 'وقت لاگ ان' کے ذریع DocType: Customer,From Lead,لیڈ سے apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,احکامات کی پیداوار کے لئے جاری. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,مالی سال منتخب کریں ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,پی او ایس پی او ایس پروفائل اندراج کرنے کے لئے کی ضرورت ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,پی او ایس پی او ایس پروفائل اندراج کرنے کے لئے کی ضرورت ہے DocType: Program Enrollment Tool,Enroll Students,طلباء اندراج کریں DocType: Hub Settings,Name Token,نام ٹوکن apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,سٹینڈرڈ فروخت @@ -3758,7 +3769,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,اسٹاک کی قیمت فر apps/erpnext/erpnext/config/learn.py +234,Human Resource,انسانی وسائل DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ادائیگی مفاہمت ادائیگی apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ٹیکس اثاثے -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},پیداوار آرڈر {0} ہے +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},پیداوار آرڈر {0} ہے DocType: BOM Item,BOM No,BOM کوئی DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,جرنل اندراج {0} {1} یا پہلے سے ہی دیگر واؤچر خلاف مماثلت اکاؤنٹ نہیں ہے @@ -3772,7 +3783,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,ایک apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,بقایا AMT DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,مقرر مقاصد آئٹم گروپ وار اس کی فروخت کے شخص کے لئے. DocType: Stock Settings,Freeze Stocks Older Than [Days],جھروکے سٹاکس بڑی عمر کے مقابلے [دنوں] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,صف # {0}: اثاثہ فکسڈ اثاثہ خرید / فروخت کے لئے لازمی ہے +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,صف # {0}: اثاثہ فکسڈ اثاثہ خرید / فروخت کے لئے لازمی ہے apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",دو یا زیادہ قیمتوں کا تعین قواعد مندرجہ بالا شرائط پر مبنی پایا جاتا ہے تو، ترجیح کا اطلاق ہوتا ہے. ڈیفالٹ قدر صفر (خالی) ہے جبکہ ترجیح 20 0 درمیان ایک بڑی تعداد ہے. زیادہ تعداد ایک ہی شرائط کے ساتھ ایک سے زیادہ قیمتوں کا تعین قوانین موجود ہیں تو یہ مقدم لے جائے گا کا مطلب ہے. apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,مالی سال: {0} نہیں موجود DocType: Currency Exchange,To Currency,سینٹ کٹس اور نیوس @@ -3780,7 +3791,7 @@ DocType: Leave Block List,Allow the following users to approve Leave Application apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,خرچ دعوی کی اقسام. apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},آئٹم {0} کے لئے فروخت کی شرح اس سے کم ہے {1}. فروخت کی شرح کو کم از کم ہونا چاہئے {2} DocType: Item,Taxes,ٹیکسز -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,ادا کی اور نجات نہیں +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,ادا کی اور نجات نہیں DocType: Project,Default Cost Center,پہلے سے طے شدہ لاگت مرکز DocType: Bank Guarantee,End Date,آخری تاریخ apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,اسٹاک معاملات @@ -3797,7 +3808,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,روز مرہ کے کام کا خلاصہ ترتیبات کمپنی apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,اس کے بعد سے نظر انداز کر دیا آئٹم {0} اسٹاک شے نہیں ہے DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,مزید کارروائی کے لئے اس کی پیداوار آرڈر جمع کرائیں. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,مزید کارروائی کے لئے اس کی پیداوار آرڈر جمع کرائیں. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",ایک مخصوص ٹرانزیکشن میں قیمتوں کا تعین اصول لاگو نہیں کرنے کے لئے، تمام قابل اطلاق قیمتوں کا تعین قواعد غیر فعال کیا جانا چاہئے. DocType: Assessment Group,Parent Assessment Group,والدین کا تعین گروپ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,نوکریاں @@ -3805,10 +3816,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,نوکریا DocType: Employee,Held On,مقبوضہ پر apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,پیداوار آئٹم ,Employee Information,ملازم کی معلومات -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),شرح (٪) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),شرح (٪) DocType: Stock Entry Detail,Additional Cost,اضافی لاگت apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",واؤچر نمبر کی بنیاد پر فلٹر کر سکتے ہیں، واؤچر کی طرف سے گروپ ہے -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,پردایک کوٹیشن بنائیں +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,پردایک کوٹیشن بنائیں DocType: Quality Inspection,Incoming,موصولہ DocType: BOM,Materials Required (Exploded),مواد (دھماکے) کی ضرورت apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",اپنے آپ کے علاوہ، آپ کی تنظیم کے صارفین کو شامل کریں @@ -3824,7 +3835,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,اکاؤنٹ: {0} صرف اسٹاک معاملات کے ذریعے اپ ڈیٹ کیا جا سکتا ہے DocType: Student Group Creation Tool,Get Courses,کورسز حاصل کریں DocType: GL Entry,Party,پارٹی -DocType: Sales Order,Delivery Date,ادئیگی کی تاریخ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,ادئیگی کی تاریخ DocType: Opportunity,Opportunity Date,موقع تاریخ DocType: Purchase Receipt,Return Against Purchase Receipt,خریداری کی رسید کے خلاف واپسی DocType: Request for Quotation Item,Request for Quotation Item,کوٹیشن آئٹم کے لئے درخواست @@ -3838,7 +3849,7 @@ DocType: Task,Actual Time (in Hours),(گھنٹوں میں) اصل وقت DocType: Employee,History In Company,کمپنی کی تاریخ apps/erpnext/erpnext/config/learn.py +107,Newsletters,خبرنامے DocType: Stock Ledger Entry,Stock Ledger Entry,اسٹاک لیجر انٹری -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,ایک ہی شے کے کئی بار داخل کیا گیا ہے +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,ایک ہی شے کے کئی بار داخل کیا گیا ہے DocType: Department,Leave Block List,بلاک فہرست چھوڑ دو DocType: Sales Invoice,Tax ID,ٹیکس شناخت apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} آئٹم سیریل نمبر کے لئے سیٹ اپ نہیں ہے. کالم خالی ہونا ضروری ہے @@ -3856,25 +3867,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,سیاہ DocType: BOM Explosion Item,BOM Explosion Item,BOM دھماکہ آئٹم DocType: Account,Auditor,آڈیٹر -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} سے تیار اشیاء +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} سے تیار اشیاء DocType: Cheque Print Template,Distance from top edge,اوپر کے کنارے سے فاصلہ apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,قیمت کی فہرست {0} غیر فعال ہے یا موجود نہیں ہے DocType: Purchase Invoice,Return,واپس DocType: Production Order Operation,Production Order Operation,پروڈکشن آرڈر آپریشن DocType: Pricing Rule,Disable,غیر فعال کریں -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ادائیگی کا طریقہ ایک ادائیگی کرنے کے لئے کی ضرورت ہے +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,ادائیگی کا طریقہ ایک ادائیگی کرنے کے لئے کی ضرورت ہے DocType: Project Task,Pending Review,زیر جائزہ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} بیچ میں اندراج نہیں ہے {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",یہ پہلے سے ہی ہے کے طور پر اثاثہ {0}، ختم نہیں کیا جا سکتا {1} DocType: Task,Total Expense Claim (via Expense Claim),(خرچ دعوی ذریعے) کل اخراجات کا دعوی apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,مارک غائب -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},صف {0}: BOM کی کرنسی # {1} کو منتخب کردہ کرنسی کے برابر ہونا چاہئے {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},صف {0}: BOM کی کرنسی # {1} کو منتخب کردہ کرنسی کے برابر ہونا چاہئے {2} DocType: Journal Entry Account,Exchange Rate,زر مبادلہ کی شرح -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,سیلز آرڈر {0} پیش نہیں ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,سیلز آرڈر {0} پیش نہیں ہے DocType: Homepage,Tag Line,ٹیگ لائن DocType: Fee Component,Fee Component,فیس اجزاء apps/erpnext/erpnext/config/hr.py +195,Fleet Management,بیڑے کے انتظام -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,سے اشیاء شامل کریں +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,سے اشیاء شامل کریں DocType: Cheque Print Template,Regular,باقاعدگی سے apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,تمام تشخیص کے معیار کے کل اہمیت کا ہونا ضروری ہے 100٪ DocType: BOM,Last Purchase Rate,آخری خریداری کی شرح @@ -3895,12 +3906,12 @@ DocType: Employee,Reports to,رپورٹیں DocType: SMS Settings,Enter url parameter for receiver nos,رسیور تعداد کے لئے یو آر ایل پیرامیٹر درج DocType: Payment Entry,Paid Amount,ادائیگی کی رقم DocType: Assessment Plan,Supervisor,سپروائزر -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,آن لائن +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,آن لائن ,Available Stock for Packing Items,پیکنگ اشیاء کے لئے دستیاب اسٹاک DocType: Item Variant,Item Variant,آئٹم مختلف DocType: Assessment Result Tool,Assessment Result Tool,تشخیص کے نتائج کا آلہ DocType: BOM Scrap Item,BOM Scrap Item,BOM سکریپ آئٹم -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,پیش احکامات خارج کر دیا نہیں کیا جا سکتا +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,پیش احکامات خارج کر دیا نہیں کیا جا سکتا apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",پہلے سے ڈیبٹ میں اکاؤنٹ بیلنس، آپ کو کریڈٹ 'کے طور پر کی بیلنس ہونا چاہئے' قائم کرنے کی اجازت نہیں کر رہے ہیں apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,معیار منظم رکھنا apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} آئٹم غیر فعال ہوگئی ہے @@ -3932,7 +3943,7 @@ DocType: Item Group,Default Expense Account,پہلے سے طے شدہ ایکسپ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student کی ای میل آئی ڈی DocType: Employee,Notice (days),نوٹس (دن) DocType: Tax Rule,Sales Tax Template,سیلز ٹیکس سانچہ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,انوائس کو بچانے کے لئے اشیاء کو منتخب کریں +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,انوائس کو بچانے کے لئے اشیاء کو منتخب کریں DocType: Employee,Encashment Date,معاوضہ تاریخ DocType: Training Event,Internet,انٹرنیٹ DocType: Account,Stock Adjustment,اسٹاک ایڈجسٹمنٹ @@ -3981,10 +3992,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ڈسپ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,شے کے لئے کی اجازت زیادہ سے زیادہ ڈسکاؤنٹ: {0} {1}٪ ہے apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,خالص اثاثہ قدر کے طور پر DocType: Account,Receivable,وصولی -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,صف # {0}: خریداری کے آرڈر پہلے سے موجود ہے کے طور پر سپلائر تبدیل کرنے کی اجازت نہیں +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,صف # {0}: خریداری کے آرڈر پہلے سے موجود ہے کے طور پر سپلائر تبدیل کرنے کی اجازت نہیں DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,مقرر کریڈٹ کی حد سے تجاوز ہے کہ لین دین پیش کرنے کی اجازت ہے کہ کردار. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,تیار کرنے کی اشیا منتخب کریں -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",ماسٹر ڈیٹا مطابقت پذیری، اس میں کچھ وقت لگ سکتا ہے +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,تیار کرنے کی اشیا منتخب کریں +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",ماسٹر ڈیٹا مطابقت پذیری، اس میں کچھ وقت لگ سکتا ہے DocType: Item,Material Issue,مواد مسئلہ DocType: Hub Settings,Seller Description,فروش تفصیل DocType: Employee Education,Qualification,اہلیت @@ -4005,11 +4016,10 @@ DocType: BOM,Rate Of Materials Based On,شرح معدنیات کی بنیاد پ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,سپورٹ Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,تمام کو غیر منتخب DocType: POS Profile,Terms and Conditions,شرائط و ضوابط -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,برائے مہربانی انسانی وسائل> HR ترتیبات میں ملازم نامی کا نظام قائم کریں apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},تاریخ مالی سال کے اندر اندر ہونا چاہئے. = تاریخ کے فرض {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",یہاں آپ کو وغیرہ اونچائی، وزن، یلرجی، طبی خدشات کو برقرار رکھنے کے کر سکتے ہیں DocType: Leave Block List,Applies to Company,کمپنی پر لاگو ہوتا ہے -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,پیش اسٹاک انٹری {0} موجود ہے کیونکہ منسوخ نہیں کر سکتے +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,پیش اسٹاک انٹری {0} موجود ہے کیونکہ منسوخ نہیں کر سکتے DocType: Employee Loan,Disbursement Date,ادائیگی کی تاریخ DocType: Vehicle,Vehicle,وہیکل DocType: Purchase Invoice,In Words,الفاظ میں @@ -4048,7 +4058,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,گلوبل ترتیبا DocType: Assessment Result Detail,Assessment Result Detail,تشخیص کے نتائج کا تفصیل DocType: Employee Education,Employee Education,ملازم تعلیم apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,مثنی شے گروپ شے گروپ کے ٹیبل میں پایا -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,یہ شے کی تفصیلات بازیافت کرنے کی ضرورت ہے. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,یہ شے کی تفصیلات بازیافت کرنے کی ضرورت ہے. DocType: Salary Slip,Net Pay,نقد ادائیگی DocType: Account,Account,اکاؤنٹ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,سیریل نمبر {0} پہلے سے حاصل کیا گیا ہے @@ -4056,7 +4066,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,گاڑیوں کے تبا DocType: Purchase Invoice,Recurring Id,مکرر شناخت DocType: Customer,Sales Team Details,سیلز ٹیم تفصیلات -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,مستقل طور پر خارج کر دیں؟ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,مستقل طور پر خارج کر دیں؟ DocType: Expense Claim,Total Claimed Amount,کل دعوی رقم apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,فروخت کے لئے ممکنہ مواقع. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},غلط {0} @@ -4068,7 +4078,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext میں اپنے سکول کا سیٹ اپ DocType: Sales Invoice,Base Change Amount (Company Currency),بیس بدلیں رقم (کمپنی کرنسی) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,مندرجہ ذیل گوداموں کے لئے کوئی اکاؤنٹنگ اندراجات -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,پہلی دستاویز کو بچانے کے. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,پہلی دستاویز کو بچانے کے. DocType: Account,Chargeable,ادائیگی DocType: Company,Change Abbreviation,پیج مخفف DocType: Expense Claim Detail,Expense Date,اخراجات تاریخ @@ -4082,7 +4092,6 @@ DocType: BOM,Manufacturing User,مینوفیکچرنگ صارف DocType: Purchase Invoice,Raw Materials Supplied,خام مال فراہم DocType: Purchase Invoice,Recurring Print Format,مکرر پرنٹ کی شکل DocType: C-Form,Series,سیریز -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,متوقع تاریخ کی ترسیل خریداری کے آرڈر کی تاریخ سے پہلے نہیں ہو سکتا DocType: Appraisal,Appraisal Template,تشخیص سانچہ DocType: Item Group,Item Classification,آئٹم کی درجہ بندی apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,بزنس ڈیولپمنٹ مینیجر @@ -4121,12 +4130,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,منتخب apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,تربیت کے واقعات / نتائج apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,کے طور پر ہراس جمع DocType: Sales Invoice,C-Form Applicable,سی فارم لاگو -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},آپریشن کے وقت کے آپریشن کے لئے زیادہ سے زیادہ 0 ہونا ضروری ہے {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},آپریشن کے وقت کے آپریشن کے لئے زیادہ سے زیادہ 0 ہونا ضروری ہے {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,گودام لازمی ہے DocType: Supplier,Address and Contacts,ایڈریس اور رابطے DocType: UOM Conversion Detail,UOM Conversion Detail,UOM تبادلوں تفصیل DocType: Program,Program Abbreviation,پروگرام کا مخفف -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,پروڈکشن آرڈر شے سانچہ خلاف اٹھایا نہیں کیا جا سکتا +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,پروڈکشن آرڈر شے سانچہ خلاف اٹھایا نہیں کیا جا سکتا apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,چارجز ہر شے کے خلاف خریداری کی رسید میں اپ ڈیٹ کیا جاتا ہے DocType: Warranty Claim,Resolved By,کی طرف سے حل DocType: Bank Guarantee,Start Date,شروع کرنے کی تاریخ @@ -4161,6 +4170,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,ٹریننگ کی رائے apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,آرڈر {0} پیش کرنا ضروری ہے پیداوار apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},شے کے لئے شروع کرنے کی تاریخ اور اختتام تاریخ کا انتخاب کریں براہ کرم {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,اس فروخت کا ایک ہدف مقرر کریں جسے آپ حاصل کرنا چاہتے ہیں. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},قطار {0} کورس لازمی ہے apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,تاریخ کی تاریخ کی طرف سے پہلے نہیں ہو سکتا DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE @@ -4179,7 +4189,7 @@ DocType: Account,Income,انکم DocType: Industry Type,Industry Type,صنعت کی قسم apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,کچھ غلط ہو گیا! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,انتباہ: چھوڑ درخواست مندرجہ ذیل بلاک تاریخوں پر مشتمل ہے -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,انوائس {0} پہلے ہی پیش کیا گیا ہے فروخت +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,انوائس {0} پہلے ہی پیش کیا گیا ہے فروخت DocType: Assessment Result Detail,Score,اسکور apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,مالی سال {0} موجود نہیں ہے apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,تکمیل کی تاریخ @@ -4209,7 +4219,7 @@ DocType: Naming Series,Help HTML,مدد ایچ ٹی ایم ایل DocType: Student Group Creation Tool,Student Group Creation Tool,طالب علم گروپ کی تخلیق کا آلہ DocType: Item,Variant Based On,ویرینٹ بنیاد پر apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},100٪ ہونا چاہئے تفویض کل اہمیت. یہ {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,اپنے سپلائرز +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,اپنے سپلائرز apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,سیلز آرڈر بنایا گیا ہے کے طور پر کھو کے طور پر مقرر کر سکتے ہیں. DocType: Request for Quotation Item,Supplier Part No,پردایک حصہ نہیں apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',زمرہ 'تشخیص' یا 'Vaulation اور کل' کے لیے ہے جب کٹوتی نہیں کی جا سکتی @@ -4218,14 +4228,14 @@ DocType: Lead,Converted,تبدیل DocType: Item,Has Serial No,سیریل نہیں ہے DocType: Employee,Date of Issue,تاریخ اجراء apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: سے {0} کے لئے {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},صف # {0}: شے کے لئے مقرر پردایک {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,صف {0}: گھنٹے قدر صفر سے زیادہ ہونا چاہیے. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},صف # {0}: شے کے لئے مقرر پردایک {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,صف {0}: گھنٹے قدر صفر سے زیادہ ہونا چاہیے. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,ویب سائٹ تصویری {0} آئٹم {1} سے منسلک نہیں مل سکتا DocType: Issue,Content Type,مواد کی قسم apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,کمپیوٹر DocType: Item,List this Item in multiple groups on the website.,ویب سائٹ پر ایک سے زیادہ گروہوں میں اس شے کی فہرست. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,دوسری کرنسی کے ساتھ اکاؤنٹس کی اجازت دینے ملٹی کرنسی آپشن کو چیک کریں براہ مہربانی -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,آئٹم: {0} نظام میں موجود نہیں ہے +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,آئٹم: {0} نظام میں موجود نہیں ہے apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,آپ منجمد قیمت مقرر کرنے کی اجازت نہیں ہے DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled لکھے حاصل DocType: Payment Reconciliation,From Invoice Date,انوائس کی تاریخ سے @@ -4251,7 +4261,7 @@ DocType: Stock Entry,Default Source Warehouse,پہلے سے طے شدہ ماخذ DocType: Item,Customer Code,کسٹمر کوڈ apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},کے لئے سالگرہ کی یاد دہانی {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,آخری آرڈر کے بعد دن -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,اکاؤنٹ ڈیبٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,اکاؤنٹ ڈیبٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے DocType: Buying Settings,Naming Series,نام سیریز DocType: Leave Block List,Leave Block List Name,بلاک کریں فہرست کا نام چھوڑ دو apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,انشورنس تاریخ آغاز انشورنس تاریخ اختتام سے کم ہونا چاہئے @@ -4268,7 +4278,7 @@ DocType: Vehicle Log,Odometer,مسافت پیما DocType: Sales Order Item,Ordered Qty,کا حکم دیا مقدار apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,آئٹم {0} غیر فعال ہے DocType: Stock Settings,Stock Frozen Upto,اسٹاک منجمد تک -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM کسی بھی اسٹاک شے پر مشتمل نہیں ہے +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM کسی بھی اسٹاک شے پر مشتمل نہیں ہے apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},سے اور مدت بار بار چلنے والی کے لئے لازمی تاریخوں کی مدت {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,پروجیکٹ سرگرمی / کام. DocType: Vehicle Log,Refuelling Details,Refuelling تفصیلات @@ -4278,7 +4288,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,آخری خریداری کی شرح نہ پایا DocType: Purchase Invoice,Write Off Amount (Company Currency),رقم لکھیں (کمپنی کرنسی) DocType: Sales Invoice Timesheet,Billing Hours,بلنگ کے اوقات -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,{0} نہیں پایا کیلئے ڈیفالٹ BOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,{0} نہیں پایا کیلئے ڈیفالٹ BOM apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,صف # {0}: ترتیب مقدار مقرر کریں apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,انہیں یہاں شامل کرنے کے لئے اشیاء کو تھپتھپائیں DocType: Fees,Program Enrollment,پروگرام کا اندراج @@ -4311,6 +4321,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,خستہ حد: 2 DocType: SG Creation Tool Course,Max Strength,زیادہ سے زیادہ طاقت apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM تبدیل +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,ترسیل کی تاریخ پر مبنی اشیاء منتخب کریں ,Sales Analytics,سیلز تجزیات apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},دستیاب {0} ,Prospects Engaged But Not Converted,امکانات منگنی لیکن تبدیل نہیں @@ -4359,7 +4370,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ڈسکاؤنٹ apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,کاموں کے لئے Timesheet. DocType: Purchase Invoice,Against Expense Account,اخراجات کے اکاؤنٹ کے خلاف DocType: Production Order,Production Order,پروڈکشن آرڈر -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,تنصیب نوٹ {0} پہلے ہی پیش کیا گیا ہے +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,تنصیب نوٹ {0} پہلے ہی پیش کیا گیا ہے DocType: Bank Reconciliation,Get Payment Entries,ادائیگی لکھے حاصل کریں DocType: Quotation Item,Against Docname,Docname خلاف DocType: SMS Center,All Employee (Active),تمام ملازم (ایکٹو) @@ -4368,7 +4379,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,خام مواد کی لاگت DocType: Item Reorder,Re-Order Level,دوبارہ آرڈر کی سطح DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,آپ کی پیداوار کے احکامات کو بڑھانے یا تجزیہ کے لئے خام مال، اتارنا کرنا چاہتے ہیں جس کے لئے اشیاء اور منصوبہ بندی کی مقدار درج کریں. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt چارٹ +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Gantt چارٹ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,پارٹ ٹائم DocType: Employee,Applicable Holiday List,قابل اطلاق چھٹیوں فہرست DocType: Employee,Cheque,چیک @@ -4425,11 +4436,11 @@ DocType: Bin,Reserved Qty for Production,پیداوار کے لئے مقدار DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,انینترت چھوڑ دو آپ کو کورس کی بنیاد پر گروہوں بنانے کے دوران بیچ میں غور کرنے کے لئے نہیں کرنا چاہتے تو. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,انینترت چھوڑ دو آپ کو کورس کی بنیاد پر گروہوں بنانے کے دوران بیچ میں غور کرنے کے لئے نہیں کرنا چاہتے تو. DocType: Asset,Frequency of Depreciation (Months),فرسودگی کے تعدد (مہینے) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,کریڈٹ اکاؤنٹ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,کریڈٹ اکاؤنٹ DocType: Landed Cost Item,Landed Cost Item,لینڈڈ شے کی قیمت apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,صفر اقدار دکھائیں DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,شے کی مقدار خام مال کی دی گئی مقدار سے repacking / مینوفیکچرنگ کے بعد حاصل -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,سیٹ اپ میری تنظیم کے لئے ایک سادہ ویب سائٹ +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,سیٹ اپ میری تنظیم کے لئے ایک سادہ ویب سائٹ DocType: Payment Reconciliation,Receivable / Payable Account,وصولی / قابل ادائیگی اکاؤنٹ DocType: Delivery Note Item,Against Sales Order Item,سیلز آرڈر آئٹم خلاف apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},وصف کے لئے قدر وصف کی وضاحت کریں {0} @@ -4494,22 +4505,22 @@ DocType: Student,Nationality,قومیت ,Items To Be Requested,اشیا درخواست کی جائے DocType: Purchase Order,Get Last Purchase Rate,آخری خریداری کی شرح حاصل DocType: Company,Company Info,کمپنی کی معلومات -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,منتخب یا نئے گاہک شامل -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,لاگت مرکز ایک اخراجات کے دعوی کی بکنگ کے لئے کی ضرورت ہے +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,منتخب یا نئے گاہک شامل +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,لاگت مرکز ایک اخراجات کے دعوی کی بکنگ کے لئے کی ضرورت ہے apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),فنڈز (اثاثے) کی درخواست apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,یہ اس ملازم کی حاضری پر مبنی ہے -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,ڈیبٹ اکاؤنٹ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,ڈیبٹ اکاؤنٹ DocType: Fiscal Year,Year Start Date,سال شروع کرنے کی تاریخ DocType: Attendance,Employee Name,ملازم کا نام DocType: Sales Invoice,Rounded Total (Company Currency),مدور کل (کمپنی کرنسی) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,اکاؤنٹ کی قسم منتخب کیا جاتا ہے کی وجہ سے گروپ کو خفیہ نہیں کر سکتے ہیں. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} نظر ثانی کی گئی ہے. ریفریش کریں. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} نظر ثانی کی گئی ہے. ریفریش کریں. DocType: Leave Block List,Stop users from making Leave Applications on following days.,مندرجہ ذیل دنوں میں رخصت کی درخواستیں کرنے سے صارفین کو روکنے کے. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,خریداری کی رقم apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,پیدا کردہ سپروٹیشن {0} apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,اختتام سال شروع سال سے پہلے نہیں ہو سکتا apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ملازم فوائد -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},پیک مقدار قطار میں آئٹم {0} کے لئے مقدار برابر ضروری {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},پیک مقدار قطار میں آئٹم {0} کے لئے مقدار برابر ضروری {1} DocType: Production Order,Manufactured Qty,تیار مقدار DocType: Purchase Receipt Item,Accepted Quantity,منظور مقدار apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},براہ کرم ملازمت {0} یا کمپنی {1} کیلئے پہلے سے طے شدہ چھٹی کی فہرست مقرر کریں. @@ -4520,11 +4531,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},صف کوئی {0}: رقم خرچ دعوی {1} کے خلاف زیر التواء رقم سے زیادہ نہیں ہو سکتا. زیر التواء رقم ہے {2} DocType: Maintenance Schedule,Schedule,شیڈول DocType: Account,Parent Account,والدین کے اکاؤنٹ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,دستیاب +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,دستیاب DocType: Quality Inspection Reading,Reading 3,3 پڑھنا ,Hub,حب DocType: GL Entry,Voucher Type,واؤچر کی قسم -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,قیمت کی فہرست پایا یا معذور نہیں +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,قیمت کی فہرست پایا یا معذور نہیں DocType: Employee Loan Application,Approved,منظور DocType: Pricing Rule,Price,قیمت apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} مقرر کیا جانا چاہئے پر فارغ ملازم 'بائیں' کے طور پر @@ -4593,7 +4604,7 @@ DocType: SMS Settings,Static Parameters,جامد پیرامیٹر DocType: Assessment Plan,Room,کمرہ DocType: Purchase Order,Advance Paid,ایڈوانس ادا DocType: Item,Item Tax,آئٹم ٹیکس -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,سپلائر مواد +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,سپلائر مواد apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,ایکسائز انوائس apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ ایک بار سے زیادہ ظاہر ہوتا ہے DocType: Expense Claim,Employees Email Id,ملازمین ای میل کی شناخت @@ -4633,7 +4644,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,ماڈل DocType: Production Order,Actual Operating Cost,اصل آپریٹنگ لاگت DocType: Payment Entry,Cheque/Reference No,چیک / حوالہ نمبر -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,سپلائر> سپلائر کی قسم apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,روٹ ترمیم نہیں کیا جا سکتا. DocType: Item,Units of Measure,پیمائش کی اکائیوں DocType: Manufacturing Settings,Allow Production on Holidays,چھٹیاں پیداوار کی اجازت دیتے ہیں @@ -4666,12 +4676,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,کریڈٹ دنوں apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Student کی بیچ بنائیں DocType: Leave Type,Is Carry Forward,فارورڈ لے -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,BOM سے اشیاء حاصل +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,BOM سے اشیاء حاصل apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,وقت دن کی قیادت -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},صف # {0}: تاریخ پوسٹنگ خریداری کی تاریخ کے طور پر ایک ہی ہونا چاہیے {1} اثاثہ کی {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},صف # {0}: تاریخ پوسٹنگ خریداری کی تاریخ کے طور پر ایک ہی ہونا چاہیے {1} اثاثہ کی {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,طالب علم انسٹی ٹیوٹ کے ہاسٹل میں رہائش پذیر ہے تو اس کو چیک کریں. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,مندرجہ بالا جدول میں سیلز آرڈر درج کریں -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,جمع نہیں تنخواہ تخم +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,جمع نہیں تنخواہ تخم ,Stock Summary,اسٹاک کا خلاصہ apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,دوسرے ایک گودام سے ایک اثاثہ کی منتقلی DocType: Vehicle,Petrol,پیٹرول diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index 56788726b6b..39ff5ff3d3d 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,Đại lý DocType: Employee,Rented,Thuê DocType: Purchase Order,PO-,tiềm DocType: POS Profile,Applicable for User,Áp dụng cho User -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Đơn đặt hàng không thể bị hủy, dẹp bỏ đơn hàng để hủy" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Đơn đặt hàng không thể bị hủy, dẹp bỏ đơn hàng để hủy" DocType: Vehicle Service,Mileage,Cước phí apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Bạn có thực sự muốn tháo dỡ tài sản này? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Chọn Mặc định Nhà cung cấp @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% Hóa đơn đã lập apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Tỷ giá ngoại tệ phải được giống như {0} {1} ({2}) DocType: Sales Invoice,Customer Name,Tên khách hàng DocType: Vehicle,Natural Gas,Khí ga tự nhiên -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Tài khoản ngân hàng không thể được đặt tên là {0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},Tài khoản ngân hàng không thể được đặt tên là {0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Người đứng đầu (hoặc nhóm) đối với các bút toán kế toán được thực hiện và các số dư còn duy trì apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Đặc biệt cho {0} không thể nhỏ hơn không ({1}) DocType: Manufacturing Settings,Default 10 mins,Mặc định 10 phút @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,Loại bỏ Tên apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Hiện mở apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Loạt Cập nhật thành công apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Kiểm tra -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Sổ nhật biên kế toán phát sinh đã được đệ trình +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Sổ nhật biên kế toán phát sinh đã được đệ trình DocType: Pricing Rule,Apply On,Áp dụng trên DocType: Item Price,Multiple Item prices.,Nhiều giá mẫu hàng. ,Purchase Order Items To Be Received,Tìm mua hàng để trở nhận @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,Phương thức thanh t apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Hiện biến thể DocType: Academic Term,Academic Term,Thời hạn học tập apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Vật liệu -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,Số lượng +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,Số lượng apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Bảng tài khoản không được bỏ trống apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Các khoản vay (Nợ phải trả) DocType: Employee Education,Year of Passing,Year of Passing @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Chăm sóc sức khỏe apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Chậm trễ trong thanh toán (Ngày) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Chi phí dịch vụ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},Số sê-ri: {0} đã được tham chiếu trong Hóa đơn bán hàng: {1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,Hóa đơn +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},Số sê-ri: {0} đã được tham chiếu trong Hóa đơn bán hàng: {1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,Hóa đơn DocType: Maintenance Schedule Item,Periodicity,Tính tuần hoàn apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Năm tài chính {0} là cần thiết -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,Dự kiến giao hàng ngày là được trước khi bán hàng đặt hàng ngày apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Quốc phòng DocType: Salary Component,Abbr,Viết tắt DocType: Appraisal Goal,Score (0-5),Điểm số (0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Hàng # {0}: DocType: Timesheet,Total Costing Amount,Tổng chi phí DocType: Delivery Note,Vehicle No,Phương tiện số -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Vui lòng chọn Bảng giá +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,Vui lòng chọn Bảng giá apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,hàng # {0}: Tài liệu thanh toán là cần thiết để hoàn thành giao dịch DocType: Production Order Operation,Work In Progress,Đang trong tiến độ hoàn thành apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Vui lòng chọn ngày @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} không trong bất kỳ năm tài chính có hiệu lực nào. DocType: Packed Item,Parent Detail docname,chi tiết tên tài liệu gốc apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Tham khảo: {0}, Mã hàng: {1} và Khách hàng: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,Kg DocType: Student Log,Log,Đăng nhập apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Mở đầu cho một công việc. DocType: Item Attribute,Increment,Tăng @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Kết hôn apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},Không được phép cho {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,Lấy dữ liệu từ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},Hàng tồn kho không thể được cập nhật gắn với giấy giao hàng {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},Hàng tồn kho không thể được cập nhật gắn với giấy giao hàng {0} apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Sản phẩm {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Không có mẫu nào được liệt kê DocType: Payment Reconciliation,Reconcile,Hòa giải @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Quỹ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Kỳ hạn khấu hao tiếp theo không thể trước ngày mua hàng DocType: SMS Center,All Sales Person,Tất cả nhân viên kd DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Đóng góp hàng tháng ** giúp bạn đóng góp vào Ngân sách/Mục tiêu qua các tháng nếu việc kinh doanh của bạn có tính thời vụ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,Không tìm thấy mặt hàng +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,Không tìm thấy mặt hàng apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Cơ cấu tiền lương Thiếu DocType: Lead,Person Name,Tên người DocType: Sales Invoice Item,Sales Invoice Item,Hóa đơn bán hàng hàng @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Là Tài Sản Cố Định"" không thể bỏ đánh dấu, vì bản ghi Tài Sản tồn tại đối nghịch với vật liệu" DocType: Vehicle Service,Brake Oil,dầu phanh DocType: Tax Rule,Tax Type,Loại thuế -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,Lượng nhập chịu thuế +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,Lượng nhập chịu thuế apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Bạn không được phép thêm hoặc cập nhật bút toán trước ngày {0} DocType: BOM,Item Image (if not slideshow),Hình ảnh mẫu hàng (nếu không phải là slideshow) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,tên khách hàng đã tồn tại DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tỷ lệ giờ / 60) * Thời gian hoạt động thực tế -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,Chọn BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,Chọn BOM DocType: SMS Log,SMS Log,Đăng nhập tin nhắn SMS apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Chi phí của mục Delivered apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Các kỳ nghỉ vào {0} không ở giữa 'từ ngày' và 'tới ngày' @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,trường học DocType: School Settings,Validate Batch for Students in Student Group,Xác nhận tính hợp lệ cho sinh viên trong nhóm học sinh apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Không có bản ghi để lại được tìm thấy cho nhân viên {0} với {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Vui lòng nhập công ty đầu tiên -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Vui lòng chọn Công ty đầu tiên +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,Vui lòng chọn Công ty đầu tiên DocType: Employee Education,Under Graduate,Chưa tốt nghiệp apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Mục tiêu trên DocType: BOM,Total Cost,Tổng chi phí DocType: Journal Entry Account,Employee Loan,nhân viên vay -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Nhật ký công việc: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Mục {0} không tồn tại trong hệ thống hoặc đã hết hạn +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,Nhật ký công việc: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,Mục {0} không tồn tại trong hệ thống hoặc đã hết hạn apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,địa ốc apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Báo cáo cuả Tài khoản apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Dược phẩm @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,Số tiền yêu cầu bồi thườn apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,nhóm khách hàng trùng lặp được tìm thấy trong bảng nhóm khác hàng apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Loại nhà cung cấp / Nhà cung cấp DocType: Naming Series,Prefix,Tiền tố -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Naming Series cho {0} qua Cài đặt> Cài đặt> Đặt tên Series -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Tiêu hao +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,Tiêu hao DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,Nhập khẩu Đăng nhập DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Kéo Chất liệu Yêu cầu của loại hình sản xuất dựa trên các tiêu chí trên DocType: Training Result Employee,Grade,Cấp DocType: Sales Invoice Item,Delivered By Supplier,Giao By Nhà cung cấp DocType: SMS Center,All Contact,Tất cả Liên hệ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,Sản xuất theo thứ tự đã được tạo ra cho tất cả các mục có BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,Sản xuất theo thứ tự đã được tạo ra cho tất cả các mục có BOM apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Mức lương hàng năm DocType: Daily Work Summary,Daily Work Summary,Tóm tắt công việc hàng ngày DocType: Period Closing Voucher,Closing Fiscal Year,Đóng cửa năm tài chính -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0}{1} bị đóng băng +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0}{1} bị đóng băng apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vui lòng chọn Công ty hiện có để tạo biểu đồ của tài khoản apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Chi phí hàng tồn kho apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Chọn Kho mục tiêu @@ -213,14 +211,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Số lượng chấp nhận + từ chối phải bằng số lượng giao nhận {0} DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,Cung cấp nguyên liệu thô cho Purchase -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,Ít nhất một phương thức thanh toán là cần thiết cho POS hóa đơn. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,Ít nhất một phương thức thanh toán là cần thiết cho POS hóa đơn. DocType: Products Settings,Show Products as a List,Hiện sản phẩm như một List DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","Tải file mẫu, điền dữ liệu thích hợp và đính kèm các tập tin sửa đổi. Tất cả các ngày và nhân viên kết hợp trong giai đoạn sẽ có trong bản mẫu, với bản ghi chấm công hiện có" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Mục {0} không hoạt động hoặc kết thúc của cuộc sống đã đạt tới -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,Ví dụ: cơ bản Toán học -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Bao gồm thuế hàng {0} trong tỷ lệ khoản, các loại thuế tại hàng {1} cũng phải được thêm vào" +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,Ví dụ: cơ bản Toán học +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Bao gồm thuế hàng {0} trong tỷ lệ khoản, các loại thuế tại hàng {1} cũng phải được thêm vào" apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Cài đặt cho nhân sự Mô-đun DocType: SMS Center,SMS Center,Trung tâm nhắn tin DocType: Sales Invoice,Change Amount,thay đổi Số tiền @@ -251,7 +249,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},Ngày cài đặt không thể trước ngày giao hàng cho hàng {0} DocType: Pricing Rule,Discount on Price List Rate (%),Giảm giá Giá Tỷ lệ (%) DocType: Offer Letter,Select Terms and Conditions,Chọn Điều khoản và Điều kiện -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,Giá trị hiện +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,Giá trị hiện DocType: Production Planning Tool,Sales Orders,Đơn đặt hàng bán hàng DocType: Purchase Taxes and Charges,Valuation,Định giá ,Purchase Order Trends,Xu hướng mua hàng @@ -275,7 +273,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,Được mở cửa nhập DocType: Customer Group,Mention if non-standard receivable account applicable,Đề cập đến nếu tài khoản phải thu phi tiêu chuẩn áp dụng DocType: Course Schedule,Instructor Name,Tên giảng viên -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,Cho kho là cần thiết trước khi duyệt +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,Cho kho là cần thiết trước khi duyệt apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Nhận được vào DocType: Sales Partner,Reseller,Đại lý bán lẻ DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Nếu được kiểm tra, sẽ bao gồm các mặt hàng không tồn kho trong các yêu cầu vật liệu." @@ -283,13 +281,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,Theo hàng hóa có hóa đơn ,Production Orders in Progress,Đơn đặt hàng sản xuất trong tiến độ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Tiền thuần từ tài chính -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save","Cục bộ là đầy đủ, không lưu" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save","Cục bộ là đầy đủ, không lưu" DocType: Lead,Address & Contact,Địa chỉ & Liên hệ DocType: Leave Allocation,Add unused leaves from previous allocations,Thêm lá không sử dụng từ phân bổ trước apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Định kỳ kế tiếp {0} sẽ được tạo ra vào {1} DocType: Sales Partner,Partner website,trang web đối tác apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Thêm mục -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,Tên Liên hệ +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,Tên Liên hệ DocType: Course Assessment Criteria,Course Assessment Criteria,Các tiêu chí đánh giá khóa học DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Tạo phiếu lương cho các tiêu chí nêu trên. DocType: POS Customer Group,POS Customer Group,Nhóm Khách hàng POS @@ -305,7 +303,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Hàng {0}: Vui lòng kiểm tra 'là cấp cao' đối với tài khoản {1} nếu điều này là một bút toán cấp cao. apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Kho {0} không thuộc về công ty {1} DocType: Email Digest,Profit & Loss,Mất lợi nhuận -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,lít +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,lít DocType: Task,Total Costing Amount (via Time Sheet),Tổng chi phí (thông qua thời gian biểu) DocType: Item Website Specification,Item Website Specification,Mục Trang Thông số kỹ thuật apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Đã chặn việc dời đi @@ -317,7 +315,7 @@ DocType: Stock Entry,Sales Invoice No,Hóa đơn bán hàng không DocType: Material Request Item,Min Order Qty,Đặt mua tối thiểu Số lượng DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Nhóm Sinh viên Công cụ tạo khóa học DocType: Lead,Do Not Contact,Không Liên hệ -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,Những người giảng dạy tại các tổ chức của bạn +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,Những người giảng dạy tại các tổ chức của bạn DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id duy nhất để theo dõi tất cả các hoá đơn định kỳ. Nó được tạo ra để duyệt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Phần mềm phát triển DocType: Item,Minimum Order Qty,Số lượng đặt hàng tối thiểu @@ -329,7 +327,7 @@ DocType: Item,Publish in Hub,Xuất bản trong trung tâm DocType: Student Admission,Student Admission,Nhập học sinh viên ,Terretory,Khu vực apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Mục {0} bị hủy bỏ -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,Yêu cầu nguyên liệu +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,Yêu cầu nguyên liệu DocType: Bank Reconciliation,Update Clearance Date,Cập nhật thông quan ngày DocType: Item,Purchase Details,Thông tin chi tiết mua hàng apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Mục {0} không tìm thấy trong 'Nguyên liệu Supplied' bảng trong Purchase Order {1} @@ -369,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Người quản lý đội tàu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},Hàng # {0}: {1} không thể là số âm cho mặt hàng {2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Sai Mật Khẩu DocType: Item,Variant Of,biến thể của -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',Đã hoàn thành Số lượng không có thể lớn hơn 'SL đặt Sản xuất' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',Đã hoàn thành Số lượng không có thể lớn hơn 'SL đặt Sản xuất' DocType: Period Closing Voucher,Closing Account Head,Đóng Trưởng Tài khoản DocType: Employee,External Work History,Bên ngoài Quá trình công tác apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Thông tư tham khảo Lỗi @@ -379,10 +377,11 @@ DocType: Cheque Print Template,Distance from left edge,Khoảng cách từ cạn apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} đơn vị của [{1}](#Mẫu/vật tư/{1}) tìm thấy trong [{2}](#Mẫu/ kho/{2}) DocType: Lead,Industry,Ngành công nghiệp DocType: Employee,Job Profile,Hồ sơ công việc +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,Điều này dựa trên các giao dịch đối với Công ty này. Xem dòng thời gian bên dưới để biết chi tiết DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Thông báo qua email trên tạo ra các yêu cầu vật liệu tự động DocType: Journal Entry,Multi Currency,Đa ngoại tệ DocType: Payment Reconciliation Invoice,Invoice Type,Loại hóa đơn -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,Giao hàng Ghi +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,Giao hàng Ghi apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Thiết lập Thuế apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Chi phí của tài sản bán apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Bút toán thanh toán đã được sửa lại sau khi bạn kéo ra. Vui lòng kéo lại 1 lần nữa @@ -405,10 +404,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Vui lòng nhập 'Lặp lại vào ngày của tháng ""giá trị trường" DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tỷ Giá được quy đổi từ tỷ giá của khách hàng về tỷ giá khách hàng chung DocType: Course Scheduling Tool,Course Scheduling Tool,Khóa học Lập kế hoạch cụ -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Hàng # {0}: Mua hóa đơn không thể được thực hiện đối với một tài sản hiện có {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Hàng # {0}: Mua hóa đơn không thể được thực hiện đối với một tài sản hiện có {1} DocType: Item Tax,Tax Rate,Thuế suất apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} đã được phân phối cho nhân viên {1} cho kỳ {2} đến {3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,Chọn nhiều Item +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,Chọn nhiều Item apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Mua hóa đơn {0} đã gửi apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Hàng # {0}: Số hiệu lô hàng phải giống như {1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Chuyển đổi sang non-Group @@ -447,7 +446,7 @@ DocType: Employee,Widowed,Góa DocType: Request for Quotation,Request for Quotation,Yêu cầu báo giá DocType: Salary Slip Timesheet,Working Hours,Giờ làm việc 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ó. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Tạo một khách hàng mới +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,Tạo một khách hàng mới apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Nếu nhiều quy giá tiếp tục chiếm ưu thế, người dùng được yêu cầu để thiết lập ưu tiên bằng tay để giải quyết xung đột." apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Tạo đơn đặt hàng mua ,Purchase Register,Đăng ký mua @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,Tên người dự thi DocType: Purchase Invoice Item,Quantity and Rate,Số lượng và tỷ giá DocType: Delivery Note,% Installed,% Cài đặt -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,Phòng học / phòng thí nghiệm vv nơi bài giảng có thể được sắp xếp. +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,Phòng học / phòng thí nghiệm vv nơi bài giảng có thể được sắp xếp. apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Vui lòng nhập tên công ty đầu tiên DocType: Purchase Invoice,Supplier Name,Tên nhà cung cấp apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Đọc sổ tay ERPNext @@ -490,7 +489,7 @@ DocType: Account,Old Parent,Cũ Chánh apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Trường Bắt buộc - Năm Học apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,Trường Bắt buộc - Năm Học DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,Tùy chỉnh văn bản giới thiệu mà đi như một phần của email đó. Mỗi giao dịch có văn bản giới thiệu riêng biệt. -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},Vui lòng đặt tài khoản phải trả mặc định cho công ty {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},Vui lòng đặt tài khoản phải trả mặc định cho công ty {0} apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Thiết lập chung cho tất cả quá trình sản xuất. DocType: Accounts Settings,Accounts Frozen Upto,Đóng băng tài khoản đến ngày DocType: SMS Log,Sent On,Gửi On @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,Tài khoản Phải trả apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Các BOMs chọn không cho cùng một mục DocType: Pricing Rule,Valid Upto,Hợp lệ tới DocType: Training Event,Workshop,xưởng -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,lên danh sách một vài khách hàng của bạn. Họ có thể là các tổ chức hoặc cá nhân +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,lên danh sách một vài khách hàng của bạn. Họ có thể là các tổ chức hoặc cá nhân apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Phần đủ để xây dựng apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Thu nhập trực tiếp apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Không thể lọc dựa trên tài khoản, nếu nhóm theo tài khoản" @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vui lòng chọn Khoá học apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vui lòng chọn Khoá học DocType: Timesheet Detail,Hrs,giờ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Vui lòng chọn Công ty +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,Vui lòng chọn Công ty DocType: Stock Entry Detail,Difference Account,Tài khoản chênh lệch DocType: Purchase Invoice,Supplier GSTIN,Mã số nhà cung cấp apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Không thể nhiệm vụ gần như là nhiệm vụ của nó phụ thuộc {0} là không đóng cửa. @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Vui lòng xác định mức cho ngưỡng 0% DocType: Sales Order,To Deliver,Giao Hàng DocType: Purchase Invoice Item,Item,Hạng mục -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,Nối tiếp không có mục không thể là một phần +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,Nối tiếp không có mục không thể là một phần DocType: Journal Entry,Difference (Dr - Cr),Sự khác biệt (Tiến sĩ - Cr) DocType: Account,Profit and Loss,Báo cáo kết quả hoạt động kinh doanh apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Quản lý Hợp đồng phụ @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),Thời gian bảo hành (ngày) DocType: Installation Note Item,Installation Note Item,Lưu ý cài đặt hàng DocType: Production Plan Item,Pending Qty,Số lượng cấp phát DocType: Budget,Ignore,Bỏ qua -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} không hoạt động +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} không hoạt động apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS gửi đến số điện thoại sau: {0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,kích thước thiết lập kiểm tra cho in ấn DocType: Salary Slip,Salary Slip Timesheet,Bảng phiếu lương @@ -687,8 +686,8 @@ DocType: Installation Note,IN-,TRONG- DocType: Production Order Operation,In minutes,Trong phút DocType: Issue,Resolution Date,Ngày giải quyết DocType: Student Batch Name,Batch Name,Tên đợt hàng -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,Thời gian biểu đã tạo: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},Xin vui lòng thiết lập mặc định hoặc tiền trong tài khoản ngân hàng Phương thức thanh toán {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,Thời gian biểu đã tạo: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},Xin vui lòng thiết lập mặc định hoặc tiền trong tài khoản ngân hàng Phương thức thanh toán {0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Ghi danh DocType: GST Settings,GST Settings,Cài đặt GST DocType: Selling Settings,Customer Naming By,đặt tên khách hàng theo @@ -708,7 +707,7 @@ DocType: Activity Cost,Projects User,Dự án tài apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Tiêu thụ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} không tìm thấy trong bảng hóa đơn chi tiết DocType: Company,Round Off Cost Center,Trung tâm chi phí làm tròn số -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Bảo trì đăng nhập {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Bảo trì đăng nhập {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này DocType: Item,Material Transfer,Vận chuyển nguyên liệu apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Mở (Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Đăng dấu thời gian phải sau ngày {0} @@ -717,7 +716,7 @@ DocType: Employee Loan,Total Interest Payable,Tổng số lãi phải trả DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Thuế Chi phí hạ cánh và Lệ phí DocType: Production Order Operation,Actual Start Time,Thời điểm bắt đầu thực tế DocType: BOM Operation,Operation Time,Thời gian hoạt động -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,Hoàn thành +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,Hoàn thành apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,Cơ sở DocType: Timesheet,Total Billed Hours,Tổng số giờ DocType: Journal Entry,Write Off Amount,Viết Tắt Số tiền @@ -744,7 +743,7 @@ DocType: Vehicle,Odometer Value (Last),Giá trị đo đường (cuối) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Bút toán thanh toán đã được tạo ra DocType: Purchase Receipt Item Supplied,Current Stock,Tồn kho hiện tại -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Dòng #{0}: Tài sản {1} không liên kết với mục {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},Dòng #{0}: Tài sản {1} không liên kết với mục {2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,Xem trước bảng lương apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Tài khoản {0} đã được nhập nhiều lần DocType: Account,Expenses Included In Valuation,Chi phí bao gồm trong định giá @@ -769,7 +768,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Hàng khô DocType: Journal Entry,Credit Card Entry,Thẻ tín dụng nhập apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Công ty và các tài khoản apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Hàng nhận được từ nhà cung cấp. -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,trong Gía trị +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,trong Gía trị DocType: Lead,Campaign Name,Tên chiến dịch DocType: Selling Settings,Close Opportunity After Days,Đóng Opportunity Sau ngày ,Reserved,Ltd @@ -794,17 +793,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Năng lượng DocType: Opportunity,Opportunity From,CƠ hội từ apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Báo cáo tiền lương hàng tháng. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,Hàng {0}: {1} Số sêri cần có cho mục {2}. Bạn đã cung cấp {3}. DocType: BOM,Website Specifications,Thông số kỹ thuật website apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Từ {0} của loại {1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Hàng {0}: Nhân tố chuyển đổi là bắt buộc DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Nhiều quy Giá tồn tại với cùng một tiêu chuẩn, xin vui lòng giải quyết xung đột bằng cách gán ưu tiên. Nội quy Giá: {0}" -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Không thể tắt hoặc hủy bỏ BOM như nó được liên kết với BOMs khác +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,Không thể tắt hoặc hủy bỏ BOM như nó được liên kết với BOMs khác DocType: Opportunity,Maintenance,Bảo trì DocType: Item Attribute Value,Item Attribute Value,GIá trị thuộc tính mẫu hàng apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Các chiến dịch bán hàng. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,Tạo thời gian biểu +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,Tạo thời gian biểu DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -838,7 +838,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Thiết lập tài khoản email apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Vui lòng nhập mục đầu tiên DocType: Account,Liability,Trách nhiệm -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Số tiền bị xử phạt không thể lớn hơn so với yêu cầu bồi thường Số tiền trong Row {0}. +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Số tiền bị xử phạt không thể lớn hơn so với yêu cầu bồi thường Số tiền trong Row {0}. DocType: Company,Default Cost of Goods Sold Account,Mặc định Chi phí tài khoản hàng bán apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Danh sách giá không được chọn DocType: Employee,Family Background,Gia đình nền @@ -849,10 +849,10 @@ DocType: Company,Default Bank Account,Tài khoản Ngân hàng mặc định apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Để lọc dựa vào Đối tác, chọn loại đối tác đầu tiên" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Cập nhật hàng hóa"" không thể được kiểm tra vì vật tư không được vận chuyển qua {0}" DocType: Vehicle,Acquisition Date,ngày thu mua -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Số +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Số DocType: Item,Items with higher weightage will be shown higher,Mẫu vật với trọng lượng lớn hơn sẽ được hiển thị ở chỗ cao hơn DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Chi tiết Bảng đối chiếu tài khoản ngân hàng -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Hàng # {0}: {1} tài sản phải nộp +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,Hàng # {0}: {1} tài sản phải nộp apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Không có nhân viên được tìm thấy DocType: Supplier Quotation,Stopped,Đã ngưng DocType: Item,If subcontracted to a vendor,Nếu hợp đồng phụ với một nhà cung cấp @@ -869,7 +869,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Số tiền Hoá đơn t apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Trung tâm Chi Phí {2} không thuộc về Công ty {3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Tài khoản {2} không thể là một Nhóm apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Dãy mẫu vật {idx}: {DOCTYPE} {DOCNAME} không tồn tại trên '{DOCTYPE}' bảng -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,thời gian biểu{0} đã được hoàn thành hoặc bị hủy bỏ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,thời gian biểu{0} đã được hoàn thành hoặc bị hủy bỏ apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,không nhiệm vụ DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Các ngày trong tháng mà danh đơn tự động sẽ được tạo ra ví dụ như 05, 28 vv" DocType: Asset,Opening Accumulated Depreciation,Mở Khấu hao lũy kế @@ -928,7 +928,7 @@ DocType: SMS Log,Requested Numbers,Số yêu cầu DocType: Production Planning Tool,Only Obtain Raw Materials,Chỉ Lấy Nguyên liệu thô apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Đánh giá hiệu quả. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Bật 'Sử dụng cho Giỏ hàng ", như Giỏ hàng được kích hoạt và phải có ít nhất một Rule thuế cho Giỏ hàng" -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Bút toán thanh toán {0} được liên với thứ tự {1}, kiểm tra xem nó nên được kéo như trước trong hóa đơn này." +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Bút toán thanh toán {0} được liên với thứ tự {1}, kiểm tra xem nó nên được kéo như trước trong hóa đơn này." DocType: Sales Invoice Item,Stock Details,Chi tiết hàng tồn kho apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Giá trị dự án apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Điểm bán hàng @@ -951,15 +951,15 @@ DocType: Naming Series,Update Series,Cập nhật sê ri DocType: Supplier Quotation,Is Subcontracted,Được ký hợp đồng phụ DocType: Item Attribute,Item Attribute Values,Các giá trị thuộc tính mẫu hàng DocType: Examination Result,Examination Result,Kết quả kiểm tra -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,Mua hóa đơn +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,Mua hóa đơn ,Received Items To Be Billed,Những mẫu hàng nhận được để lập hóa đơn -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Trượt chân Mức lương nộp +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,Trượt chân Mức lương nộp apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Tổng tỷ giá hối đoái. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Loại tài liệu tham khảo phải là 1 trong {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},Không thể tìm khe thời gian trong {0} ngày tới cho hoạt động {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},Không thể tìm khe thời gian trong {0} ngày tới cho hoạt động {1} DocType: Production Order,Plan material for sub-assemblies,Lên nguyên liệu cho các lần lắp ráp phụ apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Đại lý bán hàng và địa bàn -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0} phải hoạt động +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0} phải hoạt động DocType: Journal Entry,Depreciation Entry,Nhập Khấu hao apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Hãy chọn các loại tài liệu đầu tiên apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Hủy bỏ {0} thăm Vật liệu trước khi hủy bỏ bảo trì đăng nhập này @@ -969,7 +969,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,Tổng số apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Xuất bản Internet DocType: Production Planning Tool,Production Orders,Đơn đặt hàng sản xuất -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,Giá trị số dư +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,Giá trị số dư apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Danh sách bán hàng giá apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Xuất bản để đồng bộ các hạng mục DocType: Bank Reconciliation,Account Currency,Tiền tệ Tài khoản @@ -994,12 +994,12 @@ DocType: Employee,Exit Interview Details,Chi tiết thoát Phỏng vấn DocType: Item,Is Purchase Item,Là mua hàng DocType: Asset,Purchase Invoice,Mua hóa đơn DocType: Stock Ledger Entry,Voucher Detail No,Chứng từ chi tiết số -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,Hóa đơn bán hàng mới +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,Hóa đơn bán hàng mới DocType: Stock Entry,Total Outgoing Value,Tổng giá trị ngoài apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Khai mạc Ngày và ngày kết thúc nên trong năm tài chính tương tự DocType: Lead,Request for Information,Yêu cầu thông tin ,LeaderBoard,Bảng thành tích -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Đồng bộ hóa offline Hoá đơn +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Đồng bộ hóa offline Hoá đơn DocType: Payment Request,Paid,Đã trả DocType: Program Fee,Program Fee,Phí chương trình DocType: Salary Slip,Total in words,Tổng số bằng chữ @@ -1007,7 +1007,7 @@ DocType: Material Request Item,Lead Time Date,Ngày Thời gian Lead DocType: Guardian,Guardian Name,Tên người giám hộ DocType: Cheque Print Template,Has Print Format,Có Định dạng In DocType: Employee Loan,Sanctioned,xử phạt -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,là bắt buộc. Bản ghi thu đổi ngoại tệ có thể không được tạo ra cho +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,là bắt buộc. Bản ghi thu đổi ngoại tệ có thể không được tạo ra cho apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Hàng # {0}: Hãy xác định số sê ri cho mục {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Đối với 'sản phẩm lô', Kho Hàng, Số Seri và Số Lô sẽ được xem xét từ bảng 'Danh sách đóng gói'. Nếu kho và số Lô giống nhau cho tất cả các mặt hàng đóng gói cho bất kỳ mặt hàng 'Hàng hóa theo lô', những giá trị có thể được nhập vào bảng hàng hóa chính, giá trị này sẽ được sao chép vào bảng 'Danh sách đóng gói'." DocType: Job Opening,Publish on website,Xuất bản trên trang web @@ -1020,7 +1020,7 @@ DocType: Cheque Print Template,Date Settings,Cài đặt ngày apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,phương sai ,Company Name,Tên công ty DocType: SMS Center,Total Message(s),Tổng số tin nhắn (s) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,Chọn mục Chuyển giao +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,Chọn mục Chuyển giao DocType: Purchase Invoice,Additional Discount Percentage,Tỷ lệ giảm giá bổ sung apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,Xem danh sách tất cả các video giúp đỡ DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,Chọn đầu tài khoản của ngân hàng nơi kiểm tra đã được gửi. @@ -1035,7 +1035,7 @@ DocType: BOM,Raw Material Cost(Company Currency),Chi phí nguyên liệu (Tiền apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,Tất cả các mặt hàng đã được chuyển giao cho đặt hàng sản xuất này. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Hàng # {0}: Tỷ lệ không được lớn hơn tỷ lệ được sử dụng trong {1} {2} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Hàng # {0}: Tỷ lệ không được lớn hơn tỷ lệ được sử dụng trong {1} {2} -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Mét +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,Mét DocType: Workstation,Electricity Cost,Chi phí điện DocType: HR Settings,Don't send Employee Birthday Reminders,Không gửi nhân viên sinh Nhắc nhở DocType: Item,Inspection Criteria,Tiêu chuẩn kiểm tra @@ -1050,7 +1050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty DocType: Purchase Invoice,Get Advances Paid,Được trả tiền trước DocType: Item,Automatically Create New Batch,Tự động tạo hàng loạt DocType: Item,Automatically Create New Batch,Tự động tạo hàng loạt -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,Làm +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,Làm DocType: Student Admission,Admission Start Date,Ngày bắt đầu nhập học DocType: Journal Entry,Total Amount in Words,Tổng tiền bằng chữ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,Có một lỗi.Có thể là là bạn đã không lưu mẫu đơn. Vui lòng liên hệ support@erpnext.com nếu rắc rối vẫn tồn tại. @@ -1058,7 +1058,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Giỏ hàng apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Loại thứ tự phải là một trong {0} DocType: Lead,Next Contact Date,Ngày Liên hệ Tiếp theo apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Số lượng mở đầu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,Vui lòng nhập tài khoản để thay đổi Số tiền +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,Vui lòng nhập tài khoản để thay đổi Số tiền DocType: Student Batch Name,Student Batch Name,Tên sinh viên hàng loạt DocType: Holiday List,Holiday List Name,Tên Danh Sách Kỳ Nghỉ DocType: Repayment Schedule,Balance Loan Amount,Số dư vay nợ @@ -1066,7 +1066,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Tùy chọn hàng tồn kho DocType: Journal Entry Account,Expense Claim,Chi phí bồi thường apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Bạn có thực sự muốn khôi phục lại tài sản bị tháo dỡ này? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},Số lượng cho {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},Số lượng cho {0} DocType: Leave Application,Leave Application,Để lại ứng dụng apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Công cụ để phân bổ DocType: Leave Block List,Leave Block List Dates,Để lại các kỳ hạn cho danh sách chặn @@ -1117,7 +1117,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,Chống lại DocType: Item,Default Selling Cost Center,Bộ phận chi phí bán hàng mặc định DocType: Sales Partner,Implementation Partner,Đối tác thực hiện -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,Mã Bưu Chính +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,Mã Bưu Chính apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Đơn hàng {0} là {1} DocType: Opportunity,Contact Info,Thông tin Liên hệ apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Làm Bút toán tồn kho @@ -1136,14 +1136,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,T DocType: School Settings,Attendance Freeze Date,Ngày đóng băng DocType: School Settings,Attendance Freeze Date,Ngày đóng băng DocType: Opportunity,Your sales person who will contact the customer in future,"Nhân viên bán hàng của bạn, người sẽ liên hệ với khách hàng trong tương lai" -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,Danh sách một số nhà cung cấp của bạn. Họ có thể là các tổ chức hoặc cá nhân. +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,Danh sách một số nhà cung cấp của bạn. Họ có thể là các tổ chức hoặc cá nhân. apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Xem Tất cả Sản phẩm apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Độ tuổi Lead tối thiểu (Ngày) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Độ tuổi Lead tối thiểu (Ngày) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Tất cả BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,Tất cả BOMs DocType: Company,Default Currency,Mặc định tệ DocType: Expense Claim,From Employee,Từ nhân viên -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Cảnh báo: Hệ thống sẽ không kiểm tra quá hạn với số tiền = 0 cho vật tư {0} trong {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Cảnh báo: Hệ thống sẽ không kiểm tra quá hạn với số tiền = 0 cho vật tư {0} trong {1} DocType: Journal Entry,Make Difference Entry,Tạo bút toán khác biệt DocType: Upload Attendance,Attendance From Date,Có mặt Từ ngày DocType: Appraisal Template Goal,Key Performance Area,Khu vực thực hiện chính @@ -1160,7 +1160,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Số đăng ký công ty để bạn tham khảo. Số thuế vv DocType: Sales Partner,Distributor,Nhà phân phối DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Quy tắc vận chuyển giỏ hàng mua sắm -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,Đơn Đặt hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,Đơn Đặt hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',Xin hãy đặt 'Áp dụng giảm giá bổ sung On' ,Ordered Items To Be Billed,Các mặt hàng đã đặt hàng phải được thanh toán apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Từ Phạm vi có thể ít hơn Để Phạm vi @@ -1169,10 +1169,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,Các khoản giảm trừ DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Năm bắt đầu -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},2 số đầu của số tài khoản GST nên phù hợp với số của bang {0} +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},2 số đầu của số tài khoản GST nên phù hợp với số của bang {0} DocType: Purchase Invoice,Start date of current invoice's period,Ngày bắt đầu hóa đơn hiện tại DocType: Salary Slip,Leave Without Pay,Rời đi mà không trả -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Công suất Lỗi Kế hoạch +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,Công suất Lỗi Kế hoạch ,Trial Balance for Party,số dư thử nghiệm cho bên đối tác DocType: Lead,Consultant,Tư vấn DocType: Salary Slip,Earnings,Thu nhập @@ -1188,7 +1188,7 @@ DocType: Cheque Print Template,Payer Settings,Cài đặt người trả tiền DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Điều này sẽ được nối thêm vào các mã hàng của các biến thể. Ví dụ, nếu bạn viết tắt là ""SM"", và các mã hàng là ""T-shirt"", các mã hàng của các biến thể sẽ là ""T-shirt-SM""" DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Tiền thực phải trả (bằng chữ) sẽ hiện ra khi bạn lưu bảng lương DocType: Purchase Invoice,Is Return,Là trả lại -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,Trả về /Ghi chú nợ +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,Trả về /Ghi chú nợ DocType: Price List Country,Price List Country,Giá Danh sách Country DocType: Item,UOMs,UOMs apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} Các dãy số hợp lệ cho vật liệu {1} @@ -1201,7 +1201,7 @@ DocType: Employee Loan,Partially Disbursed,phần giải ngân apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Cơ sở dữ liệu nhà cung cấp. DocType: Account,Balance Sheet,Bảng Cân đối kế toán apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',Cost Center For Item with Item Code ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Chế độ thanh toán không đượcđịnh hình. Vui lòng kiểm tra, dù tài khoản đã được thiết lập trên chế độ thanh toán hoặc trên hồ sơ POS" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Chế độ thanh toán không đượcđịnh hình. Vui lòng kiểm tra, dù tài khoản đã được thiết lập trên chế độ thanh toán hoặc trên hồ sơ POS" DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Nhân viên kinh doanh của bạn sẽ nhận được một lời nhắc vào ngày này để liên hệ với khách hàng apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Cùng mục không thể được nhập nhiều lần. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Các tài khoản khác có thể tiếp tục đượctạo ra theo nhóm, nhưng các bút toán có thể được thực hiện đối với các nhóm không tồn tại" @@ -1231,7 +1231,7 @@ DocType: Employee Loan Application,Repayment Info,Thông tin thanh toán apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Bút toán"" không thể để trống" apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Hàng trùng lặp {0} với cùng {1} ,Trial Balance,số dư thử nghiệm -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Năm tài chính {0} không tìm thấy +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,Năm tài chính {0} không tìm thấy apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,Thiết lập Nhân viên DocType: Sales Order,SO-,SO- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Vui lòng chọn tiền tố đầu tiên @@ -1246,11 +1246,11 @@ DocType: Grading Scale,Intervals,khoảng thời gian apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Sớm nhất apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group","Một mục Nhóm tồn tại với cùng một tên, hãy thay đổi tên mục hoặc đổi tên nhóm mặt hàng" apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Sinh viên Điện thoại di động số -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Phần còn lại của Thế giới +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,Phần còn lại của Thế giới apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Mẫu hàng {0} không thể theo lô ,Budget Variance Report,Báo cáo chênh lệch ngân sách DocType: Salary Slip,Gross Pay,Tổng trả -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Dãy {0}: Loại hoạt động là bắt buộc. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,Dãy {0}: Loại hoạt động là bắt buộc. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Cổ tức trả tiền apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Sổ cái hạch toán DocType: Stock Reconciliation,Difference Amount,Chênh lệch Số tiền @@ -1273,18 +1273,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,Để lại cân nhân viên apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Số dư cho Tài khoản {0} luôn luôn phải {1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Đinh giá phải có cho mục ở hàng {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Ví dụ: Thạc sĩ Khoa học Máy tính +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,Ví dụ: Thạc sĩ Khoa học Máy tính DocType: Purchase Invoice,Rejected Warehouse,Kho chứa hàng mua bị từ chối DocType: GL Entry,Against Voucher,Chống lại Voucher DocType: Item,Default Buying Cost Center,Bộ phận Chi phí mua hàng mặc định apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Để dùng ERPNext một cách hiệu quả nhất, chúng tôi khuyên bạn nên bỏ chút thời gian xem những đoạn video này" -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,đến +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,đến DocType: Supplier Quotation Item,Lead Time in days,Thời gian Lead theo ngày apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Sơ lược các tài khoản phải trả -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Trả lương từ {0} đến {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},Trả lương từ {0} đến {1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Không được phép chỉnh sửa tài khoản đóng băng {0} DocType: Journal Entry,Get Outstanding Invoices,Được nổi bật Hoá đơn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Đơn đặt hàng {0} không hợp lệ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,Đơn đặt hàng {0} không hợp lệ apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,đơn đặt hàng giúp bạn lập kế hoạch và theo dõi mua hàng của bạn apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Xin lỗi, không thể hợp nhất các công ty" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1306,8 +1306,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Chi phí gián tiếp apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Hàng {0}: Số lượng là bắt buộc apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Nông nghiệp -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,Dữ liệu Sync Thạc sĩ -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,Sản phẩm hoặc dịch vụ của bạn +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,Dữ liệu Sync Thạc sĩ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,Sản phẩm hoặc dịch vụ của bạn DocType: Mode of Payment,Mode of Payment,Hình thức thanh toán apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Hình ảnh website phải là một tập tin công cộng hoặc URL của trang web DocType: Student Applicant,AP,AP @@ -1327,18 +1327,18 @@ DocType: Student Group Student,Group Roll Number,Số cuộn nhóm DocType: Student Group Student,Group Roll Number,Số cuộn nhóm apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Đối với {0}, tài khoản tín dụng chỉ có thể được liên kết chống lại mục nợ khác" apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Tổng khối lượng nhiệm vụ nhiệm vụ cần được 1. Vui lòng điều chỉnh khối lượng của tất cả các công việc của dự án một cách hợp lý -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,Giao hàng Ghi {0} không nộp +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,Giao hàng Ghi {0} không nộp apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Mục {0} phải là một mục phụ ký hợp đồng apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Thiết bị vốn apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Luật giá được lựa chọn đầu tiên dựa vào trường ""áp dụng vào"", có thể trở thành mẫu hàng, nhóm mẫu hàng, hoặc nhãn hiệu." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,Vui lòng đặt mã mục đầu tiên +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,Vui lòng đặt mã mục đầu tiên DocType: Hub Settings,Seller Website,Người bán website DocType: Item,ITEM-,MỤC- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Tổng tỷ lệ phần trăm phân bổ cho đội ngũ bán hàng nên được 100 DocType: Appraisal Goal,Goal,Mục tiêu DocType: Sales Invoice Item,Edit Description,Chỉnh sửa Mô tả ,Team Updates,Cập nhật nhóm -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,Cho Nhà cung cấp +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,Cho Nhà cung cấp DocType: Account,Setting Account Type helps in selecting this Account in transactions.,Loại Cài đặt Tài khoản giúp trong việc lựa chọn tài khoản này trong các giao dịch. DocType: Purchase Invoice,Grand Total (Company Currency),Tổng cộng (Tiền tệ công ty) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,Tạo Format In @@ -1352,12 +1352,12 @@ DocType: Item,Website Item Groups,Các Nhóm mục website DocType: Purchase Invoice,Total (Company Currency),Tổng số (Tiền công ty ) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,Nối tiếp số {0} vào nhiều hơn một lần DocType: Depreciation Schedule,Journal Entry,Bút toán nhật ký -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0} mục trong tiến trình +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0} mục trong tiến trình DocType: Workstation,Workstation Name,Tên máy trạm DocType: Grading Scale Interval,Grade Code,Mã lớp DocType: POS Item Group,POS Item Group,Nhóm POS apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0} không thuộc mục {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0} không thuộc mục {1} DocType: Sales Partner,Target Distribution,phân bổ mục tiêu 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 @@ -1415,7 +1415,7 @@ DocType: Quotation,Shopping Cart,Giỏ hàng apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,Avg Daily Outgoing DocType: POS Profile,Campaign,Chiến dịch DocType: Supplier,Name and Type,Tên và Loại -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Tình trạng phê duyệt phải được ""chấp thuận"" hoặc ""từ chối""" +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',"Tình trạng phê duyệt phải được ""chấp thuận"" hoặc ""từ chối""" DocType: Purchase Invoice,Contact Person,Người Liên hệ apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Ngày Bắt đầu Dự kiến' không a thể sau 'Ngày Kết thúc Dự kiến' DocType: Course Scheduling Tool,Course End Date,Khóa học Ngày kết thúc @@ -1427,8 +1427,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,Email đề xuất apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Chênh lệch giá tịnh trong Tài sản cố định DocType: Leave Control Panel,Leave blank if considered for all designations,Để trống nếu xem xét tất cả các chỉ định -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Phí của loại 'thực tế' {0} hàng không có thể được bao gồm trong mục Rate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},Tối đa: {0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Phí của loại 'thực tế' {0} hàng không có thể được bao gồm trong mục Rate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},Tối đa: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Từ Datetime DocType: Email Digest,For Company,Đối với công ty apps/erpnext/erpnext/config/support.py +17,Communication log.,Đăng nhập thông tin liên lạc. @@ -1469,7 +1469,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.","Hồ sơ công DocType: Journal Entry Account,Account Balance,Số dư Tài khoản apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Luật thuế cho các giao dịch DocType: Rename Tool,Type of document to rename.,Loại tài liệu để đổi tên. -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,Chúng tôi mua mẫu hàng này +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,Chúng tôi mua mẫu hàng này apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Khách hàng được yêu cầu với tài khoản phải thu {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Tổng số thuế và lệ phí (Công ty tiền tệ) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Hiện P & L số dư năm tài chính không khép kín @@ -1480,7 +1480,7 @@ DocType: Quality Inspection,Readings,Đọc DocType: Stock Entry,Total Additional Costs,Tổng chi phí bổ sung DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),Phế liệu Chi phí (Công ty ngoại tệ) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Phụ hội +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,Phụ hội DocType: Asset,Asset Name,Tên tài sản DocType: Project,Task Weight,trọng lượng công việc DocType: Shipping Rule Condition,To Value,Tới giá trị @@ -1509,7 +1509,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,Mục Biến thể DocType: Company,Services,Dịch vụ DocType: HR Settings,Email Salary Slip to Employee,Gửi mail bảng lương tới nhân viên DocType: Cost Center,Parent Cost Center,Trung tâm chi phí gốc -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,Chọn thể Nhà cung cấp +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,Chọn thể Nhà cung cấp DocType: Sales Invoice,Source,Nguồn apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Hiển thị đã đóng DocType: Leave Type,Is Leave Without Pay,là rời đi mà không trả @@ -1521,7 +1521,7 @@ DocType: POS Profile,Apply Discount,Áp dụng giảm giá DocType: GST HSN Code,GST HSN Code,mã GST HSN DocType: Employee External Work History,Total Experience,Kinh nghiệm tổng thể apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Dự án mở -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,Bảng đóng gói bị hủy +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,Bảng đóng gói bị hủy apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Lưu chuyển tiền tệ từ đầu tư DocType: Program Course,Program Course,Khóa học chương trình apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Vận tải hàng hóa và chuyển tiếp phí @@ -1565,9 +1565,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,chương trình tuyển sinh DocType: Sales Invoice Item,Brand Name,Tên nhãn hàng DocType: Purchase Receipt,Transporter Details,Chi tiết người vận chuyển -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,Mặc định kho là cần thiết cho mục đã chọn -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,hộp -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,Nhà cung cấp có thể +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,Mặc định kho là cần thiết cho mục đã chọn +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,hộp +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,Nhà cung cấp có thể DocType: Budget,Monthly Distribution,Phân phối hàng tháng apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Danh sách người nhận có sản phẩm nào. Hãy tạo nhận Danh sách DocType: Production Plan Sales Order,Production Plan Sales Order,Kế hoạch sản xuất đáp ứng cho đơn hàng @@ -1600,7 +1600,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Tuyên bố c apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students","Học sinh được ở trung tâm của hệ thống, thêm tất cả học sinh của bạn" apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Hàng # {0}: ngày giải phóng mặt bằng {1} không được trước ngày kiểm tra {2} DocType: Company,Default Holiday List,Mặc định Danh sách khách sạn Holiday -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,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/projects/doctype/timesheet/timesheet.py +186,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/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,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ệ @@ -1616,18 +1616,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Rời khỏi loại {0} không thể dài hơn {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Hãy thử lên kế hoạch hoạt động cho ngày X trước. DocType: HR Settings,Stop Birthday Reminders,Ngừng nhắc nhở ngày sinh nhật -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Hãy thiết lập mặc định Account Payable lương tại Công ty {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},Hãy thiết lập mặc định Account Payable lương tại Công ty {0} DocType: SMS Center,Receiver List,Danh sách người nhận -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,Tìm hàng +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,Tìm hàng apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Số tiền được tiêu thụ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Chênh lệch giá tịnh trong tiền mặt DocType: Assessment Plan,Grading Scale,Phân loại apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Đơn vị đo lường {0} đã được nhập vào nhiều hơn một lần trong Bảng yếu tổ chuyển đổi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,Đã hoàn thành +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,Đã hoàn thành apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Hàng có sẵn apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Yêu cầu thanh toán đã tồn tại {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Chi phí của Items Ban hành -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},Số lượng không phải lớn hơn {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},Số lượng không phải lớn hơn {0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,tài chính Trước năm không đóng cửa apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Tuổi (Ngày) DocType: Quotation Item,Quotation Item,Báo giá mẫu hàng @@ -1641,6 +1641,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,Tài liệu tham khảo apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} đã huỷ bỏ hoặc đã dừng DocType: Accounts Settings,Credit Controller,Bộ điều khiển tín dụng +DocType: Sales Order,Final Delivery Date,Ngày Giao hàng Cuối cùng DocType: Delivery Note,Vehicle Dispatch Date,Ngày gửi phương tiện DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Mua hóa đơn {0} không nộp @@ -1733,9 +1734,9 @@ DocType: Employee,Date Of Retirement,Ngày nghỉ hưu DocType: Upload Attendance,Get Template,Nhận Mẫu DocType: Material Request,Transferred,Đã được vận chuyển DocType: Vehicle,Doors,cửa ra vào -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Hoàn tất thiết lập! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext Hoàn tất thiết lập! DocType: Course Assessment Criteria,Weightage,Trọng lượng -DocType: Sales Invoice,Tax Breakup,Chia thuế +DocType: Purchase Invoice,Tax Breakup,Chia thuế DocType: Packing Slip,PS-,PS apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Trung tâm Chi phí là yêu cầu bắt buộc đối với tài khoản 'Lãi và Lỗ' {2}. Vui lòng thiết lập một Trung tâm Chi phí mặc định cho Công ty. apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Một Nhóm khách hàng cùng tên đã tồn tại. Hãy thay đổi tên khách hàng hoặc đổi tên nhóm khách hàng @@ -1748,14 +1749,14 @@ DocType: Announcement,Instructor,người hướng dẫn DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Nếu mặt hàng này có các biến thể, thì sau đó nó có thể không được lựa chọn trong các đơn đặt hàng vv" DocType: Lead,Next Contact By,Liên hệ tiếp theo bằng -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Số lượng cần thiết cho mục {0} trong hàng {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},Số lượng cần thiết cho mục {0} trong hàng {1} apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Không xóa được Kho {0} vì vẫn còn {1} tồn kho DocType: Quotation,Order Type,Loại đặt hàng DocType: Purchase Invoice,Notification Email Address,Thông báo Địa chỉ Email ,Item-wise Sales Register,Mẫu hàng - Đăng ký mua hàng thông minh DocType: Asset,Gross Purchase Amount,Tổng Chi phí mua hàng DocType: Asset,Depreciation Method,Phương pháp Khấu hao -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,ẩn +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ẩn DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Thuế này đã gồm trong giá gốc? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Tổng số mục tiêu DocType: Job Applicant,Applicant for a Job,Nộp đơn xin việc @@ -1777,7 +1778,7 @@ DocType: Employee,Leave Encashed?,Chi phiếu đã nhận ? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Cơ hội Từ lĩnh vực là bắt buộc DocType: Email Digest,Annual Expenses,Chi phí hàng năm DocType: Item,Variants,Biến thể -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,Đặt mua +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,Đặt mua DocType: SMS Center,Send To,Để gửi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Không có đủ số dư để lại cho Loại di dời {0} DocType: Payment Reconciliation Payment,Allocated amount,Số lượng phân bổ @@ -1785,7 +1786,7 @@ DocType: Sales Team,Contribution to Net Total,Đóng góp cho tổng số DocType: Sales Invoice Item,Customer's Item Code,Mã hàng của khách hàng DocType: Stock Reconciliation,Stock Reconciliation,"Kiểm kê, chốt kho" DocType: Territory,Territory Name,Tên địa bàn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,Kho xưởng đang trong tiến độ hoàn thành được là cần thiết trước khi duyệt +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,Kho xưởng đang trong tiến độ hoàn thành được là cần thiết trước khi duyệt apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Nộp đơn xin việc. DocType: Purchase Order Item,Warehouse and Reference,Kho hàng và tham chiếu DocType: Supplier,Statutory info and other general information about your Supplier,Thông tin theo luật định và các thông tin chung khác về nhà cung cấp của bạn @@ -1798,16 +1799,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,đánh giá apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Trùng lặp số sê ri đã nhập cho mẫu hàng {0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,1 điều kiện cho quy tắc giao hàng apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Vui lòng nhập -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Không thể overbill cho {0} mục trong hàng {1} hơn {2}. Để cho phép quá thanh toán, hãy đặt trong Mua Cài đặt" -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Xin hãy thiết lập bộ lọc dựa trên Item hoặc kho +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Không thể overbill cho {0} mục trong hàng {1} hơn {2}. Để cho phép quá thanh toán, hãy đặt trong Mua Cài đặt" +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,Xin hãy thiết lập bộ lọc dựa trên Item hoặc kho DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Trọng lượng tịnh của gói này. (Tính toán tự động như tổng khối lượng tịnh của sản phẩm) DocType: Sales Order,To Deliver and Bill,Giao hàng và thanh toán DocType: Student Group,Instructors,Giảng viên DocType: GL Entry,Credit Amount in Account Currency,Số tiền trong tài khoản ngoại tệ tín dụng -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0} phải được đệ trình +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0} phải được đệ trình DocType: Authorization Control,Authorization Control,Cho phép điều khiển apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Hàng # {0}: Nhà Kho bị hủy là bắt buộc với mẫu hàng bị hủy {1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,Thanh toán +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,Thanh toán apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Kho {0} không được liên kết tới bất kì tài khoản nào, vui lòng đề cập tới tài khoản trong bản ghi nhà kho hoặc thiết lập tài khoản kho mặc định trong công ty {1}" apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Quản lý đơn đặt hàng của bạn DocType: Production Order Operation,Actual Time and Cost,Thời gian và chi phí thực tế @@ -1823,12 +1824,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Gói m DocType: Quotation Item,Actual Qty,Số lượng thực tế DocType: Sales Invoice Item,References,Tài liệu tham khảo DocType: Quality Inspection Reading,Reading 10,Đọc 10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lên danh sách các sản phẩm hoặc dịch vụ mà bạn mua hoặc bán. Đảm bảo việc kiểm tra nhóm sản phẩm, Đơn vị đo lường hoặc các tài sản khác khi bạn bắt đầu" +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lên danh sách các sản phẩm hoặc dịch vụ mà bạn mua hoặc bán. Đảm bảo việc kiểm tra nhóm sản phẩm, Đơn vị đo lường hoặc các tài sản khác khi bạn bắt đầu" DocType: Hub Settings,Hub Node,Nút trung tâm apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Bạn đã nhập các mục trùng lặp. Xin khắc phục và thử lại. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Liên kết +DocType: Company,Sales Target,Mục tiêu bán hàng DocType: Asset Movement,Asset Movement,Phong trào Asset -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,Giỏ hàng mới +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,Giỏ hàng mới apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Mục {0} không phải là một khoản đăng DocType: SMS Center,Create Receiver List,Tạo ra nhận Danh sách DocType: Vehicle,Wheels,Các bánh xe @@ -1870,13 +1872,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Quản lý dự án DocType: Supplier,Supplier of Goods or Services.,Nhà cung cấp hàng hóa hoặc dịch vụ. DocType: Budget,Fiscal Year,Năm tài chính DocType: Vehicle Log,Fuel Price,nhiên liệu Giá +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Xin vui lòng thiết lập số cho loạt bài tham dự thông qua Setup> Numbering Series DocType: Budget,Budget,Ngân sách apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,Tài sản cố định mục phải là một mẫu hàng không tồn kho. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Ngân sách không thể được chỉ định đối với {0}, vì nó không phải là một tài khoản thu nhập hoặc phí tổn" apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Đạt được DocType: Student Admission,Application Form Route,Mẫu đơn Route apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Địa bàn / khách hàng -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,ví dụ như 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,ví dụ như 5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Để lại Loại {0} không thể giao kể từ khi nó được nghỉ không lương apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Dãy {0}: Phân bổ số lượng {1} phải nhỏ hơn hoặc bằng cho hóa đơn số tiền còn nợ {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,'Bằng chữ' sẽ được hiển thị ngay khi bạn lưu các hóa đơn bán hàng. @@ -1885,11 +1888,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Mục {0} không phải là thiết lập cho Serial Nos Kiểm tra mục chủ DocType: Maintenance Visit,Maintenance Time,Thời gian bảo trì ,Amount to Deliver,Số tiền để Cung cấp -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,Một sản phẩm hoặc dịch vụ +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,Một sản phẩm hoặc dịch vụ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Ngày bắt đầu hạn không thể sớm hơn Ngày Năm Bắt đầu của năm học mà điều khoản này được liên kết (Năm học{}). Xin vui lòng sửa ngày và thử lại. DocType: Guardian,Guardian Interests,người giám hộ Sở thích DocType: Naming Series,Current Value,Giá trị hiện tại -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Nhiều năm tài chính tồn tại cho ngày {0}. Hãy thiết lập công ty trong năm tài chính +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Nhiều năm tài chính tồn tại cho ngày {0}. Hãy thiết lập công ty trong năm tài chính apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} được tạo ra DocType: Delivery Note Item,Against Sales Order,Theo đơn đặt hàng ,Serial No Status,Serial No Tình trạng @@ -1903,7 +1906,7 @@ DocType: Pricing Rule,Selling,Bán hàng apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Số tiền {0} {1} giảm trừ {2} DocType: Employee,Salary Information,Thông tin tiền lương DocType: Sales Person,Name and Employee ID,Tên và ID nhân viên -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,Ngày đến hạn không thể trước ngày ghi sổ +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,Ngày đến hạn không thể trước ngày ghi sổ DocType: Website Item Group,Website Item Group,Nhóm các mục Website apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Nhiệm vụ và thuế apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Vui lòng nhập ngày tham khảo @@ -1960,9 +1963,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Vui lòng đặt Ngày Tham gia cho nhân viên {0} DocType: Task,Total Billing Amount (via Time Sheet),Tổng số tiền thanh toán (thông qua Thời gian biểu) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Lặp lại Doanh thu khách hàng -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) phải có vai trò 'Người duyệt thu chi""" -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Đôi -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,Chọn BOM và Số lượng cho sản xuất +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) phải có vai trò 'Người duyệt thu chi""" +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,Đôi +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,Chọn BOM và Số lượng cho sản xuất DocType: Asset,Depreciation Schedule,Kế hoạch khấu hao apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Địa chỉ đối tác bán hàng và liên hệ DocType: Bank Reconciliation Detail,Against Account,Đối với tài khoản @@ -1972,7 +1975,7 @@ DocType: Item,Has Batch No,Có hàng loạt Không apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Thanh toán hàng năm: {0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Hàng hóa và thuế dịch vụ (GTS Ấn Độ) DocType: Delivery Note,Excise Page Number,Tiêu thụ đặc biệt số trang -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Công ty, Từ ngày và Đến ngày là bắt buộc" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory","Công ty, Từ ngày và Đến ngày là bắt buộc" DocType: Asset,Purchase Date,Ngày mua hàng DocType: Employee,Personal Details,Thông tin chi tiết cá nhân apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Hãy thiết lập 'Trung tâm Lưu Khấu hao chi phí trong doanh nghiệp {0} @@ -1981,9 +1984,9 @@ DocType: Task,Actual End Date (via Time Sheet),Ngày kết thúc thực tế (th apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,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á apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Nhóm mục không được đề cập trong mục tổng thể cho mục {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,tài khoản nợ phải nhận được tiền +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,tài khoản nợ phải nhận được tiền DocType: Shipping Rule Condition,Shipping Amount,Số tiền vận chuyển -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,Thêm khách hàng +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,Thêm khách hàng apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Số tiền cấp phát DocType: Purchase Invoice Item,Conversion Factor,Yếu tố chuyển đổi DocType: Purchase Order,Delivered,"Nếu được chỉ định, gửi các bản tin sử dụng địa chỉ email này" @@ -2006,7 +2009,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,Bao gồm Các bút toá DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Dòng gốc (Để trống, nếu đây không phải là một phần của Dòng gốc)" DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Dòng gốc (để trống, nếu đây không phải là một phần của Dòng gốc)" DocType: Leave Control Panel,Leave blank if considered for all employee types,Để trống nếu xem xét tất cả các loại nhân viên -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Khách hàng> Nhóm Khách hàng> Lãnh thổ DocType: Landed Cost Voucher,Distribute Charges Based On,Phân phối Phí Dựa Trên apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,các bảng thời gian biẻu DocType: HR Settings,HR Settings,Thiết lập nhân sự @@ -2014,7 +2016,7 @@ DocType: Salary Slip,net pay info,thông tin tiền thực phải trả apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,Bảng kê Chi phí đang chờ phê duyệt. Chỉ Người duyệt chi mới có thể cập nhật trạng thái. DocType: Email Digest,New Expenses,Chi phí mới DocType: Purchase Invoice,Additional Discount Amount,Thêm GIẢM Số tiền -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Hàng # {0}: Số lượng phải là 1, mục là một tài sản cố định. Vui lòng sử dụng hàng riêng biệt cho đa dạng số lượng" +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Hàng # {0}: Số lượng phải là 1, mục là một tài sản cố định. Vui lòng sử dụng hàng riêng biệt cho đa dạng số lượng" DocType: Leave Block List Allow,Leave Block List Allow,Để lại danh sách chặn cho phép apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Viết tắt ko được để trống apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,Nhóm Non-Group @@ -2022,7 +2024,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Các môn th DocType: Loan Type,Loan Name,Tên vay apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Tổng số thực tế DocType: Student Siblings,Student Siblings,Anh chị em sinh viên -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,Đơn vị +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,Đơn vị apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Vui lòng ghi rõ Công ty ,Customer Acquisition and Loyalty,Khách quay lại và khách trung thành DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Kho, nơi bạn cất giữ hàng bảo hành của hàng bị từ chối" @@ -2041,12 +2043,12 @@ DocType: Workstation,Wages per hour,Tiền lương mỗi giờ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Số tồn kho in Batch {0} sẽ bị âm {1} cho khoản mục {2} tại Kho {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Các yêu cầu về chất liệu dưới đây đã được nâng lên tự động dựa trên mức độ sắp xếp lại danh mục của DocType: Email Digest,Pending Sales Orders,Trong khi chờ hàng đơn đặt hàng -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Tài khoản của {0} là không hợp lệ. Tài khoản ngắn hạn phải là {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},Tài khoản của {0} là không hợp lệ. Tài khoản ngắn hạn phải là {1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Yếu tố UOM chuyển đổi là cần thiết trong hàng {0} DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Hàng # {0}: Tài liệu tham khảo Tài liệu Loại phải là một trong các đơn đặt hàng, hóa đơn hàng hóa, hoặc bút toán nhật ký" DocType: Salary Component,Deduction,Khấu trừ -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Hàng{0}: Từ Thời gian và Tới thời gin là bắt buộc. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,Hàng{0}: Từ Thời gian và Tới thời gin là bắt buộc. DocType: Stock Reconciliation Item,Amount Difference,Số tiền khác biệt apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Giá mẫu hàng được thêm vào cho {0} trong danh sách giá {1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vui lòng nhập Id nhân viên của người bán hàng này @@ -2056,11 +2058,11 @@ DocType: Project,Gross Margin,Tổng lợi nhuận apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,Vui lòng nhập sản xuất hàng đầu tiên apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,Số dư trên bảng kê Ngân hàng tính ra apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,đã vô hiệu hóa người dùng -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,Báo giá +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,Báo giá DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Tổng số trích ,Production Analytics,Analytics sản xuất -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Chi phí đã được cập nhật +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,Chi phí đã được cập nhật DocType: Employee,Date of Birth,Ngày sinh apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Mục {0} đã được trả lại DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Năm tài chính** đại diện cho một năm tài chính. Tất cả các bút toán kế toán và giao dịch chính khác được theo dõi với **năm tài chính **. @@ -2106,18 +2108,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Chọn Công ty ... DocType: Leave Control Panel,Leave blank if considered for all departments,Để trống nếu xem xét tất cả các phòng ban apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Loại lao động (thường xuyên, hợp đồng, vv tập)." -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0} là bắt buộc đối với mục {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0} là bắt buộc đối với mục {1} DocType: Process Payroll,Fortnightly,mổi tháng hai lần DocType: Currency Exchange,From Currency,Từ tệ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"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/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Chi phí mua hàng mới -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},Đặt hàng bán hàng cần thiết cho mục {0} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},Đặt hàng bán hàng cần thiết cho mục {0} DocType: Purchase Invoice Item,Rate (Company Currency),Tỷ giá (TIền tệ công ty) DocType: Student Guardian,Others,Các thông tin khác DocType: Payment Entry,Unallocated Amount,Số tiền chưa được phân bổ apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Không thể tìm thấy một kết hợp Item. Hãy chọn một vài giá trị khác cho {0}. DocType: POS Profile,Taxes and Charges,Thuế và phí DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Một sản phẩm hay một dịch vụ được mua, bán hoặc lưu giữ trong kho." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Mã hàng> Nhóm mặt hàng> Thương hiệu apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Không có bản cập nhật apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Không có thể chọn loại phí như 'Mở hàng trước Số tiền' hoặc 'On Trước Row Tổng số' cho hàng đầu tiên apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Con hàng không phải là một gói sản phẩm. Hãy loại bỏ mục '{0} `và tiết kiệm @@ -2145,7 +2148,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,Tổng số tiền Thanh toán apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Phải có một tài khoản email mặc định được cho phép để thao tác. Vui lòng thiết lập một tài khoản email đến (POP/IMAP) và thử lại. apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Tài khoản phải thu -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Hàng# {0}: Tài sản {1} đã {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},Hàng# {0}: Tài sản {1} đã {2} DocType: Quotation Item,Stock Balance,Số tồn kho apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Đặt hàng bán hàng để thanh toán apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2170,10 +2173,11 @@ DocType: C-Form,Received Date,Hạn nhận DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Nếu bạn đã tạo ra một mẫu tiêu chuẩn thuế hàng bán và phí , chọn một mẫu và nhấp vào nút dưới đây." DocType: BOM Scrap Item,Basic Amount (Company Currency),Số tiền cơ bản (Công ty ngoại tệ) DocType: Student,Guardians,người giám hộ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Giá sẽ không được hiển thị nếu thực Giá liệt kê không được thiết lập apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Hãy xác định một quốc gia cho Rule Shipping này hoặc kiểm tra vận chuyển trên toàn thế giới DocType: Stock Entry,Total Incoming Value,Tổng giá trị tới -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,nợ được yêu cầu +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,nợ được yêu cầu apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","các bảng thời gian biểu giúp theo dõi thời gian, chi phí và thanh toán cho các hoạt động được thực hiện bởi nhóm của bạn" apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Danh sách mua Giá DocType: Offer Letter Term,Offer Term,Thời hạn Cung cấp @@ -2192,11 +2196,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Tìm DocType: Timesheet Detail,To Time,Giờ DocType: Authorization Rule,Approving Role (above authorized value),Phê duyệt Role (trên giá trị ủy quyền) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Để tín dụng tài khoản phải có một tài khoản phải trả -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM đệ quy: {0} khôg thể là loại tổng hoặc loại con của {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM đệ quy: {0} khôg thể là loại tổng hoặc loại con của {2} DocType: Production Order Operation,Completed Qty,Số lượng hoàn thành apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Đối với {0}, chỉ tài khoản ghi nợ có thể được liên kết với mục tín dụng khác" apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Danh sách giá {0} bị vô hiệu hóa -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},Dãy {0}: Đã hoàn thành Số lượng không thể có nhiều hơn {1} cho hoạt động {2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},Dãy {0}: Đã hoàn thành Số lượng không thể có nhiều hơn {1} cho hoạt động {2} DocType: Manufacturing Settings,Allow Overtime,Cho phép làm việc ngoài giờ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Không thể cập nhật hàng hóa {0} bằng cách sử dụng tính toán Hòa giải hàng hoá, vui lòng sử dụng Mục nhập chứng khoán" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Không thể cập nhật hàng hóa {0} bằng cách sử dụng tính toán Hòa giải hàng hoá, vui lòng sử dụng Mục nhập chứng khoán" @@ -2215,10 +2219,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,Bên ngoài apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Người sử dụng và Quyền DocType: Vehicle Log,VLOG.,Vlog. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},Đơn đặt hàng sản xuất đã tạo: {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},Đơn đặt hàng sản xuất đã tạo: {0} DocType: Branch,Branch,Chi Nhánh DocType: Guardian,Mobile Number,Số điện thoại apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,In ấn và xây dựng thương hiệu +DocType: Company,Total Monthly Sales,Tổng doanh thu hàng tháng DocType: Bin,Actual Quantity,Số lượng thực tế DocType: Shipping Rule,example: Next Day Shipping,Ví dụ: Ngày hôm sau Vận chuyển apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Số thứ tự {0} không tìm thấy @@ -2249,7 +2254,7 @@ DocType: Payment Request,Make Sales Invoice,Làm Mua hàng apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,phần mềm apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Ngày Liên hệ Tiếp theo không thể ở dạng quá khứ DocType: Company,For Reference Only.,Chỉ để tham khảo. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,Chọn Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,Chọn Batch No apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Không hợp lệ {0}: {1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,Số tiền ứng trước @@ -2262,7 +2267,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Không có mẫu hàng với mã vạch {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Trường hợp số không thể là 0 DocType: Item,Show a slideshow at the top of the page,Hiển thị một slideshow ở trên cùng của trang -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOMs +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,BOMs apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Cửa hàng DocType: Serial No,Delivery Time,Thời gian giao hàng apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Người cao tuổi Dựa trên @@ -2276,16 +2281,16 @@ DocType: Rename Tool,Rename Tool,Công cụ đổi tên apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Cập nhật giá DocType: Item Reorder,Item Reorder,Mục Sắp xếp lại apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,Trượt Hiện Lương -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,Vật liệu chuyển +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,Vật liệu chuyển DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Xác định các hoạt động, chi phí vận hành và số hiệu của một hoạt động độc nhất tới các hoạt động của bạn" apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tài liệu này bị quá giới hạn bởi {0} {1} cho mục {4}. bạn đang làm cho một {3} so với cùng {2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,Xin hãy thiết lập định kỳ sau khi tiết kiệm -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,tài khoản số lượng Chọn thay đổi +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,Xin hãy thiết lập định kỳ sau khi tiết kiệm +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,tài khoản số lượng Chọn thay đổi DocType: Purchase Invoice,Price List Currency,Danh sách giá ngoại tệ DocType: Naming Series,User must always select,Người sử dụng phải luôn luôn chọn DocType: Stock Settings,Allow Negative Stock,Cho phép tồn kho âm DocType: Installation Note,Installation Note,Lưu ý cài đặt -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,Thêm Thuế +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,Thêm Thuế DocType: Topic,Topic,Chủ đề apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Lưu chuyển tiền tệ từ tài chính DocType: Budget Account,Budget Account,Tài khoản ngân sách @@ -2299,7 +2304,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Truy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Nguồn vốn (nợ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Số lượng trong hàng {0} ({1}) phải được giống như số lượng sản xuất {2} DocType: Appraisal,Employee,Nhân viên -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,Chọn Batch +DocType: Company,Sales Monthly History,Lịch sử hàng tháng bán hàng +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,Chọn Batch apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} đã được lập hóa đơn đầy đủ DocType: Training Event,End Time,End Time apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Cấu trúc lương có hiệu lực {0} được tìm thấy cho nhân viên {1} với kỳ hạn có sẵn @@ -2307,15 +2313,14 @@ DocType: Payment Entry,Payment Deductions or Loss,Các khoản giảm trừ than apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Điều khoản hợp đồng tiêu chuẩn cho bán hàng hoặc mua hàng. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Nhóm theo Phiếu apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Đường ống dẫn bán hàng -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Hãy thiết lập tài khoản mặc định trong phần Lương {0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},Hãy thiết lập tài khoản mặc định trong phần Lương {0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Đã yêu cầu với DocType: Rename Tool,File to Rename,Đổi tên tệp tin apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Vui lòng chọn BOM cho Item trong Row {0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Tài khoảng {0} không phù hợp với Công ty {1} tại phương thức tài khoản: {2} apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Quy định BOM {0} không tồn tại cho mục {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Lịch trình bảo trì {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Lịch trình bảo trì {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này DocType: Notification Control,Expense Claim Approved,Chi phí bồi thường được phê duyệt -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Xin vui lòng thiết lập số cho loạt bài tham dự thông qua Setup> Numbering Series apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Phiếu lương của nhân viên {0} đã được tạo ra trong giai đoạn này apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Dược phẩm apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Chi phí Mua Items @@ -2332,7 +2337,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,số hiệu BOM cho DocType: Upload Attendance,Attendance To Date,Có mặt đến ngày DocType: Warranty Claim,Raised By,đưa lên bởi DocType: Payment Gateway Account,Payment Account,Tài khoản thanh toán -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,Vui lòng ghi rõ Công ty để tiến hành +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,Vui lòng ghi rõ Công ty để tiến hành apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Chênh lệch giá tịnh trong tài khoản phải thu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Đền bù Tắt DocType: Offer Letter,Accepted,Chấp nhận @@ -2342,12 +2347,12 @@ DocType: SG Creation Tool Course,Student Group Name,Tên nhóm học sinh apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Hãy chắc chắn rằng bạn thực sự muốn xóa tất cả các giao dịch cho công ty này. Dữ liệu tổng thể của bạn vẫn được giữ nguyên. Thao tác này không thể được hoàn tác. DocType: Room,Room Number,Số phòng apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Tham chiếu không hợp lệ {0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) không được lớn hơn số lượng trong kế hoạch ({2}) trong lệnh sản xuất {3} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) không được lớn hơn số lượng trong kế hoạch ({2}) trong lệnh sản xuất {3} DocType: Shipping Rule,Shipping Rule Label,Quy tắc vận chuyển nhãn hàng apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Diễn đàn người dùng -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Nguyên liệu thô không thể để trống. -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.","Không thể cập nhật tồn kho, hóa đơn chứa vật tư vận chuyển tận nơi." -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Bút toán nhật ký +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,Nguyên liệu thô không thể để trống. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.","Không thể cập nhật tồn kho, hóa đơn chứa vật tư vận chuyển tận nơi." +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,Bút toán nhật ký apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,Bạn không thể thay đổi tỷ lệ nếu BOM đã được đối ứng với vật tư bất kỳ. DocType: Employee,Previous Work Experience,Kinh nghiệm làm việc trước đây DocType: Stock Entry,For Quantity,Đối với lượng @@ -2404,7 +2409,7 @@ DocType: SMS Log,No of Requested SMS,Số SMS được yêu cầu apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Để lại Nếu không phải trả tiền không phù hợp với hồ sơ Để lại ứng dụng đã được phê duyệt DocType: Campaign,Campaign-.####,Chiến dịch.# # # # apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Những bước tiếp theo -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,Vui lòng cung cấp mục cụ thể với mức giá tốt nhất có thể +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,Vui lòng cung cấp mục cụ thể với mức giá tốt nhất có thể DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Cơ hội gần thi hành sau 15 ngày apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,cuối Năm apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead% @@ -2442,7 +2447,7 @@ DocType: Homepage,Homepage,Trang chủ DocType: Purchase Receipt Item,Recd Quantity,số lượng REcd apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},Không thể sản xuất {0} nhiều hơn số lượng trên đơn đặt hàng {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},Không thể sản xuất {0} nhiều hơn số lượng trên đơn đặt hàng {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Bút toán hàng tồn kho{0} không được đệ trình DocType: Payment Reconciliation,Bank / Cash Account,Tài khoản ngân hàng /Tiền mặt apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,"""Liên hệ Tiếp theo Bằng "" không thể giống như Địa chỉ Email Lead" @@ -2475,7 +2480,7 @@ DocType: Salary Structure,Total Earning,Tổng số Lợi nhuận DocType: Purchase Receipt,Time at which materials were received,Thời gian mà các tài liệu đã nhận được DocType: Stock Ledger Entry,Outgoing Rate,Tỷ giá đầu ra apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Chủ chi nhánh tổ chức. -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,hoặc +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,hoặc DocType: Sales Order,Billing Status,Tình trạng thanh toán apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Báo lỗi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Chi phí tiện ích @@ -2483,7 +2488,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Hàng # {0}: Bút toán nhật ký {1} không có tài khoản {2} hoặc đã xuất hiện đối với chứng từ khác DocType: Buying Settings,Default Buying Price List,Bảng giá mua hàng mặc định DocType: Process Payroll,Salary Slip Based on Timesheet,Phiếu lương Dựa trên bảng thời gian -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Không có nhân viên cho tiêu chuẩn được lựa chọn phía trên hoặc bảng lương đã được tạo ra +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,Không có nhân viên cho tiêu chuẩn được lựa chọn phía trên hoặc bảng lương đã được tạo ra DocType: Notification Control,Sales Order Message,Thông báo đơn đặt hàng apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Thiết lập giá trị mặc định như Công ty, tiền tệ, năm tài chính hiện tại, vv" DocType: Payment Entry,Payment Type,Loại thanh toán @@ -2508,7 +2513,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,tài liệu nhận phải nộp DocType: Purchase Invoice Item,Received Qty,số lượng nhận được DocType: Stock Entry Detail,Serial No / Batch,Không nối tiếp / hàng loạt -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,Không được trả và không được chuyển +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,Không được trả và không được chuyển DocType: Product Bundle,Parent Item,Mục gốc DocType: Account,Account Type,Loại Tài khoản DocType: Delivery Note,DN-RET-,DN-RET- @@ -2539,8 +2544,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,Tổng số tiền phân bổ apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Thiết lập tài khoản kho mặc định cho kho vĩnh viễn DocType: Item Reorder,Material Request Type,Loại nguyên liệu yêu cầu -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Sổ nhật biên kế toán phát sinh dành cho lương lương từ {0} đến {1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save","Lưu trữ Cục bộ là đầy đủ, không lưu" +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Sổ nhật biên kế toán phát sinh dành cho lương lương từ {0} đến {1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Lưu trữ Cục bộ là đầy đủ, không lưu" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Hàng {0}: Nhân tố thay đổi UOM là bắt buộc apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Tài liệu tham khảo DocType: Budget,Cost Center,Bộ phận chi phí @@ -2558,7 +2563,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Thu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Nếu quy tắc báo giá được tạo cho 'Giá', nó sẽ ghi đè lên 'Bảng giá', Quy tắc giá là giá hiệu lực cuối cùng. Vì vậy không nên có thêm chiết khấu nào được áp dụng. Do vậy, một giao dịch như Đơn đặt hàng, Đơn mua hàng v..v sẽ được lấy từ trường 'Giá' thay vì trường 'Bảng giá'" apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Theo dõi Tiềm năng theo Loại Ngành. DocType: Item Supplier,Item Supplier,Mục Nhà cung cấp -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,Vui lòng nhập Item Code để có được hàng loạt không +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,Vui lòng nhập Item Code để có được hàng loạt không apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},Vui lòng chọn một giá trị cho {0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tất cả các địa chỉ. DocType: Company,Stock Settings,Thiết lập thông số hàng tồn kho @@ -2585,7 +2590,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,Số lượng thực t apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Không có bảng lương được tìm thấy giữa {0} và {1} ,Pending SO Items For Purchase Request,Trong khi chờ SO mục Đối với mua Yêu cầu apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Tuyển sinh -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1} bị vô hiệu +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1} bị vô hiệu DocType: Supplier,Billing Currency,Ngoại tệ thanh toán DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Cực lớn @@ -2615,7 +2620,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,Tình trạng ứng dụng DocType: Fees,Fees,phí DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Xác định thị trường ngoại tệ để chuyển đổi một giá trị tiền tệ với một giá trị khác -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,Báo giá {0} bị hủy bỏ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,Báo giá {0} bị hủy bỏ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Tổng số tiền nợ DocType: Sales Partner,Targets,Mục tiêu DocType: Price List,Price List Master,Giá Danh sách Thầy @@ -2632,7 +2637,7 @@ DocType: POS Profile,Ignore Pricing Rule,Bỏ qua điều khoản giá DocType: Employee Education,Graduate,Tốt nghiệp DocType: Leave Block List,Block Days,Khối ngày DocType: Journal Entry,Excise Entry,Thuế nhập -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Cảnh báo: Đơn Đặt hàng {0} đã tồn tại gắn với đơn mua hàng {1} của khách +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Cảnh báo: Đơn Đặt hàng {0} đã tồn tại gắn với đơn mua hàng {1} của khách DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2671,7 +2676,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),Nế ,Salary Register,Mức lương Đăng ký DocType: Warehouse,Parent Warehouse,Kho chính DocType: C-Form Invoice Detail,Net Total,Tổng thuần -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},Không tìm thấy BOM mặc định cho Mục {0} và Dự án {1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,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/config/hr.py +163,Define various loan types,Xác định các loại cho vay khác nhau DocType: Bin,FCFS Rate,FCFS Tỷ giá DocType: Payment Reconciliation Invoice,Outstanding Amount,Số tiền nợ @@ -2708,7 +2713,7 @@ DocType: Salary Detail,Condition and Formula Help,Điều kiện và Formula Tr apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Quản lý Cây thư mục địa bàn DocType: Journal Entry Account,Sales Invoice,Hóa đơn bán hàng DocType: Journal Entry Account,Party Balance,Số dư đối tác -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Vui lòng chọn Apply Discount On +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,Vui lòng chọn Apply Discount On DocType: Company,Default Receivable Account,Mặc định Tài khoản phải thu DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Tạo Ngân hàng xuất nhập cảnh để tổng tiền lương trả cho các tiêu chí lựa chọn ở trên DocType: Stock Entry,Material Transfer for Manufacture,Vận chuyển nguyên liệu để sản xuất @@ -2722,7 +2727,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,Địa chỉ khách hàng DocType: Employee Loan,Loan Details,Chi tiết vay DocType: Company,Default Inventory Account,tài khoản mặc định -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,dãy {0}: Đã hoàn thành Số lượng phải lớn hơn không. +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,dãy {0}: Đã hoàn thành Số lượng phải lớn hơn không. DocType: Purchase Invoice,Apply Additional Discount On,Áp dụng khác Giảm Ngày DocType: Account,Root Type,Loại gốc DocType: Item,FIFO,FIFO @@ -2739,7 +2744,7 @@ DocType: Purchase Invoice Item,Quality Inspection,Kiểm tra chất lượng apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Tắm nhỏ DocType: Company,Standard Template,Mẫu chuẩn DocType: Training Event,Theory,Lý thuyết -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,Cảnh báo: vật tư yêu cầu có số lượng ít hơn mức tối thiểu +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,Cảnh báo: vật tư yêu cầu có số lượng ít hơn mức tối thiểu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Tài khoản {0} bị đóng băng DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pháp nhân / Công ty con với một biểu đồ riêng của tài khoản thuộc Tổ chức. DocType: Payment Request,Mute Email,Tắt tiếng email @@ -2763,7 +2768,7 @@ DocType: Training Event,Scheduled,Dự kiến apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Yêu cầu báo giá. apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Vui lòng chọn ""theo dõi qua kho"" là ""Không"" và ""là Hàng bán"" là ""Có"" và không có sản phẩm theo lô nào khác" DocType: Student Log,Academic,học tập -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Tổng số trước ({0}) chống lại thứ tự {1} không thể lớn hơn Tổng cộng ({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Tổng số trước ({0}) chống lại thứ tự {1} không thể lớn hơn Tổng cộng ({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Chọn phân phối không đồng đều hàng tháng để phân phối các mục tiêu ở tháng. DocType: Purchase Invoice Item,Valuation Rate,Định giá DocType: Stock Reconciliation,SR/,SR / @@ -2829,6 +2834,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Nhập tên của chiến dịch nếu nguồn gốc của cuộc điều tra là chiến dịch apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,Các nhà xuất bản báo apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Chọn năm tài chính +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,Ngày giao hàng dự kiến sẽ là sau Ngày đặt hàng bán hàng apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Sắp xếp lại Cấp DocType: Company,Chart Of Accounts Template,Chart of Accounts Template DocType: Attendance,Attendance Date,Ngày có mặt @@ -2860,7 +2866,7 @@ DocType: Pricing Rule,Discount Percentage,Tỷ lệ phần trăm giảm giá DocType: Payment Reconciliation Invoice,Invoice Number,Số hóa đơn DocType: Shopping Cart Settings,Orders,Đơn đặt hàng DocType: Employee Leave Approver,Leave Approver,Để phê duyệt -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,Vui lòng chọn một đợt +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,Vui lòng chọn một đợt DocType: Assessment Group,Assessment Group Name,Tên Nhóm Đánh giá DocType: Manufacturing Settings,Material Transferred for Manufacture,Nguyên liệu được chuyển giao cho sản xuất DocType: Expense Claim,"A user with ""Expense Approver"" role","Người dùng với vai trò ""Người duyệt chi""" @@ -2897,7 +2903,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,Ngày cuối cùng của tháng kế tiếp DocType: Support Settings,Auto close Issue after 7 days,Auto Issue gần sau 7 ngày apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Việc nghỉ không thể được phân bổ trước khi {0}, vì cân bằng nghỉ phép đã được chuyển tiếp trong bản ghi phân bổ nghỉ phép trong tương lai {1}" -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Lưu ý: ngày tham chiếu/đến hạn vượt quá số ngày được phép của khách hàng là {0} ngày +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Lưu ý: ngày tham chiếu/đến hạn vượt quá số ngày được phép của khách hàng là {0} ngày apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,sinh viên nộp đơn DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,HƯỚNG D ORN ĐỂ NHẬN DocType: Asset Category Account,Accumulated Depreciation Account,Tài khoản khấu hao lũy kế @@ -2908,7 +2914,7 @@ DocType: Item,Reorder level based on Warehouse,mức đèn đỏ mua vật tư ( DocType: Activity Cost,Billing Rate,Tỷ giá thanh toán ,Qty to Deliver,Số lượng để Cung cấp ,Stock Analytics,Phân tích hàng tồn kho -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Hoạt động không thể để trống +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,Hoạt động không thể để trống DocType: Maintenance Visit Purpose,Against Document Detail No,Đối với tài liệu chi tiết Không apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Kiểu đối tác bắt buộc DocType: Quality Inspection,Outgoing,Đi @@ -2951,15 +2957,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,Số lượng có sẵn tại kho apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Số lượng đã được lập hóa đơn DocType: Asset,Double Declining Balance,Đôi Balance sụt giảm -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,Để khép kín không thể bị hủy bỏ. Khám phá hủy. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,Để khép kín không thể bị hủy bỏ. Khám phá hủy. DocType: Student Guardian,Father,Cha -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Cập Nhật kho hàng' không thể được kiểm tra việc buôn bán tài sản cố định +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,'Cập Nhật kho hàng' không thể được kiểm tra việc buôn bán tài sản cố định DocType: Bank Reconciliation,Bank Reconciliation,Bảng đối chiếu tài khoản ngân hàng DocType: Attendance,On Leave,Nghỉ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Nhận thông tin cập nhật apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Tài khoản {2} không thuộc về Công ty {3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Yêu cầu nguyên liệu {0} được huỷ bỏ hoặc dừng lại -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,Thêm một vài bản ghi mẫu +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,Thêm một vài bản ghi mẫu apps/erpnext/erpnext/config/hr.py +301,Leave Management,Rời khỏi quản lý apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Nhóm bởi tài khoản DocType: Sales Order,Fully Delivered,Giao đầy đủ @@ -2968,12 +2974,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Tài khoản chênh lệch phải là một loại tài khoản tài sản / trách nhiệm pháp lý, kể từ khi hòa giải cổ này là một Entry Mở" apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Số tiền giải ngân không thể lớn hơn Số tiền vay {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Số mua hàng cần thiết cho mục {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,Thao tác đặt hàng sản phẩm không được tạo ra +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,Thao tác đặt hàng sản phẩm không được tạo ra apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Từ Ngày' phải sau 'Đến Ngày' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Không thể thay đổi tình trạng như sinh viên {0} được liên kết với các ứng dụng sinh viên {1} DocType: Asset,Fully Depreciated,khấu hao hết ,Stock Projected Qty,Dự kiến cổ phiếu Số lượng -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},Khách hàng {0} không thuộc về dự án {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},Khách hàng {0} không thuộc về dự án {1} DocType: Employee Attendance Tool,Marked Attendance HTML,Đánh dấu có mặt HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Báo giá là đề xuất, giá thầu bạn đã gửi cho khách hàng" DocType: Sales Order,Customer's Purchase Order,Đơn Mua hàng của khách hàng @@ -2983,7 +2989,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Hãy thiết lập Số khấu hao Thẻ vàng apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Giá trị hoặc lượng apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Đơn đặt hàng sản xuất không thể được nâng lên cho: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Phút +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,Phút DocType: Purchase Invoice,Purchase Taxes and Charges,Mua các loại thuế và các loại tiền công ,Qty to Receive,Số lượng để nhận DocType: Leave Block List,Leave Block List Allowed,Để lại danh sách chặn cho phép @@ -2997,7 +3003,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Nhà cung cấp tất cả các loại DocType: Global Defaults,Disable In Words,"Vô hiệu hóa ""Số tiền bằng chữ""" apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Mục Mã số là bắt buộc vì mục không tự động đánh số -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},Báo giá {0} không thuộc loại {1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},Báo giá {0} không thuộc loại {1} DocType: Maintenance Schedule Item,Maintenance Schedule Item,Lịch trình bảo trì hàng DocType: Sales Order,% Delivered,% đã chuyển giao DocType: Production Order,PRO-,PRO- @@ -3020,7 +3026,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,Người bán Email DocType: Project,Total Purchase Cost (via Purchase Invoice),Tổng Chi phí mua hàng (thông qua danh đơn thu mua) DocType: Training Event,Start Time,Thời gian bắt đầu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,Chọn Số lượng +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,Chọn Số lượng DocType: Customs Tariff Number,Customs Tariff Number,Số thuế hải quan apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Phê duyệt Vai trò không thể giống như vai trò của quy tắc là áp dụng để apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Hủy đăng ký từ Email phân hạng này @@ -3044,7 +3050,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR chi tiết DocType: Sales Order,Fully Billed,Được quảng cáo đầy đủ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Tiền mặt trong tay -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},Kho giao hàng yêu cầu cho mục cổ phiếu {0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},Kho giao hàng yêu cầu cho mục cổ phiếu {0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Tổng trọng lượng của gói. Thường là khối lượng tịnh + trọng lượng vật liệu. (Đối với việc in) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,chương trình DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Người sử dụng với vai trò này được phép thiết lập tài khoản phong toả và tạo / sửa đổi ghi sổ kế toán đối với tài khoản phong toả @@ -3054,7 +3060,7 @@ DocType: Student Group,Group Based On,Dựa trên nhóm DocType: Journal Entry,Bill Date,Phiếu TT ngày apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required","Dịch vụ Item, Type, tần số và mức chi phí được yêu cầu" apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:","Ngay cả khi có nhiều quy giá với ưu tiên cao nhất, ưu tiên nội bộ sau đó sau được áp dụng:" -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},Bạn có thực sự muốn Nộp tất cả trượt Mức lương từ {0} đến {1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},Bạn có thực sự muốn Nộp tất cả trượt Mức lương từ {0} đến {1} 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: Expense Claim,Approval Status,Tình trạng chính @@ -3076,7 +3082,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Lead thành Bảng B apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Không có gì hơn để hiển thị. DocType: Lead,From Customer,Từ khách hàng apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Các Cuộc gọi -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,Hàng loạt +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,Hàng loạt DocType: Project,Total Costing Amount (via Time Logs),Tổng số tiền Chi phí (thông qua Đăng nhập thời gian) DocType: Purchase Order Item Supplied,Stock UOM,Đơn vị tính Hàng tồn kho apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Mua hàng {0} không nộp @@ -3108,7 +3114,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,Trả về với hóa DocType: Item,Warranty Period (in days),Thời gian bảo hành (trong...ngày) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Mối quan hệ với Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Tiền thuần từ hoạt động -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,ví dụ như thuế GTGT +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,ví dụ như thuế GTGT apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Khoản 4 DocType: Student Admission,Admission End Date,Nhập học ngày End apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Thầu phụ @@ -3116,7 +3122,7 @@ DocType: Journal Entry Account,Journal Entry Account,Tài khoản bút toán k apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Nhóm sinh viên DocType: Shopping Cart Settings,Quotation Series,Báo giá seri apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Một mục tồn tại với cùng một tên ({0}), hãy thay đổi tên nhóm mục hoặc đổi tên mục" -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Vui lòng chọn của khách hàng +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,Vui lòng chọn của khách hàng DocType: C-Form,I,tôi DocType: Company,Asset Depreciation Cost Center,Chi phí bộ phận - khấu hao tài sản DocType: Sales Order Item,Sales Order Date,Ngày đơn đặt hàng @@ -3127,6 +3133,7 @@ DocType: Stock Settings,Limit Percent,phần trăm giới hạn ,Payment Period Based On Invoice Date,Thời hạn thanh toán Dựa trên hóa đơn ngày apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Thiếu ngoại tệ Tỷ giá ngoại tệ cho {0} DocType: Assessment Plan,Examiner,giám khảo +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Naming Series cho {0} qua Cài đặt> Cài đặt> Đặt tên Series DocType: Student,Siblings,Anh chị em ruột DocType: Journal Entry,Stock Entry,Chứng từ kho DocType: Payment Entry,Payment References,Tài liệu tham khảo thanh toán @@ -3151,7 +3158,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Nơi các hoạt động sản xuất đang được thực hiện DocType: Asset Movement,Source Warehouse,Kho nguồn DocType: Installation Note,Installation Date,Cài đặt ngày -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Hàng # {0}: {1} tài sản không thuộc về công ty {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},Hàng # {0}: {1} tài sản không thuộc về công ty {2} DocType: Employee,Confirmation Date,Ngày Xác nhận DocType: C-Form,Total Invoiced Amount,Tổng số tiền đã lập Hoá đơn apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Số lượng tối thiểu không thể lớn hơn Số lượng tối đa @@ -3226,7 +3233,7 @@ DocType: Company,Default Letter Head,Tiêu đề trang mặc định DocType: Purchase Order,Get Items from Open Material Requests,Nhận mẫu hàng từ yêu cầu mở nguyên liệu DocType: Item,Standard Selling Rate,Tỷ giá bán hàng tiêu chuẩn DocType: Account,Rate at which this tax is applied,Tỷ giá ở mức thuế này được áp dụng -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Sắp xếp lại Qty +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,Sắp xếp lại Qty apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Hiện tại Hở Job DocType: Company,Stock Adjustment Account,Tài khoản Điều chỉnh Hàng tồn kho apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Viết tắt @@ -3240,7 +3247,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,Nhà cung cấp mang đến cho khách hàng apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Mẫu/vật tư/{0}) đã hết apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Kỳ hạn tiếp theo phải sau kỳ hạn đăng -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},Ngày đến hạn /ngày tham chiếu không được sau {0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},Ngày đến hạn /ngày tham chiếu không được sau {0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,dữ liệu nhập và xuất apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Không có học sinh Tìm thấy apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Hóa đơn viết bài ngày @@ -3261,12 +3268,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Điều này được dựa trên sự tham gia của sinh viên này apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,Không có học sinh trong apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Thêm nhiều mặt hàng hoặc hình thức mở đầy đủ -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',Vui lòng nhập 'ngày dự kiến giao hàng' -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Phiếu giao hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Phiếu giao hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Số tiền thanh toán + Viết Tắt Số tiền không thể lớn hơn Tổng cộng apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} không phải là một dãy số hợp lệ với vật liệu {1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Lưu ý: Không có đủ số dư để lại cho Loại di dời {0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Tài khoản GST không hợp lệ hoặc nhập Không hợp lệ cho Không đăng ký +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,Tài khoản GST không hợp lệ hoặc nhập Không hợp lệ cho Không đăng ký DocType: Training Event,Seminar,Hội thảo DocType: Program Enrollment Fee,Program Enrollment Fee,Chương trình Lệ phí đăng ký DocType: Item,Supplier Items,Nhà cung cấp Items @@ -3284,7 +3290,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,Hàng tồn kho cũ dần apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Sinh viên {0} tồn tại đối với người nộp đơn sinh viên {1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,Thời gian biểu -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0} '{1}' bị vô hiệu hóa +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0} '{1}' bị vô hiệu hóa apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Đặt làm mở DocType: Cheque Print Template,Scanned Cheque,quét Séc DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Gửi email tự động tới các Liên hệ khi Đệ trình các giao dịch. @@ -3331,7 +3337,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,Danh sách Tỷ giá DocType: Purchase Invoice Item,Rate,Đơn giá apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Tập -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Tên địa chỉ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,Tên địa chỉ DocType: Stock Entry,From BOM,Từ BOM DocType: Assessment Code,Assessment Code,Mã Đánh giá apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Cơ bản @@ -3344,20 +3350,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,Cơ cấu tiền lương DocType: Account,Bank,Ngân hàng apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Hãng hàng không -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,Vấn đề liệu +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,Vấn đề liệu DocType: Material Request Item,For Warehouse,Cho kho hàng DocType: Employee,Offer Date,Kỳ hạn Yêu cầu apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Các bản dự kê giá -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,Bạn đang ở chế độ offline. Bạn sẽ không thể để lại cho đến khi bạn có mạng. +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Bạn đang ở chế độ offline. Bạn sẽ không thể để lại cho đến khi bạn có mạng. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Không có nhóm học sinh được tạo ra. DocType: Purchase Invoice Item,Serial No,Không nối tiếp apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,SỐ tiền trả hàng tháng không thể lớn hơn Số tiền vay apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Thông tin chi tiết vui lòng nhập Maintaince đầu tiên +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,Hàng # {0}: Ngày giao hàng dự kiến không được trước ngày đặt hàng mua hàng DocType: Purchase Invoice,Print Language,In Ngôn ngữ DocType: Salary Slip,Total Working Hours,Tổng số giờ làm việc DocType: Stock Entry,Including items for sub assemblies,Bao gồm các mặt hàng cho các tiểu hội -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,Nhập giá trị phải được tích cực -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Mã hàng> Nhóm mặt hàng> Thương hiệu +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,Nhập giá trị phải được tích cực apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Tất cả các vùng lãnh thổ DocType: Purchase Invoice,Items,Khoản mục apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Sinh viên đã được ghi danh. @@ -3380,7 +3386,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Mặc định Đơn vị đo lường cho Variant '{0}' phải giống như trong Template '{1}' DocType: Shipping Rule,Calculate Based On,Tính toán dựa trên DocType: Delivery Note Item,From Warehouse,Từ kho -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,Không có mẫu hàng với hóa đơn nguyên liệu để sản xuất +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,Không có mẫu hàng với hóa đơn nguyên liệu để sản xuất DocType: Assessment Plan,Supervisor Name,Tên Supervisor DocType: Program Enrollment Course,Program Enrollment Course,Khóa học ghi danh chương trình DocType: Program Enrollment Course,Program Enrollment Course,Khóa học ghi danh chương trình @@ -3396,23 +3402,23 @@ DocType: Training Event Employee,Attended,Tham dự apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Số ngày từ lần đặt hàng gần nhất"" phải lớn hơn hoặc bằng 0" DocType: Process Payroll,Payroll Frequency,Biên chế tần số DocType: Asset,Amended From,Sửa đổi Từ -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Nguyên liệu thô +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,Nguyên liệu thô DocType: Leave Application,Follow via Email,Theo qua email apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Cây và Máy móc thiết bị DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Tiền thuế sau khi chiết khấu DocType: Daily Work Summary Settings,Daily Work Summary Settings,Cài đặt Tóm tắt công việc hàng ngày -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Ngoại tệ của các bảng giá {0} không phải là tương tự với các loại tiền đã chọn {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},Ngoại tệ của các bảng giá {0} không phải là tương tự với các loại tiền đã chọn {1} DocType: Payment Entry,Internal Transfer,Chuyển nội bộ apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Tài khoản con tồn tại cho tài khoản này. Bạn không thể xóa tài khoản này. apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,số lượng mục tiêu là bắt buộc apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Không có BOM mặc định tồn tại cho mẫu {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vui lòng chọn ngày đăng bài đầu tiên +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,Vui lòng chọn ngày đăng bài đầu tiên apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Ngày Khai mạc nên trước ngày kết thúc DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Chi phí bộ phận với các phát sinh hiện có không thể được chuyển đổi sang sổ cái DocType: Department,Days for which Holidays are blocked for this department.,Ngày mà bộ phận này có những ngày lễ bị chặn ,Produced,Sản xuất -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Trượt chân Mức lương tạo +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,Trượt chân Mức lương tạo DocType: Item,Item Code for Suppliers,Mã số mẫu hàng cho nhà cung cấp DocType: Issue,Raised By (Email),đưa lên bởi (Email) DocType: Training Event,Trainer Name,tên người huấn luyện @@ -3420,9 +3426,10 @@ DocType: Mode of Payment,General,Chung apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Lần giao tiếp cuối apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Lần giao tiếp cuối apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Không thể khấu trừ khi loại là 'định giá' hoặc 'Định giá và Total' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Danh sách đầu thuế của bạn (ví dụ như thuế GTGT, Hải vv; họ cần phải có tên duy nhất) và tỷ lệ tiêu chuẩn của họ. Điều này sẽ tạo ra một mẫu tiêu chuẩn, trong đó bạn có thể chỉnh sửa và thêm nhiều hơn sau này." +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Danh sách đầu thuế của bạn (ví dụ như thuế GTGT, Hải vv; họ cần phải có tên duy nhất) và tỷ lệ tiêu chuẩn của họ. Điều này sẽ tạo ra một mẫu tiêu chuẩn, trong đó bạn có thể chỉnh sửa và thêm nhiều hơn sau này." apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Nối tiếp Nos Yêu cầu cho In nhiều mục {0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Thanh toán phù hợp với hoá đơn +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},Hàng # {0}: Vui lòng nhập Ngày giao hàng với mặt hàng {1} DocType: Journal Entry,Bank Entry,Bút toán NH DocType: Authorization Rule,Applicable To (Designation),Để áp dụng (Chỉ) ,Profitability Analysis,Phân tích lợi nhuận @@ -3438,17 +3445,18 @@ DocType: Quality Inspection,Item Serial No,Sê ri mẫu hàng số apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Tạo nhân viên ghi apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Tổng số hiện tại apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Báo cáo kế toán -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,Giờ +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,Giờ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Dãy số mới không thể có kho hàng. Kho hàng phải đượcthiết lập bởi Bút toán kho dự trữ hoặc biên lai mua hàng DocType: Lead,Lead Type,Loại Lead apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Bạn không được uỷ quyền phê duyệt nghỉ trên Các khối kỳ hạn -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,Tất cả các mặt hàng này đã được lập hoá đơn +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,Tất cả các mặt hàng này đã được lập hoá đơn +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,Mục tiêu bán hàng hàng tháng apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Có thể được duyệt bởi {0} DocType: Item,Default Material Request Type,Mặc định liệu yêu cầu Loại apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,không xác định DocType: Shipping Rule,Shipping Rule Conditions,Các điều kiện cho quy tắc vận chuyển DocType: BOM Replace Tool,The new BOM after replacement,BOM mới sau khi thay thế -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Điểm bán hàng +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,Điểm bán hàng DocType: Payment Entry,Received Amount,Số tiền nhận được DocType: GST Settings,GSTIN Email Sent On,GSTIN Gửi Email DocType: Program Enrollment,Pick/Drop by Guardian,Chọn/Thả bởi giám hộ @@ -3465,8 +3473,8 @@ DocType: Batch,Source Document Name,Tên tài liệu nguồn DocType: Batch,Source Document Name,Tên tài liệu nguồn DocType: Job Opening,Job Title,Chức vụ apps/erpnext/erpnext/utilities/activation.py +97,Create Users,tạo người dùng -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,Số lượng để sản xuất phải lớn hơn 0. +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,Gram +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,Số lượng để sản xuất phải lớn hơn 0. apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Thăm báo cáo cho các cuộc gọi bảo trì. DocType: Stock Entry,Update Rate and Availability,Cập nhật tỷ giá và hiệu lực DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Tỷ lệ phần trăm bạn được phép nhận hoặc cung cấp nhiều so với số lượng đặt hàng. Ví dụ: Nếu bạn đã đặt mua 100 đơn vị. và Trợ cấp của bạn là 10% sau đó bạn được phép nhận 110 đơn vị. @@ -3479,7 +3487,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Hãy hủy hóa đơn mua hàng {0} đầu tiên apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Địa chỉ email phải là duy nhất, đã tồn tại cho {0}" DocType: Serial No,AMC Expiry Date,Ngày hết hạn hợp đồng bảo hành (AMC) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,Biên lai +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,Biên lai ,Sales Register,Đăng ký bán hàng DocType: Daily Work Summary Settings Company,Send Emails At,Gửi email Tại DocType: Quotation,Quotation Lost Reason,lý do bảng báo giá mất @@ -3492,14 +3500,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Chưa có Kh apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Báo cáo lưu chuyển tiền mặt apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Số tiền cho vay không thể vượt quá Số tiền cho vay tối đa của {0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,bằng -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},Hãy loại bỏ hóa đơn này {0} từ C-Form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},Hãy loại bỏ hóa đơn này {0} từ C-Form {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vui lòng chọn Carry Forward nếu bạn cũng muốn bao gồm cân bằng tài chính của năm trước để lại cho năm tài chính này DocType: GL Entry,Against Voucher Type,Loại chống lại Voucher DocType: Item,Attributes,Thuộc tính apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Vui lòng nhập Viết Tắt tài khoản apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Kỳ hạn đặt cuối cùng apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Tài khoản {0} không thuộc về công ty {1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,Số sê-ri trong hàng {0} không khớp với Lưu lượng giao hàng +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,Số sê-ri trong hàng {0} không khớp với Lưu lượng giao hàng DocType: Student,Guardian Details,Chi tiết người giám hộ DocType: C-Form,C-Form,C - Mẫu apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Đánh dấu cho nhiều nhân viên @@ -3531,16 +3539,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,C DocType: Tax Rule,Sales,Bán hàng DocType: Stock Entry Detail,Basic Amount,Số tiền cơ bản DocType: Training Event,Exam,Thi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},phải có kho cho vật tư {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},phải có kho cho vật tư {0} DocType: Leave Allocation,Unused leaves,Quyền nghỉ phép chưa sử dụng -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,Cr DocType: Tax Rule,Billing State,Bang thanh toán apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Truyền apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} không liên kết tới Tài khoản bên Đối tác {2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Lấy BOM nổ (bao gồm các cụm chi tiết) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),Lấy BOM nổ (bao gồm các cụm chi tiết) DocType: Authorization Rule,Applicable To (Employee),Để áp dụng (nhân viên) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Ngày đến hạn là bắt buộc apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Tăng cho thuộc tính {0} không thể là 0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Khách hàng> Nhóm Khách hàng> Lãnh thổ DocType: Journal Entry,Pay To / Recd From,Để trả / Recd Từ DocType: Naming Series,Setup Series,Thiết lập Dòng DocType: Payment Reconciliation,To Invoice Date,Tới ngày lập hóa đơn @@ -3567,7 +3576,7 @@ DocType: Journal Entry,Write Off Based On,Viết Tắt Dựa trên apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Hãy Lead apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,In và Văn phòng phẩm DocType: Stock Settings,Show Barcode Field,Hiện Dòng mã vạch -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,Gửi email Nhà cung cấp +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,Gửi email Nhà cung cấp apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Mức lương đã được xử lý cho giai đoạn giữa {0} và {1}, Giai đoạn bỏ ứng dụng không thể giữa khoảng kỳ hạn này" apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Bản ghi cài đặt cho một sê ri số DocType: Guardian Interest,Guardian Interest,người giám hộ lãi @@ -3581,7 +3590,7 @@ DocType: Offer Letter,Awaiting Response,Đang chờ Response apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Ở trên apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},thuộc tính không hợp lệ {0} {1} DocType: Supplier,Mention if non-standard payable account,Đề cập đến tài khoản phải trả phi tiêu chuẩn -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Mặt hàng tương tự đã được thêm vào nhiều lần {danh sách} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},Mặt hàng tương tự đã được thêm vào nhiều lần {danh sách} apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',Vui lòng chọn nhóm đánh giá khác với 'Tất cả các Nhóm Đánh giá' DocType: Salary Slip,Earning & Deduction,Thu nhập và khoản giảm trừ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Tùy chọn. Thiết lập này sẽ được sử dụng để lọc xem các giao dịch khác nhau. @@ -3600,7 +3609,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Chi phí của tài sản Loại bỏ apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:Trung tâm chi phí là bắt buộc đối với vật liệu {2} DocType: Vehicle,Policy No,chính sách Không -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,Chọn mục từ Sản phẩm theo lô +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,Chọn mục từ Sản phẩm theo lô DocType: Asset,Straight Line,Đường thẳng DocType: Project User,Project User,Dự án tài apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Chia @@ -3615,6 +3624,7 @@ DocType: Bank Reconciliation,Payment Entries,bút toán thanh toán DocType: Production Order,Scrap Warehouse,phế liệu kho DocType: Production Order,Check if material transfer entry is not required,Kiểm tra xem mục nhập chuyển nhượng vật liệu không bắt buộc DocType: Production Order,Check if material transfer entry is not required,Kiểm tra xem mục nhập chuyển nhượng vật liệu không bắt buộc +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng cài đặt Hệ thống Đặt tên Nhân viên trong Nguồn nhân lực> Cài đặt Nhân sự DocType: Program Enrollment Tool,Get Students From,Nhận Sinh viên Từ DocType: Hub Settings,Seller Country,Người bán Country apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,Xuất bản mục trên Website @@ -3632,19 +3642,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,Xác định điều kiện để tính toán tiền vận chuyể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 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,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/stock/report/stock_balance/stock_balance.py +47,Opening Value,Giá trị mở +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,Giá trị mở DocType: Salary Detail,Formula,Công thức apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Hoa hồng trên doanh thu DocType: Offer Letter Term,Value / Description,Giá trị / Mô tả -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Hàng # {0}: {1} tài sản không thể gửi, nó đã được {2}" +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Hàng # {0}: {1} tài sản không thể gửi, nó đã được {2}" DocType: Tax Rule,Billing Country,Quốc gia thanh toán DocType: Purchase Order Item,Expected Delivery Date,Ngày Dự kiến giao hàng apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Thẻ ghi nợ và tín dụng không bằng với {0} # {1}. Sự khác biệt là {2}. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Chi phí Giải trí apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,Hãy Chất liệu Yêu cầu apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Mở hàng {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Hóa đơn bán hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Hóa đơn bán hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Tuổi DocType: Sales Invoice Timesheet,Billing Amount,Lượng thanh toán apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Số lượng không hợp lệ quy định cho mặt hàng {0}. Số lượng phải lớn hơn 0. @@ -3667,7 +3677,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Doanh thu khách hàng mới apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Chi phí đi lại DocType: Maintenance Visit,Breakdown,Hỏng -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Không thể chọn được Tài khoản: {0} với loại tiền tệ: {1} +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,Không thể chọn được Tài khoản: {0} với loại tiền tệ: {1} DocType: Bank Reconciliation Detail,Cheque Date,Séc ngày apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Tài khoản {0}: tài khoản mẹ {1} không thuộc về công ty: {2} DocType: Program Enrollment Tool,Student Applicants,Ứng sinh viên @@ -3687,11 +3697,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Hoạc DocType: Material Request,Issued,Ban hành apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,Hoạt động của sinh viên DocType: Project,Total Billing Amount (via Time Logs),Tổng số tiền Thanh toán (thông qua Các đăng nhập thời gian) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,Chúng tôi bán mẫu hàng +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,Chúng tôi bán mẫu hàng apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Nhà cung cấp Id DocType: Payment Request,Payment Gateway Details,Chi tiết Cổng thanh toán -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Số lượng phải lớn hơn 0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,Dữ liệu mẫu +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,Số lượng phải lớn hơn 0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,Dữ liệu mẫu DocType: Journal Entry,Cash Entry,Cash nhập apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,nút con chỉ có thể được tạo ra dưới 'Nhóm' nút loại DocType: Leave Application,Half Day Date,Kỳ hạn nửa ngày @@ -3700,17 +3710,18 @@ DocType: Sales Partner,Contact Desc,Mô tả Liên hệ apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Các loại nghỉ phép như bình thường, bệnh vv" DocType: Email Digest,Send regular summary reports via Email.,Gửi báo cáo tóm tắt thường xuyên qua Email. DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Hãy thiết lập tài khoản mặc định trong Loại Chi phí bồi thường {0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},Hãy thiết lập tài khoản mặc định trong Loại Chi phí bồi thường {0} DocType: Assessment Result,Student Name,Tên học sinh DocType: Brand,Item Manager,QUản lý mẫu hàng apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,bảng lương phải trả DocType: Buying Settings,Default Supplier Type,Loại mặc định Nhà cung cấp DocType: Production Order,Total Operating Cost,Tổng chi phí hoạt động kinh doanh -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,Lưu ý: Item {0} nhập nhiều lần +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,Lưu ý: Item {0} nhập nhiều lần apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tất cả Liên hệ. +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,Đặt mục tiêu của bạn apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Công ty viết tắt apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Người sử dụng {0} không tồn tại -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Nguyên liệu thô không thể giống nhau như mẫu hàng chính +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,Nguyên liệu thô không thể giống nhau như mẫu hàng chính DocType: Item Attribute Value,Abbreviation,Rút gọn apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Bút toán thanh toán đã tồn tại apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Không được phép từ {0} vượt qua các giới hạn @@ -3728,7 +3739,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,Vai trò được phé ,Territory Target Variance Item Group-Wise,Phương sai mục tiêu mẫu hàng theo khu vực Nhóm - Thông minh apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Tất cả các nhóm khách hàng apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,tích lũy hàng tháng -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} là bắt buộc. Bản ghi thu đổi ngoại tệ có thể không được tạo ra cho {1} tới {2}. +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} là bắt buộc. Bản ghi thu đổi ngoại tệ có thể không được tạo ra cho {1} tới {2}. apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Mẫu thuế là bắt buộc apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Tài khoản {0}: tài khoản mẹ {1} không tồn tại DocType: Purchase Invoice Item,Price List Rate (Company Currency),Danh sách giá Tỷ lệ (Công ty tiền tệ) @@ -3739,7 +3750,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,Tỷ lệ phần apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Thư ký DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Nếu vô hiệu hóa, trường ""trong "" sẽ không được hiển thị trong bất kỳ giao dịch" DocType: Serial No,Distinct unit of an Item,Đơn vị riêng biệt của một khoản -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,Vui lòng thiết lập công ty +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,Vui lòng thiết lập công ty DocType: Pricing Rule,Buying,Mua hàng DocType: HR Settings,Employee Records to be created by,Nhân viên ghi được tạo ra bởi DocType: POS Profile,Apply Discount On,Áp dụng Giảm giá Trên @@ -3750,7 +3761,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,mục chi tiết thuế thông minh apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Viện Tên viết tắt ,Item-wise Price List Rate,Mẫu hàng - danh sách tỷ giá thông minh -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,Báo giá của NCC +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,Báo giá của NCC DocType: Quotation,In Words will be visible once you save the Quotation.,"""Bằng chữ"" sẽ được hiển thị ngay khi bạn lưu các báo giá." apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Số lượng ({0}) không thể là một phân số trong hàng {1} apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Số lượng ({0}) không thể là một phân số trong hàng {1} @@ -3774,7 +3785,7 @@ Updated via 'Time Log'",trong số phút đã cập nhật thông qua 'lần đ DocType: Customer,From Lead,Từ Lead apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Đơn đặt hàng phát hành cho sản phẩm. apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Chọn năm tài chính ... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,POS hồ sơ cần thiết để làm cho POS nhập +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,POS hồ sơ cần thiết để làm cho POS nhập DocType: Program Enrollment Tool,Enroll Students,Ghi danh học sinh DocType: Hub Settings,Name Token,Tên Mã thông báo apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Bán hàng tiêu chuẩn @@ -3792,7 +3803,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,Giá trị cổ phiếu khác apps/erpnext/erpnext/config/learn.py +234,Human Resource,Nguồn Nhân Lực DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Hòa giải thanh toán thanh toán apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Thuế tài sản -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},Đơn hàng sản xuất đã được {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},Đơn hàng sản xuất đã được {0} DocType: BOM Item,BOM No,số hiệu BOM DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Tạp chí nhập {0} không có tài khoản {1} hoặc đã đối chiếu với các chứng từ khác @@ -3806,7 +3817,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Tải l apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Amt nổi bật DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Mục tiêu đề ra mục Nhóm-khôn ngoan cho người bán hàng này. DocType: Stock Settings,Freeze Stocks Older Than [Days],Cổ phiếu đóng băng cũ hơn [Ngày] -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Hàng # {0}: tài sản là bắt buộc đối với tài sản cố định mua / bán +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Hàng # {0}: tài sản là bắt buộc đối với tài sản cố định mua / bán apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Nếu hai hoặc nhiều Rules giá được tìm thấy dựa trên các điều kiện trên, ưu tiên được áp dụng. Ưu tiên là một số từ 0 đến 20, trong khi giá trị mặc định là số không (trống). Số cao hơn có nghĩa là nó sẽ được ưu tiên nếu có nhiều Rules giá với điều kiện tương tự." apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Năm tài chính: {0} không tồn tại DocType: Currency Exchange,To Currency,Tới tiền tệ @@ -3815,7 +3826,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Các loại chi p apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tỷ lệ bán hàng cho mặt hàng {0} thấp hơn {1} của nó. Tỷ lệ bán hàng phải là ít nhất {2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tỷ lệ bán hàng cho mặt hàng {0} thấp hơn {1} của nó. Tỷ lệ bán hàng phải là ít nhất {2} DocType: Item,Taxes,Các loại thuế -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,đã trả và không chuyển +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,đã trả và không chuyển DocType: Project,Default Cost Center,Bộ phận chi phí mặc định DocType: Bank Guarantee,End Date,Ngày kết thúc apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Giao dịch hàng tồn kho @@ -3832,7 +3843,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Cài đặt tóm tắt công việc hàng ngày công ty apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,Mục {0} bỏ qua vì nó không phải là một mục kho DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,Trình tự sản xuất này để chế biến tiếp. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,Trình tự sản xuất này để chế biến tiếp. apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Không áp dụng giá quy tắc trong giao dịch cụ thể, tất cả các quy giá áp dụng phải được vô hiệu hóa." DocType: Assessment Group,Parent Assessment Group,Nhóm đánh giá gốc apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,việc làm @@ -3840,10 +3851,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,việc làm DocType: Employee,Held On,Được tổ chức vào ngày apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Sản xuất hàng ,Employee Information,Thông tin nhân viên -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Tỷ lệ (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),Tỷ lệ (%) DocType: Stock Entry Detail,Additional Cost,Chi phí bổ sung apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"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" -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,Tạo báo giá của NCC +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,Tạo báo giá của NCC DocType: Quality Inspection,Incoming,Đến DocType: BOM,Materials Required (Exploded),Vật liệu bắt buộc (phát nổ) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself","Thêm người dùng để tổ chức của bạn, trừ chính mình" @@ -3859,7 +3870,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Tài khoản: {0} chỉ có thể được cập nhật thông qua bút toán kho DocType: Student Group Creation Tool,Get Courses,Nhận Học DocType: GL Entry,Party,Đối tác -DocType: Sales Order,Delivery Date,Ngày Giao hàng +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,Ngày Giao hàng DocType: Opportunity,Opportunity Date,Kỳ hạn tới cơ hội DocType: Purchase Receipt,Return Against Purchase Receipt,Trả về với biên lai mua hàng DocType: Request for Quotation Item,Request for Quotation Item,Yêu cầu cho báo giá khoản mục @@ -3873,7 +3884,7 @@ DocType: Task,Actual Time (in Hours),Thời gian thực tế (tính bằng giờ DocType: Employee,History In Company,Lịch sử trong công ty apps/erpnext/erpnext/config/learn.py +107,Newsletters,Bản tin DocType: Stock Ledger Entry,Stock Ledger Entry,Chứng từ sổ cái hàng tồn kho -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,Cùng mục đã được nhập nhiều lần +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,Cùng mục đã được nhập nhiều lần DocType: Department,Leave Block List,Để lại danh sách chặn DocType: Sales Invoice,Tax ID,Mã số thuế apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Mục {0} không phải là thiết lập cho Serial Nos Cột phải bỏ trống @@ -3891,25 +3902,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Đen DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Item DocType: Account,Auditor,Người kiểm tra -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} mục được sản xuất +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0} mục được sản xuất DocType: Cheque Print Template,Distance from top edge,Khoảng cách từ mép trên apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Danh sách Price {0} bị vô hiệu hóa hoặc không tồn tại DocType: Purchase Invoice,Return,Trả về DocType: Production Order Operation,Production Order Operation,Thao tác đặt hàng sản phẩm DocType: Pricing Rule,Disable,Vô hiệu hóa -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Phương thức thanh toán là cần thiết để thực hiện thanh toán +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,Phương thức thanh toán là cần thiết để thực hiện thanh toán DocType: Project Task,Pending Review,Đang chờ xem xét apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} không được ghi danh trong Batch {2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Tài sản {0} không thể được loại bỏ, vì nó đã được {1}" DocType: Task,Total Expense Claim (via Expense Claim),Tổng số yêu cầu bồi thường chi phí (thông qua số yêu cầu bồi thường chi phí ) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Đánh dấu vắng mặt -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Hàng {0}: Tiền tệ của BOM # {1} phải bằng tiền mà bạn chọn {2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Hàng {0}: Tiền tệ của BOM # {1} phải bằng tiền mà bạn chọn {2} DocType: Journal Entry Account,Exchange Rate,Tỷ giá -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,Đơn đặt hàng {0} chưa duyệt +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,Đơn đặt hàng {0} chưa duyệt DocType: Homepage,Tag Line,Dòng đánh dấu DocType: Fee Component,Fee Component,phí Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Quản lý đội tàu -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,Thêm các mục từ +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,Thêm các mục từ DocType: Cheque Print Template,Regular,quy luật apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Tổng trọng lượng của tất cả các tiêu chí đánh giá phải là 100% DocType: BOM,Last Purchase Rate,Tỷ giá đặt hàng cuối cùng @@ -3930,12 +3941,12 @@ DocType: Employee,Reports to,Báo cáo DocType: SMS Settings,Enter url parameter for receiver nos,Nhập tham số url cho người nhận nos DocType: Payment Entry,Paid Amount,Số tiền thanh toán DocType: Assessment Plan,Supervisor,Giám sát viên -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,Trực tuyến +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Trực tuyến ,Available Stock for Packing Items,Có sẵn cổ phiếu cho mục đóng gói DocType: Item Variant,Item Variant,Biến thể mẫu hàng DocType: Assessment Result Tool,Assessment Result Tool,Công cụ đánh giá kết quả DocType: BOM Scrap Item,BOM Scrap Item,BOM mẫu hàng phế thải -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,đơn đặt hàng gửi không thể bị xóa +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,đơn đặt hàng gửi không thể bị xóa apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Tài khoản đang dư Nợ, bạn không được phép thiết lập 'Số Dư TK phải' là 'Có'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Quản lý chất lượng apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Mục {0} đã bị vô hiệu hóa @@ -3967,7 +3978,7 @@ DocType: Item Group,Default Expense Account,Tài khoản mặc định chi phí apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Email ID Sinh viên DocType: Employee,Notice (days),Thông báo (ngày) DocType: Tax Rule,Sales Tax Template,Template Thuế bán hàng -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Chọn mục để lưu các hoá đơn +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,Chọn mục để lưu các hoá đơn DocType: Employee,Encashment Date,Encashment Date DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Điều chỉnh hàng tồn kho @@ -4016,10 +4027,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Công v apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Tối đa cho phép giảm giá cho mặt hàng: {0} {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,GIá trị tài sản thuần như trên DocType: Account,Receivable,phải thu -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Hàng# {0}: Không được phép thay đổi nhà cung cấp vì đơn Mua hàng đã tồn tại +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Hàng# {0}: Không được phép thay đổi nhà cung cấp vì đơn Mua hàng đã tồn tại DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Vai trò được phép trình giao dịch vượt quá hạn mức tín dụng được thiết lập. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,Chọn mục để Sản xuất -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Thạc sĩ dữ liệu đồng bộ, nó có thể mất một thời gian" +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,Chọn mục để Sản xuất +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Thạc sĩ dữ liệu đồng bộ, nó có thể mất một thời gian" DocType: Item,Material Issue,Nguyên vật liệu DocType: Hub Settings,Seller Description,Người bán Mô tả DocType: Employee Education,Qualification,Trình độ chuyên môn @@ -4040,11 +4051,10 @@ DocType: BOM,Rate Of Materials Based On,Tỷ giá vật liệu dựa trên apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Hỗ trợ Analtyics apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Bỏ chọn tất cả DocType: POS Profile,Terms and Conditions,Các Điều khoản/Điều kiện -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng cài đặt Hệ thống Đặt tên Nhân viên trong Nguồn nhân lực> Cài đặt Nhân sự apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Đến ngày phải được trong năm tài chính. Giả sử Đến ngày = {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ở đây bạn có thể duy trì chiều cao, cân nặng, dị ứng, mối quan tâm y tế vv" DocType: Leave Block List,Applies to Company,Áp dụng đối với Công ty -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Không thể hủy bỏ vì chứng từ hàng tôn kho gửi duyệt{0} đã tồn tại +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,Không thể hủy bỏ vì chứng từ hàng tôn kho gửi duyệt{0} đã tồn tại DocType: Employee Loan,Disbursement Date,ngày giải ngân DocType: Vehicle,Vehicle,phương tiện DocType: Purchase Invoice,In Words,Trong từ @@ -4083,7 +4093,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,Thiết lập tổng th DocType: Assessment Result Detail,Assessment Result Detail,Đánh giá kết quả chi tiết DocType: Employee Education,Employee Education,Giáo dục nhân viên apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Nhóm bút toán trùng lặp được tìm thấy trong bảng nhóm mẫu hàng -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,Nó là cần thiết để lấy hàng Chi tiết. +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,Nó là cần thiết để lấy hàng Chi tiết. DocType: Salary Slip,Net Pay,Tiền thực phải trả DocType: Account,Account,Tài khoản apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Không nối tiếp {0} đã được nhận @@ -4091,7 +4101,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,nhật ký phương tiện DocType: Purchase Invoice,Recurring Id,Id định kỳ DocType: Customer,Sales Team Details,Thông tin chi tiết Nhóm bán hàng -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,Xóa vĩnh viễn? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,Xóa vĩnh viễn? DocType: Expense Claim,Total Claimed Amount,Tổng số tiền được công bố apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Cơ hội tiềm năng bán hàng apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Không hợp lệ {0} @@ -4103,7 +4113,7 @@ DocType: Warehouse,PIN,PIN apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Thiết lập trường của mình trong ERPNext DocType: Sales Invoice,Base Change Amount (Company Currency),Thay đổi Số tiền cơ sở (Công ty ngoại tệ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Không có bút toán kế toán cho các kho tiếp theo -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Lưu tài liệu đầu tiên. +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,Lưu tài liệu đầu tiên. DocType: Account,Chargeable,Buộc tội DocType: Company,Change Abbreviation,Thay đổi Tên viết tắt DocType: Expense Claim Detail,Expense Date,Ngày Chi phí @@ -4117,7 +4127,6 @@ DocType: BOM,Manufacturing User,Người dùng sản xuất DocType: Purchase Invoice,Raw Materials Supplied,Nguyên liệu thô đã được cung cấp DocType: Purchase Invoice,Recurring Print Format,Định kỳ Print Format DocType: C-Form,Series,Series -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,Ngày Dự kiến giao hàng không thể trước Ngày đặt mua DocType: Appraisal,Appraisal Template,Thẩm định mẫu DocType: Item Group,Item Classification,PHân loại mẫu hàng apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Giám đốc phát triển kinh doanh @@ -4156,12 +4165,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Chọn th apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Sự kiện/kết quả huấn luyện apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Khấu hao lũy kế như trên DocType: Sales Invoice,C-Form Applicable,C - Mẫu áp dụng -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},Thời gian hoạt động phải lớn hơn 0 cho hoạt động {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},Thời gian hoạt động phải lớn hơn 0 cho hoạt động {0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Kho là bắt buộc DocType: Supplier,Address and Contacts,Địa chỉ và Liên hệ DocType: UOM Conversion Detail,UOM Conversion Detail,Xem chi tiết UOM Chuyển đổi DocType: Program,Program Abbreviation,Tên viết tắt chương trình -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,Đơn đặt sản phẩm không thể được tạo ra với một mẫu mặt hàng +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,Đơn đặt sản phẩm không thể được tạo ra với một mẫu mặt hàng apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Cước phí được cập nhật trên Phiếu nhận hàng gắn với từng vật tư DocType: Warranty Claim,Resolved By,Giải quyết bởi DocType: Bank Guarantee,Start Date,Ngày bắt đầu @@ -4196,6 +4205,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Đào tạo phản hồi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Đơn Đặt hàng {0} phải được gửi apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Vui lòng chọn ngày bắt đầu và ngày kết thúc cho hàng {0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,Đặt mục tiêu bán hàng bạn muốn đạt được. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Tất nhiên là bắt buộc trong hàng {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Cho đến ngày không có thể trước khi từ ngày DocType: Supplier Quotation Item,Prevdoc DocType,Dạng tài liệu prevdoc @@ -4214,7 +4224,7 @@ DocType: Account,Income,Thu nhập DocType: Industry Type,Industry Type,Loại ngành apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Một cái gì đó đã đi sai! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Cảnh báo: ứng dụng gỡ bỏ có chứa khoảng ngày sau -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,Hóa đơn bán hàng {0} đã được gửi +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,Hóa đơn bán hàng {0} đã được gửi DocType: Assessment Result Detail,Score,Ghi bàn apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,Năm tài chính {0} không tồn tại apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,Ngày kết thúc @@ -4244,7 +4254,7 @@ DocType: Naming Series,Help HTML,Giúp đỡ HTML DocType: Student Group Creation Tool,Student Group Creation Tool,Công cụ tạo nhóm học sinh DocType: Item,Variant Based On,Ngôn ngữ địa phương dựa trên apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Tổng số trọng lượng ấn định nên là 100%. Nó là {0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,Các nhà cung cấp của bạn +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,Các nhà cung cấp của bạn apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Không thể thiết lập là ""thất bại"" vì đơn đặt hàng đã được tạo" DocType: Request for Quotation Item,Supplier Part No,Nhà cung cấp Phần Không apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',không thể trừ khi mục là cho 'định giá' hoặc 'Vaulation và Total' @@ -4254,14 +4264,14 @@ DocType: Item,Has Serial No,Có sê ri số DocType: Employee,Date of Issue,Ngày phát hành apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Từ {0} cho {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","THeo các cài đặt mua bán, nếu biên lai đặt hàng đã yêu cầu == 'CÓ', với việc tạo lập hóa đơn mua hàng, người dùng cần phải tạo lập biên lai mua hàng đầu tiên cho danh mục {0}" -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},Hàng # {0}: Thiết lập Nhà cung cấp cho mặt hàng {1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Hàng{0}: Giá trị giờ phải lớn hơn không. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},Hàng # {0}: Thiết lập Nhà cung cấp cho mặt hàng {1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,Hàng{0}: Giá trị giờ phải lớn hơn không. apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,Hình ảnh website {0} đính kèm vào mục {1} không tìm thấy DocType: Issue,Content Type,Loại nội dung apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Máy tính DocType: Item,List this Item in multiple groups on the website.,Danh sách sản phẩm này trong nhiều nhóm trên trang web. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Vui lòng kiểm tra chọn ngoại tệ để cho phép các tài khoản với loại tiền tệ khác -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Mẫu hàng: {0} không tồn tại trong hệ thống +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,Mẫu hàng: {0} không tồn tại trong hệ thống apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Bạn không được phép để thiết lập giá trị đóng băng DocType: Payment Reconciliation,Get Unreconciled Entries,Nhận Bút toán không hài hòa DocType: Payment Reconciliation,From Invoice Date,Từ ngày lập danh đơn @@ -4287,7 +4297,7 @@ DocType: Stock Entry,Default Source Warehouse,Kho nguồn mặc định DocType: Item,Customer Code,Mã số khách hàng apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Nhắc ngày sinh nhật cho {0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ngày tính từ lần yêu cầu cuối cùng -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,nợ tài khoản phải khớp với giấy tờ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,nợ tài khoản phải khớp với giấy tờ DocType: Buying Settings,Naming Series,Đặt tên series DocType: Leave Block List,Leave Block List Name,Để lại tên danh sách chặn apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ngày Bảo hiểm bắt đầu phải ít hơn ngày kết thúc Bảo hiểm @@ -4304,7 +4314,7 @@ DocType: Vehicle Log,Odometer,mét kế DocType: Sales Order Item,Ordered Qty,Số lượng đặt hàng apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,Mục {0} bị vô hiệu hóa DocType: Stock Settings,Stock Frozen Upto,Hàng tồn kho đóng băng cho tới -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM không chứa bất kỳ mẫu hàng tồn kho nào +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM không chứa bất kỳ mẫu hàng tồn kho nào apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Từ giai đoạn và thời gian tới ngày bắt buộc cho chu kỳ {0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Hoạt động dự án / nhiệm vụ. DocType: Vehicle Log,Refuelling Details,Chi tiết Nạp nhiên liệu @@ -4314,7 +4324,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Tỷ giá đặt hàng cuối cùng không được tìm thấy DocType: Purchase Invoice,Write Off Amount (Company Currency),Viết Tắt Số tiền (Tiền công ty) DocType: Sales Invoice Timesheet,Billing Hours,Giờ Thanh toán -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,BOM mặc định cho {0} không tìm thấy +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,BOM mặc định cho {0} không tìm thấy apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,Hàng # {0}: Hãy thiết lập số lượng đặt hàng apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Chạm vào mục để thêm chúng vào đây DocType: Fees,Program Enrollment,chương trình tuyển sinh @@ -4349,6 +4359,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing đun 2 DocType: SG Creation Tool Course,Max Strength,Sức tối đa apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM đã thay thế +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,Chọn các mục dựa trên ngày giao hàng ,Sales Analytics,Bán hàng Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Sẵn {0} ,Prospects Engaged But Not Converted,Triển vọng tham gia nhưng không chuyển đổi @@ -4397,7 +4408,7 @@ DocType: Authorization Rule,Customerwise Discount,Giảm giá 1 cách thông min apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,thời gian biểu cho các công việc DocType: Purchase Invoice,Against Expense Account,Đối với tài khoản chi phí DocType: Production Order,Production Order,Đơn Đặt hàng -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,Lưu ý cài đặt {0} đã được gửi +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,Lưu ý cài đặt {0} đã được gửi DocType: Bank Reconciliation,Get Payment Entries,Nhận thanh toán Entries DocType: Quotation Item,Against Docname,Chống lại Docname DocType: SMS Center,All Employee (Active),Tất cả các nhân viên (Active) @@ -4406,7 +4417,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,Chi phí nguyên liệu thô DocType: Item Reorder,Re-Order Level,mức đặt mua lại DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Nhập các mặt hàng và qty kế hoạch mà bạn muốn nâng cao các đơn đặt hàng sản xuất hoặc tải nguyên liệu để phân tích. -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Biểu đồ Gantt +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,Biểu đồ Gantt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Bán thời gian DocType: Employee,Applicable Holiday List,Áp dụng lễ Danh sách DocType: Employee,Cheque,Séc @@ -4464,11 +4475,11 @@ DocType: Bin,Reserved Qty for Production,Số lượng được dự trữ cho v DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Hãy bỏ chọn nếu bạn không muốn xem xét lô trong khi làm cho các nhóm dựa trên khóa học. DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Hãy bỏ chọn nếu bạn không muốn xem xét lô trong khi làm cho các nhóm dựa trên khóa học. DocType: Asset,Frequency of Depreciation (Months),Tần số của Khấu hao (Tháng) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Tài khoản tín dụng +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,Tài khoản tín dụng DocType: Landed Cost Item,Landed Cost Item,Chi phí hạ cánh hàng apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Hiện không có giá trị DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Số lượng mặt hàng thu được sau khi sản xuất / đóng gói lại từ số lượng có sẵn của các nguyên liệu thô -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,Thiết lập một trang web đơn giản cho tổ chức của tôi +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,Thiết lập một trang web đơn giản cho tổ chức của tôi DocType: Payment Reconciliation,Receivable / Payable Account,Tài khoản phải thu/phải trả DocType: Delivery Note Item,Against Sales Order Item,Theo hàng hóa được đặt mua apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Hãy xác định thuộc tính Giá trị thuộc tính {0} @@ -4533,22 +4544,22 @@ DocType: Student,Nationality,Quốc tịch ,Items To Be Requested,Các mục được yêu cầu DocType: Purchase Order,Get Last Purchase Rate,Tỷ giá nhận cuối DocType: Company,Company Info,Thông tin công ty -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,Chọn hoặc thêm khách hàng mới -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,trung tâm chi phí là cần thiết để đặt yêu cầu bồi thường chi phí +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,Chọn hoặc thêm khách hàng mới +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,trung tâm chi phí là cần thiết để đặt yêu cầu bồi thường chi phí apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Ứng dụng của Quỹ (tài sản) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Điều này được dựa trên sự tham gia của nhân viên này -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,Nợ TK +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,Nợ TK DocType: Fiscal Year,Year Start Date,Ngày bắt đầu năm DocType: Attendance,Employee Name,Tên nhân viên DocType: Sales Invoice,Rounded Total (Company Currency),Tròn số (quy đổi theo tiền tệ của công ty ) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Không thể bí mật với đoàn vì Loại tài khoản được chọn. -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} đã được sửa đổi. Xin vui lòng làm mới. +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} đã được sửa đổi. Xin vui lòng làm mới. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Ngăn chặn người dùng từ việc để lai ứng dụng vào những ngày sau. apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Chi phí mua hàng apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Nhà cung cấp bảng báo giá {0} đã tạo apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Cuối năm không thể được trước khi bắt đầu năm apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Lợi ích của nhân viên -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},Số lượng đóng gói phải bằng số lượng cho hàng {0} trong hàng {1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},Số lượng đóng gói phải bằng số lượng cho hàng {0} trong hàng {1} DocType: Production Order,Manufactured Qty,Số lượng sản xuất DocType: Purchase Receipt Item,Accepted Quantity,Số lượng chấp nhận apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Hãy thiết lập mặc định Tốt Danh sách nhân viên với {0} hoặc Công ty {1} @@ -4559,11 +4570,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Hàng số {0}: Số tiền có thể không được lớn hơn khi chờ Số tiền yêu cầu bồi thường đối với Chi {1}. Trong khi chờ Số tiền là {2} DocType: Maintenance Schedule,Schedule,Lập lịch quét DocType: Account,Parent Account,Tài khoản gốc -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,Khả dụng +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,Khả dụng DocType: Quality Inspection Reading,Reading 3,Đọc 3 ,Hub,Trung tâm DocType: GL Entry,Voucher Type,Loại chứng từ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Danh sách giá không tìm thấy hoặc bị vô hiệu hóa +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,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: Employee Loan Application,Approved,Đã được phê duyệt DocType: Pricing Rule,Price,Giá apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,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' @@ -4633,7 +4644,7 @@ DocType: SMS Settings,Static Parameters,Các tham số tĩnh DocType: Assessment Plan,Room,Phòng DocType: Purchase Order,Advance Paid,Trước Paid DocType: Item,Item Tax,Thuế mẫu hàng -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,Nguyên liệu tới nhà cung cấp +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,Nguyên liệu tới nhà cung cấp apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,Tiêu thụ đặc biệt Invoice apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Ngưỡng {0}% xuất hiện nhiều lần DocType: Expense Claim,Employees Email Id,Nhân viên Email Id @@ -4673,7 +4684,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,Mô hình DocType: Production Order,Actual Operating Cost,Chi phí hoạt động thực tế DocType: Payment Entry,Cheque/Reference No,Séc / Reference No -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Gốc không thể được chỉnh sửa. DocType: Item,Units of Measure,Đơn vị đo lường DocType: Manufacturing Settings,Allow Production on Holidays,Cho phép sản xuất vào ngày lễ @@ -4706,12 +4716,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,Ngày tín dụng apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Tạo đợt sinh viên DocType: Leave Type,Is Carry Forward,Được truyền thẳng về phía trước -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,Được mục từ BOM +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,Được mục từ BOM apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Các ngày Thời gian Lead -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Hàng # {0}: Đăng ngày phải giống như ngày mua {1} tài sản {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Hàng # {0}: Đăng ngày phải giống như ngày mua {1} tài sản {2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,Kiểm tra điều này nếu Sinh viên đang cư trú tại Nhà nghỉ của Viện. apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Vui lòng nhập hàng đơn đặt hàng trong bảng trên -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Các bảng lương không được thông qua +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,Các bảng lương không được thông qua ,Stock Summary,Tóm tắt cổ phiếu apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Chuyển tài sản từ kho này sang kho khác DocType: Vehicle,Petrol,xăng diff --git a/erpnext/translations/zh-TW.csv b/erpnext/translations/zh-TW.csv index 55322f910af..98032277ff1 100644 --- a/erpnext/translations/zh-TW.csv +++ b/erpnext/translations/zh-TW.csv @@ -14,7 +14,7 @@ DocType: SMS Center,All Sales Partner Contact,所有的銷售合作夥伴聯絡 DocType: Employee,Leave Approvers,休假審批人 DocType: Sales Partner,Dealer,零售商 DocType: POS Profile,Applicable for User,適用於用戶 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止生產訂單無法取消,首先Unstop它取消 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止生產訂單無法取消,首先Unstop它取消 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,難道你真的想放棄這項資產? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,選擇默認供應商 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},價格表{0}需填入貨幣種類 @@ -31,13 +31,13 @@ DocType: Purchase Order,% Billed,%已開立帳單 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),匯率必須一致{0} {1}({2}) DocType: Sales Invoice,Customer Name,客戶名稱 DocType: Vehicle,Natural Gas,天然氣 -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},銀行賬戶不能命名為{0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},銀行賬戶不能命名為{0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,頭(或組)針對其會計分錄是由和平衡得以維持。 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),傑出的{0}不能小於零( {1} ) DocType: Manufacturing Settings,Default 10 mins,預設為10分鐘 DocType: Leave Type,Leave Type Name,休假類型名稱 apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,公開顯示 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural日記帳分錄提交 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural日記帳分錄提交 DocType: Pricing Rule,Apply On,適用於 DocType: Item Price,Multiple Item prices.,多個項目的價格。 ,Purchase Order Items To Be Received,未到貨的採購訂單項目 @@ -52,7 +52,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,銀 DocType: Mode of Payment Account,Mode of Payment Account,支付帳戶模式 apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,顯示變體 DocType: Academic Term,Academic Term,學期 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,數量 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,數量 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,賬表不能為空。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),借款(負債) DocType: Employee Education,Year of Passing,路過的一年 @@ -64,16 +64,15 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,保健 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),延遲支付(天) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,服務費用 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},序號:{0}已在銷售發票中引用:{1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,發票 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},序號:{0}已在銷售發票中引用:{1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,發票 DocType: Maintenance Schedule Item,Periodicity,週期性 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,會計年度{0}是必需的 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,預計交貨日期是之前銷售訂單日期 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,防禦 DocType: Salary Component,Abbr,縮寫 DocType: Timesheet,Total Costing Amount,總成本計算金額 DocType: Delivery Note,Vehicle No,車輛牌照號碼 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,請選擇價格表 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,請選擇價格表 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,列#{0}:付款單據才能完成trasaction DocType: Production Order Operation,Work In Progress,在製品 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,請選擇日期 @@ -97,7 +96,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1}不以任何活性會計年度。 DocType: Packed Item,Parent Detail docname,家長可採用DocName細節 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",參考:{0},商品編號:{1}和顧客:{2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,公斤 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,公斤 DocType: Student Log,Log,日誌 apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,開放的工作。 apps/erpnext/erpnext/public/js/stock_analytics.js +61,Select Warehouse...,選擇倉庫... @@ -105,7 +104,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,廣告 apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,同一家公司進入不止一次 apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},不允許{0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,取得項目來源 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},送貨單{0}不能更新庫存 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},送貨單{0}不能更新庫存 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},產品{0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,沒有列出項目 DocType: Payment Reconciliation,Reconcile,調和 @@ -116,7 +115,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,養 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,接下來折舊日期不能購買日期之前 DocType: SMS Center,All Sales Person,所有的銷售人員 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**月度分配**幫助你分配預算/目標跨越幾個月,如果你在你的業務有季節性。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,未找到項目 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,未找到項目 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,薪酬結構缺失 DocType: Sales Invoice Item,Sales Invoice Item,銷售發票項目 DocType: Account,Credit,信用 @@ -129,12 +128,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",“是固定的資產”不能選中,作為資產記錄存在對項目 DocType: Vehicle Service,Brake Oil,剎車油 DocType: Tax Rule,Tax Type,稅收類型 -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,應稅金額 +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,應稅金額 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},你無權添加或更新{0}之前的條目 DocType: BOM,Item Image (if not slideshow),產品圖片(如果不是幻燈片) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,一個客戶存在具有相同名稱 DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(工時率/ 60)*實際操作時間 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,選擇BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,選擇BOM DocType: SMS Log,SMS Log,短信日誌 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,交付項目成本 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,在{0}這個節日之間沒有從日期和結束日期 @@ -154,13 +153,13 @@ DocType: Academic Term,Schools,學校 DocType: School Settings,Validate Batch for Students in Student Group,驗證學生組學生的批次 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},未找到員工的假期記錄{0} {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,請先輸入公司 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,請首先選擇公司 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,請首先選擇公司 DocType: Employee Education,Under Graduate,根據研究生 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,目標在 DocType: BOM,Total Cost,總成本 DocType: Journal Entry Account,Employee Loan,員工貸款 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,活動日誌: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,項目{0}不存在於系統中或已過期 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,活動日誌: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,項目{0}不存在於系統中或已過期 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,房地產 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,帳戶狀態 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,製藥 @@ -169,16 +168,15 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qt DocType: Expense Claim Detail,Claim Amount,索賠金額 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,在CUTOMER組表中找到重複的客戶群 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,供應商類型/供應商 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 DocType: Upload Attendance,Import Log,導入日誌 DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,拉根據上述標準型的製造材料要求 DocType: Training Result Employee,Grade,年級 DocType: Sales Invoice Item,Delivered By Supplier,交付供應商 DocType: SMS Center,All Contact,所有聯絡 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,生產訂單已經與BOM的所有項目創建 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,生產訂單已經與BOM的所有項目創建 DocType: Daily Work Summary,Daily Work Summary,每日工作總結 DocType: Period Closing Voucher,Closing Fiscal Year,截止會計年度 -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1}被凍結 +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1}被凍結 apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,請選擇現有的公司創建會計科目表 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,庫存費用 apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,選擇目標倉庫 @@ -192,14 +190,14 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_
Absent: {1}",你想更新考勤?
現任:{0} \
缺席:{1} apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},品項{0}的允收+批退的數量必須等於收到量 DocType: Item,Supply Raw Materials for Purchase,供應原料採購 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,付款中的至少一個模式需要POS發票。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,付款中的至少一個模式需要POS發票。 DocType: Products Settings,Show Products as a List,產品展示作為一個列表 DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records","下載模板,填寫相應的數據,並附加了修改過的文件。 在選定時間段內所有時間和員工的組合會在模板中,與現有的考勤記錄" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,項目{0}不活躍或生命的盡頭已經達到 -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,例如:基礎數學 -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括稅款,行{0}項率,稅收行{1}也必須包括在內 +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,例如:基礎數學 +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括稅款,行{0}項率,稅收行{1}也必須包括在內 apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,設定人力資源模塊 DocType: Sales Invoice,Change Amount,漲跌額 DocType: BOM Replace Tool,New BOM,新的物料清單 @@ -228,7 +226,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},品項{0}的安裝日期不能早於交貨日期 DocType: Pricing Rule,Discount on Price List Rate (%),折扣價目表率(%) DocType: Offer Letter,Select Terms and Conditions,選擇條款和條件 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,輸出值 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,輸出值 DocType: Production Planning Tool,Sales Orders,銷售訂單 DocType: Purchase Taxes and Charges,Valuation,計價 ,Purchase Order Trends,採購訂單趨勢 @@ -252,20 +250,20 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,是開放登錄 DocType: Customer Group,Mention if non-standard receivable account applicable,何況,如果不規範應收賬款適用 DocType: Course Schedule,Instructor Name,導師姓名 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,對於倉庫之前,需要提交 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,對於倉庫之前,需要提交 DocType: Sales Partner,Reseller,經銷商 DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.",如果選中,將包括材料要求非庫存物品。 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +24,Please enter Company,請輸入公司名稱 DocType: Delivery Note Item,Against Sales Invoice Item,對銷售發票項目 ,Production Orders in Progress,進行中生產訂單 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,從融資淨現金 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save",localStorage的滿了,沒救 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save",localStorage的滿了,沒救 DocType: Lead,Address & Contact,地址及聯絡方式 DocType: Leave Allocation,Add unused leaves from previous allocations,從以前的分配添加未使用的休假 apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},下一循環{0}將上創建{1} DocType: Sales Partner,Partner website,合作夥伴網站 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,新增項目 -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,聯絡人姓名 +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,聯絡人姓名 DocType: Course Assessment Criteria,Course Assessment Criteria,課程評價標準 DocType: Process Payroll,Creates salary slip for above mentioned criteria.,建立工資單上面提到的標準。 DocType: POS Customer Group,POS Customer Group,POS客戶群 @@ -289,7 +287,7 @@ DocType: Stock Entry,Sales Invoice No,銷售發票號碼 DocType: Material Request Item,Min Order Qty,最小訂貨量 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,學生組創建工具課程 DocType: Lead,Do Not Contact,不要聯絡 -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,誰在您的組織教人 +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,誰在您的組織教人 DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,唯一ID來跟踪所有的經常性發票。它是在提交生成的。 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,軟件開發人員 DocType: Item,Minimum Order Qty,最低起訂量 @@ -301,7 +299,7 @@ DocType: Item,Publish in Hub,在發布中心 DocType: Student Admission,Student Admission,學生入學 ,Terretory,Terretory apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,項{0}將被取消 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,物料需求 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,物料需求 DocType: Bank Reconciliation,Update Clearance Date,更新日期間隙 DocType: Item,Purchase Details,採購詳情 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},項目{0}未發現“原材料提供'表中的採購訂單{1} @@ -338,7 +336,7 @@ DocType: Vehicle,Fleet Manager,車隊經理 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},行#{0}:{1}不能為負值對項{2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,密碼錯誤 DocType: Item,Variant Of,變種 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',完成數量不能大於“數量來製造” +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',完成數量不能大於“數量來製造” DocType: Period Closing Voucher,Closing Account Head,關閉帳戶頭 DocType: Employee,External Work History,外部工作經歷 apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,循環引用錯誤 @@ -348,10 +346,11 @@ DocType: Cheque Print Template,Distance from left edge,從左側邊緣的距離 apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}]的單位(#窗體/項目/ {1})在[{2}]研究發現(#窗體/倉儲/ {2}) DocType: Lead,Industry,行業 DocType: Employee,Job Profile,工作簡介 +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,這是基於對本公司的交易。有關詳情,請參閱下面的時間表 DocType: Stock Settings,Notify by Email on creation of automatic Material Request,在建立自動材料需求時以電子郵件通知 DocType: Journal Entry,Multi Currency,多幣種 DocType: Payment Reconciliation Invoice,Invoice Type,發票類型 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,送貨單 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,送貨單 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,建立稅 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,出售資產的成本 apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,付款項被修改,你把它之後。請重新拉。 @@ -373,10 +372,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,請輸入「重複月內的一天」欄位值 DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,公司貨幣被換算成客戶基礎貨幣的匯率 DocType: Course Scheduling Tool,Course Scheduling Tool,排課工具 -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:採購發票不能對現有資產進行{1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:採購發票不能對現有資產進行{1} DocType: Item Tax,Tax Rate,稅率 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0}已分配給員工{1}週期為{2}到{3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,選擇項目 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,選擇項目 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,採購發票{0}已經提交 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},行#{0}:批號必須與{1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,轉換為非集團 @@ -414,7 +413,7 @@ DocType: Employee,Widowed,寡 DocType: Request for Quotation,Request for Quotation,詢價 DocType: Salary Slip Timesheet,Working Hours,工作時間 DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改現有系列的開始/當前的序列號。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,創建一個新的客戶 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,創建一個新的客戶 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",如果有多個定價規則繼續有效,用戶將被要求手動設定優先順序來解決衝突。 apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,創建採購訂單 ,Purchase Register,購買註冊 @@ -436,7 +435,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,考官名稱 DocType: Purchase Invoice Item,Quantity and Rate,數量和速率 DocType: Delivery Note,% Installed,%已安裝 -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/實驗室等在那裡的演講可以預定。 +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/實驗室等在那裡的演講可以預定。 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,請先輸入公司名稱 DocType: Purchase Invoice,Supplier Name,供應商名稱 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,閱讀ERPNext手冊 @@ -453,7 +452,7 @@ DocType: Account,Old Parent,老家長 apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,必修課 - 學年 apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,必修課 - 學年 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,自定義去作為郵件的一部分的介紹文字。每筆交易都有一個單獨的介紹性文字。 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},請為公司{0}設置預設應付賬款 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},請為公司{0}設置預設應付賬款 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,所有製造過程中的全域設定。 DocType: Accounts Settings,Accounts Frozen Upto,帳戶被凍結到 DocType: SMS Log,Sent On,發送於 @@ -489,14 +488,14 @@ DocType: Customer,Buyer of Goods and Services.,買家商品和服務。 DocType: Journal Entry,Accounts Payable,應付帳款 apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,所選的材料清單並不同樣項目 DocType: Pricing Rule,Valid Upto,到...為止有效 -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,列出一些你的客戶。他們可以是組織或個人。 +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,列出一些你的客戶。他們可以是組織或個人。 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,足夠的配件組裝 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,直接收入 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",7 。總計:累積總數達到了這一點。 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,政務主任 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,請選擇課程 DocType: Timesheet Detail,Hrs,小時 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,請選擇公司 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,請選擇公司 DocType: Stock Entry Detail,Difference Account,差異帳戶 DocType: Purchase Invoice,Supplier GSTIN,供應商GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,不能因為其依賴的任務{0}沒有關閉關閉任務。 @@ -513,7 +512,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,請定義等級為閾值0% DocType: Sales Order,To Deliver,為了提供 DocType: Purchase Invoice Item,Item,項目 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,序號項目不能是一個分數 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,序號項目不能是一個分數 DocType: Journal Entry,Difference (Dr - Cr),差異(Dr - Cr) DocType: Account,Profit and Loss,損益 apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,管理轉包 @@ -536,7 +535,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,移動項 DocType: Serial No,Warranty Period (Days),保修期限(天數) DocType: Installation Note Item,Installation Note Item,安裝注意項 DocType: Production Plan Item,Pending Qty,待定數量 -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1}是不活動 +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1}是不活動 apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},短信發送至以下號碼:{0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,設置檢查尺寸打印 DocType: Salary Slip,Salary Slip Timesheet,工資單時間表 @@ -633,8 +632,8 @@ apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not DocType: Sales Person,Sales Person Targets,銷售人員目標 DocType: Production Order Operation,In minutes,在幾分鐘內 DocType: Issue,Resolution Date,決議日期 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,創建時間表: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},請設定現金或銀行帳戶的預設付款方式{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,創建時間表: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},請設定現金或銀行帳戶的預設付款方式{0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,註冊 DocType: GST Settings,GST Settings,GST設置 DocType: Selling Settings,Customer Naming By,客戶命名由 @@ -652,7 +651,7 @@ DocType: Activity Cost,Projects User,項目用戶 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,消費 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}:在發票明細表中找不到{1} DocType: Company,Round Off Cost Center,四捨五入成本中心 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,維護訪問{0}必須取消這個銷售訂單之前被取消 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,維護訪問{0}必須取消這個銷售訂單之前被取消 DocType: Item,Material Transfer,物料轉倉 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),開啟(Dr) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},登錄時間戳記必須晚於{0} @@ -684,7 +683,7 @@ DocType: Vehicle,Odometer Value (Last),里程表值(最後) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,市場營銷 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,已創建付款輸入 DocType: Purchase Receipt Item Supplied,Current Stock,當前庫存 -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:資產{1}不掛項目{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:資產{1}不掛項目{2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,預覽工資單 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,帳戶{0}已多次輸入 DocType: Account,Expenses Included In Valuation,支出計入估值 @@ -707,7 +706,7 @@ DocType: Purchase Order,Link to material requests,鏈接到材料請求 DocType: Journal Entry,Credit Card Entry,信用卡進入 apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,公司與賬戶 apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,從供應商收貨。 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,在數值 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,在數值 DocType: Lead,Campaign Name,活動名稱 DocType: Selling Settings,Close Opportunity After Days,關閉機會後日 DocType: Purchase Order,Supply Raw Materials,供應原料 @@ -730,15 +729,16 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +152,You ca apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for manufacturing,預留製造 DocType: Opportunity,Opportunity From,機會從 apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,月薪聲明。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,行{0}:{1}項目{2}所需的序列號。你已經提供{3}。 DocType: BOM,Website Specifications,網站規格 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}:從{0}類型{1} apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,列#{0}:轉換係數是強制性的 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海報價格規則,同樣的標準存在,請通過分配優先解決衝突。價格規則:{0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,無法關閉或取消BOM,因為它是與其他材料明細表鏈接 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,無法關閉或取消BOM,因為它是與其他材料明細表鏈接 DocType: Opportunity,Maintenance,維護 DocType: Item Attribute Value,Item Attribute Value,項目屬性值 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,銷售活動。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,製作時間表 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,製作時間表 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -790,7 +790,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,設置電子郵件帳戶 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,請先輸入品項 DocType: Account,Liability,責任 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,制裁金額不能大於索賠額行{0}。 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,制裁金額不能大於索賠額行{0}。 DocType: Company,Default Cost of Goods Sold Account,銷貨帳戶的預設成本 apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,未選擇價格列表 DocType: Request for Quotation Supplier,Send Email,發送電子郵件 @@ -800,10 +800,10 @@ DocType: Company,Default Bank Account,預設銀行帳戶 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",要根據黨的篩選,選擇黨第一類型 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},不能勾選`更新庫存',因為項目未交付{0} DocType: Vehicle,Acquisition Date,採集日期 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,NOS +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,NOS DocType: Item,Items with higher weightage will be shown higher,具有較高權重的項目將顯示更高的可 DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,銀行對帳詳細 -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,行#{0}:資產{1}必須提交 +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,行#{0}:資產{1}必須提交 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,無發現任何員工 DocType: Supplier Quotation,Stopped,停止 DocType: Item,If subcontracted to a vendor,如果分包給供應商 @@ -820,7 +820,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,最小發票金額 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:成本中心{2}不屬於公司{3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}帳戶{2}不能是一個組 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,項目行的{idx} {文檔類型} {} DOCNAME上面不存在'{}的文檔類型“表 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,時間表{0}已完成或取消 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,時間表{0}已完成或取消 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,沒有任務 DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",該月的一天,在這汽車的發票將產生如05,28等 DocType: Asset,Opening Accumulated Depreciation,打開累計折舊 @@ -875,7 +875,7 @@ DocType: Sales Team,Incentives,獎勵 DocType: SMS Log,Requested Numbers,請求號碼 apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,績效考核。 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",作為啟用的購物車已啟用“使用購物車”,而應該有購物車至少有一個稅務規則 -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",付款輸入{0}對訂單{1},檢查它是否應該被拉到作為預先在該發票聯。 +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",付款輸入{0}對訂單{1},檢查它是否應該被拉到作為預先在該發票聯。 DocType: Sales Invoice Item,Stock Details,庫存詳細訊息 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,專案值 apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,銷售點 @@ -894,15 +894,15 @@ DocType: Employee,Date of Joining,加入日期 DocType: Supplier Quotation,Is Subcontracted,轉包 DocType: Item Attribute,Item Attribute Values,項目屬性值 DocType: Examination Result,Examination Result,考試成績 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,採購入庫單 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,採購入庫單 ,Received Items To Be Billed,待付款的收受品項 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,提交工資單 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,提交工資單 apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,貨幣匯率的主人。 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},參考文檔類型必須是一個{0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},找不到時隙在未來{0}天操作{1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},找不到時隙在未來{0}天操作{1} DocType: Production Order,Plan material for sub-assemblies,計劃材料為子組件 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,銷售合作夥伴和地區 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM {0}必須是積極的 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM {0}必須是積極的 DocType: Journal Entry,Depreciation Entry,折舊分錄 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,請先選擇文檔類型 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,取消取消此保養訪問之前,材質訪問{0} @@ -912,7 +912,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,總金額 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,互聯網出版 DocType: Production Planning Tool,Production Orders,生產訂單 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,餘額 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,餘額 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,銷售價格表 apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,發布同步項目 DocType: Bank Reconciliation,Account Currency,賬戶幣種 @@ -934,18 +934,18 @@ DocType: Employee,Exit Interview Details,退出面試細節 DocType: Item,Is Purchase Item,是購買項目 DocType: Asset,Purchase Invoice,採購發票 DocType: Stock Ledger Entry,Voucher Detail No,券詳細說明暫無 -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,新的銷售發票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,新的銷售發票 DocType: Stock Entry,Total Outgoing Value,出貨總計值 apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,開幕日期和截止日期應在同一會計年度 DocType: Lead,Request for Information,索取資料 -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,同步離線發票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,同步離線發票 DocType: Payment Request,Paid,付費 DocType: Program Fee,Program Fee,課程費用 DocType: Salary Slip,Total in words,總計大寫 DocType: Material Request Item,Lead Time Date,交貨時間日期 DocType: Guardian,Guardian Name,監護人姓名 DocType: Cheque Print Template,Has Print Format,擁有打印格式 -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,是強制性的。也許外幣兌換記錄沒有創建 +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,是強制性的。也許外幣兌換記錄沒有創建 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},列#{0}:請為項目{1}指定序號 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",對於“產品包”的物品,倉庫,序列號和批號將被從“裝箱單”表考慮。如果倉庫和批次號是相同的任何“產品包”項目的所有包裝物品,這些值可以在主項表中輸入,值將被複製到“裝箱單”表。 DocType: Job Opening,Publish on website,發布在網站上 @@ -957,7 +957,7 @@ DocType: Student Attendance Tool,Student Attendance Tool,學生考勤工具 DocType: Cheque Print Template,Date Settings,日期設定 ,Company Name,公司名稱 DocType: SMS Center,Total Message(s),訊息總和(s ) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,對於轉讓項目選擇 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,對於轉讓項目選擇 DocType: Purchase Invoice,Additional Discount Percentage,額外折扣百分比 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,查看所有幫助影片名單 DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,選取支票存入該銀行帳戶的頭。 @@ -972,7 +972,7 @@ DocType: BOM,Raw Material Cost(Company Currency),原料成本(公司貨幣) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,所有項目都已經被轉移為這個生產訂單。 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大於{1} {2}中使用的速率 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大於{1} {2}中使用的速率 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,儀表 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,儀表 DocType: Workstation,Electricity Cost,電力成本 DocType: HR Settings,Don't send Employee Birthday Reminders,不要送員工生日提醒 DocType: Item,Inspection Criteria,檢驗標準 @@ -992,7 +992,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,我的購物車 apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},訂單類型必須是一個{0} DocType: Lead,Next Contact Date,下次聯絡日期 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,開放數量 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,對於漲跌額請輸入帳號 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,對於漲跌額請輸入帳號 DocType: Student Batch Name,Student Batch Name,學生批名 DocType: Holiday List,Holiday List Name,假日列表名稱 DocType: Repayment Schedule,Balance Loan Amount,平衡貸款額 @@ -1000,7 +1000,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,股票期權 DocType: Journal Entry Account,Expense Claim,報銷 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,難道你真的想恢復這個報廢的資產? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},數量為{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},數量為{0} DocType: Leave Application,Leave Application,休假申請 apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,排假工具 DocType: Leave Block List,Leave Block List Dates,休假區塊清單日期表 @@ -1047,7 +1047,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,針對 DocType: Item,Default Selling Cost Center,預設銷售成本中心 DocType: Sales Partner,Implementation Partner,實施合作夥伴 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,郵政編碼 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,郵政編碼 apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},銷售訂單{0} {1} DocType: Opportunity,Contact Info,聯絡方式 apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,製作Stock條目 @@ -1065,14 +1065,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,出勤凍結日期 DocType: School Settings,Attendance Freeze Date,出勤凍結日期 DocType: Opportunity,Your sales person who will contact the customer in future,你的銷售人員會在未來聯絡客戶 -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供應商。他們可以是組織或個人。 +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供應商。他們可以是組織或個人。 apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,查看所有產品 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低鉛年齡(天) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低鉛年齡(天) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,所有的材料明細表 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,所有的材料明細表 DocType: Company,Default Currency,預設貨幣 DocType: Expense Claim,From Employee,從員工 -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告: {0} {1}為零,系統將不檢查超收因為金額項目 +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告: {0} {1}為零,系統將不檢查超收因為金額項目 DocType: Journal Entry,Make Difference Entry,使不同入口 DocType: Appraisal Template Goal,Key Performance Area,關鍵績效區 DocType: Program Enrollment,Transportation,運輸 @@ -1088,7 +1088,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,公司註冊號碼,供大家參考。稅務號碼等 DocType: Sales Partner,Distributor,經銷商 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,購物車運輸規則 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,{0}生產單必須早於售貨單前取消 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,{0}生產單必須早於售貨單前取消 apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',請設置“收取額外折扣” ,Ordered Items To Be Billed,預付款的訂購物品 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,從範圍必須小於要範圍 @@ -1096,10 +1096,10 @@ DocType: Global Defaults,Global Defaults,全域預設值 apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,項目合作邀請 DocType: Salary Slip,Deductions,扣除 apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,開始年份 -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN的前2位數字應與狀態號{0}匹配 +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN的前2位數字應與狀態號{0}匹配 DocType: Purchase Invoice,Start date of current invoice's period,當前發票期間內的開始日期 DocType: Salary Slip,Leave Without Pay,無薪假 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,產能規劃錯誤 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,產能規劃錯誤 ,Trial Balance for Party,試算表的派對 DocType: Lead,Consultant,顧問 DocType: Salary Slip,Earnings,收益 @@ -1115,7 +1115,7 @@ DocType: Cheque Print Template,Payer Settings,付款人設置 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",這將追加到變異的項目代碼。例如,如果你的英文縮寫為“SM”,而該項目的代碼是“T-SHIRT”,該變種的項目代碼將是“T-SHIRT-SM” DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,薪資單一被儲存,淨付款就會被顯示出來。 DocType: Purchase Invoice,Is Return,退貨 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,返回/借記注 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,返回/借記注 DocType: Price List Country,Price List Country,價目表國家 DocType: Item,UOMs,計量單位 apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0}項目{1}的有效的序號 @@ -1127,7 +1127,7 @@ DocType: Stock Settings,Default Item Group,預設項目群組 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,供應商數據庫。 DocType: Account,Balance Sheet,資產負債表 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',成本中心與項目代碼“項目 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。請檢查是否帳戶已就付款方式或POS機配置文件中設置。 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。請檢查是否帳戶已就付款方式或POS機配置文件中設置。 DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,您的銷售人員將在此日期被提醒去聯絡客戶 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,同一項目不能輸入多次。 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",進一步帳戶可以根據組進行,但條目可針對非組進行 @@ -1157,7 +1157,7 @@ DocType: Employee Loan Application,Repayment Info,還款信息 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,“分錄”不能是空的 apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},重複的行{0}同{1} ,Trial Balance,試算表 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,會計年度{0}未找到 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,會計年度{0}未找到 apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,建立職工 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,請先選擇前綴稱號 DocType: Maintenance Visit Purpose,Work Done,工作完成 @@ -1168,11 +1168,11 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,查看總帳 DocType: Grading Scale,Intervals,間隔 apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",具有具有相同名稱的項目群組存在,請更改項目名稱或重新命名該項目群組 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,學生手機號碼 -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,世界其他地區 +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,世界其他地區 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,該項目{0}不能有批 ,Budget Variance Report,預算差異報告 DocType: Salary Slip,Gross Pay,工資總額 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,行{0}:活動類型是強制性的。 +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,行{0}:活動類型是強制性的。 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,會計總帳 DocType: Stock Reconciliation,Difference Amount,差額 DocType: Vehicle Log,Service Detail,服務細節 @@ -1191,18 +1191,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,員工休假餘額 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},帳戶{0}的餘額必須始終為{1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},行對項目所需的估值速率{0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,舉例:碩士計算機科學 +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,舉例:碩士計算機科學 DocType: Purchase Invoice,Rejected Warehouse,拒絕倉庫 DocType: GL Entry,Against Voucher,對傳票 DocType: Item,Default Buying Cost Center,預設採購成本中心 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",為得到最好的 ERPNext 教學,我們建議您花一些時間和觀看這些說明影片。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,到 +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,到 DocType: Supplier Quotation Item,Lead Time in days,在天交貨期 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,應付帳款摘要 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},從{0}工資支付{1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},從{0}工資支付{1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},無權修改凍結帳戶{0} DocType: Journal Entry,Get Outstanding Invoices,獲取未付發票 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,銷售訂單{0}無效 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,銷售訂單{0}無效 apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,採購訂單幫助您規劃和跟進您的購買 apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",對不起,企業不能合併 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1221,8 +1221,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,間接費用 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,列#{0}:數量是強制性的 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,農業 -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,同步主數據 -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,您的產品或服務 +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,同步主數據 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,您的產品或服務 apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,網站形象應該是一個公共文件或網站網址 DocType: Student Applicant,AP,美聯社 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,這是個根項目群組,且無法被編輯。 @@ -1239,18 +1239,18 @@ DocType: Student Group Student,Group Roll Number,組卷編號 DocType: Student Group Student,Group Roll Number,組卷編號 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0},只有貸方帳戶可以連接另一個借方分錄 apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,所有任務的權重合計應為1。請相應調整的所有項目任務重 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,送貨單{0}未提交 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,送貨單{0}未提交 apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,項{0}必須是一個小項目簽約 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,資本設備 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",基於“適用於”欄位是「項目」,「項目群組」或「品牌」,而選擇定價規則。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,請先設定商品代碼 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,請先設定商品代碼 DocType: Hub Settings,Seller Website,賣家網站 DocType: Item,ITEM-,項目- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,對於銷售團隊總分配比例應為100 DocType: Appraisal Goal,Goal,目標 DocType: Sales Invoice Item,Edit Description,編輯說明 ,Team Updates,團隊更新 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,對供應商 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,對供應商 DocType: Account,Setting Account Type helps in selecting this Account in transactions.,設置帳戶類型有助於在交易中選擇該帳戶。 DocType: Purchase Invoice,Grand Total (Company Currency),總計(公司貨幣) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,創建打印格式 @@ -1263,12 +1263,12 @@ DocType: Item,Website Item Groups,網站項目群組 DocType: Purchase Invoice,Total (Company Currency),總計(公司貨幣) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,序號{0}多次輸入 DocType: Depreciation Schedule,Journal Entry,日記帳分錄 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,正在進行{0}項目 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,正在進行{0}項目 DocType: Workstation,Workstation Name,工作站名稱 DocType: Grading Scale Interval,Grade Code,等級代碼 DocType: POS Item Group,POS Item Group,POS項目組 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,電子郵件摘要: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM {0}不屬於項目{1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM {0}不屬於項目{1} DocType: Sales Partner,Target Distribution,目標分佈 DocType: Salary Slip,Bank Account No.,銀行賬號 DocType: Naming Series,This is the number of the last created transaction with this prefix,這就是以這個前綴的最後一個創建的事務數 @@ -1318,7 +1318,7 @@ DocType: Quotation,Shopping Cart,購物車 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,平均每日傳出 DocType: POS Profile,Campaign,競賽 DocType: Supplier,Name and Type,名稱和類型 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',審批狀態必須被“批准”或“拒絕” +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',審批狀態必須被“批准”或“拒絕” DocType: Purchase Invoice,Contact Person,聯絡人 apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',“預計開始日期”不能大於“預計結束日期' DocType: Course Scheduling Tool,Course End Date,課程結束日期 @@ -1329,8 +1329,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,首選電子郵件 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,在固定資產淨變動 DocType: Leave Control Panel,Leave blank if considered for all designations,離開,如果考慮所有指定空白 -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,類型'實際'行{0}的計費,不能被包含在項目單價 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},最大數量:{0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,類型'實際'行{0}的計費,不能被包含在項目單價 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},最大數量:{0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,從日期時間 DocType: Email Digest,For Company,對於公司 apps/erpnext/erpnext/config/support.py +17,Communication log.,通信日誌。 @@ -1367,7 +1367,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.",所需的工作 DocType: Journal Entry Account,Account Balance,帳戶餘額 apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,稅收規則進行的交易。 DocType: Rename Tool,Type of document to rename.,的文件類型進行重命名。 -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,我們買這個項目 +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,我們買這個項目 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}:需要客戶對應收賬款{2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),總稅費和費用(公司貨幣) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,顯示未關閉的會計年度的盈虧平衡 @@ -1377,7 +1377,7 @@ apps/erpnext/erpnext/utilities/activation.py +80,Make Sales Orders to help you p DocType: Quality Inspection,Readings,閱讀 DocType: Stock Entry,Total Additional Costs,總額外費用 DocType: BOM,Scrap Material Cost(Company Currency),廢料成本(公司貨幣) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,子組件 +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,子組件 DocType: Asset,Asset Name,資產名稱 DocType: Project,Task Weight,任務重 DocType: Asset Movement,Stock Manager,庫存管理 @@ -1402,7 +1402,7 @@ apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter apps/erpnext/erpnext/config/stock.py +300,Item Variants,項目變體 DocType: Company,Services,服務 DocType: HR Settings,Email Salary Slip to Employee,電子郵件工資單給員工 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,選擇潛在供應商 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,選擇潛在供應商 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,顯示關閉 DocType: Leave Type,Is Leave Without Pay,是無薪休假 apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,資產類別是強制性的固定資產項目 @@ -1413,7 +1413,7 @@ DocType: POS Profile,Apply Discount,應用折扣 DocType: GST HSN Code,GST HSN Code,GST HSN代碼 DocType: Employee External Work History,Total Experience,總經驗 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,打開項目 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,包裝單( S)已取消 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,包裝單( S)已取消 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,從投資現金流 DocType: Program Course,Program Course,課程計劃 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,貨運代理費 @@ -1452,8 +1452,8 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,計劃擴招 DocType: Sales Invoice Item,Brand Name,商標名稱 DocType: Purchase Receipt,Transporter Details,貨運公司細節 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,默認倉庫需要選中的項目 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,可能的供應商 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,默認倉庫需要選中的項目 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,可能的供應商 DocType: Budget,Monthly Distribution,月度分佈 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,收受方列表為空。請創建收受方列表 DocType: Production Plan Sales Order,Production Plan Sales Order,生產計劃銷售訂單 @@ -1482,7 +1482,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,索賠費用 apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students",學生在系統的心臟,添加所有的學生 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},行#{0}:清除日期{1}無法支票日期前{2} DocType: Company,Default Holiday List,預設假日表列 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:從時間和結束時間{1}是具有重疊{2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:從時間和結束時間{1}是具有重疊{2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,現貨負債 DocType: Purchase Invoice,Supplier Warehouse,供應商倉庫 DocType: Opportunity,Contact Mobile No,聯絡手機號碼 @@ -1497,17 +1497,17 @@ DocType: Dependent Task,Dependent Task,相關任務 apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},預設計量單位的轉換因子必須是1在行{0} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},請假類型{0}不能長於{1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,嘗試提前X天規劃作業。 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},請公司設定默認應付職工薪酬帳戶{0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},請公司設定默認應付職工薪酬帳戶{0} DocType: SMS Center,Receiver List,收受方列表 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,搜索項目 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,搜索項目 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,現金淨變動 DocType: Assessment Plan,Grading Scale,分級量表 apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,計量單位{0}已經進入不止一次在轉換係數表 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,已經完成 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,已經完成 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,庫存在手 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},付款申請已經存在{0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,發布項目成本 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},數量必須不超過{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},數量必須不超過{0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,上一財政年度未關閉 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),時間(天) DocType: Quotation Item,Quotation Item,產品報價 @@ -1520,6 +1520,7 @@ DocType: Purchase Order Item,Supplier Part Number,供應商零件編號 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,轉化率不能為0或1 DocType: Sales Invoice,Reference Document,參考文獻 DocType: Accounts Settings,Credit Controller,信用控制器 +DocType: Sales Order,Final Delivery Date,最終交貨日期 DocType: Delivery Note,Vehicle Dispatch Date,車輛調度日期 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,採購入庫單{0}未提交 DocType: Company,Default Payable Account,預設應付賬款 @@ -1606,9 +1607,9 @@ DocType: Employee,Date Of Retirement,退休日 DocType: Upload Attendance,Get Template,獲取模板 DocType: Material Request,Transferred,轉入 DocType: Vehicle,Doors,門 -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext設定完成! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext設定完成! DocType: Course Assessment Criteria,Weightage,權重 -DocType: Sales Invoice,Tax Breakup,稅收分解 +DocType: Purchase Invoice,Tax Breakup,稅收分解 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:需要的損益“賬戶成本中心{2}。請設置為公司默認的成本中心。 apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,客戶群組存在相同名稱,請更改客戶名稱或重新命名客戶群組 apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,新建聯絡人 @@ -1619,14 +1620,14 @@ DocType: Homepage,Products,產品 DocType: Announcement,Instructor,講師 DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",如果此項目已變種,那麼它不能在銷售訂單等選擇 DocType: Lead,Next Contact By,下一個聯絡人由 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},列{1}項目{0}必須有數量 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},列{1}項目{0}必須有數量 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},倉庫{0} 不能被刪除因為項目{1}還有庫存 DocType: Quotation,Order Type,訂單類型 DocType: Purchase Invoice,Notification Email Address,通知電子郵件地址 ,Item-wise Sales Register,項目明智的銷售登記 DocType: Asset,Gross Purchase Amount,總購買金額 DocType: Asset,Depreciation Method,折舊方法 -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,離線 +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,離線 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,包括在基本速率此稅? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,總目標 DocType: Job Applicant,Applicant for a Job,申請人作業 @@ -1647,14 +1648,14 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be a DocType: Employee,Leave Encashed?,離開兌現? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,機會從字段是強制性的 DocType: Item,Variants,變種 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,製作採購訂單 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,製作採購訂單 DocType: SMS Center,Send To,發送到 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},沒有足夠的餘額休假請假類型{0} DocType: Sales Team,Contribution to Net Total,貢獻淨合計 DocType: Sales Invoice Item,Customer's Item Code,客戶的產品編號 DocType: Stock Reconciliation,Stock Reconciliation,庫存調整 DocType: Territory,Territory Name,地區名稱 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,提交之前,需要填入在製品倉庫 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,提交之前,需要填入在製品倉庫 apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,申請職位 DocType: Purchase Order Item,Warehouse and Reference,倉庫及參考 DocType: Supplier,Statutory info and other general information about your Supplier,供應商的法定資訊和其他一般資料 @@ -1667,13 +1668,13 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,估價 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},重複的序列號輸入的項目{0} DocType: Shipping Rule Condition,A condition for a Shipping Rule,為運輸規則的條件 apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,請輸入 -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行不能overbill為項目{0} {1}超過{2}。要允許對帳單,請在購買設置中設置 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,根據項目或倉庫請設置過濾器 +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行不能overbill為項目{0} {1}超過{2}。要允許對帳單,請在購買設置中設置 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,根據項目或倉庫請設置過濾器 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),淨重這個包。 (當項目的淨重量總和自動計算) DocType: Sales Order,To Deliver and Bill,準備交貨及開立發票 DocType: Student Group,Instructors,教師 DocType: GL Entry,Credit Amount in Account Currency,在賬戶幣金額 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM {0}必須提交 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM {0}必須提交 DocType: Authorization Control,Authorization Control,授權控制 apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒絕倉庫是強制性的反對否決項{1} apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",倉庫{0}未與任何帳戶關聯,請在倉庫記錄中提及該帳戶,或在公司{1}中設置默認庫存帳戶。 @@ -1691,12 +1692,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,在銷 DocType: Quotation Item,Actual Qty,實際數量 DocType: Sales Invoice Item,References,參考 DocType: Quality Inspection Reading,Reading 10,閱讀10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",列出您售出或購買的產品或服務,並請確認品項群駔、單位與其它屬性。 +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",列出您售出或購買的產品或服務,並請確認品項群駔、單位與其它屬性。 DocType: Hub Settings,Hub Node,樞紐節點 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,您輸入重複的項目。請糾正,然後再試一次。 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,關聯 +DocType: Company,Sales Target,銷售目標 DocType: Asset Movement,Asset Movement,資產運動 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,新的車 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,新的車 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,項{0}不是一個序列化的項目 DocType: SMS Center,Create Receiver List,創建接收器列表 DocType: Vehicle,Wheels,車輪 @@ -1737,6 +1739,7 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,項目管理 DocType: Supplier,Supplier of Goods or Services.,供應商的商品或服務。 DocType: Budget,Fiscal Year,財政年度 DocType: Vehicle Log,Fuel Price,燃油價格 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列 DocType: Budget,Budget,預算 apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,固定資產項目必須是一個非庫存項目。 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",財政預算案不能對{0}指定的,因為它不是一個收入或支出帳戶 @@ -1750,11 +1753,11 @@ DocType: Item,Is Sales Item,是銷售項目 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree,項目群組的樹狀結構 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,項目{0}的序列號未設定,請檢查項目主檔 DocType: Maintenance Visit,Maintenance Time,維護時間 -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,產品或服務 +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,產品或服務 apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,這個詞開始日期不能超過哪個術語鏈接學年的開學日期較早(學年{})。請更正日期,然後再試一次。 DocType: Guardian,Guardian Interests,守護興趣 DocType: Naming Series,Current Value,當前值 -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,多個會計年度的日期{0}存在。請設置公司財年 +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,多個會計年度的日期{0}存在。請設置公司財年 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0}已新增 DocType: Delivery Note Item,Against Sales Order,對銷售訂單 ,Serial No Status,序列號狀態 @@ -1768,7 +1771,7 @@ DocType: Pricing Rule,Selling,銷售 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},金額{0} {1}抵扣{2} DocType: Employee,Salary Information,薪資資訊 DocType: Sales Person,Name and Employee ID,姓名和僱員ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,到期日不能在寄發日期之前 +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,到期日不能在寄發日期之前 DocType: Website Item Group,Website Item Group,網站項目群組 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,關稅和稅款 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,參考日期請輸入 @@ -1819,9 +1822,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},請為員工{0}設置加入日期 DocType: Task,Total Billing Amount (via Time Sheet),總開票金額(通過時間表) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,重複客戶收入 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) 必須有“支出審批”權限 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,對 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,選擇BOM和數量生產 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} ({1}) 必須有“支出審批”權限 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,對 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,選擇BOM和數量生產 DocType: Asset,Depreciation Schedule,折舊計劃 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,銷售合作夥伴地址和聯繫人 DocType: Bank Reconciliation Detail,Against Account,針對帳戶 @@ -1831,7 +1834,7 @@ DocType: Item,Has Batch No,有批號 apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},年度結算:{0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),商品和服務稅(印度消費稅) DocType: Delivery Note,Excise Page Number,消費頁碼 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",公司,從日期和結束日期是必須 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",公司,從日期和結束日期是必須 DocType: Asset,Purchase Date,購買日期 DocType: Employee,Personal Details,個人資料 apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},請設置在公司的資產折舊成本中心“{0} @@ -1840,9 +1843,9 @@ DocType: Task,Actual End Date (via Time Sheet),實際結束日期(通過時間 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},量{0} {1}對{2} {3} ,Quotation Trends,報價趨勢 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},項目{0}之項目主檔未提及之項目群組 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,借方帳戶必須是應收帳款帳戶 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,借方帳戶必須是應收帳款帳戶 DocType: Shipping Rule Condition,Shipping Amount,航運量 -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,添加客戶 +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,添加客戶 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,待審核金額 DocType: Purchase Invoice Item,Conversion Factor,轉換因子 DocType: Purchase Order,Delivered,交付 @@ -1865,7 +1868,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,包括對賬項目 DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",家長課程(如果不是家長課程的一部分,請留空) DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",家長課程(如果不是家長課程的一部分,請留空) DocType: Leave Control Panel,Leave blank if considered for all employee types,保持空白如果考慮到所有的員工類型 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客戶>客戶群>領土 DocType: Landed Cost Voucher,Distribute Charges Based On,分銷費基於 apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,時間表 DocType: HR Settings,HR Settings,人力資源設置 @@ -1873,7 +1875,7 @@ DocType: Salary Slip,net pay info,淨工資信息 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,使項目所需的質量保證和質量保證在沒有採購入庫單 DocType: Email Digest,New Expenses,新的費用 DocType: Purchase Invoice,Additional Discount Amount,額外的折扣金額 -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:訂購數量必須是1,因為項目是固定資產。請使用單獨的行多數量。 +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:訂購數量必須是1,因為項目是固定資產。請使用單獨的行多數量。 DocType: Leave Block List Allow,Leave Block List Allow,休假區塊清單准許 apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,縮寫不能為空或空間 apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,集團以非組 @@ -1881,7 +1883,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,體育 DocType: Loan Type,Loan Name,貸款名稱 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,實際總計 DocType: Student Siblings,Student Siblings,學生兄弟姐妹 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,單位 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,單位 apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,請註明公司 ,Customer Acquisition and Loyalty,客戶取得和忠誠度 DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,你維護退貨庫存的倉庫 @@ -1898,11 +1900,11 @@ DocType: Workstation,Wages per hour,時薪 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},在批量庫存餘額{0}將成為負{1}的在倉庫項目{2} {3} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,下列資料的要求已自動根據項目的重新排序水平的提高 DocType: Email Digest,Pending Sales Orders,待完成銷售訂單 -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},帳戶{0}是無效的。帳戶貨幣必須是{1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},帳戶{0}是無效的。帳戶貨幣必須是{1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},計量單位換算係數是必需的行{0} apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:參考文件類型必須是銷售訂單之一,銷售發票或日記帳分錄 DocType: Salary Component,Deduction,扣除 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,行{0}:從時間和時間是強制性的。 +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,行{0}:從時間和時間是強制性的。 DocType: Stock Reconciliation Item,Amount Difference,金額差異 apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},加入項目價格為{0}價格表{1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,請輸入這個銷售人員的員工標識 @@ -1911,7 +1913,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Differe apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,請先輸入生產項目 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,計算的銀行對賬單餘額 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,禁用的用戶 -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,報價 +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,報價 DocType: Salary Slip,Total Deduction,扣除總額 ,Production Analytics,生產Analytics(分析) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,項{0}已被退回 @@ -1953,16 +1955,17 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,選擇公司... DocType: Leave Control Panel,Leave blank if considered for all departments,保持空白如果考慮到全部部門 apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",就業(永久,合同,實習生等)的類型。 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0}是強制性的項目{1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0}是強制性的項目{1} DocType: Currency Exchange,From Currency,從貨幣 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",請ATLEAST一行選擇分配金額,發票類型和發票號碼 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,新的採購成本 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},所需的{0}項目銷售訂單 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},所需的{0}項目銷售訂單 DocType: Purchase Invoice Item,Rate (Company Currency),率(公司貨幣) DocType: Payment Entry,Unallocated Amount,未分配金額 apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,無法找到匹配的項目。請選擇其他值{0}。 DocType: POS Profile,Taxes and Charges,稅收和收費 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",產品或服務已購買,出售或持有的股票。 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品編號>商品組>品牌 apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,沒有更多的更新 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,不能選擇充電式為'在上一行量'或'在上一行總'的第一行 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,子項不應該是一個產品包。請刪除項目`{0}`和保存 @@ -1990,7 +1993,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,總結算金額 apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,必須有這個工作,啟用默認進入的電子郵件帳戶。請設置一個默認的傳入電子郵件帳戶(POP / IMAP),然後再試一次。 apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,應收賬款 -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},行#{0}:資產{1}已經是{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},行#{0}:資產{1}已經是{2} DocType: Quotation Item,Stock Balance,庫存餘額 apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,銷售訂單到付款 DocType: Expense Claim Detail,Expense Claim Detail,報銷詳情 @@ -2013,10 +2016,11 @@ DocType: C-Form,Received Date,接收日期 DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",如果您已經創建了銷售稅和費模板標準模板,選擇一個,然後點擊下面的按鈕。 DocType: BOM Scrap Item,Basic Amount (Company Currency),基本金額(公司幣種) DocType: Student,Guardians,守護者 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供應商>供應商類型 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,價格將不會顯示如果沒有設置價格 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,請指定一個國家的這種運輸規則或檢查全世界運輸 DocType: Stock Entry,Total Incoming Value,總收入值 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,借方是必填項 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,借方是必填項 apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",時間表幫助追踪的時間,費用和結算由你的團隊做activites apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,採購價格表 DocType: Offer Letter Term,Offer Term,要約期限 @@ -2035,11 +2039,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,產 DocType: Timesheet Detail,To Time,要時間 DocType: Authorization Rule,Approving Role (above authorized value),批准角色(上述授權值) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,信用帳戶必須是應付賬款 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM遞歸: {0}不能父母或兒童{2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM遞歸: {0}不能父母或兒童{2} DocType: Production Order Operation,Completed Qty,完成數量 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0},只有借方帳戶可以連接另一個貸方分錄 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,價格表{0}被禁用 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},行{0}:已完成的數量不能超過{1}操作{2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},行{0}:已完成的數量不能超過{1}操作{2} DocType: Manufacturing Settings,Allow Overtime,允許加班 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",序列化項目{0}無法使用庫存調節更新,請使用庫存條目 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",序列化項目{0}無法使用庫存調節更新,請使用庫存條目 @@ -2055,9 +2059,10 @@ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',請指定一個有效的“從案號” apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,進一步的成本中心可以根據組進行,但項可以對非組進行 apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,用戶和權限 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},生產訂單創建:{0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},生產訂單創建:{0} DocType: Branch,Branch,分支機構 DocType: Guardian,Mobile Number,手機號碼 +DocType: Company,Total Monthly Sales,每月銷售總額 DocType: Bin,Actual Quantity,實際數量 DocType: Shipping Rule,example: Next Day Shipping,例如:次日發貨 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,序列號{0}未找到 @@ -2086,7 +2091,7 @@ DocType: Payment Request,Make Sales Invoice,做銷售發票 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,軟件 apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,接下來跟日期不能過去 DocType: Company,For Reference Only.,僅供參考。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,選擇批號 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,選擇批號 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},無效的{0}:{1} DocType: Sales Invoice Advance,Advance Amount,提前量 DocType: Manufacturing Settings,Capacity Planning,產能規劃 @@ -2097,7 +2102,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},沒有條碼{0}的品項 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,案號不能為0 DocType: Item,Show a slideshow at the top of the page,顯示幻燈片在頁面頂部 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,物料清單 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,物料清單 apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,商店 DocType: Serial No,Delivery Time,交貨時間 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,老齡化基於 @@ -2109,16 +2114,16 @@ DocType: Purchase Order,Customer Mobile No,客戶手機號碼 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,跟踪獨立收入和支出進行產品垂直或部門。 DocType: Item Reorder,Item Reorder,項目重新排序 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,顯示工資單 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,轉印材料 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,轉印材料 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",指定作業、作業成本並給予該作業一個專屬的作業編號。 apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,這份文件是超過限制,通過{0} {1}項{4}。你在做另一個{3}對同一{2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,請設置保存後復發 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,選擇變化量賬戶 +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,請設置保存後復發 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,選擇變化量賬戶 DocType: Purchase Invoice,Price List Currency,價格表之貨幣 DocType: Naming Series,User must always select,用戶必須始終選擇 DocType: Stock Settings,Allow Negative Stock,允許負庫存 DocType: Installation Note,Installation Note,安裝注意事項 -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,添加稅賦 +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,添加稅賦 DocType: Topic,Topic,話題 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,從融資現金流 DocType: Budget Account,Budget Account,預算科目 @@ -2131,7 +2136,8 @@ DocType: Process Payroll,Create Salary Slip,建立工資單 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),資金來源(負債) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},列{0}的數量({1})必須與生產量{2}相同 DocType: Appraisal,Employee,僱員 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,選擇批次 +DocType: Company,Sales Monthly History,銷售月曆 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,選擇批次 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1}}已開票 DocType: Training Event,End Time,結束時間 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,主動薪酬結構找到{0}員工{1}對於給定的日期 @@ -2139,13 +2145,12 @@ DocType: Payment Entry,Payment Deductions or Loss,付款扣除或損失 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,銷售或採購的標準合同條款。 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,集團透過券 apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,銷售渠道 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},請薪酬部分設置默認帳戶{0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},請薪酬部分設置默認帳戶{0} apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},請行選擇BOM為項目{0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},帳戶{0}與帳戶模式{2}中的公司{1}不符 apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},指定BOM {0}的項目不存在{1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,維護時間表{0}必須取消早於取消這個銷售訂單 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,維護時間表{0}必須取消早於取消這個銷售訂單 DocType: Notification Control,Expense Claim Approved,報銷批准 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,員工的工資單{0}已為這一時期創建 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,製藥 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,購買的物品成本 @@ -2160,7 +2165,7 @@ DocType: Buying Settings,Buying Settings,採購設定 DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM編號為成品產品 DocType: Upload Attendance,Attendance To Date,出席會議日期 DocType: Payment Gateway Account,Payment Account,付款帳號 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,請註明公司以處理 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,請註明公司以處理 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,應收賬款淨額變化 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,補假 DocType: Offer Letter,Accepted,接受的 @@ -2170,13 +2175,13 @@ DocType: SG Creation Tool Course,Student Group Name,學生組名稱 apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,請確保你真的要刪除這家公司的所有交易。主數據將保持原樣。這個動作不能撤消。 DocType: Room,Room Number,房間號 apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},無效的參考{0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1})不能大於計劃數量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1})不能大於計劃數量 ({2})生產訂單的 {3}" DocType: Shipping Rule,Shipping Rule Label,送貨規則標籤 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,用戶論壇 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,原材料不能為空。 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.",無法更新庫存,發票包含下降航運項目。 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,快速日記帳分錄 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,原材料不能為空。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.",無法更新庫存,發票包含下降航運項目。 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,快速日記帳分錄 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,你不能改變速度,如果BOM中提到反對的任何項目 DocType: Employee,Previous Work Experience,以前的工作經驗 DocType: Stock Entry,For Quantity,對於數量 @@ -2226,7 +2231,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),基本速率(按庫 DocType: SMS Log,No of Requested SMS,無的請求短信 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,停薪留職不批准請假的記錄相匹配 DocType: Campaign,Campaign-.####,運動 - ## # # -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,請在提供最好的利率規定的項目 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,請在提供最好的利率規定的項目 DocType: Selling Settings,Auto close Opportunity after 15 days,15天之後自動關閉商機 apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,結束年份 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,報價/鉛% @@ -2283,7 +2288,7 @@ DocType: Homepage,Homepage,主頁 DocType: Purchase Receipt Item,Recd Quantity,到貨數量 apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},費紀錄創造 - {0} DocType: Asset Category Account,Asset Category Account,資產類別的帳戶 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},無法產生更多的項目{0}不是銷售訂單數量{1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},無法產生更多的項目{0}不是銷售訂單數量{1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,股票輸入{0}不提交 DocType: Payment Reconciliation,Bank / Cash Account,銀行/現金帳戶 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,接著聯繫到不能相同鉛郵箱地址 @@ -2319,7 +2324,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,行#{0}:日記條目{1}沒有帳戶{2}或已經對另一憑證匹配 DocType: Buying Settings,Default Buying Price List,預設採購價格表 DocType: Process Payroll,Salary Slip Based on Timesheet,基於時間表工資單 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,已創建的任何僱員對上述選擇標準或工資單 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,已創建的任何僱員對上述選擇標準或工資單 DocType: Notification Control,Sales Order Message,銷售訂單訊息 apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",設定預設值如公司,貨幣,當前財政年度等 DocType: Payment Entry,Payment Type,付款類型 @@ -2344,7 +2349,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,收到文件必須提交 DocType: Purchase Invoice Item,Received Qty,到貨數量 DocType: Stock Entry Detail,Serial No / Batch,序列號/批次 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,沒有支付,未送達 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,沒有支付,未送達 DocType: Product Bundle,Parent Item,父項目 DocType: Account,Account Type,帳戶類型 apps/erpnext/erpnext/templates/pages/projects.html +58,No time sheets,沒有考勤表 @@ -2373,8 +2378,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,總撥款額 apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,設置永久庫存的默認庫存帳戶 DocType: Item Reorder,Material Request Type,材料需求類型 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural日記條目從{0}薪金{1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save",localStorage的是滿的,沒救 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural日記條目從{0}薪金{1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",localStorage的是滿的,沒救 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,行{0}:計量單位轉換係數是必需的 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,參考 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,憑證# @@ -2390,7 +2395,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,所 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",如果選擇的定價規則是由為'價格',它將覆蓋價目表。定價規則價格是最終價格,所以沒有進一步的折扣應適用。因此,在像銷售訂單,採購訂單等交易,這將是“速度”字段進賬,而不是“價格單率”字段。 apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,以行業類型追蹤訊息。 DocType: Item Supplier,Item Supplier,產品供應商 -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,請輸入產品編號,以取得批號 +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,請輸入產品編號,以取得批號 apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},請選擇一個值{0} quotation_to {1} DocType: Company,Stock Settings,庫存設定 apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",合併是唯一可能的,如果以下屬性中均有記載相同。是集團,根型,公司 @@ -2415,7 +2420,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,交易後實際數量 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},沒有找到之間的工資單{0}和{1} ,Pending SO Items For Purchase Request,待處理的SO項目對於採購申請 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,學生入學 -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1}被禁用 +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1}被禁用 DocType: Supplier,Billing Currency,結算貨幣 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,特大號 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,葉總 @@ -2443,7 +2448,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,應用現狀 DocType: Fees,Fees,費用 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,指定的匯率將一種貨幣兌換成另一種 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,{0}報價被取消 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,{0}報價被取消 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,未償還總額 DocType: Sales Partner,Targets,目標 DocType: Price List,Price List Master,價格表主檔 @@ -2459,7 +2464,7 @@ DocType: POS Profile,Ignore Pricing Rule,忽略定價規則 DocType: Employee Education,Graduate,畢業生 DocType: Leave Block List,Block Days,封鎖天數 DocType: Journal Entry,Excise Entry,海關入境 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},警告:銷售訂單{0}已經存在針對客戶的採購訂單{1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},警告:銷售訂單{0}已經存在針對客戶的採購訂單{1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2497,7 +2502,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),如 ,Salary Register,薪酬註冊 DocType: Warehouse,Parent Warehouse,家長倉庫 DocType: C-Form Invoice Detail,Net Total,總淨值 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},項目{0}和項目{1}找不到默認BOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},項目{0}和項目{1}找不到默認BOM apps/erpnext/erpnext/config/hr.py +163,Define various loan types,定義不同的貸款類型 DocType: Payment Reconciliation Invoice,Outstanding Amount,未償還的金額 apps/erpnext/erpnext/templates/generators/bom.html +71,Time(in mins),時間(分鐘) @@ -2530,7 +2535,7 @@ DocType: Salary Detail,Condition and Formula Help,條件和公式幫助 apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,管理領地樹。 DocType: Journal Entry Account,Sales Invoice,銷售發票 DocType: Journal Entry Account,Party Balance,黨平衡 -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,請選擇適用的折扣 +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,請選擇適用的折扣 DocType: Company,Default Receivable Account,預設應收帳款 DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,對支付上述選擇條件的薪資總額新增銀行分錄 DocType: Stock Entry,Material Transfer for Manufacture,物料轉倉用於製造 @@ -2544,7 +2549,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,客戶地址 DocType: Employee Loan,Loan Details,貸款詳情 DocType: Company,Default Inventory Account,默認庫存帳戶 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,行{0}:已完成數量必須大於零。 +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,行{0}:已完成數量必須大於零。 DocType: Purchase Invoice,Apply Additional Discount On,收取額外折扣 DocType: Account,Root Type,root類型 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},行#{0}:無法返回超過{1}項{2} @@ -2559,7 +2564,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +380,Add Em DocType: Purchase Invoice Item,Quality Inspection,品質檢驗 DocType: Company,Standard Template,標準模板 DocType: Training Event,Theory,理論 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料需求的數量低於最少訂購量 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料需求的數量低於最少訂購量 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,帳戶{0}被凍結 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,法人/子公司與帳戶的獨立走勢屬於該組織。 DocType: Payment Request,Mute Email,靜音電子郵件 @@ -2583,7 +2588,7 @@ DocType: Training Event,Scheduled,預定 apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,詢價。 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",請選擇項,其中“正股項”是“否”和“是銷售物品”是“是”,沒有其他產品捆綁 DocType: Student Log,Academic,學術的 -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),總的超前({0})對二階{1}不能大於總計({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),總的超前({0})對二階{1}不能大於總計({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,選擇按月分佈橫跨幾個月不均勻分佈的目標。 DocType: Stock Reconciliation,SR/,序號 / DocType: Vehicle,Diesel,柴油機 @@ -2644,6 +2649,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,輸入活動的名稱,如果查詢來源是運動 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,報紙出版商 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,選擇財政年度 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,預計交貨日期應在銷售訂單日期之後 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,重新排序級別 DocType: Company,Chart Of Accounts Template,圖表帳戶模板 apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},項目價格更新{0}價格表{1} @@ -2671,7 +2677,7 @@ DocType: Sales Invoice Item,Customer Warehouse (Optional),客戶倉庫(可選 DocType: Payment Reconciliation Invoice,Invoice Number,發票號碼 DocType: Shopping Cart Settings,Orders,訂單 DocType: Employee Leave Approver,Leave Approver,休假審批人 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,請選擇一個批次 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,請選擇一個批次 DocType: Assessment Group,Assessment Group Name,評估小組名稱 DocType: Manufacturing Settings,Material Transferred for Manufacture,轉移至製造的物料 DocType: Expense Claim,"A user with ""Expense Approver"" role",與“費用審批人”角色的用戶 @@ -2706,7 +2712,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,下個月的最後一天 DocType: Support Settings,Auto close Issue after 7 days,7天之後自動關閉問題 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",假,不是之前分配{0},因為休假餘額已經結轉轉發在未來的假期分配記錄{1} -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),註:由於/參考日期由{0}天超過了允許客戶的信用天數(S) +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),註:由於/參考日期由{0}天超過了允許客戶的信用天數(S) apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,學生申請 DocType: Asset Category Account,Accumulated Depreciation Account,累計折舊科目 DocType: Stock Settings,Freeze Stock Entries,凍結庫存項目 @@ -2754,14 +2760,14 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,有貨數量在倉庫 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,帳單金額 DocType: Asset,Double Declining Balance,雙倍餘額遞減 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,關閉的定單不能被取消。 Unclose取消。 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,關閉的定單不能被取消。 Unclose取消。 DocType: Student Guardian,Father,父親 -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,“更新股票'不能檢查固定資產出售 +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,“更新股票'不能檢查固定資產出售 DocType: Bank Reconciliation,Bank Reconciliation,銀行對帳 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,獲取更新 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}帳戶{2}不屬於公司{3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,材料需求{0}被取消或停止 -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,增加了一些樣本記錄 +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,增加了一些樣本記錄 apps/erpnext/erpnext/config/hr.py +301,Leave Management,離開管理 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,以帳戶分群組 DocType: Lead,Lower Income,較低的收入 @@ -2769,12 +2775,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",差異帳戶必須是資產/負債類型的帳戶,因為此庫存調整是一個開始分錄 apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},支付額不能超過貸款金額較大的{0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},所需物品{0}的採購訂單號 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,生產訂單未創建 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,生產訂單未創建 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',“起始日期”必須經過'終止日期' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},無法改變地位的學生{0}與學生申請鏈接{1} DocType: Asset,Fully Depreciated,已提足折舊 ,Stock Projected Qty,存貨預計數量 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},客戶{0}不屬於項目{1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},客戶{0}不屬於項目{1} DocType: Employee Attendance Tool,Marked Attendance HTML,顯著的考勤HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",語錄是建議,你已經發送到你的客戶提高出價 DocType: Sales Order,Customer's Purchase Order,客戶採購訂單 @@ -2784,7 +2790,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,請設置折舊數預訂 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,價值或數量 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,製作訂單不能上調: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,分鐘 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,分鐘 DocType: Purchase Invoice,Purchase Taxes and Charges,購置稅和費 ,Qty to Receive,未到貨量 DocType: Leave Block List,Leave Block List Allowed,准許的休假區塊清單 @@ -2797,7 +2803,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,所有供應商類型 DocType: Global Defaults,Disable In Words,禁用詞 apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,產品編號是強制性的,因為項目沒有自動編號 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},報價{0}非為{1}類型 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},報價{0}非為{1}類型 DocType: Maintenance Schedule Item,Maintenance Schedule Item,維護計劃項目 DocType: Sales Order,% Delivered,%交付 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,銀行透支戶口 @@ -2817,7 +2823,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,賣家電子郵件 DocType: Project,Total Purchase Cost (via Purchase Invoice),總購買成本(通過採購發票) DocType: Training Event,Start Time,開始時間 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,選擇數量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,選擇數量 DocType: Customs Tariff Number,Customs Tariff Number,海關稅則號 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,審批角色作為角色的規則適用於不能相同 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,從該電子郵件摘要退訂 @@ -2840,7 +2846,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,詳細新聞稿 DocType: Sales Order,Fully Billed,完全開票 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,手頭現金 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},需要的庫存項目交割倉庫{0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},需要的庫存項目交割倉庫{0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),包裹的總重量。通常為淨重+包裝材料的重量。 (用於列印) DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,具有此角色的用戶可以設置凍結帳戶,並新增/修改對凍結帳戶的會計分錄 DocType: Serial No,Is Cancelled,被註銷 @@ -2849,7 +2855,7 @@ DocType: Student Group,Group Based On,基於組 DocType: Journal Entry,Bill Date,帳單日期 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required",服務項目,類型,頻率和消費金額要求 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",即使有更高優先級的多個定價規則,然後按照內部優先級應用: -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},難道你真的想從提交{0}所有的工資單{1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},難道你真的想從提交{0}所有的工資單{1} DocType: Supplier,Supplier Details,供應商詳細資訊 DocType: Expense Claim,Approval Status,審批狀態 DocType: Hub Settings,Publish Items to Hub,發布項目到集線器 @@ -2899,14 +2905,14 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,回到對採購發票 DocType: Item,Warranty Period (in days),保修期限(天數) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,與關係Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,從運營的淨現金 -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,例如增值稅 +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,例如增值稅 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,項目4 DocType: Student Admission,Admission End Date,錄取結束日期 DocType: Journal Entry Account,Journal Entry Account,日記帳分錄帳號 apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,學生組 DocType: Shopping Cart Settings,Quotation Series,報價系列 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",具有相同名稱的項目存在( {0} ) ,請更改項目群組名或重新命名該項目 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,請選擇客戶 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,請選擇客戶 DocType: C-Form,I,一世 DocType: Company,Asset Depreciation Cost Center,資產折舊成本中心 DocType: Sales Order Item,Sales Order Date,銷售訂單日期 @@ -2916,6 +2922,7 @@ DocType: Assessment Plan,Assessment Plan,評估計劃 ,Payment Period Based On Invoice Date,基於發票日的付款期 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},缺少貨幣匯率{0} DocType: Assessment Plan,Examiner,檢查員 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 DocType: Journal Entry,Stock Entry,存貨分錄 DocType: Payment Entry,Payment References,付款參考 DocType: Vehicle,Insurance Details,保險詳情 @@ -2934,7 +2941,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,生產作業於此進行。 DocType: Asset Movement,Source Warehouse,來源倉庫 DocType: Installation Note,Installation Date,安裝日期 -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},行#{0}:資產{1}不屬於公司{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},行#{0}:資產{1}不屬於公司{2} DocType: Employee,Confirmation Date,確認日期 DocType: C-Form,Total Invoiced Amount,發票總金額 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,最小數量不能大於最大數量 @@ -3005,7 +3012,7 @@ DocType: Company,Default Letter Head,預設信頭 DocType: Purchase Order,Get Items from Open Material Requests,從開放狀態的物料需求取得項目 DocType: Item,Standard Selling Rate,標準銷售率 DocType: Account,Rate at which this tax is applied,此稅適用的匯率 -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,再訂購數量 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,再訂購數量 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,當前職位空缺 DocType: Company,Stock Adjustment Account,庫存調整帳戶 apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,註銷項款 @@ -3017,7 +3024,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,供應商提供給客戶 apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#窗體/項目/ {0})缺貨 apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,下一個日期必須大於過帳日期更大 -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},由於/參考日期不能後{0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},由於/參考日期不能後{0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,資料輸入和輸出 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,沒有發現學生 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,發票發布日期 @@ -3038,12 +3045,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,這是基於這名學生出席 apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,沒有學生 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,添加更多項目或全開放形式 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',請輸入「預定交付日」 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,送貨單{0}必須先取消才能取消銷貨訂單 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,送貨單{0}必須先取消才能取消銷貨訂單 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金額+寫的抵銷金額不能大於總計 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0}不是對項目的有效批號{1} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},注:沒有足夠的休假餘額請假類型{0} -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,無效的GSTIN或輸入NA未註冊 +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,無效的GSTIN或輸入NA未註冊 DocType: Training Event,Seminar,研討會 DocType: Program Enrollment Fee,Program Enrollment Fee,計劃註冊費 DocType: Item,Supplier Items,供應商項目 @@ -3105,7 +3111,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,價目表匯率 DocType: Purchase Invoice Item,Rate,單價 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,實習生 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,地址名稱 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,地址名稱 DocType: Stock Entry,From BOM,從BOM DocType: Assessment Code,Assessment Code,評估準則 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,基本的 @@ -3117,20 +3123,20 @@ DocType: Bank Reconciliation Detail,Payment Document,付款單據 apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must be greater than Date of Birth,加入日期必須大於出生日期 DocType: Salary Slip,Salary Structure,薪酬結構 DocType: Account,Bank,銀行 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,發行材料 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,發行材料 DocType: Material Request Item,For Warehouse,對於倉庫 DocType: Employee,Offer Date,到職日期 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,語錄 -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,您在離線模式。您將無法重新加載,直到你有網絡。 +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,您在離線模式。您將無法重新加載,直到你有網絡。 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,沒有學生團體創建的。 DocType: Purchase Invoice Item,Serial No,序列號 apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,每月還款額不能超過貸款金額較大 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,請先輸入維護細節 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,行#{0}:預計交貨日期不能在採購訂單日期之前 DocType: Purchase Invoice,Print Language,打印語言 DocType: Salary Slip,Total Working Hours,總的工作時間 DocType: Stock Entry,Including items for sub assemblies,包括子組件項目 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,輸入值必須為正 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品編號>商品組>品牌 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,輸入值必須為正 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,所有的領土 DocType: Purchase Invoice,Items,項目 apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,學生已經註冊。 @@ -3153,7 +3159,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',測度變異的默認單位“{0}”必須是相同模板“{1}” DocType: Shipping Rule,Calculate Based On,計算的基礎上 DocType: Delivery Note Item,From Warehouse,從倉庫 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,不與物料清單的項目,以製造 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,不與物料清單的項目,以製造 DocType: Assessment Plan,Supervisor Name,主管名稱 DocType: Program Enrollment Course,Program Enrollment Course,課程註冊課程 DocType: Program Enrollment Course,Program Enrollment Course,課程註冊課程 @@ -3172,27 +3178,28 @@ DocType: Leave Application,Follow via Email,透過電子郵件追蹤 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,廠房和機械設備 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,稅額折後金額 DocType: Daily Work Summary Settings,Daily Work Summary Settings,每日工作總結設置 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},價格表{0}的貨幣不與所選貨幣類似{1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},價格表{0}的貨幣不與所選貨幣類似{1} DocType: Payment Entry,Internal Transfer,內部轉賬 apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,此帳戶存在子帳戶。您無法刪除此帳戶。 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,無論是數量目標或目標量是必需的 apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},項目{0}不存在預設的的BOM -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,請選擇發布日期第一 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,請選擇發布日期第一 apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,開業日期應該是截止日期之前, DocType: Leave Control Panel,Carry Forward,發揚 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,與現有的交易成本中心,不能轉換為總賬 DocType: Department,Days for which Holidays are blocked for this department.,天的假期被封鎖這個部門。 ,Produced,生產 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,創建工資單 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,創建工資單 DocType: Item,Item Code for Suppliers,對於供應商產品編號 DocType: Issue,Raised By (Email),由(電子郵件)提出 DocType: Training Event,Trainer Name,培訓師姓名 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最後溝通 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最後溝通 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',不能抵扣當類別為“估值”或“估值及總' -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的租稅名稱(如增值稅,關稅等,它們應該具有唯一的名稱)及其標準費率。這將建立一個可以編輯和增加的標準模板。 +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的租稅名稱(如增值稅,關稅等,它們應該具有唯一的名稱)及其標準費率。這將建立一個可以編輯和增加的標準模板。 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},序列號為必填項序列為{0} apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,匹配付款與發票 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},行#{0}:請輸入項目{1}的交貨日期 DocType: Journal Entry,Bank Entry,銀行分錄 DocType: Authorization Rule,Applicable To (Designation),適用於(指定) apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,添加到購物車 @@ -3206,16 +3213,17 @@ DocType: Quality Inspection,Item Serial No,產品序列號 apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,建立員工檔案 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,總現 apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,會計報表 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,小時 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,小時 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新的序列號不能有倉庫。倉庫必須由存貨分錄或採購入庫單進行設定 DocType: Lead,Lead Type,引線型 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,在限制的日期,您無權批准休假 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,所有這些項目已開具發票 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,所有這些項目已開具發票 +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,每月銷售目標 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},可以通過{0}的批准 DocType: Item,Default Material Request Type,默認材料請求類型 DocType: Shipping Rule,Shipping Rule Conditions,送貨規則條件 DocType: BOM Replace Tool,The new BOM after replacement,更換後的新物料清單 -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,銷售點 +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,銷售點 DocType: Payment Entry,Received Amount,收金額 DocType: GST Settings,GSTIN Email Sent On,發送GSTIN電子郵件 DocType: Program Enrollment,Pick/Drop by Guardian,由守護者選擇 @@ -3231,7 +3239,7 @@ DocType: C-Form,Invoices,發票 DocType: Batch,Source Document Name,源文檔名稱 DocType: Job Opening,Job Title,職位 apps/erpnext/erpnext/utilities/activation.py +97,Create Users,創建用戶 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,量生產必須大於0。 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,量生產必須大於0。 apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,訪問報告維修電話。 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,相對於訂單量允許接受或交付的變動百分比額度。例如:如果你下定100個單位量,而你的許可額度是10%,那麼你可以收到最多110個單位量。 DocType: POS Customer Group,Customer Group,客戶群組 @@ -3243,7 +3251,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,請取消採購發票{0}第一 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",電子郵件地址必須是唯一的,已經存在了{0} DocType: Serial No,AMC Expiry Date,AMC到期時間 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,收據 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,收據 ,Sales Register,銷售登記 DocType: Daily Work Summary Settings Company,Send Emails At,發送電子郵件在 DocType: Quotation,Quotation Lost Reason,報價遺失原因 @@ -3256,14 +3264,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,還沒有客 apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,現金流量表 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},貸款額不能超過最高貸款額度{0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,執照 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},請刪除此發票{0}從C-表格{1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},請刪除此發票{0}從C-表格{1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,請選擇結轉,如果你還需要包括上一會計年度的資產負債葉本財年 DocType: GL Entry,Against Voucher Type,對憑證類型 DocType: Item,Attributes,屬性 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,請輸入核銷帳戶 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,最後訂購日期 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},帳戶{0}不屬於公司{1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列號與交貨單不匹配 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列號與交貨單不匹配 DocType: Student,Guardian Details,衛詳細 apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,馬克出席了多個員工 DocType: Vehicle,Chassis No,底盤無 @@ -3294,16 +3302,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,銷售 DocType: Stock Entry Detail,Basic Amount,基本金額 DocType: Training Event,Exam,考試 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},倉庫需要現貨產品{0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},倉庫需要現貨產品{0} DocType: Leave Allocation,Unused leaves,未使用的休假 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,鉻 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,鉻 DocType: Tax Rule,Billing State,計費狀態 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,轉讓 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1}未連結夥伴帳戶{2} -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),取得爆炸BOM(包括子組件) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),取得爆炸BOM(包括子組件) DocType: Authorization Rule,Applicable To (Employee),適用於(員工) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,截止日期是強制性的 apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,增量屬性{0}不能為0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客戶>客戶群>領土 DocType: Journal Entry,Pay To / Recd From,支付/ 接收 DocType: Naming Series,Setup Series,設置系列 DocType: Payment Reconciliation,To Invoice Date,要發票日期 @@ -3325,7 +3334,7 @@ DocType: Purchase Order Item Supplied,Raw Material Item Code,原料產品編號 DocType: Journal Entry,Write Off Based On,核銷的基礎上 apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,使鉛 DocType: Stock Settings,Show Barcode Field,顯示條形碼域 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,發送電子郵件供應商 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,發送電子郵件供應商 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",工資已經處理了與{0}和{1},留下申請期之間不能在此日期範圍內的時期。 apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,對於一個序列號安裝記錄 DocType: Guardian Interest,Guardian Interest,衛利息 @@ -3338,7 +3347,7 @@ apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,對網 DocType: Offer Letter,Awaiting Response,正在等待回應 apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},無效的屬性{0} {1} DocType: Supplier,Mention if non-standard payable account,如果非標準應付賬款提到 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},相同的物品已被多次輸入。 {}名單 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},相同的物品已被多次輸入。 {}名單 apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',請選擇“所有評估組”以外的評估組 DocType: Salary Slip,Earning & Deduction,收入及扣除 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,可選。此設置將被應用於過濾各種交易進行。 @@ -3355,7 +3364,7 @@ DocType: Production Order Item,Production Order Item,生產訂單項目 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,沒有資料 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,報廢資產成本 apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是強制性的項目{2} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,從產品包取得項目 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,從產品包取得項目 DocType: Asset,Straight Line,直線 DocType: Project User,Project User,項目用戶 DocType: GL Entry,Is Advance,為進 @@ -3368,6 +3377,7 @@ DocType: Bank Reconciliation,Payment Entries,付款項 DocType: Production Order,Scrap Warehouse,廢料倉庫 DocType: Production Order,Check if material transfer entry is not required,檢查是否不需要材料轉移條目 DocType: Production Order,Check if material transfer entry is not required,檢查是否不需要材料轉移條目 +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 DocType: Program Enrollment Tool,Get Students From,讓學生從 DocType: Hub Settings,Seller Country,賣家國家 apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,公佈於網頁上的項目 @@ -3383,18 +3393,18 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,指定條件來計算運費金額 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,允許設定凍結帳戶和編輯凍結分錄的角色 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,不能成本中心轉換為總賬,因為它有子節點 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,開度值 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,開度值 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,序列號 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,銷售佣金 DocType: Offer Letter Term,Value / Description,值/說明 -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:資產{1}無法提交,這已經是{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:資產{1}無法提交,這已經是{2} DocType: Tax Rule,Billing Country,結算國家 DocType: Purchase Order Item,Expected Delivery Date,預計交貨日期 apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,借貸{0}#不等於{1}。區別是{2}。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,娛樂費用 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,製作材料要求 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},打開項目{0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,銷售發票{0}必須早於此銷售訂單之前取消 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,銷售發票{0}必須早於此銷售訂單之前取消 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,年齡 DocType: Sales Invoice Timesheet,Billing Amount,開票金額 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,為項目指定了無效的數量{0} 。量應大於0 。 @@ -3417,7 +3427,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,新客戶收入 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,差旅費 DocType: Maintenance Visit,Breakdown,展開 -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,帳號:{0}幣種:{1}不能選擇 +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,帳號:{0}幣種:{1}不能選擇 apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},帳戶{0}:父帳戶{1}不屬於公司:{2} DocType: Program Enrollment Tool,Student Applicants,學生申請 apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,成功刪除與該公司相關的所有交易! @@ -3435,28 +3445,29 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,規劃 DocType: Material Request,Issued,發行 apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,學生活動 DocType: Project,Total Billing Amount (via Time Logs),總結算金額(經由時間日誌) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,我們賣這種產品 +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,我們賣這種產品 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,供應商編號 DocType: Payment Request,Payment Gateway Details,支付網關細節 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,量應大於0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,樣品數據 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,量應大於0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,樣品數據 DocType: Journal Entry,Cash Entry,現金分錄 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,子節點可以在'集團'類型的節點上創建 DocType: Academic Year,Academic Year Name,學年名稱 DocType: Sales Partner,Contact Desc,聯絡倒序 apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.",葉似漫不經心,生病等類型 DocType: Email Digest,Send regular summary reports via Email.,使用電子郵件發送定期匯總報告。 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},請報銷類型設置默認帳戶{0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},請報銷類型設置默認帳戶{0} DocType: Assessment Result,Student Name,學生姓名 DocType: Brand,Item Manager,項目經理 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,應付職工薪酬 DocType: Buying Settings,Default Supplier Type,預設的供應商類別 DocType: Production Order,Total Operating Cost,總營運成本 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,注:項目{0}多次輸入 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,注:項目{0}多次輸入 apps/erpnext/erpnext/config/selling.py +41,All Contacts.,所有聯絡人。 +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,設定您的目標 apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,公司縮寫 apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,用戶{0}不存在 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,原料不能同主品相 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,原料不能同主品相 DocType: Item Attribute Value,Abbreviation,縮寫 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,付款項目已存在 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,不允許因為{0}超出範圍 @@ -3474,7 +3485,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,此角色可以編輯 ,Territory Target Variance Item Group-Wise,地域內跨項目群組間的目標差異 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,所有客戶群組 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,每月累計 -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是強制性的。也許外幣兌換記錄為{1}到{2}尚未建立。 +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是強制性的。也許外幣兌換記錄為{1}到{2}尚未建立。 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,稅務模板是強制性的。 apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,帳戶{0}:父帳戶{1}不存在 DocType: Purchase Invoice Item,Price List Rate (Company Currency),價格列表費率(公司貨幣) @@ -3484,7 +3495,7 @@ DocType: Program,Courses,培訓班 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,秘書 DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",如果禁用“,在詞”字段不會在任何交易可見 DocType: Serial No,Distinct unit of an Item,一個項目的不同的單元 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,請設公司 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,請設公司 DocType: Pricing Rule,Buying,採購 DocType: HR Settings,Employee Records to be created by,員工紀錄的創造者 DocType: POS Profile,Apply Discount On,申請折扣 @@ -3494,7 +3505,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,項目智者稅制明細 apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,研究所縮寫 ,Item-wise Price List Rate,全部項目的價格表 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,供應商報價 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,供應商報價 DocType: Quotation,In Words will be visible once you save the Quotation.,報價一被儲存,就會顯示出來。 apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},數量({0})不能是行{1}中的分數 apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},數量({0})不能是行{1}中的分數 @@ -3515,7 +3526,7 @@ Updated via 'Time Log'","在分 DocType: Customer,From Lead,從鉛 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,發布生產訂單。 apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,選擇會計年度... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,所需的POS資料,使POS進入 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,所需的POS資料,使POS進入 DocType: Hub Settings,Name Token,名令牌 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,標準銷售 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,至少要有一間倉庫 @@ -3529,7 +3540,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,庫存價值差異 apps/erpnext/erpnext/config/learn.py +234,Human Resource,人力資源 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,付款方式付款對賬 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,所得稅資產 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},生產訂單已經{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},生產訂單已經{0} DocType: BOM Item,BOM No,BOM No. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,日記條目{0}沒有帳號{1}或已經匹配其他憑證 DocType: Item,Moving Average,移動平均線 @@ -3541,7 +3552,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,從。c apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,優秀的金額 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,為此銷售人員設定跨項目群組間的目標。 DocType: Stock Settings,Freeze Stocks Older Than [Days],凍結早於[Days]的庫存 -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:資產是必須的固定資產購買/銷售 +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:資產是必須的固定資產購買/銷售 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",如果兩個或更多的定價規則是基於上述條件發現,優先級被應用。優先權是一個介於0到20,而預設值是零(空)。數字越大,意味著其將優先考慮是否有與相同條件下多個定價規則。 apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,會計年度:{0}不存在 DocType: Currency Exchange,To Currency,到貨幣 @@ -3550,7 +3561,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,報銷的類型 apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},項目{0}的銷售價格低於其{1}。售價應至少為{2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},項目{0}的銷售價格低於其{1}。售價應至少為{2} DocType: Item,Taxes,稅 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,支付和未送達 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,支付和未送達 DocType: Project,Default Cost Center,預設的成本中心 DocType: Bank Guarantee,End Date,結束日期 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,庫存交易明細 @@ -3566,7 +3577,7 @@ DocType: Item Attribute,From Range,從範圍 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},式或條件語法錯誤:{0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,每日工作總結公司的設置 apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,項目{0}被忽略,因為它不是一個庫存項目 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,提交此生產訂單進行進一步的處理。 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,提交此生產訂單進行進一步的處理。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",要在一個特定的交易不適用於定價規則,所有適用的定價規則應該被禁用。 DocType: Assessment Group,Parent Assessment Group,家長評估小組 ,Sales Order Trends,銷售訂單趨勢 @@ -3575,7 +3586,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_cal ,Employee Information,僱員資料 DocType: Stock Entry Detail,Additional Cost,額外費用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",是冷凍的帳戶。要禁止該帳戶創建/編輯事務,你需要角色 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,讓供應商報價 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,讓供應商報價 DocType: Quality Inspection,Incoming,來 DocType: BOM,Materials Required (Exploded),所需材料(分解) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",將用戶添加到您的組織,除了自己 @@ -3588,7 +3599,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,帳號:{0}只能通過股票的交易進行更新 DocType: Student Group Creation Tool,Get Courses,獲取課程 DocType: GL Entry,Party,黨 -DocType: Sales Order,Delivery Date,交貨日期 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,交貨日期 DocType: Opportunity,Opportunity Date,機會日期 DocType: Purchase Receipt,Return Against Purchase Receipt,採購入庫的退貨 DocType: Request for Quotation Item,Request for Quotation Item,詢價項目 @@ -3602,7 +3613,7 @@ DocType: Task,Actual Time (in Hours),實際時間(小時) DocType: Employee,History In Company,公司歷史 apps/erpnext/erpnext/config/learn.py +107,Newsletters,簡訊 DocType: Stock Ledger Entry,Stock Ledger Entry,庫存總帳條目 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,同一項目已進入多次 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,同一項目已進入多次 DocType: Department,Leave Block List,休假區塊清單 DocType: Sales Invoice,Tax ID,稅號 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,項目{0}不是設定為序列號,此列必須為空白 @@ -3615,25 +3626,25 @@ DocType: SMS Settings,SMS Settings,簡訊設定 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,臨時帳戶 DocType: BOM Explosion Item,BOM Explosion Item,BOM展開項目 DocType: Account,Auditor,核數師 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,生產{0}項目 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,生產{0}項目 DocType: Cheque Print Template,Distance from top edge,從頂邊的距離 apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,價格表{0}禁用或不存在 DocType: Purchase Invoice,Return,退貨 DocType: Production Order Operation,Production Order Operation,生產訂單操作 DocType: Pricing Rule,Disable,關閉 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,付款方式需要進行付款 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,付款方式需要進行付款 DocType: Project Task,Pending Review,待審核 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1}未註冊批次{2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",資產{0}不能被廢棄,因為它已經是{1} DocType: Task,Total Expense Claim (via Expense Claim),總費用報銷(通過費用報銷) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,馬克缺席 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOM#的貨幣{1}應等於所選貨幣{2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOM#的貨幣{1}應等於所選貨幣{2} DocType: Journal Entry Account,Exchange Rate,匯率 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,銷售訂單{0}未提交 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,銷售訂單{0}未提交 DocType: Homepage,Tag Line,標語 DocType: Fee Component,Fee Component,收費組件 apps/erpnext/erpnext/config/hr.py +195,Fleet Management,車隊的管理 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,新增項目從 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,新增項目從 apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,所有評估標準的權重總數要達到100% DocType: BOM,Last Purchase Rate,最後預訂價 DocType: Account,Asset,財富 @@ -3653,12 +3664,12 @@ DocType: Employee,Reports to,隸屬於 DocType: SMS Settings,Enter url parameter for receiver nos,輸入URL參數的接收器號 DocType: Payment Entry,Paid Amount,支付的金額 DocType: Assessment Plan,Supervisor,監 -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,線上 +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,線上 ,Available Stock for Packing Items,可用庫存包裝項目 DocType: Item Variant,Item Variant,項目變 DocType: Assessment Result Tool,Assessment Result Tool,評價結果工具 DocType: BOM Scrap Item,BOM Scrap Item,BOM項目廢料 -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,提交的訂單不能被刪除 +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,提交的訂單不能被刪除 apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",帳戶餘額已歸為借方帳戶,不允許設為信用帳戶 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,品質管理 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,項{0}已被禁用 @@ -3688,7 +3699,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Appli DocType: Item Group,Default Expense Account,預設費用帳戶 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,學生的電子郵件ID DocType: Tax Rule,Sales Tax Template,銷售稅模板 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,選取要保存發票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,選取要保存發票 DocType: Employee,Encashment Date,兌現日期 DocType: Training Event,Internet,互聯網 DocType: Account,Stock Adjustment,庫存調整 @@ -3733,10 +3744,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,調度 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,{0}允許的最大折扣:{1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,淨資產值作為 DocType: Account,Receivable,應收賬款 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供應商的採購訂單已經存在 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供應商的採購訂單已經存在 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,此角色是允許提交超過所設定信用額度的交易。 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,選擇項目,以製造 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",主數據同步,這可能需要一些時間 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,選擇項目,以製造 +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",主數據同步,這可能需要一些時間 DocType: Item,Material Issue,發料 DocType: Hub Settings,Seller Description,賣家描述 DocType: Employee Education,Qualification,合格 @@ -3755,11 +3766,10 @@ DocType: Journal Entry,Write Off Entry,核銷進入 DocType: BOM,Rate Of Materials Based On,材料成本基於 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,支援分析 DocType: POS Profile,Terms and Conditions,條款和條件 -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},日期應該是在財政年度內。假設終止日期= {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",在這裡,你可以保持身高,體重,過敏,醫療問題等 DocType: Leave Block List,Applies to Company,適用於公司 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因為提交股票輸入{0}存在 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因為提交股票輸入{0}存在 DocType: Vehicle,Vehicle,車輛 DocType: Purchase Invoice,In Words,大寫 DocType: POS Profile,Item Groups,項目組 @@ -3790,7 +3800,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,全局設置 DocType: Assessment Result Detail,Assessment Result Detail,評價結果詳細 DocType: Employee Education,Employee Education,員工教育 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,在項目組表中找到重複的項目組 -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,需要獲取項目細節。 +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,需要獲取項目細節。 DocType: Salary Slip,Net Pay,淨收費 DocType: Account,Account,帳戶 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,已收到序號{0} @@ -3798,7 +3808,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,車輛登錄 DocType: Purchase Invoice,Recurring Id,經常性標識 DocType: Customer,Sales Team Details,銷售團隊詳細 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,永久刪除? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,永久刪除? DocType: Expense Claim,Total Claimed Amount,總索賠額 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,潛在的銷售機會。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},無效的{0} @@ -3809,7 +3819,7 @@ DocType: Warehouse,PIN,銷 apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,設置你的ERPNext學校 DocType: Sales Invoice,Base Change Amount (Company Currency),基地漲跌額(公司幣種) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,沒有以下的倉庫會計分錄 -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,首先保存文檔。 +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,首先保存文檔。 DocType: Account,Chargeable,收費 DocType: Company,Change Abbreviation,更改縮寫 DocType: Expense Claim Detail,Expense Date,犧牲日期 @@ -3820,7 +3830,6 @@ DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the r DocType: BOM,Manufacturing User,製造業用戶 DocType: Purchase Invoice,Raw Materials Supplied,提供供應商原物料 DocType: Purchase Invoice,Recurring Print Format,經常列印格式 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,預計交貨日期不能早於採購訂單日期 DocType: Appraisal,Appraisal Template,評估模板 DocType: Item Group,Item Classification,項目分類 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,業務發展經理 @@ -3856,12 +3865,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,選擇品 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,培訓活動/結果 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,作為累計折舊 DocType: Sales Invoice,C-Form Applicable,C-表格適用 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},運行時間必須大於0的操作{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},運行時間必須大於0的操作{0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,倉庫是強制性的 DocType: Supplier,Address and Contacts,地址和聯絡方式 DocType: UOM Conversion Detail,UOM Conversion Detail,計量單位換算詳細 DocType: Program,Program Abbreviation,計劃縮寫 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,生產訂單不能對一個項目提出的模板 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,生產訂單不能對一個項目提出的模板 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,費用對在採購入庫單內的每個項目更新 DocType: Warranty Claim,Resolved By,議決 DocType: Bank Guarantee,Start Date,開始日期 @@ -3895,6 +3904,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,培訓反饋 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,生產訂單{0}必須提交 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},請選擇項目{0}的開始日期和結束日期 +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,設定您想要實現的銷售目標。 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},當然是行強制性{0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,無效的主名稱 apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,新增 / 編輯價格 @@ -3909,7 +3919,7 @@ DocType: Account,Income,收入 DocType: Industry Type,Industry Type,行業類型 apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,出事了! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,警告:離開包含以下日期區塊的應用程式 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,銷售發票{0}已提交 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,銷售發票{0}已提交 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,會計年度{0}不存在 DocType: Purchase Invoice Item,Amount (Company Currency),金額(公司貨幣) apps/erpnext/erpnext/stock/stock_ledger.py +372,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {1}在需要{2}在{3} {4}:{5}來完成這一交易單位。 @@ -3936,7 +3946,7 @@ DocType: Naming Series,Help HTML,HTML幫助 DocType: Student Group Creation Tool,Student Group Creation Tool,學生組創建工具 DocType: Item,Variant Based On,基於變異對 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},分配的總權重應為100 % 。這是{0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,您的供應商 +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,您的供應商 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,不能設置為失落的銷售訂單而成。 DocType: Request for Quotation Item,Supplier Part No,供應商部件號 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',當類是“估值”或“Vaulation和總'不能扣除 @@ -3946,14 +3956,14 @@ DocType: Item,Has Serial No,有序列號 DocType: Employee,Date of Issue,發行日期 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}:從{0}給 {1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",根據購買設置,如果需要購買記錄==“是”,則為了創建採購發票,用戶需要首先為項目{0}創建採購憑證 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},行#{0}:設置供應商項目{1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,行{0}:小時值必須大於零。 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},行#{0}:設置供應商項目{1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,行{0}:小時值必須大於零。 apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,網站圖像{0}附加到物品{1}無法找到 DocType: Issue,Content Type,內容類型 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,電腦 DocType: Item,List this Item in multiple groups on the website.,列出這個項目在網站上多個組。 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,請檢查多幣種選項,允許帳戶與其他貨幣 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,項:{0}不存在於系統中 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,項:{0}不存在於系統中 apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,您無權設定值凍結 DocType: Payment Reconciliation,Get Unreconciled Entries,獲取未調節項 DocType: Payment Reconciliation,From Invoice Date,從發票日期 @@ -3978,7 +3988,7 @@ DocType: Stock Entry,Default Source Warehouse,預設來源倉庫 DocType: Item,Customer Code,客戶代碼 apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},生日提醒{0} apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,天自上次訂購 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,借方帳戶必須是資產負債表科目 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,借方帳戶必須是資產負債表科目 DocType: Leave Block List,Leave Block List Name,休假區塊清單名稱 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,保險開始日期應小於保險終止日期 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +32,Stock Assets,庫存資產 @@ -3993,7 +4003,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of e DocType: Sales Order Item,Ordered Qty,訂購數量 apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,項目{0}無效 DocType: Stock Settings,Stock Frozen Upto,存貨凍結到...為止 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM不包含任何庫存項目 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM不包含任何庫存項目 apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},期間從和週期要日期強制性的經常性{0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,專案活動/任務。 DocType: Vehicle Log,Refuelling Details,加油詳情 @@ -4003,7 +4013,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,最後購買率未找到 DocType: Purchase Invoice,Write Off Amount (Company Currency),核銷金額(公司貨幣) DocType: Sales Invoice Timesheet,Billing Hours,結算時間 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,默認BOM {0}未找到 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,默認BOM {0}未找到 apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,行#{0}:請設置再訂購數量 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,點擊項目將其添加到此處 DocType: Fees,Program Enrollment,招生計劃 @@ -4036,6 +4046,7 @@ DocType: Upload Attendance,Upload Attendance,上傳考勤 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manufacturing Quantity are required,BOM和生產量是必需的 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,老齡範圍2 apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM取代 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,根據交付日期選擇項目 ,Sales Analytics,銷售分析 DocType: Manufacturing Settings,Manufacturing Settings,製造設定 apps/erpnext/erpnext/config/setup.py +56,Setting up Email,設定電子郵件 @@ -4078,7 +4089,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise折扣 apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,時間表的任務。 DocType: Purchase Invoice,Against Expense Account,對費用帳戶 DocType: Production Order,Production Order,生產訂單 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,安裝注意{0}已提交 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,安裝注意{0}已提交 DocType: Bank Reconciliation,Get Payment Entries,獲取付款項 DocType: Quotation Item,Against Docname,對Docname DocType: SMS Center,All Employee (Active),所有員工(活動) @@ -4086,7 +4097,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +9,View Now,立 DocType: Purchase Invoice,Select the period when the invoice will be generated automatically,選擇發票會自動生成期間 DocType: Item Reorder,Re-Order Level,重新排序級別 DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,輸入您想要提高生產訂單或下載的原材料進行分析的項目和計劃數量。 -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,甘特圖 +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,甘特圖 DocType: Employee,Applicable Holiday List,適用假期表 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,系列更新 apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,報告類型是強制性的 @@ -4137,11 +4148,11 @@ DocType: Bin,Reserved Qty for Production,預留數量生產 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,如果您不想在製作基於課程的組時考慮批量,請不要選中。 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,如果您不想在製作基於課程的組時考慮批量,請不要選中。 DocType: Asset,Frequency of Depreciation (Months),折舊率(月) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,信用賬戶 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,信用賬戶 DocType: Landed Cost Item,Landed Cost Item,到岸成本項目 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,顯示零值 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,製造/從原材料數量給予重新包裝後獲得的項目數量 -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,設置一個簡單的網站為我的組織 +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,設置一個簡單的網站為我的組織 DocType: Payment Reconciliation,Receivable / Payable Account,應收/應付賬款 DocType: Delivery Note Item,Against Sales Order Item,對銷售訂單項目 apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},請指定屬性值的屬性{0} @@ -4201,21 +4212,21 @@ DocType: Student,Nationality,國籍 ,Items To Be Requested,需求項目 DocType: Purchase Order,Get Last Purchase Rate,取得最新採購價格 DocType: Company,Company Info,公司資訊 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,選擇或添加新客戶 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,成本中心需要預訂費用報銷 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,選擇或添加新客戶 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,成本中心需要預訂費用報銷 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),基金中的應用(資產) apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,這是基於該員工的考勤 DocType: Fiscal Year,Year Start Date,年結開始日期 DocType: Attendance,Employee Name,員工姓名 DocType: Sales Invoice,Rounded Total (Company Currency),整數總計(公司貨幣) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,不能隱蔽到組,因為帳戶類型選擇的。 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1} 已修改。請更新。 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1} 已修改。請更新。 DocType: Leave Block List,Stop users from making Leave Applications on following days.,停止用戶在下面日期提出休假申請。 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,購買金額 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,供應商報價{0}創建 apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,結束年份不能啟動年前 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,員工福利 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},盒裝數量必須等於{1}列品項{0}的數量 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},盒裝數量必須等於{1}列品項{0}的數量 DocType: Production Order,Manufactured Qty,生產數量 DocType: Purchase Receipt Item,Accepted Quantity,允收數量 apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},請設置一個默認的假日列表為員工{0}或公司{1} @@ -4228,7 +4239,7 @@ DocType: Account,Parent Account,父帳戶 DocType: Quality Inspection Reading,Reading 3,閱讀3 ,Hub,樞紐 DocType: GL Entry,Voucher Type,憑證類型 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,價格表未找到或被禁用 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,價格表未找到或被禁用 DocType: Employee Loan Application,Approved,批准 DocType: Pricing Rule,Price,價格 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',員工解除對{0}必須設定為“左” @@ -4291,7 +4302,7 @@ DocType: SMS Settings,Static Parameters,靜態參數 DocType: Assessment Plan,Room,房間 DocType: Purchase Order,Advance Paid,提前支付 DocType: Item,Item Tax,產品稅 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,材料到供應商 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,材料到供應商 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,消費稅發票 apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}出現%不止一次 DocType: Expense Claim,Employees Email Id,員工的電子郵件ID @@ -4327,7 +4338,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payme apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empty,車是空的 DocType: Production Order,Actual Operating Cost,實際運行成本 DocType: Payment Entry,Cheque/Reference No,支票/參考編號 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供應商>供應商類型 apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,root不能被編輯。 DocType: Item,Units of Measure,測量的單位 DocType: Manufacturing Settings,Allow Production on Holidays,允許假日生產 @@ -4358,12 +4368,12 @@ DocType: Global Defaults,Do not show any symbol like $ etc next to currencies., DocType: Supplier,Credit Days,信貸天 apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,讓學生批 DocType: Leave Type,Is Carry Forward,是弘揚 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,從物料清單取得項目 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,從物料清單取得項目 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,交貨期天 -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:過帳日期必須是相同的購買日期{1}資產的{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:過帳日期必須是相同的購買日期{1}資產的{2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,如果學生住在學院的旅館,請檢查。 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,請在上表中輸入銷售訂單 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,未提交工資單 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,未提交工資單 ,Stock Summary,股票摘要 apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,從一個倉庫轉移資產到另一 apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,材料清單 diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv index 77164e89a07..c341c0efa9f 100644 --- a/erpnext/translations/zh.csv +++ b/erpnext/translations/zh.csv @@ -17,7 +17,7 @@ DocType: Sales Partner,Dealer,经销商 DocType: Employee,Rented,租 DocType: Purchase Order,PO-,PO- DocType: POS Profile,Applicable for User,适用于用户 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止生产订单无法取消,首先Unstop它取消 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +196,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止生产订单无法取消,首先Unstop它取消 DocType: Vehicle Service,Mileage,里程 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,难道你真的想放弃这项资产? apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,选择默认供应商 @@ -36,7 +36,7 @@ DocType: Purchase Order,% Billed,% 已记账 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),汇率必须一致{0} {1}({2}) DocType: Sales Invoice,Customer Name,客户名称 DocType: Vehicle,Natural Gas,天然气 -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},银行账户不能命名为{0} +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +132,Bank account cannot be named as {0},银行账户不能命名为{0} DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,会计分录和维护余额操作针对的组(头) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),杰出的{0}不能小于零( {1} ) DocType: Manufacturing Settings,Default 10 mins,默认为10分钟 @@ -44,7 +44,7 @@ DocType: Leave Type,Leave Type Name,假期类型名称 apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,公开显示 apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,系列已成功更新 apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,查看 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural日记帐分录提交 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +175,Accural Journal Entry Submitted,Accural日记帐分录提交 DocType: Pricing Rule,Apply On,应用于 DocType: Item Price,Multiple Item prices.,多个品目的价格。 ,Purchase Order Items To Be Received,采购订单项目可收 @@ -60,7 +60,7 @@ DocType: Mode of Payment Account,Mode of Payment Account,付款方式账户 apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,显示变体 DocType: Academic Term,Academic Term,学期 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,材料 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +677,Quantity,数量 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +670,Quantity,数量 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,账表不能为空。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),借款(负债) DocType: Employee Education,Year of Passing,按年排序 @@ -72,11 +72,10 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already as apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,医疗保健 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),延迟支付(天) apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,服务费用 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +846,Serial Number: {0} is already referenced in Sales Invoice: {1},序号:{0}已在销售发票中引用:{1} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +816,Invoice,发票 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +860,Serial Number: {0} is already referenced in Sales Invoice: {1},序号:{0}已在销售发票中引用:{1} +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +809,Invoice,发票 DocType: Maintenance Schedule Item,Periodicity,周期性 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,会计年度{0}是必需的 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Expected Delivery Date is be before Sales Order Date,预计交货日期是之前销售订单日期 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +21,Defense,Defense DocType: Salary Component,Abbr,缩写 DocType: Appraisal Goal,Score (0-5),得分(0-5) @@ -84,7 +83,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,行#{0}: DocType: Timesheet,Total Costing Amount,总成本计算金额 DocType: Delivery Note,Vehicle No,车辆编号 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,请选择价格表 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +154,Please select Price List,请选择价格表 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,列#{0}:付款单据才能完成trasaction DocType: Production Order Operation,Work In Progress,在制品 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,请选择日期 @@ -110,7 +109,7 @@ DocType: Rename Tool,"Attach .csv file with two columns, one for the old name an apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} 没有在任何活动的财政年度中。 DocType: Packed Item,Parent Detail docname,家长可采用DocName细节 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",参考:{0},商品编号:{1}和顾客:{2} -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,千克 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Kg,千克 DocType: Student Log,Log,日志 apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,开放的工作。 DocType: Item Attribute,Increment,增量 @@ -120,7 +119,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,已婚 apps/erpnext/erpnext/accounts/party.py +43,Not permitted for {0},不允许{0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +568,Get items from,从获得项目 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},送货单{0}不能更新库存 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +445,Stock cannot be updated against Delivery Note {0},送货单{0}不能更新库存 apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},产品{0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,没有列出项目 DocType: Payment Reconciliation,Reconcile,对账 @@ -131,7 +130,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,养 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,接下来折旧日期不能购买日期之前 DocType: SMS Center,All Sales Person,所有的销售人员 DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**月度分配**帮助你分配预算/目标跨越几个月,如果你在你的业务有季节性。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,Not items found,未找到项目 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1672,Not items found,未找到项目 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,薪酬结构缺失 DocType: Lead,Person Name,人姓名 DocType: Sales Invoice Item,Sales Invoice Item,销售发票品目 @@ -145,12 +144,12 @@ apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",是固定资产不能被反选,因为存在资产记录的项目 DocType: Vehicle Service,Brake Oil,刹车油 DocType: Tax Rule,Tax Type,税收类型 -apps/erpnext/erpnext/accounts/page/pos/pos.js +685,Taxable Amount,应税金额 +apps/erpnext/erpnext/controllers/taxes_and_totals.py +540,Taxable Amount,应税金额 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},你没有权限在{0}前添加或更改分录。 DocType: BOM,Item Image (if not slideshow),项目图片(如果没有指定幻灯片) apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,同名客户已存在 DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(小时率/ 60)*实际操作时间 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +875,Select BOM,选择BOM +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +881,Select BOM,选择BOM DocType: SMS Log,SMS Log,短信日志 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,交付品目成本 apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,在{0}这个节日之间没有从日期和结束日期 @@ -170,13 +169,13 @@ DocType: Academic Term,Schools,学校 DocType: School Settings,Validate Batch for Students in Student Group,验证学生组学生的批次 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},未找到员工的假期记录{0} {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,请先输入公司 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,请首先选择公司 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +340,Please select Company first,请首先选择公司 DocType: Employee Education,Under Graduate,本科 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,目标类型 DocType: BOM,Total Cost,总成本 DocType: Journal Entry Account,Employee Loan,员工贷款 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,活动日志: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,项目{0}不存在于系统中或已过期 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +108,Activity Log:,活动日志: +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +234,Item {0} does not exist in the system or has expired,项目{0}不存在于系统中或已过期 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,房地产 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,对账单 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,制药 @@ -186,19 +185,18 @@ DocType: Expense Claim Detail,Claim Amount,报销金额 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,在CUTOMER组表中找到重复的客户群 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,供应商类型/供应商 DocType: Naming Series,Prefix,字首 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列 -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,耗材 +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Consumable,耗材 DocType: Employee,B-,B- DocType: Upload Attendance,Import Log,导入日志 DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,拉根据上述标准型的制造材料要求 DocType: Training Result Employee,Grade,年级 DocType: Sales Invoice Item,Delivered By Supplier,交付供应商 DocType: SMS Center,All Contact,所有联系人 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +863,Production Order already created for all items with BOM,生产订单已经与BOM的所有项目创建 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order already created for all items with BOM,生产订单已经与BOM的所有项目创建 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,年薪 DocType: Daily Work Summary,Daily Work Summary,每日工作总结 DocType: Period Closing Voucher,Closing Fiscal Year,结算财年 -apps/erpnext/erpnext/accounts/party.py +352,{0} {1} is frozen,{0} {1}已冻结 +apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is frozen,{0} {1}已冻结 apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,请选择现有的公司创建会计科目表 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,库存费用 apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,选择目标仓库 @@ -213,13 +211,13 @@ apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_ apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},已接受+已拒绝的数量必须等于条目{0}的已接收数量 DocType: Request for Quotation,RFQ-,RFQ- DocType: Item,Supply Raw Materials for Purchase,供应原料采购 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,At least one mode of payment is required for POS invoice.,付款中的至少一个模式需要POS发票。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +147,At least one mode of payment is required for POS invoice.,付款中的至少一个模式需要POS发票。 DocType: Products Settings,Show Products as a List,产品展示作为一个列表 DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file. All dates and employee combination in the selected period will come in the template, with existing attendance records",下载此模板,填写相应的数据后上传。所有的日期和员工出勤记录将显示在模板里。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,项目{0}处于非活动或寿命终止状态 -apps/erpnext/erpnext/public/js/setup_wizard.js +331,Example: Basic Mathematics,例如:基础数学 -apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括税款,行{0}项率,税收行{1}也必须包括在内 +apps/erpnext/erpnext/public/js/setup_wizard.js +344,Example: Basic Mathematics,例如:基础数学 +apps/erpnext/erpnext/controllers/accounts_controller.py +670,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括税款,行{0}项率,税收行{1}也必须包括在内 apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,人力资源模块的设置 DocType: SMS Center,SMS Center,短信中心 DocType: Sales Invoice,Change Amount,涨跌额 @@ -250,7 +248,7 @@ apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +79,Installation date cannot be before delivery date for Item {0},项目{0}的安装日期不能早于交付日期 DocType: Pricing Rule,Discount on Price List Rate (%),折扣价目表率(%) DocType: Offer Letter,Select Terms and Conditions,选择条款和条件 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +51,Out Value,输出值 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +60,Out Value,输出值 DocType: Production Planning Tool,Sales Orders,销售订单 DocType: Purchase Taxes and Charges,Valuation,估值 ,Purchase Order Trends,采购订单趋势 @@ -274,7 +272,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update E DocType: Sales Invoice,Is Opening Entry,是否期初分录 DocType: Customer Group,Mention if non-standard receivable account applicable,何况,如果不规范应收账款适用 DocType: Course Schedule,Instructor Name,导师姓名 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,For Warehouse is required before Submit,提交前必须选择仓库 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +179,For Warehouse is required before Submit,提交前必须选择仓库 apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,收到的 DocType: Sales Partner,Reseller,经销商 DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.",如果选中,将包括材料要求非库存物品。 @@ -282,13 +280,13 @@ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_p DocType: Delivery Note Item,Against Sales Invoice Item,对销售发票项目 ,Production Orders in Progress,在建生产订单 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,从融资净现金 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"LocalStorage is full , did not save",localStorage的满了,没救 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2251,"LocalStorage is full , did not save",localStorage的满了,没救 DocType: Lead,Address & Contact,地址及联系方式 DocType: Leave Allocation,Add unused leaves from previous allocations,添加未使用的叶子从以前的分配 apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},周期{0}下次创建时间为{1} DocType: Sales Partner,Partner website,合作伙伴网站 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,新增项目 -apps/erpnext/erpnext/public/js/setup_wizard.js +254,Contact Name,联系人姓名 +apps/erpnext/erpnext/public/js/setup_wizard.js +265,Contact Name,联系人姓名 DocType: Course Assessment Criteria,Course Assessment Criteria,课程评价标准 DocType: Process Payroll,Creates salary slip for above mentioned criteria.,依上述条件创建工资单 DocType: POS Customer Group,POS Customer Group,POS客户群 @@ -304,7 +302,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:请检查'是推进'对帐户{1},如果这是一个进步条目。 apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},仓库{0}不属于公司{1} DocType: Email Digest,Profit & Loss,利润损失 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Litre,升 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Litre,升 DocType: Task,Total Costing Amount (via Time Sheet),总成本计算量(通过时间表) DocType: Item Website Specification,Item Website Specification,项目网站规格 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,已禁止请假 @@ -316,7 +314,7 @@ DocType: Stock Entry,Sales Invoice No,销售发票编号 DocType: Material Request Item,Min Order Qty,最小订货量 DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,学生组创建工具课程 DocType: Lead,Do Not Contact,不要联系 -apps/erpnext/erpnext/public/js/setup_wizard.js +346,People who teach at your organisation,谁在您的组织教人 +apps/erpnext/erpnext/public/js/setup_wizard.js +359,People who teach at your organisation,谁在您的组织教人 DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,跟踪所有周期性发票的唯一ID,提交时自动生成。 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,软件开发人员 DocType: Item,Minimum Order Qty,最小起订量 @@ -328,7 +326,7 @@ DocType: Item,Publish in Hub,在发布中心 DocType: Student Admission,Student Admission,学生入学 ,Terretory,区域 apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,项目{0}已取消 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +890,Material Request,物料申请 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +883,Material Request,物料申请 DocType: Bank Reconciliation,Update Clearance Date,更新清拆日期 DocType: Item,Purchase Details,购买详情 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},项目{0}未发现“原材料提供'表中的采购订单{1} @@ -368,7 +366,7 @@ DocType: Vehicle,Fleet Manager,车队经理 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +517,Row #{0}: {1} can not be negative for item {2},行#{0}:{1}不能为负值对项{2} apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,密码错误 DocType: Item,Variant Of,变体自 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,Completed Qty can not be greater than 'Qty to Manufacture',完成数量不能大于“生产数量” +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +367,Completed Qty can not be greater than 'Qty to Manufacture',完成数量不能大于“生产数量” DocType: Period Closing Voucher,Closing Account Head,结算帐户头 DocType: Employee,External Work History,外部就职经历 apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,循环引用错误 @@ -378,10 +376,11 @@ DocType: Cheque Print Template,Distance from left edge,从左侧边缘的距离 apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}]的单位(#窗体/项目/ {1})在[{2}]研究发现(#窗体/仓储/ {2}) DocType: Lead,Industry,行业 DocType: Employee,Job Profile,工作简介 +apps/erpnext/erpnext/setup/doctype/company/company_dashboard.py +6,This is based on transactions against this Company. See timeline below for details,这是基于对本公司的交易。有关详情,请参阅下面的时间表 DocType: Stock Settings,Notify by Email on creation of automatic Material Request,自动创建物料申请时通过邮件通知 DocType: Journal Entry,Multi Currency,多币种 DocType: Payment Reconciliation Invoice,Invoice Type,发票类型 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +824,Delivery Note,送货单 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +844,Delivery Note,送货单 apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,建立税 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,出售资产的成本 apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,付款项被修改,你把它之后。请重新拉。 @@ -404,10 +403,10 @@ apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,请输入“重复上月的一天'字段值 DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,客户货币转换为客户的基础货币后的单价 DocType: Course Scheduling Tool,Course Scheduling Tool,排课工具 -apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:采购发票不能对现有资产进行{1} +apps/erpnext/erpnext/controllers/accounts_controller.py +571,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:采购发票不能对现有资产进行{1} DocType: Item Tax,Tax Rate,税率 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0}已分配给员工{1}的时期{2}到{3} -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +857,Select Item,选择项目 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +850,Select Item,选择项目 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,采购发票{0}已经提交 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},行#{0}:批号必须与{1} {2} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,转换为非集团 @@ -447,7 +446,7 @@ DocType: Employee,Widowed,丧偶 DocType: Request for Quotation,Request for Quotation,询价 DocType: Salary Slip Timesheet,Working Hours,工作时间 DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改现有系列的起始/当前序列号。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,创建一个新的客户 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1455,Create a new Customer,创建一个新的客户 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",如果几条价格规则同时使用,系统将提醒用户设置优先级。 apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,创建采购订单 ,Purchase Register,购买注册 @@ -473,7 +472,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selli DocType: Assessment Plan,Examiner Name,考官名称 DocType: Purchase Invoice Item,Quantity and Rate,数量和价格 DocType: Delivery Note,% Installed,%已安装 -apps/erpnext/erpnext/public/js/setup_wizard.js +361,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/实验室等在那里的演讲可以预定。 +apps/erpnext/erpnext/public/js/setup_wizard.js +374,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/实验室等在那里的演讲可以预定。 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,请先输入公司名称 DocType: Purchase Invoice,Supplier Name,供应商名称 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,阅读ERPNext手册 @@ -490,7 +489,7 @@ DocType: Account,Old Parent,旧上级 apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,必修课 - 学年 apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +18,Mandatory field - Academic Year,必修课 - 学年 DocType: Notification Control,Customize the introductory text that goes as a part of that email. Each transaction has a separate introductory text.,自定义作为邮件一部分的简介文本,每个邮件的简介文本是独立的。 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set default payable account for the company {0},请为公司{0}设置预设应付账款 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +153,Please set default payable account for the company {0},请为公司{0}设置预设应付账款 apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,所有生产流程的全局设置。 DocType: Accounts Settings,Accounts Frozen Upto,账户被冻结到...为止 DocType: SMS Log,Sent On,发送日期 @@ -530,7 +529,7 @@ DocType: Journal Entry,Accounts Payable,应付帐款 apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,所选的材料清单并不同样项目 DocType: Pricing Rule,Valid Upto,有效期至 DocType: Training Event,Workshop,作坊 -apps/erpnext/erpnext/public/js/setup_wizard.js +244,List a few of your customers. They could be organizations or individuals.,列出一些你的客户,他们可以是组织或个人。 +apps/erpnext/erpnext/public/js/setup_wizard.js +255,List a few of your customers. They could be organizations or individuals.,列出一些你的客户,他们可以是组织或个人。 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,足够的配件组装 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,直接收益 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",按科目分类后不能根据科目过滤 @@ -538,7 +537,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative O apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,请选择课程 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,请选择课程 DocType: Timesheet Detail,Hrs,小时 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,请选择公司 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +324,Please select Company,请选择公司 DocType: Stock Entry Detail,Difference Account,差异科目 DocType: Purchase Invoice,Supplier GSTIN,供应商GSTIN apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,不能因为其依赖的任务{0}没有关闭关闭任务。 @@ -555,7 +554,7 @@ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please d apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,请定义等级为阈值0% DocType: Sales Order,To Deliver,为了提供 DocType: Purchase Invoice Item,Item,产品 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,Serial no item cannot be a fraction,序号项目不能是一个分数 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2423,Serial no item cannot be a fraction,序号项目不能是一个分数 DocType: Journal Entry,Difference (Dr - Cr),差异(贷方-借方) DocType: Account,Profit and Loss,损益 apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,管理转包 @@ -581,7 +580,7 @@ DocType: Serial No,Warranty Period (Days),保修期限(天数) DocType: Installation Note Item,Installation Note Item,安装单项目 DocType: Production Plan Item,Pending Qty,待定数量 DocType: Budget,Ignore,忽略 -apps/erpnext/erpnext/accounts/party.py +356,{0} {1} is not active,{0} {1} 未激活 +apps/erpnext/erpnext/accounts/party.py +358,{0} {1} is not active,{0} {1} 未激活 apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},短信发送至以下号码:{0} apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,设置检查尺寸打印 DocType: Salary Slip,Salary Slip Timesheet,工资单时间表 @@ -686,8 +685,8 @@ DocType: Installation Note,IN-,在- DocType: Production Order Operation,In minutes,已分钟为单位 DocType: Issue,Resolution Date,决议日期 DocType: Student Batch Name,Batch Name,批名 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +315,Timesheet created:,创建时间表: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +866,Please set default Cash or Bank account in Mode of Payment {0},请设置默认的现金或银行账户的付款方式{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +319,Timesheet created:,创建时间表: +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +880,Please set default Cash or Bank account in Mode of Payment {0},请设置默认的现金或银行账户的付款方式{0} apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,注册 DocType: GST Settings,GST Settings,GST设置 DocType: Selling Settings,Customer Naming By,客户命名方式 @@ -707,7 +706,7 @@ DocType: Activity Cost,Projects User,项目用户 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,已消耗 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}:{1}在发票明细表中无法找到 DocType: Company,Round Off Cost Center,四舍五入成本中心 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +219,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消维护访问{0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +227,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消维护访问{0} DocType: Item,Material Transfer,物料转移 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),开幕(博士) apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},发布时间标记必须经过{0} @@ -716,7 +715,7 @@ DocType: Employee Loan,Total Interest Payable,合计应付利息 DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,到岸成本税费 DocType: Production Order Operation,Actual Start Time,实际开始时间 DocType: BOM Operation,Operation Time,操作时间 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +286,Finish,完 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +285,Finish,完 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +395,Base,基础 DocType: Timesheet,Total Billed Hours,帐单总时间 DocType: Journal Entry,Write Off Amount,核销金额 @@ -743,7 +742,7 @@ DocType: Vehicle,Odometer Value (Last),里程表值(最后) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,市场营销 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,已创建付款输入 DocType: Purchase Receipt Item Supplied,Current Stock,当前库存 -apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:资产{1}不挂项目{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +558,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:资产{1}不挂项目{2} apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +377,Preview Salary Slip,预览工资单 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,帐户{0}已多次输入 DocType: Account,Expenses Included In Valuation,开支计入估值 @@ -768,7 +767,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,航天 DocType: Journal Entry,Credit Card Entry,信用卡分录 apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,公司与账户 apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,来自供应商的已收入成品。 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,金额 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +58,In Value,金额 DocType: Lead,Campaign Name,活动名称 DocType: Selling Settings,Close Opportunity After Days,关闭机会后日 ,Reserved,保留的 @@ -793,17 +792,18 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,能源 DocType: Opportunity,Opportunity From,从机会 apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,月度工资结算 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +848,Row {0}: {1} Serial numbers required for Item {2}. You have provided {3}.,行{0}:{1}项目{2}所需的序列号。你已经提供{3}。 DocType: BOM,Website Specifications,网站规格 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}:申请者{0} 假期类型{1} DocType: Warranty Claim,CI-,CI- apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,行{0}:转换系数是强制性的 DocType: Employee,A+,A + apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海报价格规则,同样的标准存在,请分配优先级解决冲突。价格规则:{0} -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,无法停用或取消BOM,因为它被其他BOM引用。 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +468,Cannot deactivate or cancel BOM as it is linked with other BOMs,无法停用或取消BOM,因为它被其他BOM引用。 DocType: Opportunity,Maintenance,维护 DocType: Item Attribute Value,Item Attribute Value,项目属性值 apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,销售活动。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,Make Timesheet,制作时间表 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +109,Make Timesheet,制作时间表 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -848,7 +848,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,设置电子邮件帐户 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,没有客户或供应商帐户发现。账户是根据\确定 DocType: Account,Liability,负债 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,制裁金额不能大于索赔额行{0}。 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +182,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,制裁金额不能大于索赔额行{0}。 DocType: Company,Default Cost of Goods Sold Account,销货账户的默认成本 apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,价格列表没有选择 DocType: Employee,Family Background,家庭背景 @@ -859,10 +859,10 @@ DocType: Company,Default Bank Account,默认银行账户 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",要根据党的筛选,选择党第一类型 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},“库存更新'校验不通过,因为{0}中的退货条目未交付 DocType: Vehicle,Acquisition Date,采集日期 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Nos,Nos DocType: Item,Items with higher weightage will be shown higher,具有较高权重的项目将显示更高的可 DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,银行对帐详细 -apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,行#{0}:资产{1}必须提交 +apps/erpnext/erpnext/controllers/accounts_controller.py +562,Row #{0}: Asset {1} must be submitted,行#{0}:资产{1}必须提交 apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,未找到任何雇员 DocType: Supplier Quotation,Stopped,已停止 DocType: Item,If subcontracted to a vendor,如果分包给供应商 @@ -879,7 +879,7 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,最小发票金额 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:成本中心{2}不属于公司{3} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}帐户{2}不能是一个组 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,项目行{idx}: {文档类型}上不存在'{文档类型}'表 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,Timesheet {0} is already completed or cancelled,时间表{0}已完成或取消 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +278,Timesheet {0} is already completed or cancelled,时间表{0}已完成或取消 apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,没有任务 DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",每月自动生成发票的日期,例如5号,28号等 DocType: Asset,Opening Accumulated Depreciation,打开累计折旧 @@ -938,7 +938,7 @@ DocType: SMS Log,Requested Numbers,请求号码 DocType: Production Planning Tool,Only Obtain Raw Materials,只有取得原料 apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,绩效考核。 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",作为启用的购物车已启用“使用购物车”,而应该有购物车至少有一个税务规则 -apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",付款输入{0}对订单{1},检查它是否应该被拉到作为预先在该发票联。 +apps/erpnext/erpnext/controllers/accounts_controller.py +360,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",付款输入{0}对订单{1},检查它是否应该被拉到作为预先在该发票联。 DocType: Sales Invoice Item,Stock Details,库存详细信息 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,项目价值 apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,销售点 @@ -961,15 +961,15 @@ DocType: Naming Series,Update Series,更新系列 DocType: Supplier Quotation,Is Subcontracted,是否外包 DocType: Item Attribute,Item Attribute Values,项目属性值 DocType: Examination Result,Examination Result,考试成绩 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +803,Purchase Receipt,外购入库单 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +796,Purchase Receipt,外购入库单 ,Received Items To Be Billed,要支付的已收项目 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,提交工资单 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +173,Submitted Salary Slips,提交工资单 apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,货币汇率大师 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},参考文档类型必须是一个{0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +298,Unable to find Time Slot in the next {0} days for Operation {1},找不到时隙在未来{0}天操作{1} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +302,Unable to find Time Slot in the next {0} days for Operation {1},找不到时隙在未来{0}天操作{1} DocType: Production Order,Plan material for sub-assemblies,计划材料为子组件 apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,销售合作伙伴和地区 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be active,BOM{0}处于非活动状态 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +547,BOM {0} must be active,BOM{0}处于非活动状态 DocType: Journal Entry,Depreciation Entry,折旧分录 apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,请选择文档类型第一 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,取消此上门保养之前请先取消物料访问{0} @@ -979,7 +979,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with e DocType: Bank Reconciliation,Total Amount,总金额 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,互联网出版 DocType: Production Planning Tool,Production Orders,生产订单 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Value,余额值 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +62,Balance Value,余额值 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,销售价格表 apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,发布同步项目 DocType: Bank Reconciliation,Account Currency,账户币种 @@ -1004,12 +1004,12 @@ DocType: Employee,Exit Interview Details,退出面试细节 DocType: Item,Is Purchase Item,是否采购项目 DocType: Asset,Purchase Invoice,购买发票 DocType: Stock Ledger Entry,Voucher Detail No,凭证详情编号 -apps/erpnext/erpnext/accounts/page/pos/pos.js +825,New Sales Invoice,新的销售发票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +730,New Sales Invoice,新的销售发票 DocType: Stock Entry,Total Outgoing Value,即将离任的总价值 apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,开幕日期和截止日期应在同一会计年度 DocType: Lead,Request for Information,索取资料 ,LeaderBoard,排行榜 -apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,同步离线发票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,同步离线发票 DocType: Payment Request,Paid,付费 DocType: Program Fee,Program Fee,课程费用 DocType: Salary Slip,Total in words,总字 @@ -1017,7 +1017,7 @@ DocType: Material Request Item,Lead Time Date,交货时间日期 DocType: Guardian,Guardian Name,监护人姓名 DocType: Cheque Print Template,Has Print Format,拥有打印格式 DocType: Employee Loan,Sanctioned,制裁 -apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,是强制性的。也许外币兑换记录没有创建 +apps/erpnext/erpnext/accounts/page/pos/pos.js +71, is mandatory. Maybe Currency Exchange record is not created for ,是强制性的。也许外币兑换记录没有创建 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},行#{0}:请注明序号为项目{1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +622,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",对于“产品包”的物品,仓库,序列号和批号将被从“装箱单”表考虑。如果仓库和批次号是相同的任何“产品包”项目的所有包装物品,这些值可以在主项表中输入,值将被复制到“装箱单”表。 DocType: Job Opening,Publish on website,发布在网站上 @@ -1030,7 +1030,7 @@ DocType: Cheque Print Template,Date Settings,日期设定 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,方差 ,Company Name,公司名称 DocType: SMS Center,Total Message(s),总信息(s ) -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +855,Select Item for Transfer,对于转让项目选择 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +848,Select Item for Transfer,对于转让项目选择 DocType: Purchase Invoice,Additional Discount Percentage,额外折扣百分比 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +24,View a list of all the help videos,查看所有帮助影片名单 DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,请选择支票存入的银行账户头。 @@ -1045,7 +1045,7 @@ DocType: BOM,Raw Material Cost(Company Currency),原料成本(公司货币) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +731,All items have already been transferred for this Production Order.,所有品目都已经转移到这个生产订单。 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大于{1} {2}中使用的速率 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大于{1} {2}中使用的速率 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,仪表 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Meter,仪表 DocType: Workstation,Electricity Cost,电力成本 DocType: HR Settings,Don't send Employee Birthday Reminders,不要发送员工生日提醒 DocType: Item,Inspection Criteria,检验标准 @@ -1059,7 +1059,7 @@ DocType: SMS Center,All Lead (Open),所有潜在客户(开放) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:数量不适用于{4}在仓库{1}在发布条目的时间({2} {3}) DocType: Purchase Invoice,Get Advances Paid,获取已付预付款 DocType: Item,Automatically Create New Batch,自动创建新批 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Make ,使 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Make ,使 DocType: Student Admission,Admission Start Date,入学开始日期 DocType: Journal Entry,Total Amount in Words,总金额词 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,发生了错误,一个可能的原因可能是您没有保存表单。如果问题仍然存在请联系管理员或support@erpnext.com。 @@ -1067,7 +1067,7 @@ apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,我的购物车 apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},订单类型必须是一个{0} DocType: Lead,Next Contact Date,下次联络日期 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,开放数量 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,Please enter Account for Change Amount,对于涨跌额请输入帐号 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +456,Please enter Account for Change Amount,对于涨跌额请输入帐号 DocType: Student Batch Name,Student Batch Name,学生批名 DocType: Holiday List,Holiday List Name,假期列表名称 DocType: Repayment Schedule,Balance Loan Amount,平衡贷款额 @@ -1075,7 +1075,7 @@ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_to apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,库存选项 DocType: Journal Entry Account,Expense Claim,报销 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,难道你真的想恢复这个报废的资产? -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Qty for {0},{0}数量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Qty for {0},{0}数量 DocType: Leave Application,Leave Application,假期申请 apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,假期调配工具 DocType: Leave Block List,Leave Block List Dates,禁离日列表日期 @@ -1126,7 +1126,7 @@ apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard B DocType: GL Entry,Against,针对 DocType: Item,Default Selling Cost Center,默认销售成本中心 DocType: Sales Partner,Implementation Partner,实施合作伙伴 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,ZIP Code,邮编 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1545,ZIP Code,邮编 apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},销售订单{0} {1} DocType: Opportunity,Contact Info,联系方式 apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,制作Stock条目 @@ -1145,14 +1145,14 @@ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age, DocType: School Settings,Attendance Freeze Date,出勤冻结日期 DocType: School Settings,Attendance Freeze Date,出勤冻结日期 DocType: Opportunity,Your sales person who will contact the customer in future,联系客户的销售人员 -apps/erpnext/erpnext/public/js/setup_wizard.js +264,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供应商,他们可以是组织或个人。 +apps/erpnext/erpnext/public/js/setup_wizard.js +275,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供应商,他们可以是组织或个人。 apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,查看所有产品 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低铅年龄(天) apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低铅年龄(天) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,所有的材料明细表 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +61,All BOMs,所有的材料明细表 DocType: Company,Default Currency,默认货币 DocType: Expense Claim,From Employee,来自员工 -apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告: 因为{1}中的物件{0}为零,系统将不会检查超额 +apps/erpnext/erpnext/controllers/accounts_controller.py +420,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告: 因为{1}中的物件{0}为零,系统将不会检查超额 DocType: Journal Entry,Make Difference Entry,创建差异分录 DocType: Upload Attendance,Attendance From Date,考勤起始日期 DocType: Appraisal Template Goal,Key Performance Area,关键绩效区 @@ -1169,7 +1169,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208, DocType: Company,Company registration numbers for your reference. Tax numbers etc.,公司注册号码,供大家参考。税务号码等 DocType: Sales Partner,Distributor,经销商 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,购物车配送规则 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +225,Production Order {0} must be cancelled before cancelling this Sales Order,生产订单{0}必须取消这个销售订单之前被取消 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +233,Production Order {0} must be cancelled before cancelling this Sales Order,生产订单{0}必须取消这个销售订单之前被取消 apps/erpnext/erpnext/public/js/controllers/transaction.js +67,Please set 'Apply Additional Discount On',请设置“收取额外折扣” ,Ordered Items To Be Billed,订购物品被标榜 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,从范围必须小于要范围 @@ -1178,10 +1178,10 @@ apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaborat DocType: Salary Slip,Deductions,扣款列表 DocType: Leave Allocation,LAL/,LAL / apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,开始年份 -apps/erpnext/erpnext/regional/india/utils.py +23,First 2 digits of GSTIN should match with State number {0},GSTIN的前2位数字应与状态号{0}匹配 +apps/erpnext/erpnext/regional/india/utils.py +24,First 2 digits of GSTIN should match with State number {0},GSTIN的前2位数字应与状态号{0}匹配 DocType: Purchase Invoice,Start date of current invoice's period,当前发票周期的起始日期 DocType: Salary Slip,Leave Without Pay,无薪假期 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,容量规划错误 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +346,Capacity Planning Error,容量规划错误 ,Trial Balance for Party,试算表的派对 DocType: Lead,Consultant,顾问 DocType: Salary Slip,Earnings,盈余 @@ -1197,7 +1197,7 @@ DocType: Cheque Print Template,Payer Settings,付款人设置 DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",这将追加到变异的项目代码。例如,如果你的英文缩写为“SM”,而该项目的代码是“T-SHIRT”,该变种的项目代码将是“T-SHIRT-SM” DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,保存工资单后会显示净支付金额(大写)。 DocType: Purchase Invoice,Is Return,再来 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +779,Return / Debit Note,返回/借记注 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +772,Return / Debit Note,返回/借记注 DocType: Price List Country,Price List Country,价目表国家 DocType: Item,UOMs,计量单位 apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},品目{1}有{0}个有效序列号 @@ -1210,7 +1210,7 @@ DocType: Employee Loan,Partially Disbursed,部分已支付 apps/erpnext/erpnext/config/buying.py +38,Supplier database.,供应商数据库。 DocType: Account,Balance Sheet,资产负债表 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +684,Cost Center For Item with Item Code ',成本中心:品目代码‘ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2483,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。请检查是否帐户已就付款方式或POS机配置文件中设置。 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2384,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。请检查是否帐户已就付款方式或POS机配置文件中设置。 DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,您的销售人员将在此日期收到联系客户的提醒 apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,同一项目不能输入多次。 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",进一步帐户可以根据组进行,但条目可针对非组进行 @@ -1240,7 +1240,7 @@ DocType: Employee Loan Application,Repayment Info,还款信息 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,“分录”不能为空 apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},重复的行{0}同{1} ,Trial Balance,试算表 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,会计年度{0}未找到 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +432,Fiscal Year {0} not found,会计年度{0}未找到 apps/erpnext/erpnext/config/hr.py +296,Setting up Employees,建立职工 DocType: Sales Order,SO-,所以- apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,请选择前缀第一 @@ -1255,11 +1255,11 @@ DocType: Grading Scale,Intervals,间隔 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,最早 apps/erpnext/erpnext/stock/doctype/item/item.py +504,"An Item Group exists with same name, please change the item name or rename the item group",同名品目群组已存在,请修改品目名或群组名 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,学生手机号码 -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,世界其他地区 +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +487,Rest Of The World,世界其他地区 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,物件{0}不能有批次 ,Budget Variance Report,预算差异报告 DocType: Salary Slip,Gross Pay,工资总额 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,行{0}:活动类型是强制性的。 +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +114,Row {0}: Activity Type is mandatory.,行{0}:活动类型是强制性的。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,股利支付 apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,会计总帐 DocType: Stock Reconciliation,Difference Amount,差额 @@ -1282,18 +1282,18 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Employee Leave Balance,雇员假期余量 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},账户{0}的余额必须总是{1} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},行对项目所需的估值速率{0} -apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,举例:硕士计算机科学 +apps/erpnext/erpnext/public/js/setup_wizard.js +329,Example: Masters in Computer Science,举例:硕士计算机科学 DocType: Purchase Invoice,Rejected Warehouse,拒绝仓库 DocType: GL Entry,Against Voucher,对凭证 DocType: Item,Default Buying Cost Center,默认采购成本中心 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.",为了获得最好ERPNext,我们建议您花一些时间和观看这些帮助视频。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,至 +apps/erpnext/erpnext/accounts/page/pos/pos.js +72, to ,至 DocType: Supplier Quotation Item,Lead Time in days,在天交货期 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,应付帐款摘要 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},从{0}工资支付{1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +326,Payment of salary from {0} to {1},从{0}工资支付{1} apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},无权修改冻结帐户{0} DocType: Journal Entry,Get Outstanding Invoices,获取未清发票 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,销售订单{0}无效 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +70,Sales Order {0} is not valid,销售订单{0}无效 apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,采购订单帮助您规划和跟进您的购买 apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",抱歉,公司不能合并 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \ @@ -1315,8 +1315,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,间接支出 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,行{0}:数量是强制性的 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,农业 -apps/erpnext/erpnext/accounts/page/pos/pos.js +830,Sync Master Data,同步主数据 -apps/erpnext/erpnext/public/js/setup_wizard.js +283,Your Products or Services,您的产品或服务 +apps/erpnext/erpnext/accounts/page/pos/pos.js +735,Sync Master Data,同步主数据 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Your Products or Services,您的产品或服务 DocType: Mode of Payment,Mode of Payment,付款方式 apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,网站形象应该是一个公共文件或网站网址 DocType: Student Applicant,AP,美联社 @@ -1336,18 +1336,18 @@ DocType: Student Group Student,Group Roll Number,组卷编号 DocType: Student Group Student,Group Roll Number,组卷编号 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",对于{0},贷方分录只能选择贷方账户 apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,所有任务的权重合计应为1。请相应调整的所有项目任务重 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Delivery Note {0} is not submitted,送货单{0}未提交 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +566,Delivery Note {0} is not submitted,送货单{0}未提交 apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,项目{0}必须是外包项目 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,资本设备 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",定价规则是第一选择是基于“应用在”字段,可以是项目,项目组或品牌。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +216,Please set the Item Code first,请先设定商品代码 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +215,Please set the Item Code first,请先设定商品代码 DocType: Hub Settings,Seller Website,卖家网站 DocType: Item,ITEM-,项目- apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,对于销售团队总分配比例应为100 DocType: Appraisal Goal,Goal,目标 DocType: Sales Invoice Item,Edit Description,编辑说明 ,Team Updates,团队更新 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +790,For Supplier,对供应商 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +783,For Supplier,对供应商 DocType: Account,Setting Account Type helps in selecting this Account in transactions.,设置帐户类型有助于在交易中选择该帐户。 DocType: Purchase Invoice,Grand Total (Company Currency),总计(公司货币) apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Create Print Format,创建打印格式 @@ -1361,12 +1361,12 @@ DocType: Item,Website Item Groups,网站物件组 DocType: Purchase Invoice,Total (Company Currency),总(公司货币) apps/erpnext/erpnext/stock/utils.py +200,Serial number {0} entered more than once,序列号{0}已多次输入 DocType: Depreciation Schedule,Journal Entry,日记帐分录 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{0} items in progress,{0}操作中的单品 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +140,{0} items in progress,{0}操作中的单品 DocType: Workstation,Workstation Name,工作站名称 DocType: Grading Scale Interval,Grade Code,等级代码 DocType: POS Item Group,POS Item Group,POS项目组 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,邮件摘要: -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,BOM {0} does not belong to Item {1},BOM{0}不属于品目{1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +553,BOM {0} does not belong to Item {1},BOM{0}不属于品目{1} DocType: Sales Partner,Target Distribution,目标分布 DocType: Salary Slip,Bank Account No.,银行账号 DocType: Naming Series,This is the number of the last created transaction with this prefix,这就是以这个前缀的最后一个创建的事务数 @@ -1424,7 +1424,7 @@ DocType: Quotation,Shopping Cart,购物车 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Avg Daily Outgoing,平均每日出货 DocType: POS Profile,Campaign,活动 DocType: Supplier,Name and Type,名称和类型 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',审批状态必须被“已批准”或“已拒绝” +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +60,Approval Status must be 'Approved' or 'Rejected',审批状态必须被“已批准”或“已拒绝” DocType: Purchase Invoice,Contact Person,联络人 apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',“预计开始日期”不能大于“预计结束日期' DocType: Course Scheduling Tool,Course End Date,课程结束日期 @@ -1436,8 +1436,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries DocType: Employee,Prefered Email,首选电子邮件 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,在固定资产净变动 DocType: Leave Control Panel,Leave blank if considered for all designations,如果针对所有 职位请留空 -apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}中的收取类型“实际”不能有“品目税率” -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +351,Max: {0},最大值:{0} +apps/erpnext/erpnext/controllers/accounts_controller.py +676,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}中的收取类型“实际”不能有“品目税率” +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +350,Max: {0},最大值:{0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,起始时间日期 DocType: Email Digest,For Company,对公司 apps/erpnext/erpnext/config/support.py +17,Communication log.,通信日志。 @@ -1478,7 +1478,7 @@ DocType: Job Opening,"Job profile, qualifications required etc.",工作概况, DocType: Journal Entry Account,Account Balance,账户余额 apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,税收规则进行的交易。 DocType: Rename Tool,Type of document to rename.,的文件类型进行重命名。 -apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,我们购买这些物件 +apps/erpnext/erpnext/public/js/setup_wizard.js +314,We buy this Item,我们购买这些物件 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}:需要客户支付的应收账款{2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),总税费和费用(公司货币) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,显示未关闭的会计年度的盈亏平衡 @@ -1489,7 +1489,7 @@ DocType: Quality Inspection,Readings,阅读 DocType: Stock Entry,Total Additional Costs,总额外费用 DocType: Course Schedule,SH,SH DocType: BOM,Scrap Material Cost(Company Currency),废料成本(公司货币) -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,半成品 +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Sub Assemblies,半成品 DocType: Asset,Asset Name,资产名称 DocType: Project,Task Weight,任务重 DocType: Shipping Rule Condition,To Value,To值 @@ -1518,7 +1518,7 @@ apps/erpnext/erpnext/config/stock.py +300,Item Variants,项目变体 DocType: Company,Services,服务 DocType: HR Settings,Email Salary Slip to Employee,电子邮件工资单给员工 DocType: Cost Center,Parent Cost Center,父成本中心 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +884,Select Possible Supplier,选择潜在供应商 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +877,Select Possible Supplier,选择潜在供应商 DocType: Sales Invoice,Source,源 apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,显示关闭 DocType: Leave Type,Is Leave Without Pay,是无薪休假 @@ -1530,7 +1530,7 @@ DocType: POS Profile,Apply Discount,应用折扣 DocType: GST HSN Code,GST HSN Code,GST HSN代码 DocType: Employee External Work History,Total Experience,总经验 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,打开项目 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +285,Packing Slip(s) cancelled,装箱单( S)取消 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +286,Packing Slip(s) cancelled,装箱单( S)取消 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,从投资现金流 DocType: Program Course,Program Course,课程计划 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,货运及转运费 @@ -1571,9 +1571,9 @@ apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple tim DocType: Program Enrollment Tool,Program Enrollments,计划扩招 DocType: Sales Invoice Item,Brand Name,品牌名称 DocType: Purchase Receipt,Transporter Details,转运详细 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2667,Default warehouse is required for selected item,默认仓库需要选中的项目 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Box,箱 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +881,Possible Supplier,可能的供应商 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2568,Default warehouse is required for selected item,默认仓库需要选中的项目 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Box,箱 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +874,Possible Supplier,可能的供应商 DocType: Budget,Monthly Distribution,月度分布 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,接收人列表为空。请创建接收人列表 DocType: Production Plan Sales Order,Production Plan Sales Order,生产计划销售订单 @@ -1606,7 +1606,7 @@ apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,公司开支 apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students",学生在系统的心脏,添加所有的学生 apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},行#{0}:清除日期{1}无法支票日期前{2} DocType: Company,Default Holiday List,默认假期列表 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:从时间和结束时间{1}是具有重叠{2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +186,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:从时间和结束时间{1}是具有重叠{2} apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,库存负债 DocType: Purchase Invoice,Supplier Warehouse,供应商仓库 DocType: Opportunity,Contact Mobile No,联系人手机号码 @@ -1622,18 +1622,18 @@ apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for defau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},类型为{0}的假期不能长于{1}天 DocType: Manufacturing Settings,Try planning operations for X days in advance.,尝试规划X天行动提前。 DocType: HR Settings,Stop Birthday Reminders,停止生日提醒 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},请公司设定默认应付职工薪酬帐户{0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +250,Please set Default Payroll Payable Account in Company {0},请公司设定默认应付职工薪酬帐户{0} DocType: SMS Center,Receiver List,接收人列表 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,Search Item,搜索项目 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1059,Search Item,搜索项目 apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,消耗量 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,现金净变动 DocType: Assessment Plan,Grading Scale,分级量表 apps/erpnext/erpnext/stock/doctype/item/item.py +396,Unit of Measure {0} has been entered more than once in Conversion Factor Table,计量单位{0}已经在换算系数表内 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +599,Already completed,已经完成 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +603,Already completed,已经完成 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,库存在手 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},付款申请已经存在{0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,已发料品目成本 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +354,Quantity must not be more than {0},数量不能超过{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +353,Quantity must not be more than {0},数量不能超过{0} apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,上一财政年度未关闭 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),时间(天) DocType: Quotation Item,Quotation Item,报价品目 @@ -1647,6 +1647,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101, DocType: Sales Invoice,Reference Document,参考文献 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1}被取消或停止 DocType: Accounts Settings,Credit Controller,信用控制人 +DocType: Sales Order,Final Delivery Date,最终交货日期 DocType: Delivery Note,Vehicle Dispatch Date,车辆调度日期 DocType: Purchase Invoice Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,外购入库单{0}未提交 @@ -1738,9 +1739,9 @@ DocType: Employee,Date Of Retirement,退休日期 DocType: Upload Attendance,Get Template,获取模板 DocType: Material Request,Transferred,转入 DocType: Vehicle,Doors,门 -apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext设置完成! +apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +206,ERPNext Setup Complete!,ERPNext设置完成! DocType: Course Assessment Criteria,Weightage,权重 -DocType: Sales Invoice,Tax Breakup,税收分解 +DocType: Purchase Invoice,Tax Breakup,税收分解 DocType: Packing Slip,PS-,PS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:需要的损益“账户成本中心{2}。请设置为公司默认的成本中心。 apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,同名的客户组已经存在,请更改客户姓名或重命名该客户组 @@ -1753,14 +1754,14 @@ DocType: Announcement,Instructor,讲师 DocType: Employee,AB+,AB + DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",如果此项目有变体,那么它不能在销售订单等选择 DocType: Lead,Next Contact By,下次联络人 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},行{1}中的品目{0}必须指定数量 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +282,Quantity required for Item {0} in row {1},行{1}中的品目{0}必须指定数量 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},仓库{0}无法删除,因为产品{1}有库存量 DocType: Quotation,Order Type,订单类型 DocType: Purchase Invoice,Notification Email Address,通知邮件地址 ,Item-wise Sales Register,逐项销售登记 DocType: Asset,Gross Purchase Amount,总购买金额 DocType: Asset,Depreciation Method,折旧方法 -apps/erpnext/erpnext/accounts/page/pos/pos.js +793,Offline,离线 +apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,离线 DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,此税项是否包含在基本价格中? apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,总目标 DocType: Job Applicant,Applicant for a Job,求职申请 @@ -1781,7 +1782,7 @@ DocType: Employee,Leave Encashed?,假期已使用? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,从机会是必选项 DocType: Email Digest,Annual Expenses,年度支出 DocType: Item,Variants,变种 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +984,Make Purchase Order,创建采购订单 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +1052,Make Purchase Order,创建采购订单 DocType: SMS Center,Send To,发送到 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},假期类型{0}的余额不足了 DocType: Payment Reconciliation Payment,Allocated amount,分配量 @@ -1789,7 +1790,7 @@ DocType: Sales Team,Contribution to Net Total,贡献净总计 DocType: Sales Invoice Item,Customer's Item Code,客户的品目编号 DocType: Stock Reconciliation,Stock Reconciliation,库存盘点 DocType: Territory,Territory Name,区域名称 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,Work-in-Progress Warehouse is required before Submit,提交前需要指定在制品仓库 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,Work-in-Progress Warehouse is required before Submit,提交前需要指定在制品仓库 apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,求职申请。 DocType: Purchase Order Item,Warehouse and Reference,仓库及参考 DocType: Supplier,Statutory info and other general information about your Supplier,供应商的注册信息和其他一般信息 @@ -1802,16 +1803,16 @@ apps/erpnext/erpnext/config/hr.py +137,Appraisals,估价 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},品目{0}的序列号重复 DocType: Shipping Rule Condition,A condition for a Shipping Rule,发货规则的一个条件 apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,请输入 -apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行不能overbill为项目{0} {1}超过{2}。要允许对帐单,请在购买设置中设置 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,根据项目或仓库请设置过滤器 +apps/erpnext/erpnext/controllers/accounts_controller.py +436,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行不能overbill为项目{0} {1}超过{2}。要允许对帐单,请在购买设置中设置 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +212,Please set filter based on Item or Warehouse,根据项目或仓库请设置过滤器 DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),此打包的净重。(根据内容物件的净重自动计算) DocType: Sales Order,To Deliver and Bill,为了提供与比尔 DocType: Student Group,Instructors,教师 DocType: GL Entry,Credit Amount in Account Currency,在账户币金额 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} must be submitted,BOM{0}未提交 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +550,BOM {0} must be submitted,BOM{0}未提交 DocType: Authorization Control,Authorization Control,授权控制 apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒绝仓库是强制性的反对否决项{1} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +774,Payment,付款 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +767,Payment,付款 apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",仓库{0}未与任何帐户关联,请在仓库记录中提及该帐户,或在公司{1}中设置默认库存帐户。 apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,管理您的订单 DocType: Production Order Operation,Actual Time and Cost,实际时间和成本 @@ -1827,12 +1828,13 @@ apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,在销 DocType: Quotation Item,Actual Qty,实际数量 DocType: Sales Invoice Item,References,参考 DocType: Quality Inspection Reading,Reading 10,阅读10 -apps/erpnext/erpnext/public/js/setup_wizard.js +284,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",列出您采购或销售的产品或服务。请确认品目群组,计量单位或其他属性。 +apps/erpnext/erpnext/public/js/setup_wizard.js +295,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",列出您采购或销售的产品或服务。请确认品目群组,计量单位或其他属性。 DocType: Hub Settings,Hub Node,Hub节点 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,您输入了重复的条目。请纠正然后重试。 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,协理 +DocType: Company,Sales Target,销售目标 DocType: Asset Movement,Asset Movement,资产运动 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,New Cart,新的车 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2102,New Cart,新的车 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,项目{0}不是一个序列项目 DocType: SMS Center,Create Receiver List,创建接收人列表 DocType: Vehicle,Wheels,车轮 @@ -1874,13 +1876,14 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,项目管理 DocType: Supplier,Supplier of Goods or Services.,提供商品或服务的供应商。 DocType: Budget,Fiscal Year,财政年度 DocType: Vehicle Log,Fuel Price,燃油价格 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列 DocType: Budget,Budget,预算 apps/erpnext/erpnext/stock/doctype/item/item.py +232,Fixed Asset Item must be a non-stock item.,固定资产项目必须是一个非库存项目。 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",财政预算案不能对{0}指定的,因为它不是一个收入或支出帐户 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,已实现 DocType: Student Admission,Application Form Route,申请表路线 apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,区域/客户 -apps/erpnext/erpnext/public/js/setup_wizard.js +234,e.g. 5,例如5 +apps/erpnext/erpnext/public/js/setup_wizard.js +245,e.g. 5,例如5 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,休假类型{0},因为它是停薪留职无法分配 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},行{0}:已分配量{1}必须小于或等于发票余额{2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,大写金额将在销售发票保存后显示。 @@ -1889,11 +1892,11 @@ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree, apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,项目{0}没有设置序列号,请进入主项目中修改 DocType: Maintenance Visit,Maintenance Time,维护时间 ,Amount to Deliver,量交付 -apps/erpnext/erpnext/public/js/setup_wizard.js +291,A Product or Service,产品或服务 +apps/erpnext/erpnext/public/js/setup_wizard.js +302,A Product or Service,产品或服务 apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,这个词开始日期不能超过哪个术语链接学年的开学日期较早(学年{})。请更正日期,然后再试一次。 DocType: Guardian,Guardian Interests,守护兴趣 DocType: Naming Series,Current Value,当前值 -apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,多个会计年度的日期{0}存在。请设置公司财年 +apps/erpnext/erpnext/controllers/accounts_controller.py +253,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,多个会计年度的日期{0}存在。请设置公司财年 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0}已创建 DocType: Delivery Note Item,Against Sales Order,对销售订单 ,Serial No Status,序列号状态 @@ -1907,7 +1910,7 @@ DocType: Pricing Rule,Selling,销售 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},金额{0} {1}抵扣{2} DocType: Employee,Salary Information,薪资信息 DocType: Sales Person,Name and Employee ID,姓名和雇员ID -apps/erpnext/erpnext/accounts/party.py +298,Due Date cannot be before Posting Date,到期日不能前于过账日期 +apps/erpnext/erpnext/accounts/party.py +300,Due Date cannot be before Posting Date,到期日不能前于过账日期 DocType: Website Item Group,Website Item Group,网站物件组 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,关税与税项 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,参考日期请输入 @@ -1964,9 +1967,9 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},请为员工{0}设置加入日期 DocType: Task,Total Billing Amount (via Time Sheet),总开票金额(通过时间表) apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,重复客户收入 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} {1}必须有“费用审批人”的角色 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,对 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,Select BOM and Qty for Production,选择BOM和数量生产 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +171,{0} ({1}) must have role 'Expense Approver',{0} {1}必须有“费用审批人”的角色 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Pair,对 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +876,Select BOM and Qty for Production,选择BOM和数量生产 DocType: Asset,Depreciation Schedule,折旧计划 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,销售合作伙伴地址和联系人 DocType: Bank Reconciliation Detail,Against Account,针对科目 @@ -1976,7 +1979,7 @@ DocType: Item,Has Batch No,有批号 apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},年度结算:{0} apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),商品和服务税(印度消费税) DocType: Delivery Note,Excise Page Number,Excise页码 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",公司,从日期和结束日期是必须 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +157,"Company, From Date and To Date is mandatory",公司,从日期和结束日期是必须 DocType: Asset,Purchase Date,购买日期 DocType: Employee,Personal Details,个人资料 apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},请设置在公司的资产折旧成本中心“{0} @@ -1985,9 +1988,9 @@ DocType: Task,Actual End Date (via Time Sheet),实际结束日期(通过时间 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},数量 {0}{1} 对应 {2}{3} ,Quotation Trends,报价趋势 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},项目{0}的项目群组没有设置 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,入借帐户必须是应收账科目 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +346,Debit To account must be a Receivable account,入借帐户必须是应收账科目 DocType: Shipping Rule Condition,Shipping Amount,发货数量 -apps/erpnext/erpnext/public/js/setup_wizard.js +243,Add Customers,添加客户 +apps/erpnext/erpnext/public/js/setup_wizard.js +254,Add Customers,添加客户 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,待审核金额 DocType: Purchase Invoice Item,Conversion Factor,转换系数 DocType: Purchase Order,Delivered,已交付 @@ -2010,7 +2013,6 @@ DocType: Bank Reconciliation,Include Reconciled Entries,包括核销分录 DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",家长课程(如果不是家长课程的一部分,请留空) DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)",家长课程(如果不是家长课程的一部分,请留空) DocType: Leave Control Panel,Leave blank if considered for all employee types,如果针对所有雇员类型请留空 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客户>客户群>领土 DocType: Landed Cost Voucher,Distribute Charges Based On,费用分配基于 apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,时间表 DocType: HR Settings,HR Settings,人力资源设置 @@ -2018,7 +2020,7 @@ DocType: Salary Slip,net pay info,净工资信息 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +130,Expense Claim is pending approval. Only the Expense Approver can update status.,报销正在等待批准。只有开支审批人才能更改其状态。 DocType: Email Digest,New Expenses,新的费用 DocType: Purchase Invoice,Additional Discount Amount,额外的折扣金额 -apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:订购数量必须是1,因为项目是固定资产。请使用单独的行多数量。 +apps/erpnext/erpnext/controllers/accounts_controller.py +544,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:订购数量必须是1,因为项目是固定资产。请使用单独的行多数量。 DocType: Leave Block List Allow,Leave Block List Allow,例外用户 apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,缩写不能为空或空格 apps/erpnext/erpnext/accounts/doctype/account/account.js +62,Group to Non-Group,集团以非组 @@ -2026,7 +2028,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,体育 DocType: Loan Type,Loan Name,贷款名称 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,实际总 DocType: Student Siblings,Student Siblings,学生兄弟姐妹 -apps/erpnext/erpnext/public/js/setup_wizard.js +297,Unit,单位 +apps/erpnext/erpnext/public/js/setup_wizard.js +308,Unit,单位 apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,请注明公司 ,Customer Acquisition and Loyalty,客户获得和忠诚度 DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,维护拒收物件的仓库 @@ -2045,12 +2047,12 @@ DocType: Workstation,Wages per hour,时薪 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},批次{0}中,仓库{3}中品目{2}的库存余额将变为{1} apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,下列资料的要求已自动根据项目的重新排序水平的提高 DocType: Email Digest,Pending Sales Orders,待完成销售订单 -apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},帐户{0}是无效的。帐户货币必须是{1} +apps/erpnext/erpnext/controllers/accounts_controller.py +292,Account {0} is invalid. Account Currency must be {1},帐户{0}是无效的。帐户货币必须是{1} apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},行{0}计量单位换算系数是必须项 DocType: Production Plan Item,material_request_item,material_request_item apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:参考文件类型必须是销售订单之一,销售发票或日记帐分录 DocType: Salary Component,Deduction,扣款 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,行{0}:从时间和时间是强制性的。 +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +111,Row {0}: From Time and To Time is mandatory.,行{0}:从时间和时间是强制性的。 DocType: Stock Reconciliation Item,Amount Difference,金额差异 apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},加入项目价格为{0}价格表{1} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,请输入这个销售人员的员工标识 @@ -2060,11 +2062,11 @@ DocType: Project,Gross Margin,毛利 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +53,Please enter Production Item first,请先输入生产项目 apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +45,Calculated Bank Statement balance,计算的银行对账单余额 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +64,disabled user,已禁用用户 -apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +756,Quotation,报价 +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +749,Quotation,报价 DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,扣除总额 ,Production Analytics,生产Analytics(分析) -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,成本更新 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +179,Cost Updated,成本更新 DocType: Employee,Date of Birth,出生日期 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,项目{0}已被退回 DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**财年**表示财政年度。所有的会计分录和其他重大交易将根据**财年**跟踪。 @@ -2110,18 +2112,19 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,选择公司... DocType: Leave Control Panel,Leave blank if considered for all departments,如果针对所有部门请留空 apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",就业(永久,合同,实习生等)的类型。 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{0} is mandatory for Item {1},{0}是{1}的必填项 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +412,{0} is mandatory for Item {1},{0}是{1}的必填项 DocType: Process Payroll,Fortnightly,半月刊 DocType: Currency Exchange,From Currency,源货币 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",请ATLEAST一行选择分配金额,发票类型和发票号码 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,新的采购成本 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +96,Sales Order required for Item {0},销售订单为品目{0}的必须项 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +97,Sales Order required for Item {0},销售订单为品目{0}的必须项 DocType: Purchase Invoice Item,Rate (Company Currency),单价(公司货币) DocType: Student Guardian,Others,他人 DocType: Payment Entry,Unallocated Amount,未分配金额 apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,无法找到匹配的项目。请选择其他值{0}。 DocType: POS Profile,Taxes and Charges,税项和收费 DocType: Item,"A Product or a Service that is bought, sold or kept in stock.",库存中已被购买,销售或保留的一个产品或服务。 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品编号>商品组>品牌 apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,没有更多的更新 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +154,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,第一行的“收取类型”不能是“基于上一行的金额”或者“前一行的总计” apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,子项不应该是一个产品包。请删除项目`{0}`和保存 @@ -2149,7 +2152,7 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c DocType: Sales Invoice,Total Billing Amount,总结算金额 apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,必须有这个工作,启用默认进入的电子邮件帐户。请设置一个默认的传入电子邮件帐户(POP / IMAP),然后再试一次。 apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,应收账款 -apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},行#{0}:资产{1}已经是{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Asset {1} is already {2},行#{0}:资产{1}已经是{2} DocType: Quotation Item,Stock Balance,库存余额 apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,销售订单到付款 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO @@ -2174,10 +2177,11 @@ DocType: C-Form,Received Date,收到日期 DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",如果您已经创建了销售税和费模板标准模板,选择一个,然后点击下面的按钮。 DocType: BOM Scrap Item,Basic Amount (Company Currency),基本金额(公司币种) DocType: Student,Guardians,守护者 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供应商>供应商类型 DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,价格将不会显示如果没有设置价格 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,请指定一个国家的这种运输规则或检查全世界运输 DocType: Stock Entry,Total Incoming Value,总传入值 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,Debit To is required,借记是必需的 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To is required,借记是必需的 apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",时间表帮助追踪的时间,费用和结算由你的团队做activites apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,采购价格表 DocType: Offer Letter Term,Offer Term,要约期限 @@ -2196,11 +2200,11 @@ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,产 DocType: Timesheet Detail,To Time,要时间 DocType: Authorization Rule,Approving Role (above authorized value),批准角色(上述授权值) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,入贷科目必须是一个“应付”科目 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM {0}不能是{2}的上级或下级 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +306,BOM recursion: {0} cannot be parent or child of {2},BOM {0}不能是{2}的上级或下级 DocType: Production Order Operation,Completed Qty,已完成数量 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",对于{0},借方分录只能选择借方账户 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,价格表{0}被禁用 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Completed Qty cannot be more than {1} for operation {2},行{0}:已完成的数量不能超过{1}操作{2} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +123,Row {0}: Completed Qty cannot be more than {1} for operation {2},行{0}:已完成的数量不能超过{1}操作{2} DocType: Manufacturing Settings,Allow Overtime,允许加班 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",序列化项目{0}无法使用库存调节更新,请使用库存条目 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry",序列化项目{0}无法使用库存调节更新,请使用库存条目 @@ -2219,10 +2223,11 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Furthe DocType: Project,External,外部 apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,用户和权限 DocType: Vehicle Log,VLOG.,VLOG。 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +903,Production Orders Created: {0},生产订单创建:{0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +909,Production Orders Created: {0},生产订单创建:{0} DocType: Branch,Branch,分支 DocType: Guardian,Mobile Number,手机号码 apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,印刷及品牌 +DocType: Company,Total Monthly Sales,每月销售总额 DocType: Bin,Actual Quantity,实际数量 DocType: Shipping Rule,example: Next Day Shipping,例如:次日发货 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,序列号{0}未找到 @@ -2253,7 +2258,7 @@ DocType: Payment Request,Make Sales Invoice,创建销售发票 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,软件 apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,接下来跟日期不能过去 DocType: Company,For Reference Only.,仅供参考。 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,Select Batch No,选择批号 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2449,Select Batch No,选择批号 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},无效的{0}:{1} DocType: Purchase Invoice,PINV-RET-,PINV-RET- DocType: Sales Invoice Advance,Advance Amount,预付款总额 @@ -2266,7 +2271,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Clos apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},没有条码为{0}的品目 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,箱号不能为0 DocType: Item,Show a slideshow at the top of the page,在页面顶部显示幻灯片 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,物料清单 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +481,Boms,物料清单 apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,仓库 DocType: Serial No,Delivery Time,交货时间 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,账龄基于 @@ -2280,16 +2285,16 @@ DocType: Rename Tool,Rename Tool,重命名工具 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,更新成本 DocType: Item Reorder,Item Reorder,项目重新排序 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +446,Show Salary Slip,显示工资单 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +801,Transfer Material,转印材料 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +794,Transfer Material,转印材料 DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",设定流程,操作成本及向流程指定唯一的流程编号 apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,这份文件是超过限制,通过{0} {1}项{4}。你在做另一个{3}对同一{2}? -apps/erpnext/erpnext/public/js/controllers/transaction.js +984,Please set recurring after saving,请设置保存后复发 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,Select change amount account,选择变化量账户 +apps/erpnext/erpnext/public/js/controllers/transaction.js +982,Please set recurring after saving,请设置保存后复发 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +745,Select change amount account,选择变化量账户 DocType: Purchase Invoice,Price List Currency,价格表货币 DocType: Naming Series,User must always select,用户必须始终选择 DocType: Stock Settings,Allow Negative Stock,允许负库存 DocType: Installation Note,Installation Note,安装注意事项 -apps/erpnext/erpnext/public/js/setup_wizard.js +224,Add Taxes,添加税款 +apps/erpnext/erpnext/public/js/setup_wizard.js +235,Add Taxes,添加税款 DocType: Topic,Topic,话题 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,从融资现金流 DocType: Budget Account,Budget Account,预算科目 @@ -2303,7 +2308,8 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,可 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),资金来源(负债) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},行{0}中的数量({1})必须等于生产数量{2} DocType: Appraisal,Employee,雇员 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +229,Select Batch,选择批次 +DocType: Company,Sales Monthly History,销售月历 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +183,Select Batch,选择批次 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1}已完全开票 DocType: Training Event,End Time,结束时间 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,主动薪酬结构找到{0}员工{1}对于给定的日期 @@ -2311,15 +2317,14 @@ DocType: Payment Entry,Payment Deductions or Loss,付款扣除或损失 apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,销售或采购的标准合同条款。 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,基于凭证分组 apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,销售渠道 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},请薪酬部分设置默认帐户{0} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +216,Please set default account in Salary Component {0},请薪酬部分设置默认帐户{0} apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,要求在 DocType: Rename Tool,File to Rename,文件重命名 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},请行选择BOM为项目{0} apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},帐户{0}与帐户模式{2}中的公司{1}不符 apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},品目{1}指定的BOM{0}不存在 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +213,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消维护计划{0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +221,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消维护计划{0} DocType: Notification Control,Expense Claim Approved,报销批准 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,员工的工资单{0}已为这一时期创建 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,医药 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,采购品目成本 @@ -2336,7 +2341,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,成品品目的BOM DocType: Upload Attendance,Attendance To Date,考勤结束日期 DocType: Warranty Claim,Raised By,提出 DocType: Payment Gateway Account,Payment Account,付款帐号 -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +866,Please specify Company to proceed,请注明公司进行 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +859,Please specify Company to proceed,请注明公司进行 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,应收账款净额变化 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,补假 DocType: Offer Letter,Accepted,已接受 @@ -2345,12 +2350,12 @@ DocType: SG Creation Tool Course,Student Group Name,学生组名称 apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,请确保你真的要删除这家公司的所有交易。主数据将保持原样。这个动作不能撤消。 DocType: Room,Room Number,房间号 apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},无效的参考{0} {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +163,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} {1}不能大于生产订单{3}的计划数量({2}) +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +167,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} {1}不能大于生产订单{3}的计划数量({2}) DocType: Shipping Rule,Shipping Rule Label,配送规则标签 apps/erpnext/erpnext/public/js/conf.js +28,User Forum,用户论坛 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,原材料不能为空。 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +473,"Could not update stock, invoice contains drop shipping item.",无法更新库存,发票包含下降航运项目。 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,快速日记帐分录 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +276,Raw Materials cannot be blank.,原材料不能为空。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +476,"Could not update stock, invoice contains drop shipping item.",无法更新库存,发票包含下降航运项目。 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +466,Quick Journal Entry,快速日记帐分录 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +165,You can not change rate if BOM mentioned agianst any item,如果任何条目中引用了BOM,你不能更改其税率 DocType: Employee,Previous Work Experience,以前的工作经验 DocType: Stock Entry,For Quantity,对于数量 @@ -2407,7 +2412,7 @@ DocType: SMS Log,No of Requested SMS,请求短信数量 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,停薪留职不批准请假的记录相匹配 DocType: Campaign,Campaign-.####,活动-.#### apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,下一步 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +761,Please supply the specified items at the best possible rates,请在提供最好的利率规定的项目 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +754,Please supply the specified items at the best possible rates,请在提供最好的利率规定的项目 DocType: Selling Settings,Auto close Opportunity after 15 days,15天之后自动关闭商机 apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,结束年份 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,报价/铅% @@ -2457,7 +2462,7 @@ DocType: Homepage,Homepage,主页 DocType: Purchase Receipt Item,Recd Quantity,记录数量 apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},费纪录创造 - {0} DocType: Asset Category Account,Asset Category Account,资产类别的帐户 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Cannot produce more Item {0} than Sales Order quantity {1},不能生产超过销售订单数量{1}的品目{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +117,Cannot produce more Item {0} than Sales Order quantity {1},不能生产超过销售订单数量{1}的品目{0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,库存记录{0}不提交 DocType: Payment Reconciliation,Bank / Cash Account,银行/现金账户 apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,接着联系到不能相同铅邮箱地址 @@ -2490,7 +2495,7 @@ DocType: Salary Structure,Total Earning,总盈利 DocType: Purchase Receipt,Time at which materials were received,收到材料在哪个时间 DocType: Stock Ledger Entry,Outgoing Rate,传出率 apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,组织分支主。 -apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,或 +apps/erpnext/erpnext/controllers/accounts_controller.py +293, or ,或 DocType: Sales Order,Billing Status,账单状态 apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,报告问题 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,基础设施费用 @@ -2498,7 +2503,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,行#{0}:日记条目{1}没有帐户{2}或已经对另一凭证匹配 DocType: Buying Settings,Default Buying Price List,默认采购价格表 DocType: Process Payroll,Salary Slip Based on Timesheet,基于时间表工资单 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,已创建的任何雇员对上述选择标准或工资单 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +113,No employee for the above selected criteria OR salary slip already created,已创建的任何雇员对上述选择标准或工资单 DocType: Notification Control,Sales Order Message,销售订单信息 apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",设置例如公司,货币,当前财政年度等的默认值 DocType: Payment Entry,Payment Type,针对选择您要分配款项的发票。 @@ -2523,7 +2528,7 @@ apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs, apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,收到文件必须提交 DocType: Purchase Invoice Item,Received Qty,收到数量 DocType: Stock Entry Detail,Serial No / Batch,序列号/批次 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +312,Not Paid and Not Delivered,没有支付,未送达 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +320,Not Paid and Not Delivered,没有支付,未送达 DocType: Product Bundle,Parent Item,父项目 DocType: Account,Account Type,账户类型 DocType: Delivery Note,DN-RET-,DN-RET- @@ -2554,8 +2559,8 @@ apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you trac DocType: Payment Entry,Total Allocated Amount,总拨款额 apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,设置永久库存的默认库存帐户 DocType: Item Reorder,Material Request Type,物料申请类型 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural日记条目从{0}薪金{1} -apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"LocalStorage is full, did not save",localStorage的是满的,没救 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +267,Accural Journal Entry for salaries from {0} to {1},Accural日记条目从{0}薪金{1} +apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",localStorage的是满的,没救 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,行{0}:计量单位转换系数是必需的 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,参考 DocType: Budget,Cost Center,成本中心 @@ -2573,7 +2578,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,所 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",如果选择的定价规则是由为'价格',它将覆盖价目表。定价规则价格是最终价格,所以没有进一步的折扣应适用。因此,在像销售订单,采购订单等交易,这将是“速度”字段进账,而不是“价格单率”字段。 apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,轨道信息通过行业类型。 DocType: Item Supplier,Item Supplier,项目供应商 -apps/erpnext/erpnext/public/js/controllers/transaction.js +1085,Please enter Item Code to get batch no,请输入产品编号,以获得批号 +apps/erpnext/erpnext/public/js/controllers/transaction.js +1083,Please enter Item Code to get batch no,请输入产品编号,以获得批号 apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +782,Please select a value for {0} quotation_to {1},请选择一个值{0} quotation_to {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,所有地址。 DocType: Company,Stock Settings,库存设置 @@ -2600,7 +2605,7 @@ DocType: Stock Ledger Entry,Actual Qty After Transaction,事务后实际数量 apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},没有找到之间的工资单{0}和{1} ,Pending SO Items For Purchase Request,待处理的SO项目对于采购申请 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,学生入学 -apps/erpnext/erpnext/accounts/party.py +348,{0} {1} is disabled,{0} {1}已禁用 +apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is disabled,{0} {1}已禁用 DocType: Supplier,Billing Currency,结算货币 DocType: Sales Invoice,SINV-RET-,SINV-RET- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,特大号 @@ -2630,7 +2635,7 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit DocType: Student Applicant,Application Status,应用现状 DocType: Fees,Fees,费用 DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,指定货币兑换的汇率 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +150,Quotation {0} is cancelled,报价{0}已被取消 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Quotation {0} is cancelled,报价{0}已被取消 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,未偿还总额 DocType: Sales Partner,Targets,目标 DocType: Price List,Price List Master,价格表大师 @@ -2647,7 +2652,7 @@ DocType: POS Profile,Ignore Pricing Rule,忽略定价规则 DocType: Employee Education,Graduate,研究生 DocType: Leave Block List,Block Days,禁离天数 DocType: Journal Entry,Excise Entry,Excise分录 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +70,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},警告:销售订单{0}已经存在针对客户的采购订单{1} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +64,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},警告:销售订单{0}已经存在针对客户的采购订单{1} DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases. Examples: @@ -2674,7 +2679,7 @@ DocType: Packing Slip,If more than one package of the same type (for print),如 ,Salary Register,薪酬注册 DocType: Warehouse,Parent Warehouse,家长仓库 DocType: C-Form Invoice Detail,Net Total,总净 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +493,Default BOM not found for Item {0} and Project {1},项目{0}和项目{1}找不到默认BOM +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +497,Default BOM not found for Item {0} and Project {1},项目{0}和项目{1}找不到默认BOM apps/erpnext/erpnext/config/hr.py +163,Define various loan types,定义不同的贷款类型 DocType: Bin,FCFS Rate,FCFS率 DocType: Payment Reconciliation Invoice,Outstanding Amount,未偿还的金额 @@ -2711,7 +2716,7 @@ DocType: Salary Detail,Condition and Formula Help,条件和公式帮助 apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,管理区域 DocType: Journal Entry Account,Sales Invoice,销售发票 DocType: Journal Entry Account,Party Balance,党平衡 -apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,请选择适用的折扣 +apps/erpnext/erpnext/accounts/page/pos/pos.js +462,Please select Apply Discount On,请选择适用的折扣 DocType: Company,Default Receivable Account,默认应收账户 DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,为上述选择条件支付的工资总计创建银行分录 DocType: Stock Entry,Material Transfer for Manufacture,用于生产的物料转移 @@ -2725,7 +2730,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist DocType: Sales Invoice,Customer Address,客户地址 DocType: Employee Loan,Loan Details,贷款详情 DocType: Company,Default Inventory Account,默认库存帐户 -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,行{0}:已完成数量必须大于零。 +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +120,Row {0}: Completed Qty must be greater than zero.,行{0}:已完成数量必须大于零。 DocType: Purchase Invoice,Apply Additional Discount On,收取额外折扣 DocType: Account,Root Type,根类型 DocType: Item,FIFO,FIFO @@ -2742,7 +2747,7 @@ DocType: Purchase Invoice Item,Quality Inspection,质量检验 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,超小 DocType: Company,Standard Template,标准模板 DocType: Training Event,Theory,理论 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +769,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料请求的数量低于最低起订量 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +762,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料请求的数量低于最低起订量 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,科目{0}已冻结 DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,属于本机构的,带独立科目表的法人/附属机构。 DocType: Payment Request,Mute Email,静音电子邮件 @@ -2766,7 +2771,7 @@ DocType: Training Event,Scheduled,已计划 apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,询价。 apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",请选择项,其中“正股项”是“否”和“是销售物品”是“是”,没有其他产品捆绑 DocType: Student Log,Academic,学术的 -apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),总的超前({0})对二阶{1}不能大于总计({2}) +apps/erpnext/erpnext/controllers/accounts_controller.py +489,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),总的超前({0})对二阶{1}不能大于总计({2}) DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,如果要不规则的按月分配,请选择“月度分布”。 DocType: Purchase Invoice Item,Valuation Rate,估值率 DocType: Stock Reconciliation,SR/,SR / @@ -2832,6 +2837,7 @@ apps/erpnext/erpnext/controllers/trends.py +149,Amt,金额 DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,如果询价的来源是活动的话请输入活动名称。 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +38,Newspaper Publishers,报纸出版商 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,选择财政年度 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +112,Expected Delivery Date should be after Sales Order Date,预计交货日期应在销售订单日期之后 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,重新排序级别 DocType: Company,Chart Of Accounts Template,图表帐户模板 DocType: Attendance,Attendance Date,考勤日期 @@ -2863,7 +2869,7 @@ DocType: Pricing Rule,Discount Percentage,折扣百分比 DocType: Payment Reconciliation Invoice,Invoice Number,发票号码 DocType: Shopping Cart Settings,Orders,订单 DocType: Employee Leave Approver,Leave Approver,假期审批人 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +297,Please select a batch,请选择一个批次 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +251,Please select a batch,请选择一个批次 DocType: Assessment Group,Assessment Group Name,评估小组名称 DocType: Manufacturing Settings,Material Transferred for Manufacture,材料移送制造 DocType: Expense Claim,"A user with ""Expense Approver"" role",有“费用审批人”角色的用户 @@ -2900,7 +2906,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269, DocType: Supplier,Last Day of the Next Month,下个月的最后一天 DocType: Support Settings,Auto close Issue after 7 days,7天之后自动关闭问题 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",假,不是之前分配{0},因为休假余额已经结转转发在未来的假期分配记录{1} -apps/erpnext/erpnext/accounts/party.py +307,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),注意:到期日/计入日已超过客户信用日期{0}天。 +apps/erpnext/erpnext/accounts/party.py +309,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),注意:到期日/计入日已超过客户信用日期{0}天。 apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,学生申请 DocType: Sales Invoice,ORIGINAL FOR RECIPIENT,收件人原件 DocType: Asset Category Account,Accumulated Depreciation Account,累计折旧科目 @@ -2911,7 +2917,7 @@ DocType: Item,Reorder level based on Warehouse,根据仓库订货点水平 DocType: Activity Cost,Billing Rate,结算利率 ,Qty to Deliver,交付数量 ,Stock Analytics,库存分析 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,操作不能留空 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +472,Operations cannot be left blank,操作不能留空 DocType: Maintenance Visit Purpose,Against Document Detail No,对文档详情编号 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,党的类型是强制性 DocType: Quality Inspection,Outgoing,传出 @@ -2952,15 +2958,15 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Us DocType: Sales Invoice Item,Available Qty at Warehouse,库存可用数量 apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,已开票金额 DocType: Asset,Double Declining Balance,双倍余额递减 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +171,Closed order cannot be cancelled. Unclose to cancel.,关闭的定单不能被取消。 Unclose取消。 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +179,Closed order cannot be cancelled. Unclose to cancel.,关闭的定单不能被取消。 Unclose取消。 DocType: Student Guardian,Father,父亲 -apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,固定资产销售不能选择“更新库存” +apps/erpnext/erpnext/controllers/accounts_controller.py +575,'Update Stock' cannot be checked for fixed asset sale,固定资产销售不能选择“更新库存” DocType: Bank Reconciliation,Bank Reconciliation,银行对帐 DocType: Attendance,On Leave,休假 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,获取更新 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}帐户{2}不属于公司{3} apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,物料申请{0}已取消或已停止 -apps/erpnext/erpnext/public/js/setup_wizard.js +380,Add a few sample records,添加了一些样本记录 +apps/erpnext/erpnext/public/js/setup_wizard.js +393,Add a few sample records,添加了一些样本记录 apps/erpnext/erpnext/config/hr.py +301,Leave Management,离开管理 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,基于账户分组 DocType: Sales Order,Fully Delivered,完全交付 @@ -2969,12 +2975,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and ta apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",差异帐户必须是资产/负债类型的帐户,因为此库存盘点在期初进行 apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},支付额不能超过贷款金额较大的{0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},所需物品的采购订单号{0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +854,Production Order not created,生产订单未创建 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +860,Production Order not created,生产订单未创建 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',“起始日期”必须早于'终止日期' apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},无法改变地位的学生{0}与学生申请链接{1} DocType: Asset,Fully Depreciated,已提足折旧 ,Stock Projected Qty,预计库存量 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,Customer {0} does not belong to project {1},客户{0}不属于项目{1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +422,Customer {0} does not belong to project {1},客户{0}不属于项目{1} DocType: Employee Attendance Tool,Marked Attendance HTML,显着的考勤HTML apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",语录是建议,你已经发送到你的客户提高出价 DocType: Sales Order,Customer's Purchase Order,客户采购订单 @@ -2984,7 +2990,7 @@ apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,请设置折旧数预订 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,价值或数量 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,制作订单不能上调: -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,分钟 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Minute,分钟 DocType: Purchase Invoice,Purchase Taxes and Charges,购置税和费 ,Qty to Receive,接收数量 DocType: Leave Block List,Leave Block List Allowed,禁离日例外用户 @@ -2998,7 +3004,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108, apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,所有供应商类型 DocType: Global Defaults,Disable In Words,禁用词 apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,项目编号是必须项,因为项目没有自动编号 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +102,Quotation {0} not of type {1},报价{0} 不属于{1}类型 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +97,Quotation {0} not of type {1},报价{0} 不属于{1}类型 DocType: Maintenance Schedule Item,Maintenance Schedule Item,维护计划品目 DocType: Sales Order,% Delivered,%已交付 DocType: Production Order,PRO-,PRO- @@ -3021,7 +3027,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leav DocType: Hub Settings,Seller Email,卖家电子邮件 DocType: Project,Total Purchase Cost (via Purchase Invoice),总购买成本(通过采购发票) DocType: Training Event,Start Time,开始时间 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +369,Select Quantity,选择数量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +368,Select Quantity,选择数量 DocType: Customs Tariff Number,Customs Tariff Number,海关税则号 apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,审批与被审批角色不能相同 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,从该电子邮件摘要退订 @@ -3045,7 +3051,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101 DocType: Purchase Invoice Item,PR Detail,PR详细 DocType: Sales Order,Fully Billed,完全开票 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,现款 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +128,Delivery warehouse required for stock item {0},需要的库存项目交割仓库{0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +136,Delivery warehouse required for stock item {0},需要的库存项目交割仓库{0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),包的总重量,通常是净重+包装材料的重量。 (用于打印) apps/erpnext/erpnext/schools/doctype/course/course.js +3,Program,程序 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,拥有此角色的用户可以设置冻结账户和创建/修改冻结账户的会计分录 @@ -3055,7 +3061,7 @@ DocType: Student Group,Group Based On,基于组 DocType: Journal Entry,Bill Date,账单日期 apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +20,"Service Item,Type,frequency and expense amount are required",服务项目,类型,频率和消费金额要求 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +45,"Even if there are multiple Pricing Rules with highest priority, then following internal priorities are applied:",有多个最高优先级定价规则时使用以下的内部优先级: -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you really want to Submit all Salary Slip from {0} to {1},难道你真的想从提交{0}所有的工资单{1} +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +128,Do you really want to Submit all Salary Slip from {0} to {1},难道你真的想从提交{0}所有的工资单{1} DocType: Cheque Print Template,Cheque Height,支票高度 DocType: Supplier,Supplier Details,供应商详情 DocType: Expense Claim,Approval Status,审批状态 @@ -3077,7 +3083,7 @@ apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,导致报价 apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,没有更多内容。 DocType: Lead,From Customer,源客户 apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,电话 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +222,Batches,批 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +176,Batches,批 DocType: Project,Total Costing Amount (via Time Logs),总成本核算金额(通过时间日志) DocType: Purchase Order Item Supplied,Stock UOM,库存计量单位 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,采购订单{0}未提交 @@ -3109,7 +3115,7 @@ DocType: Purchase Invoice,Return Against Purchase Invoice,回到对采购发票 DocType: Item,Warranty Period (in days),保修期限(天数) apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,与关系Guardian1 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,从运营的净现金 -apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. VAT,例如增值税 +apps/erpnext/erpnext/public/js/setup_wizard.js +243,e.g. VAT,例如增值税 apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,项目4 DocType: Student Admission,Admission End Date,录取结束日期 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,分包 @@ -3117,7 +3123,7 @@ DocType: Journal Entry Account,Journal Entry Account,日记帐分录帐号 apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,学生组 DocType: Shopping Cart Settings,Quotation Series,报价系列 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",具有名称 {0} 的品目已存在,请更名 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,请选择客户 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1944,Please select customer,请选择客户 DocType: C-Form,I,I DocType: Company,Asset Depreciation Cost Center,资产折旧成本中心 DocType: Sales Order Item,Sales Order Date,销售订单日期 @@ -3128,6 +3134,7 @@ DocType: Stock Settings,Limit Percent,限制百分比 ,Payment Period Based On Invoice Date,已经提交。 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0}没有货币汇率 DocType: Assessment Plan,Examiner,检查员 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列 DocType: Student,Siblings,兄弟姐妹 DocType: Journal Entry,Stock Entry,库存记录 DocType: Payment Entry,Payment References,付款参考 @@ -3152,7 +3159,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,生产流程进行的地方。 DocType: Asset Movement,Source Warehouse,源仓库 DocType: Installation Note,Installation Date,安装日期 -apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},行#{0}:资产{1}不属于公司{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +554,Row #{0}: Asset {1} does not belong to company {2},行#{0}:资产{1}不属于公司{2} DocType: Employee,Confirmation Date,确认日期 DocType: C-Form,Total Invoiced Amount,发票总金额 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,最小数量不能大于最大数量 @@ -3227,7 +3234,7 @@ DocType: Company,Default Letter Head,默认信头 DocType: Purchase Order,Get Items from Open Material Requests,获得从公开材料请求项目, DocType: Item,Standard Selling Rate,标准销售率 DocType: Account,Rate at which this tax is applied,应用此税率的单价 -apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,再订购数量 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +65,Reorder Qty,再订购数量 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,当前职位空缺 DocType: Company,Stock Adjustment Account,库存调整账户 apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,抹杀 @@ -3241,7 +3248,7 @@ apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates, DocType: Sales Order Item,Supplier delivers to Customer,供应商提供给客户 apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0}) 超出了库存 apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,下一个日期必须大于过帐日期更大 -apps/erpnext/erpnext/accounts/party.py +310,Due / Reference Date cannot be after {0},到期/参照日期不能迟于{0} +apps/erpnext/erpnext/accounts/party.py +312,Due / Reference Date cannot be after {0},到期/参照日期不能迟于{0} apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,数据导入和导出 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,没有发现学生 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,发票发布日期 @@ -3262,12 +3269,11 @@ apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) m apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,这是基于这名学生出席 apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +178,No Students in,没有学生 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,添加更多项目或全开放形式 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +109,Please enter 'Expected Delivery Date',请输入“预产期” -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +198,Delivery Notes {0} must be cancelled before cancelling this Sales Order,取消这个销售订单之前必须取消送货单{0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Delivery Notes {0} must be cancelled before cancelling this Sales Order,取消这个销售订单之前必须取消送货单{0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金额+写的抵销金额不能大于总计 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0}不是物料{1}的有效批次号 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},注意:假期类型{0}的余量不足 -apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,无效的GSTIN或输入NA未注册 +apps/erpnext/erpnext/regional/india/utils.py +15,Invalid GSTIN or Enter NA for Unregistered,无效的GSTIN或输入NA未注册 DocType: Training Event,Seminar,研讨会 DocType: Program Enrollment Fee,Program Enrollment Fee,计划注册费 DocType: Item,Supplier Items,供应商品目 @@ -3285,7 +3291,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot b ,Stock Ageing,库存账龄 apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},学生{0}存在针对学生申请{1} apps/erpnext/erpnext/projects/doctype/task/task.js +31,Timesheet,时间表 -apps/erpnext/erpnext/controllers/accounts_controller.py +245,{0} '{1}' is disabled,{0}“{1}”被禁用 +apps/erpnext/erpnext/controllers/accounts_controller.py +246,{0} '{1}' is disabled,{0}“{1}”被禁用 apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,设置为打开 DocType: Cheque Print Template,Scanned Cheque,支票扫描 DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,交易提交时自动向联系人发送电子邮件。 @@ -3332,7 +3338,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student DocType: Purchase Invoice,Price List Exchange Rate,价目表汇率 DocType: Purchase Invoice Item,Rate,单价 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,实习生 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,地址名称 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1516,Address Name,地址名称 DocType: Stock Entry,From BOM,从BOM DocType: Assessment Code,Assessment Code,评估准则 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,基本 @@ -3345,20 +3351,20 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must b DocType: Salary Slip,Salary Structure,薪酬结构 DocType: Account,Bank,银行 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,航空公司 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +805,Issue Material,发料 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +798,Issue Material,发料 DocType: Material Request Item,For Warehouse,对仓库 DocType: Employee,Offer Date,报价有效期 apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,语录 -apps/erpnext/erpnext/accounts/page/pos/pos.js +772,You are in offline mode. You will not be able to reload until you have network.,您在离线模式。您将无法重新加载,直到你有网络。 +apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,您在离线模式。您将无法重新加载,直到你有网络。 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,没有学生团体创建的。 DocType: Purchase Invoice Item,Serial No,序列号 apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,每月还款额不能超过贷款金额较大 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,请输入您的详细维护性第一 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +55,Row #{0}: Expected Delivery Date cannot be before Purchase Order Date,行#{0}:预计交货日期不能在采购订单日期之前 DocType: Purchase Invoice,Print Language,打印语言 DocType: Salary Slip,Total Working Hours,总的工作时间 DocType: Stock Entry,Including items for sub assemblies,包括子组件项目 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,Enter value must be positive,输入值必须为正 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品编号>商品组>品牌 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1873,Enter value must be positive,输入值必须为正 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,所有的区域 DocType: Purchase Invoice,Items,项目 apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,学生已经注册。 @@ -3381,7 +3387,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commod apps/erpnext/erpnext/stock/doctype/item/item.py +624,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',测度变异的默认单位“{0}”必须是相同模板“{1}” DocType: Shipping Rule,Calculate Based On,计算基于 DocType: Delivery Note Item,From Warehouse,从仓库 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,No Items with Bill of Materials to Manufacture,不与物料清单的项目,以制造 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +861,No Items with Bill of Materials to Manufacture,不与物料清单的项目,以制造 DocType: Assessment Plan,Supervisor Name,主管名称 DocType: Program Enrollment Course,Program Enrollment Course,课程注册课程 DocType: Program Enrollment Course,Program Enrollment Course,课程注册课程 @@ -3397,23 +3403,23 @@ DocType: Training Event Employee,Attended,出席 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,“ 最后的订单到目前的天数”必须大于或等于零 DocType: Process Payroll,Payroll Frequency,工资频率 DocType: Asset,Amended From,修订源 -apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,原料 +apps/erpnext/erpnext/public/js/setup_wizard.js +305,Raw Material,原料 DocType: Leave Application,Follow via Email,通过电子邮件关注 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,植物和机械设备 DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,税额折后金额 DocType: Daily Work Summary Settings,Daily Work Summary Settings,每日工作总结设置 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},价格表{0}的货币不与所选货币类似{1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +247,Currency of the price list {0} is not similar with the selected currency {1},价格表{0}的货币不与所选货币类似{1} DocType: Payment Entry,Internal Transfer,内部转账 apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,此科目有子科目,无法删除。 apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,需要指定目标数量和金额 apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},品目{0}没有默认的BOM -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,请选择发布日期第一 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +341,Please select Posting Date first,请选择发布日期第一 apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,开业日期应该是截止日期之前, DocType: Leave Control Panel,Carry Forward,顺延 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,有交易的成本中心不能转化为总账 DocType: Department,Days for which Holidays are blocked for this department.,此部门的禁离日 ,Produced,生产 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,创建工资单 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +118,Created Salary Slips,创建工资单 DocType: Item,Item Code for Suppliers,对于供应商项目编号 DocType: Issue,Raised By (Email),提出(电子邮件) DocType: Training Event,Trainer Name,培训师姓名 @@ -3421,9 +3427,10 @@ DocType: Mode of Payment,General,一般 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最后沟通 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最后沟通 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +355,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',分类是“估值”或“估值和总计”的时候不能扣税。 -apps/erpnext/erpnext/public/js/setup_wizard.js +225,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的头税(如增值税,关税等,它们应该具有唯一的名称)及其标准费率。这将创建一个标准的模板,你可以编辑和多以后添加。 +apps/erpnext/erpnext/public/js/setup_wizard.js +236,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的头税(如增值税,关税等,它们应该具有唯一的名称)及其标准费率。这将创建一个标准的模板,你可以编辑和多以后添加。 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},序列化的品目{0}必须指定序列号 apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,匹配付款与发票 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Row #{0}: Please enter Delivery Date against item {1},行#{0}:请输入项目{1}的交货日期 DocType: Journal Entry,Bank Entry,银行记录 DocType: Authorization Rule,Applicable To (Designation),适用于(指定) ,Profitability Analysis,盈利能力分析 @@ -3439,17 +3446,18 @@ DocType: Quality Inspection,Item Serial No,项目序列号 apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,建立员工档案 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,总现 apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,会计报表 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Hour,小时 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Hour,小时 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新序列号不能有仓库,仓库只能通过库存记录和采购收据设置。 DocType: Lead,Lead Type,线索类型 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,您无权批准叶子座日期 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +382,All these items have already been invoiced,这些品目都已开具发票 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +383,All these items have already been invoiced,这些品目都已开具发票 +apps/erpnext/erpnext/public/js/setup_wizard.js +226,Monthly Sales Target,每月销售目标 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},可以被{0}的批准 DocType: Item,Default Material Request Type,默认材料请求类型 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,未知 DocType: Shipping Rule,Shipping Rule Conditions,配送规则条件 DocType: BOM Replace Tool,The new BOM after replacement,更换后的物料清单 -apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,销售点 +apps/erpnext/erpnext/accounts/page/pos/pos.js +644,Point of Sale,销售点 DocType: Payment Entry,Received Amount,收金额 DocType: GST Settings,GSTIN Email Sent On,发送GSTIN电子邮件 DocType: Program Enrollment,Pick/Drop by Guardian,由守护者选择 @@ -3466,8 +3474,8 @@ DocType: Batch,Source Document Name,源文档名称 DocType: Batch,Source Document Name,源文档名称 DocType: Job Opening,Job Title,职位 apps/erpnext/erpnext/utilities/activation.py +97,Create Users,创建用户 -apps/erpnext/erpnext/public/js/setup_wizard.js +298,Gram,公克 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,Quantity to Manufacture must be greater than 0.,量生产必须大于0。 +apps/erpnext/erpnext/public/js/setup_wizard.js +309,Gram,公克 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +393,Quantity to Manufacture must be greater than 0.,量生产必须大于0。 apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,保养电话的现场报告。 DocType: Stock Entry,Update Rate and Availability,更新率和可用性 DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,百分比你被允许接收或传递更多针对订购的数量。例如:如果您订购100个单位。和你的津贴是10%,那么你被允许接收110个单位。 @@ -3480,7 +3488,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Eq apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,请取消采购发票{0}第一 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}",电子邮件地址必须是唯一的,已经存在了{0} DocType: Serial No,AMC Expiry Date,AMC到期时间 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +807,Receipt,收据 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +800,Receipt,收据 ,Sales Register,销售记录 DocType: Daily Work Summary Settings Company,Send Emails At,发送电子邮件在 DocType: Quotation,Quotation Lost Reason,报价丧失原因 @@ -3493,14 +3501,14 @@ apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,还没有客 apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,现金流量表 apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},贷款额不能超过最高贷款额度{0} apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,执照 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,Please remove this Invoice {0} from C-Form {1},请删除此发票{0}从C-表格{1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,Please remove this Invoice {0} from C-Form {1},请删除此发票{0}从C-表格{1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,请选择结转,如果你还需要包括上一会计年度的资产负债叶本财年 DocType: GL Entry,Against Voucher Type,对凭证类型 DocType: Item,Attributes,属性 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,请输入核销帐户 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,最后订购日期 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},帐户{0}不属于公司{1} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列号与交货单不匹配 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列号与交货单不匹配 DocType: Student,Guardian Details,卫详细 DocType: C-Form,C-Form,C-表 apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,马克出席了多个员工 @@ -3532,16 +3540,17 @@ apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs, DocType: Tax Rule,Sales,销售 DocType: Stock Entry Detail,Basic Amount,基本金额 DocType: Training Event,Exam,考试 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},物件{0}需要指定仓库 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +440,Warehouse required for stock Item {0},物件{0}需要指定仓库 DocType: Leave Allocation,Unused leaves,未使用的叶子 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,信用 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +161,Cr,信用 DocType: Tax Rule,Billing State,计费状态 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,转让 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1}与缔约方帐户{2} 无关联 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),获取展开BOM(包括子品目) +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +862,Fetch exploded BOM (including sub-assemblies),获取展开BOM(包括子品目) DocType: Authorization Rule,Applicable To (Employee),适用于(员工) apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,截止日期是强制性的 apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,增量属性{0}不能为0 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客户>客户群>领土 DocType: Journal Entry,Pay To / Recd From,支付/ RECD从 DocType: Naming Series,Setup Series,设置系列 DocType: Payment Reconciliation,To Invoice Date,要发票日期 @@ -3568,7 +3577,7 @@ DocType: Journal Entry,Write Off Based On,核销基于 apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,使铅 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,打印和文具 DocType: Stock Settings,Show Barcode Field,显示条形码域 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +774,Send Supplier Emails,发送电子邮件供应商 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +767,Send Supplier Emails,发送电子邮件供应商 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",工资已经处理了与{0}和{1},留下申请期之间不能在此日期范围内的时期。 apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,一个序列号的安装记录 DocType: Guardian Interest,Guardian Interest,卫利息 @@ -3582,7 +3591,7 @@ DocType: Offer Letter,Awaiting Response,正在等待回应 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,以上 apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},无效的属性{0} {1} DocType: Supplier,Mention if non-standard payable account,如果非标准应付账款提到 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},相同的物品已被多次输入。 {}名单 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +292,Same item has been entered multiple times. {list},相同的物品已被多次输入。 {}名单 apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +18,Please select the assessment group other than 'All Assessment Groups',请选择“所有评估组”以外的评估组 DocType: Salary Slip,Earning & Deduction,盈余及扣除 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,可选。此设置将被应用于各种交易进行过滤。 @@ -3601,7 +3610,7 @@ apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19, apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,报废资产成本 apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是品目{2}的必须项 DocType: Vehicle,Policy No,政策: -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +666,Get Items from Product Bundle,获取从产品捆绑项目 +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +659,Get Items from Product Bundle,获取从产品捆绑项目 DocType: Asset,Straight Line,直线 DocType: Project User,Project User,项目用户 apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,分裂 @@ -3615,6 +3624,7 @@ DocType: Bank Reconciliation,Payment Entries,付款项 DocType: Production Order,Scrap Warehouse,废料仓库 DocType: Production Order,Check if material transfer entry is not required,检查是否不需要材料转移条目 DocType: Production Order,Check if material transfer entry is not required,检查是否不需要材料转移条目 +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 DocType: Program Enrollment Tool,Get Students From,让学生从 DocType: Hub Settings,Seller Country,卖家国家 apps/erpnext/erpnext/config/learn.py +273,Publish Items on Website,公布于网页上的项目 @@ -3633,19 +3643,19 @@ DocType: Item Group,HTML / Banner that will show on the top of product list.,HTM DocType: Shipping Rule,Specify conditions to calculate shipping amount,指定用来计算运费金额的条件 DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,角色允许设置冻结帐户和编辑冷冻项 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,不能将成本中心转换为总账,因为它有子项。 -apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,开度值 +apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +56,Opening Value,开度值 DocType: Salary Detail,Formula,式 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,序列号 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,销售佣金 DocType: Offer Letter Term,Value / Description,值/说明 -apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:资产{1}无法提交,这已经是{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +578,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:资产{1}无法提交,这已经是{2} DocType: Tax Rule,Billing Country,结算国家 DocType: Purchase Order Item,Expected Delivery Date,预计交货日期 apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,借贷{0}#不等于{1}。不同的是{2}。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,娱乐费用 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +48,Make Material Request,制作材料要求 apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},打开项目{0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +206,Sales Invoice {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消销售发票{0} +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +214,Sales Invoice {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消销售发票{0} apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,账龄 DocType: Sales Invoice Timesheet,Billing Amount,开票金额 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,项目{0}的数量无效,应为大于0的数字。 @@ -3668,7 +3678,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid e apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,新客户收入 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,差旅费 DocType: Maintenance Visit,Breakdown,细目 -apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,帐号:{0}币种:{1}不能选择 +apps/erpnext/erpnext/controllers/accounts_controller.py +690,Account: {0} with currency: {1} can not be selected,帐号:{0}币种:{1}不能选择 DocType: Bank Reconciliation Detail,Cheque Date,支票日期 apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},科目{0}的上级科目{1}不属于公司{2} DocType: Program Enrollment Tool,Student Applicants,学生申请 @@ -3688,11 +3698,11 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,规划 DocType: Material Request,Issued,发行 apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +14,Student Activity,学生活动 DocType: Project,Total Billing Amount (via Time Logs),总结算金额(通过时间日志) -apps/erpnext/erpnext/public/js/setup_wizard.js +300,We sell this Item,我们卖这些物件 +apps/erpnext/erpnext/public/js/setup_wizard.js +312,We sell this Item,我们卖这些物件 apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,供应商编号 DocType: Payment Request,Payment Gateway Details,支付网关细节 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,量应大于0 -apps/erpnext/erpnext/public/js/setup_wizard.js +377,Sample Data,样品数据 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +242,Quantity should be greater than 0,量应大于0 +apps/erpnext/erpnext/public/js/setup_wizard.js +390,Sample Data,样品数据 DocType: Journal Entry,Cash Entry,现金分录 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,子节点可以在'集团'类型的节点上创建 DocType: Leave Application,Half Day Date,半天日期 @@ -3701,17 +3711,18 @@ DocType: Sales Partner,Contact Desc,联系人倒序 apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.",叶似漫不经心,生病等类型 DocType: Email Digest,Send regular summary reports via Email.,通过电子邮件发送定期汇总报告。 DocType: Payment Entry,PE-,PE- -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},请报销类型设置默认帐户{0} +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +250,Please set default account in Expense Claim Type {0},请报销类型设置默认帐户{0} DocType: Assessment Result,Student Name,学生姓名 DocType: Brand,Item Manager,项目经理 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,应付职工薪酬 DocType: Buying Settings,Default Supplier Type,默认供应商类别 DocType: Production Order,Total Operating Cost,总营运成本 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +170,Note: Item {0} entered multiple times,注意:品目{0}已多次输入 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +171,Note: Item {0} entered multiple times,注意:品目{0}已多次输入 apps/erpnext/erpnext/config/selling.py +41,All Contacts.,所有联系人。 +apps/erpnext/erpnext/public/js/setup_wizard.js +223,Set your Target,设定您的目标 apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,公司缩写 apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,用户{0}不存在 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,原料不能和主项相同 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +95,Raw material cannot be same as main Item,原料不能和主项相同 DocType: Item Attribute Value,Abbreviation,缩写 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,付款项目已存在 apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,不允许,因为{0}超出范围 @@ -3729,7 +3740,7 @@ DocType: Stock Settings,Role Allowed to edit frozen stock,角色可以编辑冻 ,Territory Target Variance Item Group-Wise,按物件组的区域目标波动 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,所有客户群组 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,每月累计 -apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是必填项。{1}和{2}的货币转换记录可能还未生成。 +apps/erpnext/erpnext/controllers/accounts_controller.py +651,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是必填项。{1}和{2}的货币转换记录可能还未生成。 apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,税务模板是强制性的。 apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,科目{0}的上级科目{1}不存在 DocType: Purchase Invoice Item,Price List Rate (Company Currency),价格列表费率(公司货币) @@ -3740,7 +3751,7 @@ DocType: Monthly Distribution Percentage,Percentage Allocation,百分比分配 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,秘书 DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",如果禁用“,在词”字段不会在任何交易可见 DocType: Serial No,Distinct unit of an Item,品目的属性 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1214,Please set Company,请设公司 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1209,Please set Company,请设公司 DocType: Pricing Rule,Buying,采购 DocType: HR Settings,Employee Records to be created by,雇员记录创建于 DocType: POS Profile,Apply Discount On,申请折扣 @@ -3751,7 +3762,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Ser DocType: Purchase Taxes and Charges,Item Wise Tax Detail,项目特定的税项详情 apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,研究所缩写 ,Item-wise Price List Rate,逐项价目表率 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +908,Supplier Quotation,供应商报价 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +901,Supplier Quotation,供应商报价 DocType: Quotation,In Words will be visible once you save the Quotation.,大写金额将在报价单保存后显示。 apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},数量({0})不能是行{1}中的分数 apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},数量({0})不能是行{1}中的分数 @@ -3775,7 +3786,7 @@ Updated via 'Time Log'",单位为分钟,通过“时间日志”更新 DocType: Customer,From Lead,来自潜在客户 apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,发布生产订单。 apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,选择财政年度... -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,POS Profile required to make POS Entry,需要POS资料,使POS进入 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +545,POS Profile required to make POS Entry,需要POS资料,使POS进入 DocType: Program Enrollment Tool,Enroll Students,招生 DocType: Hub Settings,Name Token,名称令牌 apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,标准销售 @@ -3793,7 +3804,7 @@ DocType: Stock Ledger Entry,Stock Value Difference,库存值差异 apps/erpnext/erpnext/config/learn.py +234,Human Resource,人力资源 DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,付款方式付款对账 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,所得税资产 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +613,Production Order has been {0},生产订单已经{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +617,Production Order has been {0},生产订单已经{0} DocType: BOM Item,BOM No,BOM编号 DocType: Instructor,INS/,INS / apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,日记帐分录{0}没有科目{1}或已经匹配其他凭证 @@ -3807,7 +3818,7 @@ apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,由.csv apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,优秀的金额 DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,为销售人员设置品次群组特定的目标 DocType: Stock Settings,Freeze Stocks Older Than [Days],冻结老于此天数的库存 -apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:资产是必须的固定资产购买/销售 +apps/erpnext/erpnext/controllers/accounts_controller.py +548,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:资产是必须的固定资产购买/销售 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",如果存在多个价格规则,则会应用优先级别。优先权是一个介于0到20的数字,默认值是零(或留空)。数字越大,意味着优先级别越高。 apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,会计年度:{0}不存在 DocType: Currency Exchange,To Currency,以货币 @@ -3816,7 +3827,7 @@ apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,报销的类型 apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},项目{0}的销售价格低于其{1}。售价应至少为{2} apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},项目{0}的销售价格低于其{1}。售价应至少为{2} DocType: Item,Taxes,税 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +316,Paid and Not Delivered,支付和未送达 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +324,Paid and Not Delivered,支付和未送达 DocType: Project,Default Cost Center,默认成本中心 DocType: Bank Guarantee,End Date,结束日期 apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,库存交易 @@ -3833,7 +3844,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in f DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,每日工作总结公司的设置 apps/erpnext/erpnext/stock/utils.py +123,Item {0} ignored since it is not a stock item,产品{0}不属于库存产品,因此被忽略 DocType: Appraisal,APRSL,APRSL -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,Submit this Production Order for further processing.,提交此生产订单以进行下一步处理。 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +101,Submit this Production Order for further processing.,提交此生产订单以进行下一步处理。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.",要在一个特定的交易不适用于定价规则,所有适用的定价规则应该被禁用。 DocType: Assessment Group,Parent Assessment Group,家长评估小组 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,工作 @@ -3841,10 +3852,10 @@ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,工作 DocType: Employee,Held On,举行日期 apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,生产项目 ,Employee Information,雇员资料 -apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),率( % ) +apps/erpnext/erpnext/public/js/setup_wizard.js +245,Rate (%),率( % ) DocType: Stock Entry Detail,Additional Cost,额外费用 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",按凭证分类后不能根据凭证编号过滤 -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +796,Make Supplier Quotation,创建供应商报价 +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +789,Make Supplier Quotation,创建供应商报价 DocType: Quality Inspection,Incoming,接收 DocType: BOM,Materials Required (Exploded),所需物料(正展开) apps/erpnext/erpnext/public/js/setup_wizard.js +197,"Add users to your organization, other than yourself",将用户添加到您的组织,除了自己 @@ -3860,7 +3871,7 @@ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py + apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,科目{0}只能通过库存处理更新 DocType: Student Group Creation Tool,Get Courses,获取课程 DocType: GL Entry,Party,一方 -DocType: Sales Order,Delivery Date,交货日期 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +964,Delivery Date,交货日期 DocType: Opportunity,Opportunity Date,日期机会 DocType: Purchase Receipt,Return Against Purchase Receipt,回到对外购入库单 DocType: Request for Quotation Item,Request for Quotation Item,询价项目 @@ -3874,7 +3885,7 @@ DocType: Task,Actual Time (in Hours),实际时间(小时) DocType: Employee,History In Company,公司内历史 apps/erpnext/erpnext/config/learn.py +107,Newsletters,简讯 DocType: Stock Ledger Entry,Stock Ledger Entry,存库分类帐分录 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +88,Same item has been entered multiple times,同一项目已进入多次 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +82,Same item has been entered multiple times,同一项目已进入多次 DocType: Department,Leave Block List,禁离日列表 DocType: Sales Invoice,Tax ID,税号 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,项目{0}没有设置序列号,序列号必须留空 @@ -3892,25 +3903,25 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,黑 DocType: BOM Explosion Item,BOM Explosion Item,BOM展开品目 DocType: Account,Auditor,审计员 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0}项目已产生 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +124,{0} items produced,{0}项目已产生 DocType: Cheque Print Template,Distance from top edge,从顶边的距离 apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,价格表{0}禁用或不存在 DocType: Purchase Invoice,Return,回报 DocType: Production Order Operation,Production Order Operation,生产订单操作 DocType: Pricing Rule,Disable,禁用 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,付款方式需要进行付款 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +157,Mode of payment is required to make a payment,付款方式需要进行付款 DocType: Project Task,Pending Review,待审核 apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1}未注册批次{2} apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",资产{0}不能被废弃,因为它已经是{1} DocType: Task,Total Expense Claim (via Expense Claim),总费用报销(通过费用报销) apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,马克缺席 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOM#的货币{1}应等于所选货币{2} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +139,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOM#的货币{1}应等于所选货币{2} DocType: Journal Entry Account,Exchange Rate,汇率 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,销售订单{0}未提交 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,Sales Order {0} is not submitted,销售订单{0}未提交 DocType: Homepage,Tag Line,标语 DocType: Fee Component,Fee Component,收费组件 apps/erpnext/erpnext/config/hr.py +195,Fleet Management,车队的管理 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +906,Add items from,添加的项目 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +899,Add items from,添加的项目 DocType: Cheque Print Template,Regular,定期 apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,所有评估标准的权重总数要达到100% DocType: BOM,Last Purchase Rate,最后采购价格 @@ -3931,12 +3942,12 @@ DocType: Employee,Reports to,报告以 DocType: SMS Settings,Enter url parameter for receiver nos,请输入收件人编号的URL参数 DocType: Payment Entry,Paid Amount,支付的金额 DocType: Assessment Plan,Supervisor,监 -apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,线上 +apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,线上 ,Available Stock for Packing Items,库存可用打包品目 DocType: Item Variant,Item Variant,项目变体 DocType: Assessment Result Tool,Assessment Result Tool,评价结果工具 DocType: BOM Scrap Item,BOM Scrap Item,BOM项目废料 -apps/erpnext/erpnext/accounts/page/pos/pos.js +960,Submitted orders can not be deleted,提交的订单不能被删除 +apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,提交的订单不能被删除 apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",账户余额已设置为'借方',不能设置为'贷方' apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,质量管理 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,项目{0}已被禁用 @@ -3968,7 +3979,7 @@ DocType: Item Group,Default Expense Account,默认支出账户 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,学生的电子邮件ID DocType: Employee,Notice (days),通告(天) DocType: Tax Rule,Sales Tax Template,销售税模板 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,选取要保存发票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2378,Select items to save the invoice,选取要保存发票 DocType: Employee,Encashment Date,兑现日期 DocType: Training Event,Internet,互联网 DocType: Account,Stock Adjustment,库存调整 @@ -4017,10 +4028,10 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,调度 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,品目{0}的最大折扣为 {1}% apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,净资产值作为 DocType: Account,Receivable,应收账款 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +280,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供应商的采购订单已经存在 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +288,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供应商的采购订单已经存在 DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,作用是允许提交超过设定信用额度交易的。 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +887,Select Items to Manufacture,选择项目,以制造 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",主数据同步,这可能需要一些时间 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +893,Select Items to Manufacture,选择项目,以制造 +apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",主数据同步,这可能需要一些时间 DocType: Item,Material Issue,发料 DocType: Hub Settings,Seller Description,卖家描述 DocType: Employee Education,Qualification,学历 @@ -4041,11 +4052,10 @@ DocType: BOM,Rate Of Materials Based On,基于以下的物料单价 apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,客户支持分析 apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,取消所有 DocType: POS Profile,Terms and Conditions,条款和条件 -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},日期应该是在财政年度内。假设终止日期= {0} DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",在这里,你可以保持身高,体重,过敏,医疗问题等 DocType: Leave Block List,Applies to Company,适用于公司 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因为提交的仓储记录{0}已经存在 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +202,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因为提交的仓储记录{0}已经存在 DocType: Employee Loan,Disbursement Date,支付日期 DocType: Vehicle,Vehicle,车辆 DocType: Purchase Invoice,In Words,大写金额 @@ -4084,7 +4094,7 @@ apps/erpnext/erpnext/config/setup.py +14,Global Settings,全局设置 DocType: Assessment Result Detail,Assessment Result Detail,评价结果详细 DocType: Employee Education,Employee Education,雇员教育 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,在项目组表中找到重复的项目组 -apps/erpnext/erpnext/public/js/controllers/transaction.js +943,It is needed to fetch Item Details.,这是需要获取项目详细信息。 +apps/erpnext/erpnext/public/js/controllers/transaction.js +941,It is needed to fetch Item Details.,这是需要获取项目详细信息。 DocType: Salary Slip,Net Pay,净支付金额 DocType: Account,Account,账户 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,序列号{0}已收到过 @@ -4092,7 +4102,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has DocType: Expense Claim,Vehicle Log,车辆登录 DocType: Purchase Invoice,Recurring Id,经常性ID DocType: Customer,Sales Team Details,销售团队详情 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,Delete permanently?,永久删除? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1311,Delete permanently?,永久删除? DocType: Expense Claim,Total Claimed Amount,总索赔额 apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,销售的潜在机会 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},无效的{0} @@ -4104,7 +4114,7 @@ DocType: Warehouse,PIN,销 apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,设置你的ERPNext学校 DocType: Sales Invoice,Base Change Amount (Company Currency),基地涨跌额(公司币种) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,没有以下仓库的会计分录 -apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,首先保存文档。 +apps/erpnext/erpnext/projects/doctype/project/project.js +109,Save the document first.,首先保存文档。 DocType: Account,Chargeable,应课 DocType: Company,Change Abbreviation,更改缩写 DocType: Expense Claim Detail,Expense Date,报销日期 @@ -4118,7 +4128,6 @@ DocType: BOM,Manufacturing User,生产用户 DocType: Purchase Invoice,Raw Materials Supplied,供应的原料 DocType: Purchase Invoice,Recurring Print Format,常用打印格式 DocType: C-Form,Series,系列 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +62,Expected Delivery Date cannot be before Purchase Order Date,预计交货日期不能早于采购订单日期 DocType: Appraisal,Appraisal Template,评估模板 DocType: Item Group,Item Classification,项目分类 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,业务发展经理 @@ -4157,12 +4166,12 @@ apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,选择品 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,培训活动/结果 apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,作为累计折旧 DocType: Sales Invoice,C-Form Applicable,C-表格适用 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Operation Time must be greater than 0 for Operation {0},运行时间必须大于0的操作{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +398,Operation Time must be greater than 0 for Operation {0},运行时间必须大于0的操作{0} apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,仓库是强制性的 DocType: Supplier,Address and Contacts,地址和联系方式 DocType: UOM Conversion Detail,UOM Conversion Detail,计量单位换算详情 DocType: Program,Program Abbreviation,计划缩写 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,Production Order cannot be raised against a Item Template,生产订单不能对一个项目提出的模板 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +386,Production Order cannot be raised against a Item Template,生产订单不能对一个项目提出的模板 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,费用会在每个品目的采购收据中更新 DocType: Warranty Claim,Resolved By,议决 DocType: Bank Guarantee,Start Date,开始日期 @@ -4197,6 +4206,7 @@ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,培训反馈 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,生产订单{0}必须提交 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},请选择开始日期和结束日期的项目{0} +apps/erpnext/erpnext/public/js/setup_wizard.js +224,Set a sales target you'd like to achieve.,设定您想要实现的销售目标。 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},当然是行强制性{0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,无效的主名称 DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc的DocType @@ -4215,7 +4225,7 @@ DocType: Account,Income,收益 DocType: Industry Type,Industry Type,行业类型 apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,发现错误! apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,警告:申请的假期含有以下的禁离日 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +265,Sales Invoice {0} has already been submitted,销售发票{0}已提交过 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +266,Sales Invoice {0} has already been submitted,销售发票{0}已提交过 DocType: Assessment Result Detail,Score,得分了 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +25,Fiscal Year {0} does not exist,会计年度{0}不存在 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Completion Date,完成日期 @@ -4245,7 +4255,7 @@ DocType: Naming Series,Help HTML,HTML帮助 DocType: Student Group Creation Tool,Student Group Creation Tool,学生组创建工具 DocType: Item,Variant Based On,基于变异对 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},分配的总权重应为100 % 。这是{0} -apps/erpnext/erpnext/public/js/setup_wizard.js +263,Your Suppliers,您的供应商 +apps/erpnext/erpnext/public/js/setup_wizard.js +274,Your Suppliers,您的供应商 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,不能更改状态为丧失,因为已有销售订单。 DocType: Request for Quotation Item,Supplier Part No,供应商部件号 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +365,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',当类是“估值”或“Vaulation和总'不能扣除 @@ -4255,14 +4265,14 @@ DocType: Item,Has Serial No,有序列号 DocType: Employee,Date of Issue,签发日期 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}:申请者{0} 金额{1} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",根据购买设置,如果需要购买记录==“是”,则为了创建采购发票,用户需要首先为项目{0}创建采购凭证 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +158,Row #{0}: Set Supplier for item {1},行#{0}:设置供应商项目{1} -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,行{0}:小时值必须大于零。 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +166,Row #{0}: Set Supplier for item {1},行#{0}:设置供应商项目{1} +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +117,Row {0}: Hours value must be greater than zero.,行{0}:小时值必须大于零。 apps/erpnext/erpnext/stock/doctype/item/item.py +170,Website Image {0} attached to Item {1} cannot be found,网站图像{0}附加到物品{1}无法找到 DocType: Issue,Content Type,内容类型 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,电脑 DocType: Item,List this Item in multiple groups on the website.,在网站上的多个组中显示此品目 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,请检查多币种选项,允许帐户与其他货币 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,项目{0}不存在 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +89,Item: {0} does not exist in the system,项目{0}不存在 apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,您没有权限设定冻结值 DocType: Payment Reconciliation,Get Unreconciled Entries,获取未调节分录 DocType: Payment Reconciliation,From Invoice Date,从发票日期 @@ -4288,7 +4298,7 @@ DocType: Stock Entry,Default Source Warehouse,默认源仓库 DocType: Item,Customer Code,客户代码 apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},{0}的生日提醒 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,自上次订购天数 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,Debit To account must be a Balance Sheet account,借记帐户必须是资产负债表科目 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Balance Sheet account,借记帐户必须是资产负债表科目 DocType: Buying Settings,Naming Series,命名系列 DocType: Leave Block List,Leave Block List Name,禁离日列表名称 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,保险开始日期应小于保险终止日期 @@ -4305,7 +4315,7 @@ DocType: Vehicle Log,Odometer,里程表 DocType: Sales Order Item,Ordered Qty,订购数量 apps/erpnext/erpnext/stock/doctype/item/item.py +676,Item {0} is disabled,项目{0}无效 DocType: Stock Settings,Stock Frozen Upto,库存冻结止 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM不包含任何库存项目 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +875,BOM does not contain any stock item,BOM不包含任何库存项目 apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},期间从和周期要日期强制性的经常性{0} apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,项目活动/任务。 DocType: Vehicle Log,Refuelling Details,加油详情 @@ -4315,7 +4325,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40, apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,最后购买率未找到 DocType: Purchase Invoice,Write Off Amount (Company Currency),核销金额(公司货币) DocType: Sales Invoice Timesheet,Billing Hours,结算时间 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,Default BOM for {0} not found,默认BOM {0}未找到 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found,默认BOM {0}未找到 apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,行#{0}:请设置再订购数量 apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,点击项目将其添加到此处 DocType: Fees,Program Enrollment,招生计划 @@ -4350,6 +4360,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +319,BOM and Manuf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,账龄范围2 DocType: SG Creation Tool Course,Max Strength,最大力量 apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM已替换 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +956,Select Items based on Delivery Date,根据交付日期选择项目 ,Sales Analytics,销售分析 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},可用{0} ,Prospects Engaged But Not Converted,展望未成熟 @@ -4398,7 +4409,7 @@ DocType: Authorization Rule,Customerwise Discount,客户折扣 apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,时间表的任务。 DocType: Purchase Invoice,Against Expense Account,对开支账目 DocType: Production Order,Production Order,生产订单 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +272,Installation Note {0} has already been submitted,安装单{0}已经提交过 +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +273,Installation Note {0} has already been submitted,安装单{0}已经提交过 DocType: Bank Reconciliation,Get Payment Entries,获取付款项 DocType: Quotation Item,Against Docname,对文档名称 DocType: SMS Center,All Employee (Active),所有员工(活动) @@ -4407,7 +4418,7 @@ DocType: Purchase Invoice,Select the period when the invoice will be generated a DocType: BOM,Raw Material Cost,原材料成本 DocType: Item Reorder,Re-Order Level,再次订货级别 DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,输入要生产的品目和数量或者下载物料清单。 -apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,甘特图 +apps/erpnext/erpnext/projects/doctype/project/project.js +62,Gantt Chart,甘特图 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,兼任 DocType: Employee,Applicable Holiday List,可申请假期列表 DocType: Employee,Cheque,支票 @@ -4465,11 +4476,11 @@ DocType: Bin,Reserved Qty for Production,预留数量生产 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,如果您不想在制作基于课程的组时考虑批量,请不要选中。 DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,如果您不想在制作基于课程的组时考虑批量,请不要选中。 DocType: Asset,Frequency of Depreciation (Months),折旧率(月) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,信用账户 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +475,Credit Account,信用账户 DocType: Landed Cost Item,Landed Cost Item,到岸成本品目 apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,显示零值 DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,原材料被生产/重新打包后得到的品目数量 -apps/erpnext/erpnext/public/js/setup_wizard.js +382,Setup a simple website for my organization,设置一个简单的网站为我的组织 +apps/erpnext/erpnext/public/js/setup_wizard.js +395,Setup a simple website for my organization,设置一个简单的网站为我的组织 DocType: Payment Reconciliation,Receivable / Payable Account,应收/应付账款 DocType: Delivery Note Item,Against Sales Order Item,对销售订单项目 apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},请指定属性值的属性{0} @@ -4534,22 +4545,22 @@ DocType: Student,Nationality,国籍 ,Items To Be Requested,要申请的项目 DocType: Purchase Order,Get Last Purchase Rate,获取最新的采购税率 DocType: Company,Company Info,公司简介 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,Select or add new customer,选择或添加新客户 -apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,成本中心需要预订费用报销 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1343,Select or add new customer,选择或添加新客户 +apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Cost center is required to book an expense claim,成本中心需要预订费用报销 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),资金(资产)申请 apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,这是基于该员工的考勤 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,借方科目 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +469,Debit Account,借方科目 DocType: Fiscal Year,Year Start Date,年度起始日期 DocType: Attendance,Employee Name,雇员姓名 DocType: Sales Invoice,Rounded Total (Company Currency),圆润的总计(公司货币) apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,不能转换到组,因为你选择的是帐户类型。 -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +232,{0} {1} has been modified. Please refresh.,{0} {1}已被修改过,请刷新。 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +240,{0} {1} has been modified. Please refresh.,{0} {1}已被修改过,请刷新。 DocType: Leave Block List,Stop users from making Leave Applications on following days.,禁止用户在以下日期提交假期申请。 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,购买金额 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,供应商报价{0}创建 apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,结束年份不能启动年前 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,员工福利 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +254,Packed quantity must equal quantity for Item {0} in row {1},盒装数量必须等于量项目{0}行{1} +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +255,Packed quantity must equal quantity for Item {0} in row {1},盒装数量必须等于量项目{0}行{1} DocType: Production Order,Manufactured Qty,已生产数量 DocType: Purchase Receipt Item,Accepted Quantity,已接收数量 apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},请设置一个默认的假日列表为员工{0}或公司{1} @@ -4560,11 +4571,11 @@ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_st apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},行无{0}:金额不能大于金额之前对报销{1}。待审核金额为{2} DocType: Maintenance Schedule,Schedule,计划任务 DocType: Account,Parent Account,父帐户 -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +278,Available,可用的 +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +232,Available,可用的 DocType: Quality Inspection Reading,Reading 3,阅读3 ,Hub,Hub DocType: GL Entry,Voucher Type,凭证类型 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,价格表未找到或禁用 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1636,Price List not found or disabled,价格表未找到或禁用 DocType: Employee Loan Application,Approved,已批准 DocType: Pricing Rule,Price,价格 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0}的假期批准后,雇员的状态必须设置为“离开” @@ -4634,7 +4645,7 @@ DocType: SMS Settings,Static Parameters,静态参数 DocType: Assessment Plan,Room,房间 DocType: Purchase Order,Advance Paid,已支付的预付款 DocType: Item,Item Tax,项目税项 -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +810,Material to Supplier,材料到供应商 +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +803,Material to Supplier,材料到供应商 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +384,Excise Invoice,消费税发票 apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}出现%不止一次 DocType: Expense Claim,Employees Email Id,雇员的邮件地址 @@ -4674,7 +4685,6 @@ apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empt DocType: Vehicle,Model,模型 DocType: Production Order,Actual Operating Cost,实际运行成本 DocType: Payment Entry,Cheque/Reference No,支票/参考编号 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供应商>供应商类型 apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,根不能被编辑。 DocType: Item,Units of Measure,测量的单位 DocType: Manufacturing Settings,Allow Production on Holidays,允许在假日生产 @@ -4707,12 +4717,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Ha DocType: Supplier,Credit Days,信用期 apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,让学生批 DocType: Leave Type,Is Carry Forward,是否顺延假期 -apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Get Items from BOM,从物料清单获取品目 +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +786,Get Items from BOM,从物料清单获取品目 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,交货天数 -apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:过帐日期必须是相同的购买日期{1}资产的{2} +apps/erpnext/erpnext/controllers/accounts_controller.py +569,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:过帐日期必须是相同的购买日期{1}资产的{2} DocType: Program Enrollment,Check this if the Student is residing at the Institute's Hostel.,如果学生住在学院的旅馆,请检查。 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,请在上表中输入销售订单 -apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,未提交工资单 +apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +182,Not Submitted Salary Slips,未提交工资单 ,Stock Summary,库存摘要 apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,从一个仓库转移资产到另一 DocType: Vehicle,Petrol,汽油